irc-client.go 14 KB

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