client_test.go 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549
  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. "strconv"
  18. "strings"
  19. "testing"
  20. "time"
  21. )
  22. func setupSocket() (listen net.Listener, addr string) {
  23. // establish network socket connection to set Comm_handle
  24. var err error
  25. var listener net.Listener
  26. var address string
  27. listener, err = net.Listen("tcp", "127.0.0.1:0")
  28. if err != nil {
  29. panic(err)
  30. }
  31. // I only need address for making the connection.
  32. // Get address of listening socket
  33. address = listener.Addr().String()
  34. return listener, address
  35. }
  36. func generateKeyPair() (keypair tls.Certificate) {
  37. // generate test certificate
  38. priv, _ := ecdsa.GenerateKey(elliptic.P521(), rand.Reader)
  39. durationBefore, _ := time.ParseDuration("-1h")
  40. notBefore := time.Now().Add(durationBefore)
  41. durationAfter, _ := time.ParseDuration("1h")
  42. notAfter := time.Now().Add(durationAfter)
  43. serialNumberLimit := new(big.Int).Lsh(big.NewInt(1), 64)
  44. serialNumber, _ := rand.Int(rand.Reader, serialNumberLimit)
  45. template := x509.Certificate{
  46. SerialNumber: serialNumber,
  47. Subject: pkix.Name{
  48. Organization: []string{"Test Certificate"},
  49. },
  50. NotBefore: notBefore,
  51. NotAfter: notAfter,
  52. KeyUsage: x509.KeyUsageKeyEncipherment | x509.KeyUsageDigitalSignature | x509.KeyUsageCertSign,
  53. ExtKeyUsage: []x509.ExtKeyUsage{x509.ExtKeyUsageServerAuth},
  54. BasicConstraintsValid: true,
  55. IsCA: true,
  56. }
  57. template.IPAddresses = append(template.IPAddresses, net.ParseIP("127.0.0.1"))
  58. template.IPAddresses = append(template.IPAddresses, net.ParseIP("::"))
  59. derBytes, _ := x509.CreateCertificate(rand.Reader, &template, &template, &priv.PublicKey, priv)
  60. c := pem.EncodeToMemory(&pem.Block{Type: "CERTIFICATE", Bytes: derBytes})
  61. b, _ := x509.MarshalECPrivateKey(priv)
  62. k := pem.EncodeToMemory(&pem.Block{Type: "EC PRIVATE KEY", Bytes: b})
  63. listenerKeyPair, _ := tls.X509KeyPair(c, k)
  64. return listenerKeyPair
  65. }
  66. func setupTLSSocket() (listen net.Listener, addr string) {
  67. // establish network socket connection to set Comm_handle
  68. var err error
  69. var listener net.Listener
  70. var address string
  71. var tlsconfig tls.Config
  72. var keypair tls.Certificate = generateKeyPair()
  73. tlsconfig.Certificates = make([]tls.Certificate, 0)
  74. tlsconfig.Certificates = append(tlsconfig.Certificates, keypair)
  75. listener, err = tls.Listen("tcp", "127.0.0.1:0", &tlsconfig)
  76. if err != nil {
  77. panic(err)
  78. }
  79. // I only need address for making the connection.
  80. // Get address of listening socket
  81. address = listener.Addr().String()
  82. return listener, address
  83. }
  84. func ircWrite(server net.Conn, output string, t *testing.T) {
  85. t.Logf(">> %s\n", output)
  86. server.Write([]byte(output + "\r\n"))
  87. }
  88. var abortAfter int = 150 // Milliseconds to abort part 3
  89. // mock up an irc server
  90. func ircServer(listener net.Listener, t *testing.T, config *IRCConfig) {
  91. var server net.Conn
  92. var err error
  93. server, err = listener.Accept()
  94. if err != nil {
  95. t.Error("Failed to accept connection.")
  96. return
  97. }
  98. listener.Close()
  99. var reader *bufio.Reader = bufio.NewReader(server)
  100. var output, line, expect string
  101. var ping int64 = rnd.Int63()
  102. output = fmt.Sprintf("PING :%X", ping)
  103. ircWrite(server, output, t)
  104. var parts []string
  105. var hasNick, hasUser, hasPing, hasPass bool
  106. var capSASL, successSASL bool
  107. var part1 bool
  108. // part 1 : User, Nick, ServerPass and Ping reply
  109. for !part1 {
  110. line, err = reader.ReadString('\n')
  111. if err == nil {
  112. line = strings.Trim(line, "\r\n")
  113. // process the received line here
  114. parts = strings.Split(line, " ")
  115. t.Logf("<< %s", line)
  116. switch parts[0] {
  117. case "CAP":
  118. if config.UseTLS && config.UseSASL {
  119. if line == "CAP REQ :sasl" {
  120. // Acknowledge we support SASL
  121. ircWrite(server, ":irc.red-green.com CAP * ACK :sasl", t)
  122. capSASL = true
  123. }
  124. if line == "CAP END" {
  125. capSASL = true
  126. if successSASL {
  127. part1 = true
  128. }
  129. }
  130. }
  131. case "AUTHENTICATE":
  132. if capSASL {
  133. if line == "AUTHENTICATE PLAIN" {
  134. ircWrite(server, "AUTHENTICATE +", t)
  135. } else {
  136. // Process SASL auth message
  137. var auth64 string = parts[1]
  138. byteauth, _ := base64.StdEncoding.DecodeString(auth64)
  139. var auth string = string(byteauth)
  140. auth = strings.ReplaceAll(auth, "\x00", " ")
  141. t.Log(auth)
  142. expect = fmt.Sprintf(" %s %s", config.Nick, config.Password)
  143. if expect != auth {
  144. t.Errorf("Got %s, Expected %s", auth, expect)
  145. ircWrite(server, fmt.Sprintf(":irc.red-green.com 904 %s :SASL authentication failed",
  146. config.Nick), t)
  147. } else {
  148. // Success!
  149. ircWrite(server, fmt.Sprintf(":irc.red-green.com 900 %s %s!%[email protected] %s :You are now logged in as %s.",
  150. config.Nick, config.Nick, config.Username, config.Nick, config.Nick), t)
  151. ircWrite(server, fmt.Sprintf(":irc.red-green.com 903 %s :SASL authentication successful",
  152. config.Nick), t)
  153. successSASL = true
  154. }
  155. }
  156. }
  157. case "PASS":
  158. expect = fmt.Sprintf("PASS %s", config.ServerPassword)
  159. if expect != line {
  160. t.Errorf("Got %s, Expected %s", line, expect)
  161. } else {
  162. hasPass = true
  163. }
  164. case "NICK":
  165. expect = fmt.Sprintf("NICK %s", config.Nick)
  166. if expect != line {
  167. t.Errorf("Got %s, Expected %s", line, expect)
  168. } else {
  169. hasNick = true
  170. }
  171. case "USER":
  172. // USER meow-bot 0 * :Meooow! bugz is my owner.
  173. expect = fmt.Sprintf("USER %s 0 * :%s", config.Username, config.Realname)
  174. if expect != line {
  175. t.Errorf("Got %s, Expected %s", line, expect)
  176. } else {
  177. hasUser = true
  178. }
  179. case "PONG":
  180. expect = fmt.Sprintf("PONG %X", ping)
  181. if expect != line {
  182. t.Errorf("Got %s, Expected %s", line, expect)
  183. } else {
  184. hasPing = true
  185. }
  186. }
  187. if !part1 {
  188. if !capSASL && hasNick && hasUser && hasPing && ((config.ServerPassword == "") || hasPass) {
  189. part1 = true
  190. }
  191. }
  192. } else {
  193. t.Error("Read Error:", err)
  194. server.Close()
  195. return
  196. }
  197. }
  198. if !part1 {
  199. t.Error("Expected to pass part1 (user/nick/pong)")
  200. }
  201. // Display MOTD
  202. for _, line = range []string{":irc.red-green.com 001 %s :Welcome to the RedGreen IRC Network",
  203. ":irc.red-green.com 002 %s :Your host is irc.red-green.com, running version UnrealIRCd-5.2.0.1",
  204. ":irc.red-green.com 375 %s :- irc.red-green.com Message of the Day -",
  205. ":irc.red-green.com 372 %s :- ",
  206. ":irc.red-green.com 376 %s :End of /MOTD command.",
  207. } {
  208. output = fmt.Sprintf(line, config.Nick)
  209. ircWrite(server, output, t)
  210. }
  211. if config.UseSASL {
  212. if !successSASL {
  213. log.Println("Failed SASL Authentication.")
  214. }
  215. }
  216. // part 2: nickserv/register (if not already registered with SASL)
  217. var part2 bool
  218. if successSASL {
  219. ircWrite(server, fmt.Sprintf(":NickServ MODE %s :+r", config.Nick), t)
  220. part2 = true
  221. } else {
  222. for _, line = range []string{":[email protected] NOTICE %s :This nickname is registered and protected. If it is your",
  223. ":[email protected] NOTICE %s :nick, type \x02/msg NickServ IDENTIFY \x1fpassword\x1f\x02. Otherwise,"} {
  224. output = fmt.Sprintf(line, config.Nick)
  225. ircWrite(server, output, t)
  226. }
  227. }
  228. for !part2 {
  229. line, err = reader.ReadString('\n')
  230. if err == nil {
  231. line = strings.Trim(line, "\r\n")
  232. // process the received line here
  233. parts = strings.Split(line, " ")
  234. t.Logf("<< %s", line)
  235. switch parts[0] {
  236. case "NS":
  237. expect = fmt.Sprintf("NS IDENTIFY %s", config.Password)
  238. if expect != line {
  239. t.Errorf("Got %s, Expected %s", line, expect)
  240. }
  241. // ok, mark the user as registered
  242. output = fmt.Sprintf(":[email protected] NOTICE %s :Password accepted - you are now recognized.",
  243. config.Nick)
  244. ircWrite(server, output, t)
  245. output = fmt.Sprintf(":NickServ MODE %s :+r", config.Nick)
  246. ircWrite(server, output, t)
  247. part2 = true
  248. }
  249. } else {
  250. t.Error("Read Error:", err)
  251. server.Close()
  252. return
  253. }
  254. }
  255. if !part2 {
  256. t.Error("Expected to pass part2 (ns identify/+r)")
  257. }
  258. time.AfterFunc(time.Millisecond*time.Duration(abortAfter), func() { server.Close() })
  259. t.Log("Ok, Identified...")
  260. for {
  261. line, err = reader.ReadString('\n')
  262. if err == nil {
  263. line = strings.Trim(line, "\r\n")
  264. // process the received line here
  265. parts = strings.Split(line, " ")
  266. t.Logf("<< %s", line)
  267. switch parts[0] {
  268. case "JOIN":
  269. for _, channel := range strings.Split(parts[1], ",") {
  270. output = fmt.Sprintf(":%s JOIN :%s", config.MyNick, channel)
  271. ircWrite(server, output, t)
  272. output = fmt.Sprintf(":irc.server 332 %s %s :Topic for (%s)", config.MyNick, channel, channel)
  273. ircWrite(server, output, t)
  274. output = fmt.Sprintf(":irc.server 333 %s %s user %d", config.MyNick, channel, time.Now().Unix())
  275. ircWrite(server, output, t)
  276. }
  277. }
  278. switch parts[0] {
  279. case "PRIVMSG", "NOTICE":
  280. if parts[1] == "echo" {
  281. parts[2] = parts[2][1:]
  282. // echo user, return whatever was sent back to them.
  283. output = fmt.Sprintf(":%s %s %s :%s", "echo", parts[0], config.MyNick, strings.Join(parts[2:], " "))
  284. ircWrite(server, output, t)
  285. }
  286. }
  287. } else {
  288. t.Log("Read Error:", err)
  289. return
  290. }
  291. }
  292. }
  293. func TestConnect(t *testing.T) {
  294. var config IRCConfig = IRCConfig{Nick: "test",
  295. Username: "test",
  296. Realname: "testing",
  297. Password: "12345",
  298. ServerPassword: "allow"}
  299. var listen net.Listener
  300. var address string
  301. listen, address = setupSocket()
  302. var parts []string = strings.Split(address, ":")
  303. config.Hostname = parts[0]
  304. config.Port, _ = strconv.Atoi(parts[1])
  305. go ircServer(listen, t, &config)
  306. var FromIRC chan IRCMsg
  307. FromIRC = make(chan IRCMsg)
  308. config.ReadChannel = FromIRC
  309. config.Connect()
  310. defer config.Close()
  311. var Msg IRCMsg
  312. var motd, identify bool
  313. for Msg = range FromIRC {
  314. if Msg.Cmd == "EndMOTD" {
  315. t.Log("Got EndMOTD")
  316. motd = true
  317. }
  318. if Msg.Cmd == "Identified" {
  319. t.Log("Identified")
  320. identify = true
  321. }
  322. }
  323. if !motd {
  324. t.Error("Missing EndMOTD")
  325. }
  326. if !identify {
  327. t.Error("Missing Identified")
  328. }
  329. if config.MyNick != config.Nick {
  330. t.Errorf("Got %s, Expected %s", config.MyNick, config.Nick)
  331. }
  332. }
  333. func TestConnectTLS(t *testing.T) {
  334. var config IRCConfig = IRCConfig{Nick: "test",
  335. Username: "test",
  336. Realname: "testing",
  337. Password: "12345",
  338. UseTLS: true,
  339. UseSASL: true,
  340. Insecure: true,
  341. ServerPassword: "allow"}
  342. var listen net.Listener
  343. var address string
  344. listen, address = setupTLSSocket()
  345. var parts []string = strings.Split(address, ":")
  346. config.Hostname = parts[0]
  347. config.Port, _ = strconv.Atoi(parts[1])
  348. go ircServer(listen, t, &config)
  349. var FromIRC chan IRCMsg
  350. FromIRC = make(chan IRCMsg)
  351. config.ReadChannel = FromIRC
  352. config.Connect()
  353. defer config.Close()
  354. var Msg IRCMsg
  355. var motd, identify bool
  356. for Msg = range FromIRC {
  357. if Msg.Cmd == "EndMOTD" {
  358. t.Log("Got EndMOTD")
  359. motd = true
  360. }
  361. if Msg.Cmd == "Identified" {
  362. t.Log("Identified")
  363. identify = true
  364. }
  365. }
  366. if !motd {
  367. t.Error("Missing EndMOTD")
  368. }
  369. if !identify {
  370. t.Error("Missing Identified")
  371. }
  372. if config.MyNick != config.Nick {
  373. t.Errorf("Got %s, Expected %s", config.MyNick, config.Nick)
  374. }
  375. }
  376. func TestConnectAutojoin(t *testing.T) {
  377. var config IRCConfig = IRCConfig{Nick: "test",
  378. Username: "test",
  379. Realname: "testing",
  380. Password: "12345",
  381. UseTLS: true,
  382. UseSASL: true,
  383. Insecure: true,
  384. AutoJoin: []string{"#chat", "#test"},
  385. Flood_Num: 2,
  386. Flood_Delay: 10,
  387. }
  388. var listen net.Listener
  389. var address string
  390. listen, address = setupTLSSocket()
  391. var parts []string = strings.Split(address, ":")
  392. config.Hostname = parts[0]
  393. config.Port, _ = strconv.Atoi(parts[1])
  394. go ircServer(listen, t, &config)
  395. var FromIRC chan IRCMsg
  396. FromIRC = make(chan IRCMsg)
  397. config.ReadChannel = FromIRC
  398. config.Connect()
  399. defer config.Close()
  400. var Msg IRCMsg
  401. var motd, identify bool
  402. var joins int
  403. var expect string
  404. var ctcpExpect []string = []string{"VERSION",
  405. "TIME",
  406. "PING 12345",
  407. }
  408. var noticeExpect []string = []string{"Testing",
  409. "VERSION red-green.com/irc-client",
  410. "TIME ",
  411. "PING 12345",
  412. }
  413. for Msg = range FromIRC {
  414. /*
  415. if (Msg.Cmd == "ACTION") || (Msg.Cmd == "NOTICE") {
  416. t.Log(Msg)
  417. }
  418. */
  419. if Msg.Cmd == "EndMOTD" {
  420. t.Log("Got EndMOTD")
  421. motd = true
  422. }
  423. if Msg.Cmd == "Identified" {
  424. t.Log("Identified")
  425. identify = true
  426. }
  427. if Msg.Cmd == "JOIN" {
  428. joins++
  429. if joins == 2 {
  430. // messages set to echo are returned to us
  431. config.WriteTo("echo", "PRIVMSG echo :\x01VERSION\x01")
  432. config.WriteTo("echo", "PRIVMSG echo :\x01TIME\x01")
  433. config.WriteTo("echo", "PRIVMSG echo :\x01PING 12345\x01")
  434. config.Action("echo", "dances.")
  435. config.Notice("echo", "Testing")
  436. config.Msg("#test", "Message 1")
  437. config.Msg("#test", "Message 2")
  438. }
  439. }
  440. if Msg.Cmd == "CTCP" {
  441. expect = ctcpExpect[0]
  442. ctcpExpect = ctcpExpect[1:]
  443. if Msg.Msg != expect {
  444. t.Errorf("CTCP Got %s, Expected %s", Msg.Msg, expect)
  445. }
  446. }
  447. if Msg.Cmd == "NOTICE" {
  448. expect = noticeExpect[0]
  449. if expect != "Testing" {
  450. expect += "\x01" + expect
  451. }
  452. noticeExpect = noticeExpect[1:]
  453. if !strings.HasPrefix(Msg.Msg, expect) {
  454. t.Errorf("NOTICE Got [%s], Expected [%s]", Msg.Msg, expect)
  455. }
  456. }
  457. if Msg.Cmd == "ACTION" {
  458. expect = "dances."
  459. if Msg.Msg != expect {
  460. t.Errorf("ACTION Got %s, Expected %s", Msg.Msg, expect)
  461. }
  462. }
  463. }
  464. if joins != 2 {
  465. t.Errorf("Expected to autojoin 2 channels, got %d", joins)
  466. }
  467. if !motd {
  468. t.Error("Missing EndMOTD")
  469. }
  470. if !identify {
  471. t.Error("Missing Identified")
  472. }
  473. if len(noticeExpect) != 0 {
  474. t.Errorf("Expected more NOTICEs (%d)", len(noticeExpect))
  475. }
  476. if len(ctcpExpect) != 0 {
  477. t.Errorf("Expected more CTCPs (%d)", len(ctcpExpect))
  478. }
  479. if config.MyNick != config.Nick {
  480. t.Errorf("Got %s, Expected %s", config.MyNick, config.Nick)
  481. }
  482. }