irc-client.go 15 KB

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