Golang言語HTTPクライアント実習詳細
Golang言語を学び始めてしばらく経ちますが、ある先輩が「学習原理がある」と指摘しているのに出くわしました。Learning By Doingは、私が以前Javaを学習した経験と非常に親和性が高いです。この重要な成功は、しばらく前に学習の水たまりで何日も格闘した後、忘れかけていた。
では、何を練習すればいいのか?ということで、まずはインターフェーステストから始めて、機能テスト、性能テストと進み、サーバー開発の基本をマスターするというルートを自分でリストアップしてみました。
まず、HTTPのインターフェーステストでよく使われるいくつかの機能を実装する必要がありました。主にHTTPrequestオブジェクトの取得、リクエストの送信、レスポンスの解析、HttpClientの基本設定などです。
ここでの実装は比較的単純で浅いもので、同じくHttpClient.jarが提供するAPIをラッピングして始まったテストフレームワークFunTesterを思い起こさせる、エモーションに溢れたものです。
ここではGolang SDKに付属するnet/httpパッケージが提供するHTTP関連のAPIを利用しました。http.PostForm(), http.Post(), http.Get() でカプセル化されたメソッドを提供しますが、HTTPリクエストヘッダとクッキーの処理に柔軟性が欠けています。そこで、net/httpのラップAPIを2回目にラップし直しました。HTTPstatusの判定やヘッダのContent-Typeの自動処理など、いくつか抜けている部分がありますが、これは後で充実させるとして、当面の目標は「使えるようになること」です。
HTTPクライアントラッピング
package task
import (
"bytes"
"encoding/json"
"fmt"
"io/ioutil"
"net/http"
"net/url"
"strings"
"time"
)
var Client http.Client = clients()
// Res simulates the response structure
// @Description:
type Res struct {
Have string `json:"Have"`
}
// Get Get the GET request
// @Description:
// @param uri
// @param args
// @return *http.Request
func Get(uri string, args map[string]interface{}) *http.Request {
uri = uri + "? " +ToValues(args)
request, _ := http.NewRequest("get", uri, nil)
return request
}
// PostForm POST interface form form
// @Description:
// @param path
// @param args
// @return *http.Request
func PostForm(path string, args map[string]interface{}) *http.Request {
request, _ := http.NewRequest("post", path, strings.NewReader(ToValues(args)))
return request
}
// PostJson POST request, JSON parameters
// @Description:
// @param path
// @param args
// @return *http.Request
func PostJson(path string, args map[string]interface{}) *http.Request {
marshal, _ := json.Marshal(args)
request, _ := http.NewRequest("post", path, bytes.NewReader(marshal))
return request
}
// ToValues parses the map into HTTP parameters for GET and POST form forms
// @Description:
// @param args
// @return string
func ToValues(args map[string]interface{}) string {
if args ! = nil && len(args) > 0 {
params := url.Values{}
for k, v := range args {
params.Set(k, fmt.Sprintf("%v", v))
}
return params.Encode()
}
return ""
}
// Response Get response details, default []byte format
// @Description:
// @param request
// @return []byte
func Response(request *http.Request) []byte {
res, err := Client.Do(request)
if err ! = nil {
return nil
}
body, _ := ioutil.ReadAll(res.Body) // read the response body, return []byte
defer res.Body.Close()
return body
}
// clients Initialize the request client
// @Description:
// @return http.Client
func clients() http.Client {
return http.Client{
Timeout: time.Duration(5) * time.Second, // Timeout time
Transport: &http.
MaxIdleConnsPerHost: 5, //maximum number of idle connections for a single route
MaxConnsPerHost: 100, //maximum number of connections for a single route
IdleConnTimeout: 90 * time.Second,
TLSHandshakeTimeout: 10 * time.Second,
ExpectContinueTimeout: 1 * time.Second,
},
}
}
// ParseRes parses the response
// @Description:
// @receiver r
// @param res
func (r *Res) ParseRes(res []byte) {
json.Unmarshal(res, r)
}
// ParseRes parses the response, converting the []byte to an incoming object
// @Description:
// @param res
// @param r
//
func ParseRes(res []byte, r interface{}) {
json.Unmarshal(res, r)
}
テストスクリプト
package main
import (
"fmt"
"funtester/src/task"
"io"
"log"
"net/http"
"os"
"time"
)
const (
a = iota
b
c
d
e
)
func init() {
os.Mkdir(". /log/", 0777)
os.Mkdir(". /long/", 0777)
file := ". /log/" + string(time.Now().Format("20060102")) + ".log"
openFile, _ := os.OpenFile(file, os.O_RDWR|os.O_CREATE|os.O_APPEND, 0666)
writer := io.MultiWriter(os.Stdout, openFile)
log.SetOutput(writer)
SetFlags(log.LstdFlags | log.Lshortfile | log.Ldate)
}
func main() {
url := "http://localhost:12345/test"
args := map[string]interface{}{
"name": "FunTester",
"fun": "fdsafj",
}
cookie := &http.Cookie{
Name: "token",
Value: "fsjej09u0934jtej",
}
get := task.Get(url, args)
Get.Header.Add("user_agent", "FunTester")
get.AddCookie(cookie)
response := task.Response(get)
fmt.Println(string(response))
PostForm(url, args)
bytes := task.Response(form)
fmt.Println(string(bytes))
json := task.PostJson(url, args)
res := task.Response(json)
fmt.Println(string(res))
}
コンソール出力
GOROOT=/usr/local/go #gosetup
GOPATH=/Users/oker/go #gosetup
/usr/local/go/bin/go build -o /private/var/folders/7b/0djfgf7j7p9ch_hgm9wx9n6w0000gn/T/GoLand/___go_build_funtester_src_m funtester/ src/m #gosetup
/private/var/folders/7b/0djfgf7j7p9ch_hgm9wx9n6w0000gn/T/GoLand/___go_build_funtester_src_m
リクエストを受け取る
リクエストフォームを投稿する
投稿依頼jsonフォーム終了コード 0 で処理終了
サービスのテスト
まだmoco_FunTesterテストフレームワークを使用して実装されています。
package com.mocofun.moco.main
import com.funtester.utils.ArgsUtil
import com.mocofun.moco.MocoServer
class Share extends MocoServer {
static void main(String[] args) {
def util = new ArgsUtil(args)
// def server = getServerNoLog(util.getIntOrdefault(0,12345))
def server = getServer(util.getIntOrdefault(0, 12345))
server.get(urlStartsWith("/test")).response("get request")
server.post(both(urlStartsWith("/test"), existForm("fun"))).response("post request form"))
server.post(both(urlStartsWith("/test"), existParams("fun"))).response("post request json form"))
server.get(urlStartsWith("/qps")).response(qps(textRes("Congratulations on reaching QPS!"), 1))
// server.response(delay(jsonRes(getJson("Have=Fun ~ Tester ! ")), 1000))
server.response("Have Fun ~ Tester ! ")
def run = run(server)
waitForKey("fan")
run.stop()
}
}
Golang言語HTTPクライアントの練習についてのこの記事はここで紹介されて、より関連するGolang HTTPクライアントの内容は、スクリプトハウスの以前の記事を検索してくださいまたは、次の関連記事を参照してください続けるあなたは、将来のより多くのスクリプトハウスをサポートすることを願っています
関連
最新
-
nginxです。[emerg] 0.0.0.0:80 への bind() に失敗しました (98: アドレスは既に使用中です)
-
htmlページでギリシャ文字を使うには
-
ピュアhtml+cssでの要素読み込み効果
-
純粋なhtml + cssで五輪を実現するサンプルコード
-
ナビゲーションバー・ドロップダウンメニューのHTML+CSSサンプルコード
-
タイピング効果を実現するピュアhtml+css
-
htmlの選択ボックスのプレースホルダー作成に関する質問
-
html css3 伸縮しない 画像表示効果
-
トップナビゲーションバーメニュー作成用HTML+CSS
-
html+css 実装 サイバーパンク風ボタン