irc-client.go 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699
  1. package ircclient
  2. import (
  3. "bufio"
  4. "crypto/tls"
  5. "crypto/x509"
  6. "encoding/base64"
  7. "fmt"
  8. "io"
  9. "log"
  10. "math/rand"
  11. "net"
  12. "os"
  13. "os/signal"
  14. "strconv"
  15. "strings"
  16. "sync"
  17. "syscall"
  18. "time"
  19. )
  20. const VERSION string = "red-green.com/irc-client 0.1.0"
  21. func StrInArray(strings []string, str string) bool {
  22. for _, s := range strings {
  23. if s == str {
  24. return true
  25. }
  26. }
  27. return false
  28. }
  29. type IRCMsg struct {
  30. MsgParts []string
  31. From string
  32. To string
  33. Cmd string
  34. Msg string
  35. }
  36. func NameLower(name string) string {
  37. // uppercase: []\-
  38. // lowercase: {}|^
  39. var result string = strings.ToLower(name)
  40. result = strings.ReplaceAll(result, "[", "{")
  41. result = strings.ReplaceAll(result, "]", "}")
  42. result = strings.ReplaceAll(result, "\\", "|")
  43. result = strings.ReplaceAll(result, "-", "^")
  44. return result
  45. }
  46. // Check to see if nicks or channels match according to IRC rules.
  47. func Match(name1 string, name2 string) bool {
  48. return NameLower(name1) == NameLower(name2)
  49. }
  50. // Strip out the NICK part of the From message.
  51. // :[email protected] => NickServ
  52. func IRCNick(from string) string {
  53. if from[0] == ':' {
  54. from = from[1:]
  55. }
  56. var pos int = strings.Index(from, "!")
  57. if pos != -1 {
  58. from = from[:pos]
  59. }
  60. return from
  61. }
  62. /*
  63. IRCParse - split line into IRCMsg
  64. Everything after " :" is the Msg.
  65. Everything before " :" is split into MsgParts[].
  66. If >= 3 MsgParts {
  67. To = MsgParts[2]
  68. }
  69. if >= 2 MsgParts {
  70. From = IrcNic(MsgParts[0])
  71. Cmd = MsgParts[1]
  72. } else {
  73. Cmd = MsgParts[0]
  74. }
  75. Example Messages:
  76. :irc.red-green.com 001 test :Welcome to IRC
  77. ^From ^Cmd ^Msg
  78. ^To
  79. ^0 ^1 ^2 MsgParts[]
  80. PING :1234567890
  81. ^Cmd ^Msg
  82. ^0 MsgParts[]
  83. */
  84. func IRCParse(line string) IRCMsg {
  85. var pos int = strings.Index(line, " :")
  86. var results IRCMsg
  87. if pos != -1 {
  88. // Message is everything after " :"
  89. results.Msg = line[pos+2:]
  90. line = line[:pos]
  91. }
  92. results.MsgParts = strings.Split(line, " ")
  93. if len(results.MsgParts) >= 2 {
  94. results.From = IRCNick(results.MsgParts[0])
  95. results.Cmd = results.MsgParts[1]
  96. } else {
  97. results.Cmd = results.MsgParts[0]
  98. }
  99. if len(results.MsgParts) >= 3 {
  100. results.To = results.MsgParts[2]
  101. }
  102. return results
  103. }
  104. /*
  105. func oldIRCParse(line string) []string {
  106. var pos int = strings.Index(line, " :")
  107. var message string
  108. if pos != -1 {
  109. message = line[pos+2:]
  110. line = line[:pos]
  111. }
  112. var results []string
  113. results = strings.Split(line, " ")
  114. if message != "" {
  115. results = append(results, message)
  116. }
  117. return results
  118. }
  119. */
  120. type IRCWrite struct {
  121. To string
  122. Output string
  123. }
  124. type IRCConfig struct {
  125. Port int `json:"Port"`
  126. Hostname string `json:"Hostname"`
  127. UseTLS bool `json:"UseTLS"` // Use TLS Secure connection
  128. UseSASL bool `json:"UseSASL"` // Authenticate via SASL
  129. Insecure bool `json:"Insecure"` // Allow self-signed certificates
  130. Nick string `json:"Nick"`
  131. Username string `json:"Username"`
  132. Realname string `json:"Realname"`
  133. Password string `json:"Password"` // Password for nickserv
  134. ServerPassword string `json:"ServerPassword"` // Password for server
  135. AutoJoin []string `json:"AutoJoin"` // Channels to auto-join
  136. RejoinDelay int `json:"RejoinDelay"` // ms to rejoin
  137. Version string `json:"Version"` // Version displayed
  138. Flood_Num int `json:"FloodNum"` // Number of lines sent before considered a flood
  139. Flood_Time int `json:"FloodTime"` // Number of Seconds to track previous messages
  140. Flood_Delay int `json:"FloodDelay"` // Delay between sending when flood protection on (Milliseconds)
  141. Debug_Output bool `json:"Debug"`
  142. MyNick string `json:"-"`
  143. OnExit func() `json:"-"`
  144. Socket net.Conn `json:"-"`
  145. Reader *bufio.Reader `json:"-"`
  146. ReadChannel chan IRCMsg `json:"-"`
  147. ReadEvents []string `json:"-"`
  148. WriteChannel chan IRCWrite `json:"-"`
  149. DelChannel chan string `json:"-"`
  150. Registered bool `json:"-"`
  151. ISupport map[string]string `json:"-"` // 005
  152. wg sync.WaitGroup `json:"-"`
  153. Mutex sync.Mutex `json:"-"`
  154. }
  155. func (Config *IRCConfig) GetNick() string {
  156. Config.Mutex.Lock()
  157. defer Config.Mutex.Unlock()
  158. return Config.MyNick
  159. }
  160. func (Config *IRCConfig) SetNick(nick string) {
  161. Config.Mutex.Lock()
  162. defer Config.Mutex.Unlock()
  163. Config.MyNick = nick
  164. }
  165. // Writer *bufio.Writer
  166. func (Config *IRCConfig) IsAuto(ch string) bool {
  167. return StrInArray(Config.AutoJoin, ch)
  168. }
  169. func (Config *IRCConfig) Connect() bool {
  170. var err error
  171. if Config.Flood_Num == 0 {
  172. Config.Flood_Num = 5
  173. }
  174. if Config.Flood_Time == 0 {
  175. Config.Flood_Time = 10
  176. }
  177. if Config.Flood_Delay == 0 {
  178. Config.Flood_Delay = 1000
  179. }
  180. if Config.UseSASL {
  181. if !Config.UseTLS {
  182. log.Println("Can't UseSASL if not using UseTLS")
  183. Config.UseSASL = false
  184. }
  185. }
  186. Config.Registered = false
  187. if Config.ReadChannel == nil {
  188. log.Println("Warning: ReadChannel is nil.")
  189. }
  190. if Config.UseTLS {
  191. var tlsConfig tls.Config
  192. if !Config.Insecure {
  193. certPool := x509.NewCertPool()
  194. tlsConfig.ClientCAs = certPool
  195. tlsConfig.InsecureSkipVerify = false
  196. } else {
  197. tlsConfig.InsecureSkipVerify = true
  198. }
  199. Config.Socket, err = tls.Dial("tcp", Config.Hostname+":"+strconv.Itoa(Config.Port), &tlsConfig)
  200. if err != nil {
  201. log.Fatal("tls.Dial:", err)
  202. }
  203. // Config.Writer = bufio.NewWriter(Config.TLSSocket)
  204. Config.Reader = bufio.NewReader(Config.Socket)
  205. } else {
  206. Config.Socket, err = net.Dial("tcp", Config.Hostname+":"+strconv.Itoa(Config.Port))
  207. if err != nil {
  208. log.Fatal("net.Dial:", err)
  209. }
  210. // Config.Writer = bufio.NewWriter(Config.Socket)
  211. Config.Reader = bufio.NewReader(Config.Socket)
  212. }
  213. // WriteChannel may contain a message when we're trying to PriorityWrite from sigChannel.
  214. Config.WriteChannel = make(chan IRCWrite, 3)
  215. Config.DelChannel = make(chan string)
  216. Config.ISupport = make(map[string]string)
  217. // We are connected.
  218. go Config.WriterRoutine()
  219. Config.wg.Add(1)
  220. // Registration
  221. if Config.UseTLS && Config.UseSASL {
  222. Config.PriorityWrite("CAP REQ :sasl")
  223. }
  224. if Config.ServerPassword != "" {
  225. Config.PriorityWrite(fmt.Sprintf("PASS %s", Config.ServerPassword))
  226. }
  227. // Register nick
  228. Config.MyNick = Config.Nick
  229. Config.PriorityWrite(fmt.Sprintf("NICK %s", Config.Nick))
  230. Config.PriorityWrite(fmt.Sprintf("USER %s 0 * :%s", Config.Username, Config.Realname))
  231. // Config.Writer.Flush()
  232. go Config.ReaderRoutine()
  233. Config.wg.Add(1)
  234. return true
  235. }
  236. // Low level write to [TLS]Socket routine.
  237. func (Config *IRCConfig) write(output string) error {
  238. var err error
  239. if Config.Debug_Output {
  240. log.Println(">>", output)
  241. }
  242. output += "\r\n"
  243. /*
  244. if Config.UseTLS {
  245. _, err = Config.TLSSocket.Write([]byte(output))
  246. } else {
  247. */
  248. _, err = Config.Socket.Write([]byte(output))
  249. return err
  250. }
  251. func (Config *IRCConfig) WriterRoutine() {
  252. var err error
  253. var throttle ThrottleBuffer
  254. var Flood FloodTrack
  255. defer Config.wg.Done()
  256. throttle.init()
  257. Flood.Init(Config.Flood_Num, Config.Flood_Time)
  258. // signal handler
  259. var sigChannel chan os.Signal = make(chan os.Signal, 1)
  260. signal.Notify(sigChannel, os.Interrupt, syscall.SIGINT, syscall.SIGTERM)
  261. // Change this into a select with timeout.
  262. // Timeout, if there's something to be buffered.
  263. var gotSignal bool
  264. for {
  265. if throttle.Life_sucks {
  266. select {
  267. case output := <-Config.WriteChannel:
  268. if output.To == "" {
  269. err = Config.write(output.Output)
  270. if err != nil {
  271. log.Println("Writer:", err)
  272. return
  273. }
  274. continue
  275. }
  276. throttle.push(output.To, output.Output)
  277. case <-sigChannel:
  278. if !gotSignal {
  279. gotSignal = true
  280. log.Println("SIGNAL")
  281. /*
  282. // This should be handled now by Close().
  283. if Config.OnExit != nil {
  284. Config.OnExit()
  285. }
  286. */
  287. Config.PriorityWrite("QUIT :Received SIGINT")
  288. }
  289. // return
  290. continue
  291. // Config.Close()
  292. // return
  293. //os.Exit(2)
  294. case remove := <-Config.DelChannel:
  295. if Config.Debug_Output {
  296. log.Printf("Remove: [%s]\n", remove)
  297. }
  298. throttle.delete(remove)
  299. case <-time.After(time.Millisecond * time.Duration(Config.Flood_Delay)):
  300. // Send from the buffer
  301. // debugging the flood buffer
  302. // log.Printf("targets: %#v\n", targets)
  303. // log.Printf("last: %d\n", last)
  304. // log.Printf("buffer: %#v\n", buffer)
  305. var msg string = throttle.pop()
  306. err = Config.write(msg)
  307. if err != nil {
  308. log.Println("Writer:", err)
  309. }
  310. }
  311. } else {
  312. // Life is good.
  313. select {
  314. case <-sigChannel:
  315. if !gotSignal {
  316. gotSignal = true
  317. log.Println("SIGNAL")
  318. /*
  319. // This should now be handled by Close().
  320. if Config.OnExit != nil {
  321. Config.OnExit()
  322. }
  323. */
  324. Config.PriorityWrite("QUIT :Received SIGINT")
  325. }
  326. // return
  327. continue
  328. // Config.Close()
  329. // return
  330. // os.Exit(2)
  331. case remove := <-Config.DelChannel:
  332. if Config.Debug_Output {
  333. log.Printf("Remove: [%s]\n", remove)
  334. }
  335. throttle.delete(remove)
  336. case output := <-Config.WriteChannel:
  337. if output.To == "" {
  338. err = Config.write(output.Output)
  339. if err != nil {
  340. log.Println("Writer:", err)
  341. return
  342. }
  343. continue
  344. }
  345. if Flood.Full() {
  346. throttle.push(output.To, output.Output)
  347. } else {
  348. // Flood limits not reached
  349. Flood.Save()
  350. err = Config.write(output.Output)
  351. if err != nil {
  352. log.Println("Writer:", err)
  353. }
  354. }
  355. }
  356. }
  357. }
  358. log.Println("~WriterRoutine")
  359. }
  360. func (Config *IRCConfig) Close() {
  361. Config.Socket.Close()
  362. Config.PriorityWrite("")
  363. if Config.OnExit != nil {
  364. Config.OnExit()
  365. }
  366. Config.wg.Wait()
  367. }
  368. func RandomNick(nick string) string {
  369. var result string = nick + "-"
  370. result += strconv.Itoa(rand.Intn(1000))
  371. return result
  372. }
  373. func (Config *IRCConfig) PriorityWrite(output string) {
  374. Config.WriteChannel <- IRCWrite{To: "", Output: output}
  375. }
  376. func (Config *IRCConfig) WriteTo(to string, output string) {
  377. Config.WriteChannel <- IRCWrite{To: to, Output: output}
  378. }
  379. func (Config *IRCConfig) Msg(to string, message string) {
  380. Config.WriteTo(to, fmt.Sprintf("PRIVMSG %s :%s", to, message))
  381. }
  382. func (Config *IRCConfig) Notice(to string, message string) {
  383. Config.WriteTo(to, fmt.Sprintf("NOTICE %s :%s", to, message))
  384. }
  385. func (Config *IRCConfig) Action(to string, message string) {
  386. Config.WriteTo(to, fmt.Sprintf("PRIVMSG %s :\x01ACTION %s\x01", to, message))
  387. }
  388. func (Config *IRCConfig) ReaderRoutine() {
  389. defer Config.wg.Done()
  390. var registering bool
  391. // var identified bool
  392. for {
  393. var line string
  394. var err error
  395. var results IRCMsg
  396. line, err = Config.Reader.ReadString('\n')
  397. if err == nil {
  398. line = strings.Trim(line, "\r\n")
  399. if Config.Debug_Output {
  400. log.Println("<<", line)
  401. }
  402. results = IRCParse(line)
  403. switch results.Cmd {
  404. case "PING":
  405. // Ping from Server
  406. Config.PriorityWrite("PONG " + results.Msg)
  407. case "005":
  408. var support string
  409. for _, support = range results.MsgParts[3:] {
  410. if strings.Contains(support, "=") {
  411. var suppart []string = strings.Split(support, "=")
  412. Config.ISupport[suppart[0]] = suppart[1]
  413. } else {
  414. Config.ISupport[support] = ""
  415. }
  416. }
  417. case "433":
  418. if !registering {
  419. // Nick already in use!
  420. var newNick string = RandomNick(Config.Nick)
  421. Config.MyNick = newNick
  422. Config.PriorityWrite("NICK " + newNick)
  423. }
  424. case "PRIVMSG":
  425. if (results.Msg[0] == '\x01') && (results.Msg[len(results.Msg)-1] == '\x01') {
  426. // ACTION
  427. results.Cmd = "CTCP"
  428. results.Msg = results.Msg[1 : len(results.Msg)-1]
  429. if Config.Debug_Output {
  430. log.Println("CTCP:", results.Msg)
  431. }
  432. // Process CTCP commands
  433. if strings.HasPrefix(results.Msg, "ACTION ") {
  434. results.Cmd = "ACTION"
  435. results.Msg = results.Msg[7:]
  436. }
  437. if strings.HasPrefix(results.Msg, "PING ") {
  438. Config.WriteTo(IRCNick(results.From),
  439. fmt.Sprintf("NOTICE %s :\x01PING %s\x01",
  440. IRCNick(results.From),
  441. results.Msg[5:]))
  442. }
  443. if results.Msg == "VERSION" {
  444. // Send version reply
  445. var version string
  446. if Config.Version != "" {
  447. version = Config.Version + " " + VERSION
  448. } else {
  449. version = VERSION
  450. }
  451. Config.WriteTo(IRCNick(results.From),
  452. fmt.Sprintf("NOTICE %s :\x01VERSION %s\x01",
  453. IRCNick(results.From), version))
  454. }
  455. if results.Msg == "TIME" {
  456. // Send time reply
  457. var now time.Time = time.Now()
  458. Config.WriteTo(IRCNick(results.From),
  459. fmt.Sprintf("NOTICE %s :\x01TIME %s\x01",
  460. IRCNick(results.From),
  461. now.Format(time.ANSIC)))
  462. }
  463. }
  464. }
  465. } else {
  466. // This is likely, 2022/04/05 10:11:41 ReadString: EOF
  467. if err != io.EOF {
  468. log.Println("ReadString:", err)
  469. }
  470. close(Config.ReadChannel)
  471. return
  472. }
  473. var msg IRCMsg = results
  474. /*
  475. IRCMsg{MsgParts: results}
  476. if len(results) >= 3 {
  477. msg.From = IRCNick(results[0])
  478. msg.Cmd = results[1]
  479. msg.To = results[2]
  480. if len(results) >= 4 {
  481. msg.Msg = results[3]
  482. }
  483. } else {
  484. msg.Cmd = results[0]
  485. }
  486. */
  487. if !Config.Debug_Output {
  488. if msg.Cmd == "ERROR" || msg.Cmd[0] == '4' || msg.Cmd[0] == '5' {
  489. // Always log errors.
  490. log.Println("<<", line)
  491. }
  492. }
  493. if msg.Cmd == "401" || msg.Cmd == "404" {
  494. // No such nick/channel
  495. log.Printf("Remove %s from buffer.", msg.MsgParts[3])
  496. Config.DelChannel <- msg.MsgParts[3]
  497. }
  498. if !Config.Registered {
  499. // We're not registered yet
  500. // Answer the queries for SASL authentication
  501. if msg.Cmd == "CAP" && msg.MsgParts[3] == "ACK" {
  502. Config.PriorityWrite("AUTHENTICATE PLAIN")
  503. }
  504. if msg.Cmd == "CAP" && msg.MsgParts[3] == "NAK" {
  505. // SASL Authentication failed/not available.
  506. Config.PriorityWrite("CAP END")
  507. Config.UseSASL = false
  508. }
  509. // msg.Cmd == "AUTH..."
  510. if msg.MsgParts[0] == "AUTHENTICATE" && msg.MsgParts[1] == "+" {
  511. var userpass string = fmt.Sprintf("\x00%s\x00%s", Config.Nick, Config.Password)
  512. var b64 string = base64.StdEncoding.EncodeToString([]byte(userpass))
  513. Config.PriorityWrite("AUTHENTICATE " + b64)
  514. }
  515. if msg.Cmd == "903" {
  516. // Success SASL
  517. Config.PriorityWrite("CAP END")
  518. Config.Registered = true
  519. }
  520. if msg.Cmd == "904" {
  521. // Failed SASL
  522. Config.PriorityWrite("CAP END")
  523. // Should we exit here?
  524. Config.UseSASL = false
  525. }
  526. /*
  527. 2022/04/06 19:12:11 << :[email protected] NOTICE meow :This nickname is registered and protected. If it is your
  528. 2022/04/06 19:12:11 << :[email protected] NOTICE meow :nick, type /msg NickServ IDENTIFY password. Otherwise,
  529. 2022/04/06 19:12:11 << :[email protected] NOTICE meow :please choose a different nick.
  530. */
  531. if (msg.From == "NickServ") && (msg.Cmd == "NOTICE") {
  532. if strings.Contains(msg.Msg, "IDENTIFY") && Config.Password != "" {
  533. Config.PriorityWrite(fmt.Sprintf("NS IDENTIFY %s", Config.Password))
  534. }
  535. // :[email protected] NOTICE meow :Password accepted - you are now recognized.
  536. }
  537. if !Config.UseSASL && (msg.Cmd == "900") {
  538. Config.Registered = true
  539. }
  540. }
  541. // This is a better way of knowing when we've identified for services
  542. if (msg.Cmd == "MODE") && (msg.To == Config.MyNick) {
  543. // This should probably be look for + and contains "r"
  544. if (msg.Msg[0] == '+') && (strings.Contains(msg.Msg, "r")) {
  545. Config.ReadChannel <- IRCMsg{Cmd: "Identified"}
  546. // identified = true
  547. }
  548. if len(Config.AutoJoin) > 0 {
  549. Config.PriorityWrite("JOIN " + strings.Join(Config.AutoJoin, ","))
  550. }
  551. }
  552. if msg.Cmd == "KICK" {
  553. // Were we kicked, is channel in AutoJoin?
  554. // 2022/04/13 20:02:52 << :[email protected] KICK #bugz meow-bot :bugz
  555. // Msg: ircclient.IRCMsg{MsgParts:[]string{":[email protected]", "KICK", "#bugz", "meow-bot", "bugz"}, From:"bugz", To:"#bugz", Cmd:"KICK", Msg:"meow-bot"}
  556. if msg.MsgParts[3] == Config.MyNick {
  557. if Config.IsAuto(msg.To) {
  558. // Yes, we were kicked from AutoJoin channel
  559. time.AfterFunc(time.Duration(Config.RejoinDelay)*time.Millisecond, func() { Config.WriteTo(msg.To, "JOIN "+msg.To) })
  560. }
  561. }
  562. }
  563. /*
  564. // Needs rate limit, it doesn't always work. (if they're not on the HOP+ list)
  565. if msg.Cmd == "474" && identified {
  566. :irc.red-green.com 474 meow-bot #chat :Cannot join channel (+b)
  567. Msg: ircclient.IRCMsg{MsgParts:[]string{":irc.red-green.com", "474", "meow-bot", "#chat", "Cannot join channel (+b)"}, From:"irc.red-green.com", To:"meow-bot", Cmd:"474", Msg:"#chat"}
  568. :[email protected] NOTICE meow-bot :Access denied.
  569. Msg: ircclient.IRCMsg{MsgParts:[]string{":[email protected]", "NOTICE", "meow-bot", "Access denied."}, From:"ChanServ", To:"meow-bot", Cmd:"NOTICE", Msg:"Access denied."}
  570. if Config.IsAuto(msg.MsgParts[3]) {
  571. Config.PriorityWrite(fmt.Sprintf("CS UNBAN %s", msg.MsgParts[3]))
  572. time.AfterFunc(time.Duration(Config.RejoinDelay)*time.Millisecond, func() { Config.WriteTo(msg.To, "JOIN "+msg.MsgParts[3]) })
  573. }
  574. }
  575. */
  576. if Config.ReadChannel != nil {
  577. Config.ReadChannel <- msg
  578. }
  579. if (msg.Cmd == "376") || (msg.Cmd == "422") {
  580. // End MOTD, or MOTD Missing
  581. var reg IRCMsg = IRCMsg{Cmd: "EndMOTD"}
  582. Config.ReadChannel <- reg
  583. registering = true
  584. if Config.Password == "" {
  585. if len(Config.AutoJoin) > 0 {
  586. Config.PriorityWrite("JOIN " + strings.Join(Config.AutoJoin, ","))
  587. }
  588. }
  589. }
  590. if msg.Cmd == "NICK" {
  591. // :meow NICK :meow-bot
  592. if msg.From == Config.MyNick {
  593. Config.SetNick(msg.Msg)
  594. if Config.Debug_Output {
  595. log.Println("Nick is now:", Config.MyNick)
  596. }
  597. }
  598. }
  599. }
  600. }