Golang Go语言中如何用 Go 实现 curl --interface 的效果?
wg0 是 wireguard 的虚拟网卡,AllowedIPs 为 0.0.0.0/0
并且 Table = off
。
curl 可以实现通过 wg0 请求成功:
curl --interface wg0 http://ifconfig.me
以下代码却不行,请问为什么?应该怎么修改?
package main
import (
“context”
“fmt”
“io/ioutil”
“net”
“net/http”
“time”
)
func main() {
ief, _ := net.InterfaceByName(“wg0”)
addrs, _ := ief.Addrs()
d := net.Dialer{
LocalAddr: &net.TCPAddr{IP: addrs[0].(*net.IPNet).IP},
Timeout: time.Second * 5,
}
fmt.Println(d.LocalAddr)
c := &http.Client{
Transport: &http.Transport{
DialContext: func(ctx context.Context, network, addr string) (net.Conn, error) {
return d.DialContext(ctx, network, addr)
},
},
}
r, err := c.Get("http://ifconfig.me")
if err != nil {
panic(err)
}
defer r.Body.Close()
b, _ := ioutil.ReadAll(r.Body)
fmt.Println(string(b))
}
Golang Go语言中如何用 Go 实现 curl --interface 的效果?
更多关于Golang Go语言中如何用 Go 实现 curl --interface 的效果?的实战系列教程也可以访问 https://www.itying.com/category-94-b0.html
给 socket 标记 fwmark ,然后在在 ip rule 里写规则让他走 wg 的网卡
https://linkscue.com/posts/2019-09-21-golang-outgoing-packets-set-mark/
更多关于Golang Go语言中如何用 Go 实现 curl --interface 的效果?的实战系列教程也可以访问 https://www.itying.com/category-94-b0.html
之前有类似的需求
翻 curl 的源码后发现是透过 system call 绑定 interface
这边有 code 可以参考
https://github.com/cs8425/go-smalltools/blob/master/network/socks.go#L149-L162
绑定指定网卡貌似不行,绑定指定出口 ip ,我记得是可以的
#2 谢谢,正打算看 curl 实现,被你拯救了~
#1 场景比较特殊,fwmark+ip rule 不太灵活,权限要求也高一些。
#3 按照官方 issues 里有人指出的,大约是因为仅仅指定 LocalAddr 后依然会按照默认的路由策略走,所以在这种场景没办法达到想要的效果。
#2 的是和 curl --interface 相同的处理方式,测试了 UDP 和 TCP 在 Linux 下都没问题。
在Go语言中,实现类似 curl --interface
的效果,即指定网络接口发送HTTP请求,可以通过自定义 http.Transport
并设置 DialContext
方法来完成。这允许你指定一个特定的本地地址(网络接口)用于建立TCP连接。
以下是一个简单的示例代码,展示了如何实现这一功能:
package main
import (
"fmt"
"net"
"net/http"
"time"
)
func main() {
localAddr := "192.168.1.100:0" // 替换为你的网络接口IP地址和任意端口
transport := &http.Transport{
DialContext: (&net.Dialer{
LocalAddr: &net.TCPAddr{
IP: net.ParseIP(localAddr),
Port: 0,
},
Timeout: 30 * time.Second,
KeepAlive: 30 * time.Second,
}).DialContext,
}
client := &http.Client{
Transport: transport,
Timeout: 60 * time.Second,
}
resp, err := client.Get("http://example.com")
if err != nil {
fmt.Println("Error:", err)
return
}
defer resp.Body.Close()
fmt.Println("Response status:", resp.Status)
}
在这个示例中,localAddr
变量应设置为希望使用的本地IP地址和任意端口(端口号通常为0,表示由系统选择)。这确保了HTTP请求将通过指定的网络接口发送。注意,实际使用中需要处理错误并根据需求调整超时设置。