-
Notifications
You must be signed in to change notification settings - Fork 359
Expand file tree
/
Copy pathmain.go
More file actions
120 lines (102 loc) · 3.9 KB
/
main.go
File metadata and controls
120 lines (102 loc) · 3.9 KB
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
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
// SPDX-FileCopyrightText: 2026 The Pion community <https://pion.ly>
// SPDX-License-Identifier: MIT
//go:build unix
// Package main implements a multi-threaded TURN server
package main
import (
"context"
"flag"
"log"
"net"
"os"
"os/signal"
"strconv"
"strings"
"syscall"
"github.com/pion/turn/v5"
"golang.org/x/sys/unix"
)
func main() { //nolint:cyclop
publicIP := flag.String("public-ip", "", "IP Address that TURN can be contacted by.")
port := flag.Int("port", 3478, "Listening port.")
users := flag.String("users", "", "List of username and password (e.g. \"user=pass,user=pass\")")
realm := flag.String("realm", "pion.ly", "Realm (defaults to \"pion.ly\")")
threadNum := flag.Int("thread-num", 1, "Number of server threads (defaults to 1)")
flag.Parse()
if len(*publicIP) == 0 {
log.Fatalf("'public-ip' is required")
} else if len(*users) == 0 {
log.Fatalf("'users' is required")
}
addr, err := net.ResolveUDPAddr("udp", net.JoinHostPort("0.0.0.0", strconv.Itoa(*port)))
if err != nil {
log.Fatalf("Failed to parse server address: %s", err)
}
// Cache -users flag for easy lookup later
// If passwords are stored they should be saved to your DB hashed using turn.GenerateAuthKey
usersMap := map[string][]byte{}
for userPass := range strings.SplitSeq(*users, ",") {
parts := strings.SplitN(userPass, "=", 2)
if len(parts) != 2 {
log.Fatalf("Invalid user credential format '%s': expected 'username=password'", userPass)
}
usersMap[parts[0]] = turn.GenerateAuthKey(parts[0], *realm, parts[1])
}
// Create `numThreads` UDP listeners to pass into pion/turn
// pion/turn itself doesn't allocate any UDP sockets, but lets the user pass them in
// this allows us to add logging, storage or modify inbound/outbound traffic
// UDP listeners share the same local address:port with setting SO_REUSEPORT and the kernel
// will load-balance received packets per the IP 5-tuple
listenerConfig := &net.ListenConfig{
Control: func(network, address string, conn syscall.RawConn) error { // nolint: revive
var operr error
if err = conn.Control(func(fd uintptr) {
//nolint:gosec // file descriptors are small ints from the OS.
operr = syscall.SetsockoptInt(int(fd), syscall.SOL_SOCKET, unix.SO_REUSEPORT, 1)
}); err != nil {
return err
}
return operr
},
}
relayAddressGenerator := &turn.RelayAddressGeneratorStatic{
RelayAddress: net.ParseIP(*publicIP), // Claim that we are listening on IP passed by user
Address: "0.0.0.0", // But actually be listening on every interface
}
packetConnConfigs := make([]turn.PacketConnConfig, *threadNum)
for i := 0; i < *threadNum; i++ {
conn, listErr := listenerConfig.ListenPacket(context.Background(), addr.Network(), addr.String()) // nolint: noctx
if listErr != nil {
log.Fatalf("Failed to allocate UDP listener at %s:%s", addr.Network(), addr.String())
}
packetConnConfigs[i] = turn.PacketConnConfig{
PacketConn: conn,
RelayAddressGenerator: relayAddressGenerator,
}
log.Printf("Server %d listening on %s\n", i, conn.LocalAddr().String())
}
server, err := turn.NewServer(turn.ServerConfig{
Realm: *realm,
// Set AuthHandler callback
// This is called every time a user tries to authenticate with the TURN server
// Return the key for that user, or false when no user is found
AuthHandler: func(ra *turn.RequestAttributes) (string, []byte, bool) {
if key, ok := usersMap[ra.Username]; ok {
return ra.Username, key, true
}
return "", nil, false
},
// PacketConnConfigs is a list of UDP Listeners and the configuration around them
PacketConnConfigs: packetConnConfigs,
})
if err != nil {
log.Panicf("Failed to create TURN server: %s", err)
}
// Block until user sends SIGINT or SIGTERM
sigs := make(chan os.Signal, 1)
signal.Notify(sigs, syscall.SIGINT, syscall.SIGTERM)
<-sigs
if err = server.Close(); err != nil {
log.Panicf("Failed to close TURN server: %s", err)
}
}