1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
|
// +build integration
package netboot
import (
"fmt"
"log"
"net"
"os"
"testing"
"time"
"github.com/stretchr/testify/assert"
"github.com/stretchr/testify/require"
)
// The test assumes that the interface exists and is configurable.
// If you are running this test locally, you may need to adjust this value.
var ifname = "eth0"
func TestIfUp(t *testing.T) {
iface, err := IfUp(ifname, 2*time.Second)
require.NoError(t, err)
assert.Equal(t, ifname, iface.Name)
}
func TestIfUpTimeout(t *testing.T) {
_, err := IfUp(ifname, 0*time.Second)
require.Error(t, err)
}
func TestConfigureInterface(t *testing.T) {
// Linux-only. `netboot.ConfigureInterface` writes to /etc/resolv.conf when
// `NetConf.DNSServers` is set. In this test we make a backup of resolv.conf
// and subsequently restore it. This is really ugly, and not safe if
// multiple tests do the same.
resolvconf, err := os.ReadFile("/etc/resolv.conf")
if err != nil {
panic(fmt.Sprintf("Failed to read /etc/resolv.conf: %v", err))
}
type testCase struct {
Name string
NetConf *NetConf
}
testCases := []testCase{
{
Name: "just IP addr",
NetConf: &NetConf{
Addresses: []AddrConf{
AddrConf{IPNet: net.IPNet{IP: net.ParseIP("10.20.30.40")}},
},
},
},
{
Name: "IP addr, DNS, and routers",
NetConf: &NetConf{
Addresses: []AddrConf{
AddrConf{IPNet: net.IPNet{IP: net.ParseIP("10.20.30.40")}},
},
DNSServers: []net.IP{net.ParseIP("8.8.8.8")},
DNSSearchList: []string{"slackware.it"},
Routers: []net.IP{net.ParseIP("10.20.30.254")},
},
},
}
for _, tc := range testCases {
t.Run(tc.Name, func(t *testing.T) {
require.NoError(t, ConfigureInterface(ifname, tc.NetConf))
// after the test, restore the content of /etc/resolv.conf . The permissions
// are used only if it didn't exist.
if err = os.WriteFile("/etc/resolv.conf", resolvconf, 0644); err != nil {
panic(fmt.Sprintf("Failed to restore /etc/resolv.conf: %v", err))
}
log.Printf("Restored /etc/resolv.conf")
})
}
}
|