client_test.go 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506
  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. // mock up an irc server
  89. func ircServer(listener net.Listener, t *testing.T, config *IRCConfig) {
  90. var server net.Conn
  91. var err error
  92. server, err = listener.Accept()
  93. if err != nil {
  94. t.Error("Failed to accept connection.")
  95. return
  96. }
  97. listener.Close()
  98. var reader *bufio.Reader = bufio.NewReader(server)
  99. var output, line, expect string
  100. var ping int64 = rnd.Int63()
  101. output = fmt.Sprintf("PING :%X", ping)
  102. ircWrite(server, output, t)
  103. var parts []string
  104. var hasNick, hasUser, hasPing, hasPass bool
  105. var capSASL, successSASL bool
  106. var part1 bool
  107. // part 1 : User, Nick, ServerPass and Ping reply
  108. for !part1 {
  109. line, err = reader.ReadString('\n')
  110. if err == nil {
  111. line = strings.Trim(line, "\r\n")
  112. // process the received line here
  113. parts = strings.Split(line, " ")
  114. t.Logf("<< %s", line)
  115. switch parts[0] {
  116. case "CAP":
  117. if config.UseTLS && config.UseSASL {
  118. if line == "CAP REQ :sasl" {
  119. // Acknowledge we support SASL
  120. ircWrite(server, ":irc.red-green.com CAP * ACK :sasl", t)
  121. capSASL = true
  122. }
  123. if line == "CAP END" {
  124. capSASL = true
  125. if successSASL {
  126. part1 = true
  127. }
  128. }
  129. }
  130. case "AUTHENTICATE":
  131. if capSASL {
  132. if line == "AUTHENTICATE PLAIN" {
  133. ircWrite(server, "AUTHENTICATE +", t)
  134. } else {
  135. // Process SASL auth message
  136. var auth64 string = parts[1]
  137. byteauth, _ := base64.StdEncoding.DecodeString(auth64)
  138. var auth string = string(byteauth)
  139. auth = strings.ReplaceAll(auth, "\x00", " ")
  140. t.Log(auth)
  141. expect = fmt.Sprintf(" %s %s", config.Nick, config.Password)
  142. if expect != auth {
  143. t.Errorf("Got %s, Expected %s", auth, expect)
  144. ircWrite(server, fmt.Sprintf(":irc.red-green.com 904 %s :SASL authentication failed",
  145. config.Nick), t)
  146. } else {
  147. // Success!
  148. ircWrite(server, fmt.Sprintf(":irc.red-green.com 900 %s %s!%[email protected] %s :You are now logged in as %s.",
  149. config.Nick, config.Nick, config.Username, config.Nick, config.Nick), t)
  150. ircWrite(server, fmt.Sprintf(":irc.red-green.com 903 %s :SASL authentication successful",
  151. config.Nick), t)
  152. successSASL = true
  153. }
  154. }
  155. }
  156. case "PASS":
  157. expect = fmt.Sprintf("PASS %s", config.ServerPassword)
  158. if expect != line {
  159. t.Errorf("Got %s, Expected %s", line, expect)
  160. } else {
  161. hasPass = true
  162. }
  163. case "NICK":
  164. expect = fmt.Sprintf("NICK %s", config.Nick)
  165. if expect != line {
  166. t.Errorf("Got %s, Expected %s", line, expect)
  167. } else {
  168. hasNick = true
  169. }
  170. case "USER":
  171. // USER meow-bot 0 * :Meooow! bugz is my owner.
  172. expect = fmt.Sprintf("USER %s 0 * :%s", config.Username, config.Realname)
  173. if expect != line {
  174. t.Errorf("Got %s, Expected %s", line, expect)
  175. } else {
  176. hasUser = true
  177. }
  178. case "PONG":
  179. expect = fmt.Sprintf("PONG %X", ping)
  180. if expect != line {
  181. t.Errorf("Got %s, Expected %s", line, expect)
  182. } else {
  183. hasPing = true
  184. }
  185. }
  186. if !part1 {
  187. if !capSASL && hasNick && hasUser && hasPing && ((config.ServerPassword == "") || hasPass) {
  188. part1 = true
  189. }
  190. }
  191. } else {
  192. t.Error("Read Error:", err)
  193. server.Close()
  194. return
  195. }
  196. }
  197. if !part1 {
  198. t.Error("Expected to pass part1 (user/nick/pong)")
  199. }
  200. // Display MOTD
  201. for _, line = range []string{":irc.red-green.com 001 %s :Welcome to the RedGreen IRC Network",
  202. ":irc.red-green.com 002 %s :Your host is irc.red-green.com, running version UnrealIRCd-5.2.0.1",
  203. ":irc.red-green.com 375 %s :- irc.red-green.com Message of the Day -",
  204. ":irc.red-green.com 372 %s :- ",
  205. ":irc.red-green.com 376 %s :End of /MOTD command.",
  206. } {
  207. output = fmt.Sprintf(line, config.Nick)
  208. ircWrite(server, output, t)
  209. }
  210. if config.UseSASL {
  211. if !successSASL {
  212. log.Println("Failed SASL Authentication.")
  213. }
  214. }
  215. // part 2: nickserv/register (if not already registered with SASL)
  216. var part2 bool
  217. if successSASL {
  218. ircWrite(server, fmt.Sprintf(":NickServ MODE %s :+r", config.Nick), t)
  219. part2 = true
  220. } else {
  221. for _, line = range []string{":[email protected] NOTICE %s :This nickname is registered and protected. If it is your",
  222. ":[email protected] NOTICE %s :nick, type \x02/msg NickServ IDENTIFY \x1fpassword\x1f\x02. Otherwise,"} {
  223. output = fmt.Sprintf(line, config.Nick)
  224. ircWrite(server, output, t)
  225. }
  226. }
  227. for !part2 {
  228. line, err = reader.ReadString('\n')
  229. if err == nil {
  230. line = strings.Trim(line, "\r\n")
  231. // process the received line here
  232. parts = strings.Split(line, " ")
  233. t.Logf("<< %s", line)
  234. switch parts[0] {
  235. case "NS":
  236. expect = fmt.Sprintf("NS IDENTIFY %s", config.Password)
  237. if expect != line {
  238. t.Errorf("Got %s, Expected %s", line, expect)
  239. }
  240. // ok, mark the user as registered
  241. output = fmt.Sprintf(":[email protected] NOTICE %s :Password accepted - you are now recognized.",
  242. config.Nick)
  243. ircWrite(server, output, t)
  244. output = fmt.Sprintf(":NickServ MODE %s :+r", config.Nick)
  245. ircWrite(server, output, t)
  246. part2 = true
  247. }
  248. } else {
  249. t.Error("Read Error:", err)
  250. server.Close()
  251. return
  252. }
  253. }
  254. if !part2 {
  255. t.Error("Expected to pass part2 (ns identify/+r)")
  256. }
  257. time.AfterFunc(time.Millisecond*time.Duration(100), func() { server.Close() })
  258. t.Log("Ok, Identified...")
  259. for {
  260. line, err = reader.ReadString('\n')
  261. if err == nil {
  262. line = strings.Trim(line, "\r\n")
  263. // process the received line here
  264. parts = strings.Split(line, " ")
  265. t.Logf("<< %s", line)
  266. switch parts[0] {
  267. case "JOIN":
  268. for _, channel := range strings.Split(parts[1], ",") {
  269. output = fmt.Sprintf(":%s JOIN :%s", config.MyNick, channel)
  270. ircWrite(server, output, t)
  271. output = fmt.Sprintf(":irc.server 332 %s %s :Topic for (%s)", config.MyNick, channel, channel)
  272. ircWrite(server, output, t)
  273. output = fmt.Sprintf(":irc.server 333 %s %s user %d", config.MyNick, channel, time.Now().Unix())
  274. ircWrite(server, output, t)
  275. }
  276. }
  277. switch parts[0] {
  278. case "PRIVMSG", "NOTICE":
  279. if parts[1] == "echo" {
  280. parts[2] = parts[2][1:]
  281. // echo user, return whatever was sent back to them.
  282. output = fmt.Sprintf(":%s %s %s :%s", "echo", parts[0], config.MyNick, strings.Join(parts[2:], " "))
  283. ircWrite(server, output, t)
  284. }
  285. }
  286. } else {
  287. t.Log("Read Error:", err)
  288. return
  289. }
  290. }
  291. }
  292. func TestConnect(t *testing.T) {
  293. var config IRCConfig = IRCConfig{Nick: "test",
  294. Username: "test",
  295. Realname: "testing",
  296. Password: "12345",
  297. ServerPassword: "allow"}
  298. var listen net.Listener
  299. var address string
  300. listen, address = setupSocket()
  301. var parts []string = strings.Split(address, ":")
  302. config.Hostname = parts[0]
  303. config.Port, _ = strconv.Atoi(parts[1])
  304. go ircServer(listen, t, &config)
  305. var FromIRC chan IRCMsg
  306. FromIRC = make(chan IRCMsg)
  307. config.ReadChannel = FromIRC
  308. config.Connect()
  309. defer config.Close()
  310. var Msg IRCMsg
  311. var motd, identify bool
  312. for Msg = range FromIRC {
  313. if Msg.Cmd == "EndMOTD" {
  314. t.Log("Got EndMOTD")
  315. motd = true
  316. }
  317. if Msg.Cmd == "Identified" {
  318. t.Log("Identified")
  319. identify = true
  320. }
  321. }
  322. if !motd {
  323. t.Error("Missing EndMOTD")
  324. }
  325. if !identify {
  326. t.Error("Missing Identified")
  327. }
  328. if config.MyNick != config.Nick {
  329. t.Errorf("Got %s, Expected %s", config.MyNick, config.Nick)
  330. }
  331. }
  332. func TestConnectTLS(t *testing.T) {
  333. var config IRCConfig = IRCConfig{Nick: "test",
  334. Username: "test",
  335. Realname: "testing",
  336. Password: "12345",
  337. UseTLS: true,
  338. UseSASL: true,
  339. Insecure: true,
  340. ServerPassword: "allow"}
  341. var listen net.Listener
  342. var address string
  343. listen, address = setupTLSSocket()
  344. var parts []string = strings.Split(address, ":")
  345. config.Hostname = parts[0]
  346. config.Port, _ = strconv.Atoi(parts[1])
  347. go ircServer(listen, t, &config)
  348. var FromIRC chan IRCMsg
  349. FromIRC = make(chan IRCMsg)
  350. config.ReadChannel = FromIRC
  351. config.Connect()
  352. defer config.Close()
  353. var Msg IRCMsg
  354. var motd, identify bool
  355. for Msg = range FromIRC {
  356. if Msg.Cmd == "EndMOTD" {
  357. t.Log("Got EndMOTD")
  358. motd = true
  359. }
  360. if Msg.Cmd == "Identified" {
  361. t.Log("Identified")
  362. identify = true
  363. }
  364. }
  365. if !motd {
  366. t.Error("Missing EndMOTD")
  367. }
  368. if !identify {
  369. t.Error("Missing Identified")
  370. }
  371. if config.MyNick != config.Nick {
  372. t.Errorf("Got %s, Expected %s", config.MyNick, config.Nick)
  373. }
  374. }
  375. func TestConnectAutojoin(t *testing.T) {
  376. var config IRCConfig = IRCConfig{Nick: "test",
  377. Username: "test",
  378. Realname: "testing",
  379. Password: "12345",
  380. UseTLS: true,
  381. UseSASL: true,
  382. Insecure: true,
  383. AutoJoin: []string{"#chat", "#test"},
  384. Flood_Num: 2,
  385. Flood_Delay: 10,
  386. }
  387. var listen net.Listener
  388. var address string
  389. listen, address = setupTLSSocket()
  390. var parts []string = strings.Split(address, ":")
  391. config.Hostname = parts[0]
  392. config.Port, _ = strconv.Atoi(parts[1])
  393. go ircServer(listen, t, &config)
  394. var FromIRC chan IRCMsg
  395. FromIRC = make(chan IRCMsg)
  396. config.ReadChannel = FromIRC
  397. config.Connect()
  398. defer config.Close()
  399. var Msg IRCMsg
  400. var motd, identify bool
  401. var joins int
  402. for Msg = range FromIRC {
  403. if (Msg.Cmd == "ACTION") || (Msg.Cmd == "NOTICE") {
  404. t.Log(Msg)
  405. }
  406. if Msg.Cmd == "EndMOTD" {
  407. t.Log("Got EndMOTD")
  408. motd = true
  409. }
  410. if Msg.Cmd == "Identified" {
  411. t.Log("Identified")
  412. identify = true
  413. }
  414. if Msg.Cmd == "JOIN" {
  415. joins++
  416. if joins == 2 {
  417. // messages set to echo are returned to us
  418. config.WriteTo("echo", "PRIVMSG echo :\x01VERSION\x01")
  419. config.WriteTo("echo", "PRIVMSG echo :\x01TIME\x01")
  420. config.WriteTo("echo", "PRIVMSG echo :\x01PING 12345\x01")
  421. config.Action("echo", "dances.")
  422. config.Notice("echo", "Testing")
  423. config.Msg("#test", "Message 1")
  424. config.Msg("#test", "Message 2")
  425. }
  426. }
  427. }
  428. if joins != 2 {
  429. t.Errorf("Expected to autojoin 2 channels, got %d", joins)
  430. }
  431. if !motd {
  432. t.Error("Missing EndMOTD")
  433. }
  434. if !identify {
  435. t.Error("Missing Identified")
  436. }
  437. if config.MyNick != config.Nick {
  438. t.Errorf("Got %s, Expected %s", config.MyNick, config.Nick)
  439. }
  440. }