client.go 9.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344
  1. /*
  2. Some of codes are copied from https://github.com/octeep/wireproxy, license below.
  3. Copyright (c) 2022 Wind T.F. Wong <[email protected]>
  4. Permission to use, copy, modify, and distribute this software for any
  5. purpose with or without fee is hereby granted, provided that the above
  6. copyright notice and this permission notice appear in all copies.
  7. THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
  8. WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
  9. MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
  10. ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
  11. WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
  12. ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
  13. OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
  14. */
  15. package wireguard
  16. import (
  17. "context"
  18. "fmt"
  19. "net/netip"
  20. "strings"
  21. "sync"
  22. "github.com/xtls/xray-core/common"
  23. "github.com/xtls/xray-core/common/buf"
  24. "github.com/xtls/xray-core/common/dice"
  25. "github.com/xtls/xray-core/common/errors"
  26. "github.com/xtls/xray-core/common/log"
  27. "github.com/xtls/xray-core/common/net"
  28. "github.com/xtls/xray-core/common/protocol"
  29. "github.com/xtls/xray-core/common/session"
  30. "github.com/xtls/xray-core/common/signal"
  31. "github.com/xtls/xray-core/common/task"
  32. "github.com/xtls/xray-core/core"
  33. "github.com/xtls/xray-core/features/dns"
  34. "github.com/xtls/xray-core/features/policy"
  35. "github.com/xtls/xray-core/transport"
  36. "github.com/xtls/xray-core/transport/internet"
  37. )
  38. // Handler is an outbound connection that silently swallow the entire payload.
  39. type Handler struct {
  40. conf *DeviceConfig
  41. net Tunnel
  42. bind *netBindClient
  43. policyManager policy.Manager
  44. dns dns.Client
  45. // cached configuration
  46. endpoints []netip.Addr
  47. hasIPv4, hasIPv6 bool
  48. wgLock sync.Mutex
  49. }
  50. // New creates a new wireguard handler.
  51. func New(ctx context.Context, conf *DeviceConfig) (*Handler, error) {
  52. v := core.MustFromContext(ctx)
  53. endpoints, hasIPv4, hasIPv6, err := parseEndpoints(conf)
  54. if err != nil {
  55. return nil, err
  56. }
  57. d := v.GetFeature(dns.ClientType()).(dns.Client)
  58. return &Handler{
  59. conf: conf,
  60. policyManager: v.GetFeature(policy.ManagerType()).(policy.Manager),
  61. dns: d,
  62. endpoints: endpoints,
  63. hasIPv4: hasIPv4,
  64. hasIPv6: hasIPv6,
  65. }, nil
  66. }
  67. func (h *Handler) Close() (err error) {
  68. go func() {
  69. h.wgLock.Lock()
  70. defer h.wgLock.Unlock()
  71. if h.net != nil {
  72. _ = h.net.Close()
  73. h.net = nil
  74. }
  75. }()
  76. return nil
  77. }
  78. func (h *Handler) processWireGuard(ctx context.Context, dialer internet.Dialer) (err error) {
  79. h.wgLock.Lock()
  80. defer h.wgLock.Unlock()
  81. if h.bind != nil && h.bind.dialer == dialer && h.net != nil {
  82. return nil
  83. }
  84. log.Record(&log.GeneralMessage{
  85. Severity: log.Severity_Info,
  86. Content: "switching dialer",
  87. })
  88. if h.net != nil {
  89. _ = h.net.Close()
  90. h.net = nil
  91. }
  92. if h.bind != nil {
  93. _ = h.bind.Close()
  94. h.bind = nil
  95. }
  96. // bind := conn.NewStdNetBind() // TODO: conn.Bind wrapper for dialer
  97. // Set workers to number of peers if not explicitly configured
  98. // This allows concurrent packet reception from multiple peers
  99. workers := int(h.conf.NumWorkers)
  100. if workers <= 0 && len(h.conf.Peers) > 0 {
  101. workers = len(h.conf.Peers)
  102. }
  103. h.bind = &netBindClient{
  104. netBind: netBind{
  105. dns: h.dns,
  106. dnsOption: dns.IPOption{
  107. IPv4Enable: h.hasIPv4,
  108. IPv6Enable: h.hasIPv6,
  109. },
  110. workers: workers,
  111. },
  112. ctx: core.ToBackgroundDetachedContext(ctx),
  113. dialer: dialer,
  114. reserved: h.conf.Reserved,
  115. }
  116. defer func() {
  117. if err != nil {
  118. h.bind.Close()
  119. h.bind = nil
  120. }
  121. }()
  122. h.net, err = h.makeVirtualTun()
  123. if err != nil {
  124. return errors.New("failed to create virtual tun interface").Base(err)
  125. }
  126. return nil
  127. }
  128. // Process implements OutboundHandler.Dispatch().
  129. func (h *Handler) Process(ctx context.Context, link *transport.Link, dialer internet.Dialer) error {
  130. outbounds := session.OutboundsFromContext(ctx)
  131. ob := outbounds[len(outbounds)-1]
  132. if !ob.Target.IsValid() {
  133. return errors.New("target not specified")
  134. }
  135. ob.Name = "wireguard"
  136. ob.CanSpliceCopy = 3
  137. if err := h.processWireGuard(ctx, dialer); err != nil {
  138. return err
  139. }
  140. // Destination of the inner request.
  141. destination := ob.Target
  142. command := protocol.RequestCommandTCP
  143. if destination.Network == net.Network_UDP {
  144. command = protocol.RequestCommandUDP
  145. }
  146. // resolve dns
  147. addr := destination.Address
  148. if addr.Family().IsDomain() {
  149. ips, _, err := h.dns.LookupIP(addr.Domain(), dns.IPOption{
  150. IPv4Enable: h.hasIPv4 && h.conf.preferIP4(),
  151. IPv6Enable: h.hasIPv6 && h.conf.preferIP6(),
  152. })
  153. { // Resolve fallback
  154. if (len(ips) == 0 || err != nil) && h.conf.hasFallback() {
  155. ips, _, err = h.dns.LookupIP(addr.Domain(), dns.IPOption{
  156. IPv4Enable: h.hasIPv4 && h.conf.fallbackIP4(),
  157. IPv6Enable: h.hasIPv6 && h.conf.fallbackIP6(),
  158. })
  159. }
  160. }
  161. if err != nil {
  162. return errors.New("failed to lookup DNS").Base(err)
  163. } else if len(ips) == 0 {
  164. return dns.ErrEmptyResponse
  165. }
  166. addr = net.IPAddress(ips[dice.Roll(len(ips))])
  167. }
  168. var newCtx context.Context
  169. var newCancel context.CancelFunc
  170. if session.TimeoutOnlyFromContext(ctx) {
  171. newCtx, newCancel = context.WithCancel(context.Background())
  172. }
  173. p := h.policyManager.ForLevel(0)
  174. ctx, cancel := context.WithCancel(ctx)
  175. timer := signal.CancelAfterInactivity(ctx, func() {
  176. cancel()
  177. if newCancel != nil {
  178. newCancel()
  179. }
  180. }, p.Timeouts.ConnectionIdle)
  181. addrPort := netip.AddrPortFrom(toNetIpAddr(addr), destination.Port.Value())
  182. var requestFunc func() error
  183. var responseFunc func() error
  184. if command == protocol.RequestCommandTCP {
  185. conn, err := h.net.DialContextTCPAddrPort(ctx, addrPort)
  186. if err != nil {
  187. return errors.New("failed to create TCP connection").Base(err)
  188. }
  189. defer conn.Close()
  190. requestFunc = func() error {
  191. defer timer.SetTimeout(p.Timeouts.DownlinkOnly)
  192. return buf.Copy(link.Reader, buf.NewWriter(conn), buf.UpdateActivity(timer))
  193. }
  194. responseFunc = func() error {
  195. defer timer.SetTimeout(p.Timeouts.UplinkOnly)
  196. return buf.Copy(buf.NewReader(conn), link.Writer, buf.UpdateActivity(timer))
  197. }
  198. } else if command == protocol.RequestCommandUDP {
  199. conn, err := h.net.DialUDPAddrPort(netip.AddrPort{}, addrPort)
  200. if err != nil {
  201. return errors.New("failed to create UDP connection").Base(err)
  202. }
  203. defer conn.Close()
  204. requestFunc = func() error {
  205. defer timer.SetTimeout(p.Timeouts.DownlinkOnly)
  206. return buf.Copy(link.Reader, buf.NewWriter(conn), buf.UpdateActivity(timer))
  207. }
  208. responseFunc = func() error {
  209. defer timer.SetTimeout(p.Timeouts.UplinkOnly)
  210. return buf.Copy(buf.NewReader(conn), link.Writer, buf.UpdateActivity(timer))
  211. }
  212. }
  213. if newCtx != nil {
  214. ctx = newCtx
  215. }
  216. responseDonePost := task.OnSuccess(responseFunc, task.Close(link.Writer))
  217. if err := task.Run(ctx, requestFunc, responseDonePost); err != nil {
  218. common.Interrupt(link.Reader)
  219. common.Interrupt(link.Writer)
  220. return errors.New("connection ends").Base(err)
  221. }
  222. return nil
  223. }
  224. // creates a tun interface on netstack given a configuration
  225. func (h *Handler) makeVirtualTun() (Tunnel, error) {
  226. t, err := h.conf.createTun()(h.endpoints, int(h.conf.Mtu), nil)
  227. if err != nil {
  228. return nil, err
  229. }
  230. h.bind.dnsOption.IPv4Enable = h.hasIPv4
  231. h.bind.dnsOption.IPv6Enable = h.hasIPv6
  232. if err = t.BuildDevice(h.createIPCRequest(), h.bind); err != nil {
  233. _ = t.Close()
  234. return nil, err
  235. }
  236. return t, nil
  237. }
  238. // serialize the config into an IPC request
  239. func (h *Handler) createIPCRequest() string {
  240. var request strings.Builder
  241. request.WriteString(fmt.Sprintf("private_key=%s\n", h.conf.SecretKey))
  242. if !h.conf.IsClient {
  243. // placeholder, we'll handle actual port listening on Xray
  244. request.WriteString("listen_port=1337\n")
  245. }
  246. for _, peer := range h.conf.Peers {
  247. if peer.PublicKey != "" {
  248. request.WriteString(fmt.Sprintf("public_key=%s\n", peer.PublicKey))
  249. }
  250. if peer.PreSharedKey != "" {
  251. request.WriteString(fmt.Sprintf("preshared_key=%s\n", peer.PreSharedKey))
  252. }
  253. address, port, err := net.SplitHostPort(peer.Endpoint)
  254. if err != nil {
  255. errors.LogError(h.bind.ctx, "failed to split endpoint ", peer.Endpoint, " into address and port")
  256. }
  257. addr := net.ParseAddress(address)
  258. if addr.Family().IsDomain() {
  259. dialerIp := h.bind.dialer.DestIpAddress()
  260. if dialerIp != nil {
  261. addr = net.ParseAddress(dialerIp.String())
  262. errors.LogInfo(h.bind.ctx, "createIPCRequest use dialer dest ip: ", addr)
  263. } else {
  264. ips, _, err := h.dns.LookupIP(addr.Domain(), dns.IPOption{
  265. IPv4Enable: h.conf.preferIP4(),
  266. IPv6Enable: h.conf.preferIP6(),
  267. })
  268. { // Resolve fallback
  269. if (len(ips) == 0 || err != nil) && h.conf.hasFallback() {
  270. ips, _, err = h.dns.LookupIP(addr.Domain(), dns.IPOption{
  271. IPv4Enable: h.conf.fallbackIP4(),
  272. IPv6Enable: h.conf.fallbackIP6(),
  273. })
  274. }
  275. }
  276. if err != nil {
  277. errors.LogInfoInner(h.bind.ctx, err, "createIPCRequest failed to lookup DNS")
  278. } else if len(ips) == 0 {
  279. errors.LogInfo(h.bind.ctx, "createIPCRequest empty lookup DNS")
  280. } else {
  281. addr = net.IPAddress(ips[dice.Roll(len(ips))])
  282. }
  283. }
  284. }
  285. if peer.Endpoint != "" {
  286. request.WriteString(fmt.Sprintf("endpoint=%s:%s\n", addr, port))
  287. }
  288. for _, ip := range peer.AllowedIps {
  289. request.WriteString(fmt.Sprintf("allowed_ip=%s\n", ip))
  290. }
  291. if peer.KeepAlive != 0 {
  292. request.WriteString(fmt.Sprintf("persistent_keepalive_interval=%d\n", peer.KeepAlive))
  293. }
  294. }
  295. return request.String()[:request.Len()]
  296. }