1
0
Fork 0
mirror of https://github.com/tmrts/go-patterns.git synced 2025-04-03 13:13:34 +03:00
This commit is contained in:
cbping-pc 2017-11-08 10:19:05 +08:00
parent 4b81980a1f
commit dc969fb3be

50
structural/bridge.md Normal file
View file

@ -0,0 +1,50 @@
# Bridge Pattern
Decouples an interface from its implementation so that the two can vary independently
## Implementation
```go
// interface
type Request interface {
HttpRequest() (*http.Request, error)
}
type Client struct {
Client *http.Client
}
func (c *Client) Query(req Request) (resp *http.Response, err error) {
httpreq,_:=req.HttpRequest()
resp, err = c.Client.Do(httpreq)
return
}
// implementation
type BaiduRequest struct {
}
func (cdn *BaiduRequest) HttpRequest() (*http.Request, error) {
return http.NewRequest("GET", "https://www.baidu.com", nil)
}
// implementation
type Googleequest struct {
}
func (cdn *Googleequest) HttpRequest() (*http.Request, error) {
return http.NewRequest("GET", "https://www.google.com/?hl=zh-cn&gws_rd=ssl", nil)
}
```
## Usage
```go
client := &Client{http.DefaultClient}
baiduReq := &BaiduRequest{}
fmt.Println(client.Query(baiduReq))
googleReq := &Googleequest{}
fmt.Println(client.Query(googleReq))
```