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
|
package dhcpv6
// This module defines the OptClientArchType structure.
// https://www.ietf.org/rfc/rfc5970.txt
import (
"encoding/binary"
"fmt"
)
type ArchType uint16
// see rfc4578
const (
INTEL_X86PC ArchType = 0
NEC_PC98 ArchType = 1
EFI_ITANIUM ArchType = 2
DEC_ALPHA ArchType = 3
ARC_X86 ArchType = 4
INTEL_LEAN_CLIENT ArchType = 5
EFI_IA32 ArchType = 6
EFI_BC ArchType = 7
EFI_XSCALE ArchType = 8
EFI_X86_64 ArchType = 9
)
var ArchTypeToStringMap = map[ArchType]string{
INTEL_X86PC: "Intel x86PC",
NEC_PC98: "NEC/PC98",
EFI_ITANIUM: "EFI Itanium",
DEC_ALPHA: "DEC Alpha",
ARC_X86: "Arc x86",
INTEL_LEAN_CLIENT: "Intel Lean Client",
EFI_IA32: "EFI IA32",
EFI_BC: "EFI BC",
EFI_XSCALE: "EFI Xscale",
EFI_X86_64: "EFI x86-64",
}
type OptClientArchType struct {
ArchType ArchType
}
func (op *OptClientArchType) Code() OptionCode {
return OPTION_CLIENT_ARCH_TYPE
}
func (op *OptClientArchType) ToBytes() []byte {
buf := make([]byte, 6)
binary.BigEndian.PutUint16(buf[0:2], uint16(OPTION_CLIENT_ARCH_TYPE))
binary.BigEndian.PutUint16(buf[2:4], uint16(op.Length()))
binary.BigEndian.PutUint16(buf[4:6], uint16(op.ArchType))
return buf
}
func (op *OptClientArchType) Length() int {
return 2
}
func (op *OptClientArchType) String() string {
name, ok := ArchTypeToStringMap[op.ArchType]
if !ok {
name = "Unknown"
}
return fmt.Sprintf("OptClientArchType{archtype=%v}", name)
}
// build an OptClientArchType structure from a sequence of bytes.
// The input data does not include option code and length bytes.
func ParseOptClientArchType(data []byte) (*OptClientArchType, error) {
opt := OptClientArchType{}
if len(data) != 2 {
return nil, fmt.Errorf("Invalid arch type data length. Expected 2 bytes, got %v", len(data))
}
opt.ArchType = ArchType(binary.BigEndian.Uint16(data))
return &opt, nil
}
|