ircd_test.go 10 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364
  1. package ircclient
  2. import (
  3. "bufio"
  4. "crypto/ecdsa"
  5. "crypto/elliptic"
  6. "crypto/rand"
  7. "crypto/tls"
  8. "crypto/x509"
  9. "crypto/x509/pkix"
  10. "encoding/base64"
  11. "encoding/pem"
  12. "fmt"
  13. "log"
  14. "math/big"
  15. rnd "math/rand"
  16. "net"
  17. "strings"
  18. "testing"
  19. "time"
  20. )
  21. func setupSocket() (listen net.Listener, addr string) {
  22. // establish network socket connection to set Comm_handle
  23. var err error
  24. var listener net.Listener
  25. var address string
  26. listener, err = net.Listen("tcp", "127.0.0.1:0")
  27. if err != nil {
  28. panic(err)
  29. }
  30. // I only need address for making the connection.
  31. // Get address of listening socket
  32. address = listener.Addr().String()
  33. return listener, address
  34. }
  35. func generateKeyPair() (keypair tls.Certificate) {
  36. // generate test certificate
  37. priv, _ := ecdsa.GenerateKey(elliptic.P521(), rand.Reader)
  38. durationBefore, _ := time.ParseDuration("-1h")
  39. notBefore := time.Now().Add(durationBefore)
  40. durationAfter, _ := time.ParseDuration("1h")
  41. notAfter := time.Now().Add(durationAfter)
  42. serialNumberLimit := new(big.Int).Lsh(big.NewInt(1), 64)
  43. serialNumber, _ := rand.Int(rand.Reader, serialNumberLimit)
  44. template := x509.Certificate{
  45. SerialNumber: serialNumber,
  46. Subject: pkix.Name{
  47. Organization: []string{"Test Certificate"},
  48. },
  49. NotBefore: notBefore,
  50. NotAfter: notAfter,
  51. KeyUsage: x509.KeyUsageKeyEncipherment | x509.KeyUsageDigitalSignature | x509.KeyUsageCertSign,
  52. ExtKeyUsage: []x509.ExtKeyUsage{x509.ExtKeyUsageServerAuth},
  53. BasicConstraintsValid: true,
  54. IsCA: true,
  55. }
  56. template.IPAddresses = append(template.IPAddresses, net.ParseIP("127.0.0.1"))
  57. template.IPAddresses = append(template.IPAddresses, net.ParseIP("::"))
  58. derBytes, _ := x509.CreateCertificate(rand.Reader, &template, &template, &priv.PublicKey, priv)
  59. c := pem.EncodeToMemory(&pem.Block{Type: "CERTIFICATE", Bytes: derBytes})
  60. b, _ := x509.MarshalECPrivateKey(priv)
  61. k := pem.EncodeToMemory(&pem.Block{Type: "EC PRIVATE KEY", Bytes: b})
  62. listenerKeyPair, _ := tls.X509KeyPair(c, k)
  63. return listenerKeyPair
  64. }
  65. func setupTLSSocket() (listen net.Listener, addr string) {
  66. // establish network socket connection to set Comm_handle
  67. var err error
  68. var listener net.Listener
  69. var address string
  70. var tlsconfig tls.Config
  71. var keypair tls.Certificate = generateKeyPair()
  72. tlsconfig.Certificates = make([]tls.Certificate, 0)
  73. tlsconfig.Certificates = append(tlsconfig.Certificates, keypair)
  74. listener, err = tls.Listen("tcp", "127.0.0.1:0", &tlsconfig)
  75. if err != nil {
  76. panic(err)
  77. }
  78. // I only need address for making the connection.
  79. // Get address of listening socket
  80. address = listener.Addr().String()
  81. return listener, address
  82. }
  83. func ircWrite(server net.Conn, output string, t *testing.T) {
  84. t.Logf(">> %s\n", output)
  85. server.Write([]byte(output + "\r\n"))
  86. }
  87. var abortAfter int = 150 // Milliseconds to abort part 3
  88. // mock up an irc server
  89. // part 1 : nick, user
  90. // part 2 : identify to services (if not SASL/SASL failed)
  91. // part 3 : quit after abortAfter ms
  92. func ircServer(listener net.Listener, t *testing.T, config *IRCConfig) {
  93. var server net.Conn
  94. var err error
  95. server, err = listener.Accept()
  96. if err != nil {
  97. t.Error("Failed to accept connection.")
  98. return
  99. }
  100. listener.Close()
  101. var reader *bufio.Reader = bufio.NewReader(server)
  102. var output, line, expect string
  103. var ping int64 = rnd.Int63()
  104. output = fmt.Sprintf("PING :%X", ping)
  105. ircWrite(server, output, t)
  106. var parts []string
  107. var hasNick, hasUser, hasPing, hasPass bool
  108. var capSASL, successSASL bool
  109. var part1 bool
  110. // part 1 : User, Nick, ServerPass and Ping reply
  111. for !part1 {
  112. line, err = reader.ReadString('\n')
  113. if err == nil {
  114. line = strings.Trim(line, "\r\n")
  115. // process the received line here
  116. parts = strings.Split(line, " ")
  117. t.Logf("<< %s", line)
  118. switch parts[0] {
  119. case "CAP":
  120. if config.UseTLS && config.UseSASL {
  121. if line == "CAP REQ :sasl" {
  122. // Acknowledge we support SASL
  123. ircWrite(server, ":irc.red-green.com CAP * ACK :sasl", t)
  124. capSASL = true
  125. }
  126. if line == "CAP END" {
  127. capSASL = true
  128. if successSASL {
  129. part1 = true
  130. }
  131. }
  132. }
  133. case "AUTHENTICATE":
  134. if capSASL {
  135. if line == "AUTHENTICATE PLAIN" {
  136. ircWrite(server, "AUTHENTICATE +", t)
  137. } else {
  138. // Process SASL auth message
  139. var auth64 string = parts[1]
  140. byteauth, _ := base64.StdEncoding.DecodeString(auth64)
  141. var auth string = string(byteauth)
  142. auth = strings.ReplaceAll(auth, "\x00", " ")
  143. t.Log(auth)
  144. expect = fmt.Sprintf(" %s %s", config.Nick, config.Password)
  145. if expect != auth {
  146. t.Errorf("Got %s, Expected %s", auth, expect)
  147. ircWrite(server, fmt.Sprintf(":irc.red-green.com 904 %s :SASL authentication failed",
  148. config.Nick), t)
  149. } else {
  150. // Success!
  151. ircWrite(server, fmt.Sprintf(":irc.red-green.com 900 %s %s!%[email protected] %s :You are now logged in as %s.",
  152. config.Nick, config.Nick, config.Username, config.Nick, config.Nick), t)
  153. ircWrite(server, fmt.Sprintf(":irc.red-green.com 903 %s :SASL authentication successful",
  154. config.Nick), t)
  155. successSASL = true
  156. }
  157. }
  158. }
  159. case "PASS":
  160. expect = fmt.Sprintf("PASS %s", config.ServerPassword)
  161. if expect != line {
  162. t.Errorf("Got %s, Expected %s", line, expect)
  163. } else {
  164. hasPass = true
  165. }
  166. case "NICK":
  167. expect = fmt.Sprintf("NICK %s", config.MyNick)
  168. if expect != line {
  169. t.Errorf("Got %s, Expected %s", line, expect)
  170. } else {
  171. if config.MyNick == "bad" {
  172. // throw bad nick here
  173. ircWrite(server, fmt.Sprintf(":irc.red-green.com 433 :Nick already in use."), t)
  174. }
  175. hasNick = true
  176. }
  177. case "USER":
  178. // USER meow-bot 0 * :Meooow! bugz is my owner.
  179. expect = fmt.Sprintf("USER %s 0 * :%s", config.Username, config.Realname)
  180. if expect != line {
  181. t.Errorf("Got %s, Expected %s", line, expect)
  182. } else {
  183. hasUser = true
  184. }
  185. case "PONG":
  186. expect = fmt.Sprintf("PONG %X", ping)
  187. if expect != line {
  188. t.Errorf("Got %s, Expected %s", line, expect)
  189. } else {
  190. hasPing = true
  191. }
  192. }
  193. if !part1 {
  194. if !capSASL && hasNick && hasUser && hasPing && ((config.ServerPassword == "") || hasPass) {
  195. part1 = true
  196. }
  197. }
  198. } else {
  199. t.Error("Read Error:", err)
  200. server.Close()
  201. return
  202. }
  203. }
  204. if !part1 {
  205. t.Error("Expected to pass part1 (user/nick/pong)")
  206. }
  207. // Display MOTD
  208. for _, line = range []string{":irc.red-green.com 001 %s :Welcome to the RedGreen IRC Network",
  209. ":irc.red-green.com 002 %s :Your host is irc.red-green.com, running version UnrealIRCd-5.2.0.1",
  210. ":irc.red-green.com 375 %s :- irc.red-green.com Message of the Day -",
  211. ":irc.red-green.com 372 %s :- ",
  212. ":irc.red-green.com 376 %s :End of /MOTD command.",
  213. } {
  214. output = fmt.Sprintf(line, config.Nick)
  215. ircWrite(server, output, t)
  216. }
  217. if config.UseSASL {
  218. if !successSASL {
  219. log.Println("Failed SASL Authentication.")
  220. }
  221. }
  222. // part 2: nickserv/register (if not already registered with SASL)
  223. var part2 bool
  224. if successSASL {
  225. ircWrite(server, fmt.Sprintf(":NickServ MODE %s :+r", config.Nick), t)
  226. part2 = true
  227. } else {
  228. if config.Password != "" {
  229. for _, line = range []string{":[email protected] NOTICE %s :This nickname is registered and protected. If it is your",
  230. ":[email protected] NOTICE %s :nick, type \x02/msg NickServ IDENTIFY \x1fpassword\x1f\x02. Otherwise,"} {
  231. output = fmt.Sprintf(line, config.Nick)
  232. ircWrite(server, output, t)
  233. }
  234. } else {
  235. // No password, so we can't register. Skip this part.
  236. part2 = true
  237. }
  238. }
  239. for !part2 {
  240. line, err = reader.ReadString('\n')
  241. if err == nil {
  242. line = strings.Trim(line, "\r\n")
  243. // process the received line here
  244. parts = strings.Split(line, " ")
  245. t.Logf("<< %s", line)
  246. switch parts[0] {
  247. case "NS":
  248. expect = fmt.Sprintf("NS IDENTIFY %s", config.Password)
  249. if expect != line {
  250. t.Errorf("Got %s, Expected %s", line, expect)
  251. }
  252. // ok, mark the user as registered
  253. output = fmt.Sprintf(":[email protected] NOTICE %s :Password accepted - you are now recognized.",
  254. config.Nick)
  255. ircWrite(server, output, t)
  256. output = fmt.Sprintf(":NickServ MODE %s :+r", config.Nick)
  257. ircWrite(server, output, t)
  258. part2 = true
  259. }
  260. } else {
  261. t.Error("Read Error:", err)
  262. server.Close()
  263. return
  264. }
  265. }
  266. if !part2 {
  267. t.Error("Expected to pass part2 (ns identify/+r)")
  268. }
  269. time.AfterFunc(time.Millisecond*time.Duration(abortAfter), func() { server.Close() })
  270. t.Log("Ok, Identified...")
  271. var Kicked bool
  272. for {
  273. line, err = reader.ReadString('\n')
  274. if err == nil {
  275. line = strings.Trim(line, "\r\n")
  276. // process the received line here
  277. parts = strings.Split(line, " ")
  278. t.Logf("<< %s", line)
  279. switch parts[0] {
  280. case "JOIN":
  281. for _, channel := range strings.Split(parts[1], ",") {
  282. output = fmt.Sprintf(":%s JOIN :%s", config.MyNick, channel)
  283. ircWrite(server, output, t)
  284. output = fmt.Sprintf(":irc.server 332 %s %s :Topic for (%s)", config.MyNick, channel, channel)
  285. ircWrite(server, output, t)
  286. output = fmt.Sprintf(":irc.server 333 %s %s user %d", config.MyNick, channel, time.Now().Unix())
  287. ircWrite(server, output, t)
  288. if strings.Contains(channel, "kick") {
  289. if !Kicked {
  290. Kicked = true
  291. output = fmt.Sprintf("user KICK %s %s :Get out", channel, config.MyNick)
  292. ircWrite(server, output, t)
  293. }
  294. }
  295. }
  296. }
  297. switch parts[0] {
  298. case "PRIVMSG", "NOTICE":
  299. if parts[1] == "echo" {
  300. parts[2] = parts[2][1:]
  301. // echo user, return whatever was sent back to them.
  302. output = fmt.Sprintf(":%s %s %s :%s", "echo", parts[0], config.MyNick, strings.Join(parts[2:], " "))
  303. ircWrite(server, output, t)
  304. }
  305. if strings.Contains(parts[1], "missing") {
  306. // Sending to missing user or channel.
  307. var number int
  308. if strings.Contains(parts[1], "#") {
  309. number = 404
  310. } else {
  311. number = 401
  312. }
  313. output = fmt.Sprintf(":irc.red-green.com %d %s %s :No such nick/channel", number, config.MyNick, parts[1])
  314. ircWrite(server, output, t)
  315. }
  316. }
  317. } else {
  318. t.Log("Read Error:", err)
  319. return
  320. }
  321. }
  322. }