yggdrasil-go/src/yggdrasil/tun_linux.go

81 lines
2.0 KiB
Go
Raw Normal View History

2017-12-29 07:16:20 +03:00
package yggdrasil
// The linux platform specific tun parts
2018-06-13 01:50:08 +03:00
import (
"errors"
"fmt"
"net"
2017-12-29 07:16:20 +03:00
2018-06-13 01:50:08 +03:00
"github.com/docker/libcontainer/netlink"
2018-06-13 01:50:08 +03:00
water "github.com/yggdrasil-network/water"
)
2018-06-13 00:45:53 +03:00
// Configures the TAP adapter with the correct IPv6 address and MTU.
func (tun *tunDevice) setup(ifname string, iftapmode bool, addr string, mtu int) error {
var config water.Config
if iftapmode {
config = water.Config{DeviceType: water.TAP}
} else {
config = water.Config{DeviceType: water.TUN}
}
2018-01-05 01:37:51 +03:00
if ifname != "" && ifname != "auto" {
config.Name = ifname
}
iface, err := water.New(config)
2018-01-05 01:37:51 +03:00
if err != nil {
panic(err)
}
tun.iface = iface
2018-03-03 15:30:54 +03:00
tun.mtu = getSupportedMTU(mtu)
2018-07-19 12:01:12 +03:00
// The following check is specific to Linux, as the TAP driver only supports
// an MTU of 65535-14 to make room for the ethernet headers. This makes sure
// that the MTU gets rounded down to 65521 instead of causing a panic.
if iftapmode {
if tun.mtu > 65535-tun_ETHER_HEADER_LENGTH {
tun.mtu = 65535-tun_ETHER_HEADER_LENGTH
}
}
2018-01-05 01:37:51 +03:00
return tun.setupAddress(addr)
}
2018-06-13 00:45:53 +03:00
// Configures the TAP adapter with the correct IPv6 address and MTU. Netlink
// is used to do this, so there is not a hard requirement on "ip" or "ifconfig"
// to exist on the system, but this will fail if Netlink is not present in the
// kernel (it nearly always is).
2017-12-29 07:16:20 +03:00
func (tun *tunDevice) setupAddress(addr string) error {
2018-01-05 01:37:51 +03:00
// Set address
var netIF *net.Interface
ifces, err := net.Interfaces()
if err != nil {
return err
}
for _, ifce := range ifces {
if ifce.Name == tun.iface.Name() {
var newIF = ifce
netIF = &newIF // Don't point inside ifces, it's apparently unsafe?...
}
}
if netIF == nil {
return errors.New(fmt.Sprintf("Failed to find interface: %s", tun.iface.Name()))
}
ip, ipNet, err := net.ParseCIDR(addr)
if err != nil {
return err
}
err = netlink.NetworkLinkAddIp(netIF, ip, ipNet)
if err != nil {
return err
}
err = netlink.NetworkSetMTU(netIF, tun.mtu)
2018-01-05 01:37:51 +03:00
if err != nil {
return err
}
netlink.NetworkLinkUp(netIF)
2018-01-05 01:37:51 +03:00
if err != nil {
return err
}
return nil
2017-12-29 07:16:20 +03:00
}