irc-client.go 12 KB

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