irc-client.go 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634
  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:"-"` // Client's current nick
  143. OnExit func() `json:"-"` // Called on exit
  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:"-"` // For deleting channel or nicks that are missing.
  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. func (Config *IRCConfig) IsAuto(ch string) bool {
  166. return StrInArray(Config.AutoJoin, ch)
  167. }
  168. func (Config *IRCConfig) Connect() bool {
  169. var err error
  170. // Set sensible defaults (if not provided),
  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 = 2000
  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. You can't received IRCMsg messages.")
  189. }
  190. if Config.UseTLS {
  191. var tlsConfig tls.Config
  192. if !Config.Insecure {
  193. // Use system default CA Certificates
  194. certPool := x509.NewCertPool()
  195. tlsConfig.ClientCAs = certPool
  196. tlsConfig.InsecureSkipVerify = false
  197. } else {
  198. tlsConfig.InsecureSkipVerify = true
  199. }
  200. Config.Socket, err = tls.Dial("tcp", Config.Hostname+":"+strconv.Itoa(Config.Port), &tlsConfig)
  201. if err != nil {
  202. log.Fatal("tls.Dial:", err)
  203. }
  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.Reader = bufio.NewReader(Config.Socket)
  211. }
  212. // WriteChannel may contain a message when we're trying to PriorityWrite from sigChannel.
  213. Config.WriteChannel = make(chan IRCWrite, 3)
  214. Config.DelChannel = make(chan string)
  215. Config.ISupport = make(map[string]string)
  216. // We are connected.
  217. go Config.WriterRoutine()
  218. Config.wg.Add(1)
  219. // Registration
  220. if Config.UseTLS && Config.UseSASL {
  221. Config.PriorityWrite("CAP REQ :sasl")
  222. }
  223. if Config.ServerPassword != "" {
  224. Config.PriorityWrite(fmt.Sprintf("PASS %s", Config.ServerPassword))
  225. }
  226. // Register nick
  227. Config.MyNick = Config.Nick
  228. Config.PriorityWrite(fmt.Sprintf("NICK %s", Config.Nick))
  229. Config.PriorityWrite(fmt.Sprintf("USER %s 0 * :%s", Config.Username, Config.Realname))
  230. go Config.ReaderRoutine()
  231. Config.wg.Add(1)
  232. return true
  233. }
  234. // Low level write to [TLS]Socket routine.
  235. func (Config *IRCConfig) write(output string) error {
  236. var err error
  237. if Config.Debug_Output {
  238. log.Println(">>", output)
  239. }
  240. output += "\r\n"
  241. _, err = Config.Socket.Write([]byte(output))
  242. return err
  243. }
  244. func (Config *IRCConfig) WriterRoutine() {
  245. var err error
  246. var throttle ThrottleBuffer
  247. var Flood FloodTrack
  248. Flood.Init(Config.Flood_Num, Config.Flood_Time)
  249. defer Config.wg.Done()
  250. throttle.init()
  251. // signal handler
  252. var sigChannel chan os.Signal = make(chan os.Signal, 1)
  253. signal.Notify(sigChannel, os.Interrupt, syscall.SIGINT, syscall.SIGTERM)
  254. // Change this into a select with timeout.
  255. // Timeout, if there's something to be buffered.
  256. var gotSignal bool
  257. for {
  258. if throttle.Life_sucks {
  259. select {
  260. case output := <-Config.WriteChannel:
  261. if output.To == "" {
  262. err = Config.write(output.Output)
  263. if err != nil {
  264. log.Println("Writer:", err)
  265. return
  266. }
  267. continue
  268. }
  269. throttle.push(output.To, output.Output)
  270. case <-sigChannel:
  271. if !gotSignal {
  272. gotSignal = true
  273. log.Println("SIGNAL")
  274. Config.PriorityWrite("QUIT :Received SIGINT")
  275. }
  276. continue
  277. case remove := <-Config.DelChannel:
  278. if Config.Debug_Output {
  279. log.Printf("Remove: [%s]\n", remove)
  280. }
  281. throttle.delete(remove)
  282. case <-time.After(time.Millisecond * time.Duration(Config.Flood_Delay)):
  283. var msg string = throttle.pop()
  284. err = Config.write(msg)
  285. if err != nil {
  286. log.Println("Writer:", err)
  287. }
  288. }
  289. } else {
  290. // Life is good.
  291. select {
  292. case <-sigChannel:
  293. if !gotSignal {
  294. gotSignal = true
  295. log.Println("SIGNAL")
  296. Config.PriorityWrite("QUIT :Received SIGINT")
  297. }
  298. continue
  299. case remove := <-Config.DelChannel:
  300. if Config.Debug_Output {
  301. log.Printf("Remove: [%s]\n", remove)
  302. }
  303. throttle.delete(remove)
  304. case output := <-Config.WriteChannel:
  305. if output.To == "" {
  306. err = Config.write(output.Output)
  307. if err != nil {
  308. log.Println("Writer:", err)
  309. return
  310. }
  311. continue
  312. }
  313. if Flood.Full() {
  314. throttle.push(output.To, output.Output)
  315. } else {
  316. // Flood limits not reached
  317. Flood.Save()
  318. err = Config.write(output.Output)
  319. if err != nil {
  320. log.Println("Writer:", err)
  321. }
  322. }
  323. }
  324. }
  325. }
  326. }
  327. func (Config *IRCConfig) Close() {
  328. Config.Socket.Close()
  329. Config.PriorityWrite("")
  330. if Config.OnExit != nil {
  331. Config.OnExit()
  332. }
  333. Config.wg.Wait()
  334. }
  335. func RandomNick(nick string) string {
  336. var result string = nick + "-"
  337. result += strconv.Itoa(rand.Intn(1000))
  338. return result
  339. }
  340. // PriorityWrite: Send output command to server immediately.
  341. func (Config *IRCConfig) PriorityWrite(output string) {
  342. Config.WriteChannel <- IRCWrite{To: "", Output: output}
  343. }
  344. // WriteTo: Send throttled output command using "to" to throttle.
  345. func (Config *IRCConfig) WriteTo(to string, output string) {
  346. Config.WriteChannel <- IRCWrite{To: to, Output: output}
  347. }
  348. // Msg: Send PRIVMSG, uses WriteTo to throttle.
  349. func (Config *IRCConfig) Msg(to string, message string) {
  350. Config.WriteTo(to, fmt.Sprintf("PRIVMSG %s :%s", to, message))
  351. }
  352. // Notice: Send NOTICE, uses WriteTo to throttle.
  353. func (Config *IRCConfig) Notice(to string, message string) {
  354. Config.WriteTo(to, fmt.Sprintf("NOTICE %s :%s", to, message))
  355. }
  356. // Action: Send PRIVMSG CTCP ACTION, uses WriteTo to throttle.
  357. func (Config *IRCConfig) Action(to string, message string) {
  358. Config.WriteTo(to, fmt.Sprintf("PRIVMSG %s :\x01ACTION %s\x01", to, message))
  359. }
  360. func (Config *IRCConfig) ReaderRoutine() {
  361. defer Config.wg.Done()
  362. var registering bool
  363. for {
  364. var line string
  365. var err error
  366. var results IRCMsg
  367. line, err = Config.Reader.ReadString('\n')
  368. if err == nil {
  369. line = strings.Trim(line, "\r\n")
  370. if Config.Debug_Output {
  371. log.Println("<<", line)
  372. }
  373. results = IRCParse(line)
  374. switch results.Cmd {
  375. case "PING":
  376. // Ping from Server
  377. Config.PriorityWrite("PONG " + results.Msg)
  378. case "005":
  379. var support string
  380. for _, support = range results.MsgParts[3:] {
  381. if strings.Contains(support, "=") {
  382. var suppart []string = strings.Split(support, "=")
  383. Config.ISupport[suppart[0]] = suppart[1]
  384. } else {
  385. Config.ISupport[support] = ""
  386. }
  387. }
  388. case "433":
  389. if !registering {
  390. // Nick already in use!
  391. var newNick string = RandomNick(Config.Nick)
  392. Config.MyNick = newNick
  393. Config.PriorityWrite("NICK " + newNick)
  394. }
  395. case "PRIVMSG":
  396. // Convert Cmd "PRIVMSG" to "CTCP" or "ACTION".
  397. if (results.Msg[0] == '\x01') && (results.Msg[len(results.Msg)-1] == '\x01') {
  398. // ACTION
  399. results.Cmd = "CTCP"
  400. results.Msg = results.Msg[1 : len(results.Msg)-1]
  401. if Config.Debug_Output {
  402. log.Println("CTCP:", results.Msg)
  403. }
  404. // Process CTCP commands
  405. if strings.HasPrefix(results.Msg, "ACTION ") {
  406. results.Cmd = "ACTION"
  407. results.Msg = results.Msg[7:]
  408. }
  409. if strings.HasPrefix(results.Msg, "PING ") {
  410. Config.WriteTo(IRCNick(results.From),
  411. fmt.Sprintf("NOTICE %s :\x01PING %s\x01",
  412. IRCNick(results.From),
  413. results.Msg[5:]))
  414. }
  415. if results.Msg == "VERSION" {
  416. // Send version reply
  417. var version string
  418. if Config.Version != "" {
  419. version = Config.Version + " " + VERSION
  420. } else {
  421. version = VERSION
  422. }
  423. Config.WriteTo(IRCNick(results.From),
  424. fmt.Sprintf("NOTICE %s :\x01VERSION %s\x01",
  425. IRCNick(results.From), version))
  426. }
  427. if results.Msg == "TIME" {
  428. // Send time reply
  429. var now time.Time = time.Now()
  430. Config.WriteTo(IRCNick(results.From),
  431. fmt.Sprintf("NOTICE %s :\x01TIME %s\x01",
  432. IRCNick(results.From),
  433. now.Format(time.ANSIC)))
  434. }
  435. }
  436. }
  437. } else {
  438. // This is likely, 2022/04/05 10:11:41 ReadString: EOF
  439. if err != io.EOF {
  440. log.Println("ReadString:", err)
  441. }
  442. close(Config.ReadChannel)
  443. return
  444. }
  445. var msg IRCMsg = results
  446. if !Config.Debug_Output {
  447. if msg.Cmd == "ERROR" || msg.Cmd[0] == '4' || msg.Cmd[0] == '5' {
  448. // Always log errors.
  449. log.Println("<<", line)
  450. }
  451. }
  452. if msg.Cmd == "401" || msg.Cmd == "404" {
  453. // No such nick/channel
  454. log.Printf("Remove %s from buffer.", msg.MsgParts[3])
  455. Config.DelChannel <- msg.MsgParts[3]
  456. }
  457. if !Config.Registered {
  458. // We're not registered yet
  459. // Answer the queries for SASL authentication
  460. if msg.Cmd == "CAP" && msg.MsgParts[3] == "ACK" {
  461. Config.PriorityWrite("AUTHENTICATE PLAIN")
  462. }
  463. if msg.Cmd == "CAP" && msg.MsgParts[3] == "NAK" {
  464. // SASL Authentication failed/not available.
  465. Config.PriorityWrite("CAP END")
  466. Config.UseSASL = false
  467. }
  468. // msg.Cmd == "AUTH..."
  469. if msg.MsgParts[0] == "AUTHENTICATE" && msg.MsgParts[1] == "+" {
  470. var userpass string = fmt.Sprintf("\x00%s\x00%s", Config.Nick, Config.Password)
  471. var b64 string = base64.StdEncoding.EncodeToString([]byte(userpass))
  472. Config.PriorityWrite("AUTHENTICATE " + b64)
  473. }
  474. if msg.Cmd == "903" {
  475. // Success SASL
  476. Config.PriorityWrite("CAP END")
  477. Config.Registered = true
  478. }
  479. if msg.Cmd == "904" {
  480. // Failed SASL
  481. Config.PriorityWrite("CAP END")
  482. // Should we exit here?
  483. Config.UseSASL = false
  484. }
  485. /*
  486. 2022/04/06 19:12:11 << :[email protected] NOTICE meow :nick, type /msg NickServ IDENTIFY password. Otherwise,
  487. */
  488. if (msg.From == "NickServ") && (msg.Cmd == "NOTICE") {
  489. if strings.Contains(msg.Msg, "IDENTIFY") && Config.Password != "" {
  490. Config.PriorityWrite(fmt.Sprintf("NS IDENTIFY %s", Config.Password))
  491. }
  492. }
  493. if !Config.UseSASL && (msg.Cmd == "900") {
  494. Config.Registered = true
  495. }
  496. }
  497. // This is a better way of knowing when we've identified for services
  498. if (msg.Cmd == "MODE") && (msg.To == Config.MyNick) {
  499. // This should probably be look for + and contains "r"
  500. if (msg.Msg[0] == '+') && (strings.Contains(msg.Msg, "r")) {
  501. Config.ReadChannel <- IRCMsg{Cmd: "Identified"}
  502. if len(Config.AutoJoin) > 0 {
  503. Config.PriorityWrite("JOIN " + strings.Join(Config.AutoJoin, ","))
  504. }
  505. }
  506. }
  507. if msg.Cmd == "KICK" {
  508. // We were kicked, is channel in AutoJoin?
  509. if msg.MsgParts[3] == Config.MyNick {
  510. if Config.IsAuto(msg.To) {
  511. // Yes, we were kicked from AutoJoin channel
  512. time.AfterFunc(time.Duration(Config.RejoinDelay)*time.Millisecond, func() { Config.WriteTo(msg.To, "JOIN "+msg.To) })
  513. }
  514. }
  515. }
  516. if Config.ReadChannel != nil {
  517. Config.ReadChannel <- msg
  518. }
  519. if (msg.Cmd == "376") || (msg.Cmd == "422") {
  520. // End MOTD, or MOTD Missing
  521. var reg IRCMsg = IRCMsg{Cmd: "EndMOTD"}
  522. Config.ReadChannel <- reg
  523. registering = true
  524. if Config.Password == "" {
  525. // We can't register with services, so join the AutJoin channels.
  526. if len(Config.AutoJoin) > 0 {
  527. Config.PriorityWrite("JOIN " + strings.Join(Config.AutoJoin, ","))
  528. }
  529. }
  530. }
  531. if msg.Cmd == "NICK" {
  532. // Handle nick changes from the server
  533. if Match(msg.From, Config.MyNick) {
  534. Config.SetNick(msg.Msg)
  535. if Config.Debug_Output {
  536. log.Println("Nick is now:", Config.MyNick)
  537. }
  538. }
  539. }
  540. }
  541. }