Golang简单实现http的server端和client端

浏览:42日期:2022-07-30
介绍

HTTPS (Secure Hypertext Transfer Protocol)安全超文本传输协议,是一个安全通信通道,它基于HTTP开发用于在客户计算机和服务器之间交换信息。它使用安全套接字层(SSL)进行信息交换,简单来说它是HTTP的安全版,是使用TLS/SSL加密的HTTP协议。

HTTP和HTTPS的区别

HTTPS是加密传输协议,HTTP是名文传输协议 HTTPS需要用到SSL证书,而HTTP不用 HTTPS比HTTP更加安全,对搜索引擎更友好,利于SEO HTTPS标准端口443,HTTP标准端口80 HTTPS基于传输层,HTTP基于应用层 HTTPS在浏览器显示绿色安全锁,HTTP没有显示

1.证书可以认为就是公钥;

2.在Https通信中,需要CA认证中心的证书以及服务器的证书和私钥;

3.服务器的证书是用来发送给客户端的;

4.CA认证中心的证书需要安装在客户机上,用来验证服务器证书的真实性

http server端

http 服务器

package mainimport ( 'log' 'net/http' 'time')func main() { // 创建路由器 mux := http.NewServeMux() // 设置路由规则 mux.HandleFunc('/hello', sayHello) // 创建服务器 server := &http.Server{ Addr: ':1210', WriteTimeout: time.Second * 3, Handler: mux, } // 监听端口并提供服务 log.Println('starting httpserver at http:localhost:1210') log.Fatal(server.ListenAndServe())}func sayHello(w http.ResponseWriter, r *http.Request) { time.Sleep(1 * time.Second) w.Write([]byte('hello hello, this is httpserver'))}

启动服务器

$ go run demo/base/http/server/server.go2021/05/31 22:26:35 starting httpserver at http:localhost:1210

使用 浏览器 或者 命令行测试一下:

$ curl -v http://localhost:1210/hello* Trying ::1:1210...* Connected to localhost (::1) port 1210 (#0)> GET /hello HTTP/1.1> Host: localhost:1210> User-Agent: curl/7.69.1> Accept: */*>* Mark bundle as not supporting multiuse< HTTP/1.1 200 OK< Date: Mon, 31 May 2021 14:28:28 GMT< Content-Length: 31< Content-Type: text/plain; charset=utf-8<* Connection #0 to host localhost left intacthello hello, this is httpserver

如上所示:这就是我们服务端返回的内容 hello hello, this is httpserver

http 客户端为什么需要客户端

在多项目、微服务的场景下,项目服务之间的互相通信并不像。使用浏览器、命令行输入域名返回结果。所以需要自己编写发起 http 请求的客户端,实现项目服务之间的通信

package mainimport ( 'fmt' 'io/ioutil' 'net' 'net/http' 'time')func main() { // 创建连击池 transport := &http.Transport{ DialContext: (&net.Dialer{ Timeout: 30 * time.Second, KeepAlive: 30 * time.Second, }).DialContext, MaxIdleConns: 100, // 最大空闲连接数 IdleConnTimeout: 90 * time.Second, // 空闲超时时间 TLSHandshakeTimeout: 10 * time.Second, // tls 握手超时时间 ExpectContinueTimeout: 1 * time.Second, // 100-continue状态码超时时间 } // 创建客户端 client := &http.Client{ Transport: transport, Timeout: 30 * time.Second, // 没饿 } // 请求数据 resp, err := client.Get('http://localhost:1210/hello') if err != nil { panic(err) } defer resp.Body.Close() // 读取数据 bds, err := ioutil.ReadAll(resp.Body) if err != nil { panic(err) } fmt.Println(string(bds))}

运行服务测试一下go run demo/base/http/server/server.go,返回 服务端响应内容 hello hello, this is httpserver

到此这篇关于Golang简单实现http的server端和client端的文章就介绍到这了,更多相关golang http client 和server 内容请搜索乐呵呵网以前的文章或继续浏览下面的相关文章希望大家以后多多支持乐呵呵网!

标签: HTTPS 服务器
相关文章: