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
79
80
81
82
83
84
|
# GoBGP as a Go Native BGP library
This page explains how to use GoBGP as a Go Native BGP library.
## Contents
- [Basic Example](#basic-example)
## Basic Example
```go
package main
import (
"fmt"
log "github.com/sirupsen/logrus"
"github.com/osrg/gobgp/config"
"github.com/osrg/gobgp/packet/bgp"
gobgp "github.com/osrg/gobgp/server"
"github.com/osrg/gobgp/table"
"time"
)
func main() {
log.SetLevel(log.DebugLevel)
s := gobgp.NewBgpServer()
go s.Serve()
// start grpc api server. this is not mandatory
// but you will be able to use `gobgp` cmd with this.
g := gobgp.NewGrpcServer(s, ":50051")
go g.Serve()
// global configuration
global := &config.Global{
Config: config.GlobalConfig{
As: 65000,
RouterId: "10.0.255.254",
Port: -1, // gobgp won't listen on tcp:179
},
}
if err := s.Start(global); err != nil {
log.Fatal(err)
}
// neighbor configuration
n := &config.Neighbor{
Config: config.NeighborConfig{
NeighborAddress: "10.0.255.1",
PeerAs: 65001,
},
}
if err := s.AddNeighbor(n); err != nil {
log.Fatal(err)
}
// add routes
attrs := []bgp.PathAttributeInterface{
bgp.NewPathAttributeOrigin(0),
bgp.NewPathAttributeNextHop("10.0.255.254"),
bgp.NewPathAttributeAsPath([]bgp.AsPathParamInterface{bgp.NewAs4PathParam(bgp.BGP_ASPATH_ATTR_TYPE_SEQ, []uint32{4000, 400000, 300000, 40001})}),
}
if _, err := s.AddPath("", []*table.Path{table.NewPath(nil, bgp.NewIPAddrPrefix(24, "10.0.0.0"), false, attrs, time.Now(), false)}); err != nil {
log.Fatal(err)
}
// monitor new routes
w := s.Watch(gobgp.WatchBestPath(false))
for {
select {
case ev := <-w.Event():
switch msg := ev.(type) {
case *gobgp.WatchEventBestPath:
for _, path := range msg.PathList {
// do something useful
fmt.Println(path)
}
}
}
}
}
```
|