wsapi.go 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606
  1. // Discordgo - Discord bindings for Go
  2. // Available at https://github.com/bwmarrin/discordgo
  3. // Copyright 2015-2016 Bruce Marriner <bruce@sqls.net>. All rights reserved.
  4. // Use of this source code is governed by a BSD-style
  5. // license that can be found in the LICENSE file.
  6. // This file contains low level functions for interacting with the Discord
  7. // data websocket interface.
  8. package discordgo
  9. import (
  10. "bytes"
  11. "compress/zlib"
  12. "encoding/json"
  13. "errors"
  14. "fmt"
  15. "io"
  16. "log"
  17. "net/http"
  18. "reflect"
  19. "runtime"
  20. "time"
  21. "github.com/gorilla/websocket"
  22. )
  23. var GATEWAY_VERSION int = 4
  24. type handshakeProperties struct {
  25. OS string `json:"$os"`
  26. Browser string `json:"$browser"`
  27. Device string `json:"$device"`
  28. Referer string `json:"$referer"`
  29. ReferringDomain string `json:"$referring_domain"`
  30. }
  31. type handshakeData struct {
  32. Token string `json:"token"`
  33. Properties handshakeProperties `json:"properties"`
  34. LargeThreshold int `json:"large_threshold"`
  35. Compress bool `json:"compress"`
  36. }
  37. type handshakeOp struct {
  38. Op int `json:"op"`
  39. Data handshakeData `json:"d"`
  40. }
  41. type ResumePacket struct {
  42. Op int `json:"op"`
  43. Data struct {
  44. Token string `json:"token"`
  45. SessionID string `json:"session_id"`
  46. Sequence int `json:"seq"`
  47. } `json:"d"`
  48. }
  49. // Open opens a websocket connection to Discord.
  50. func (s *Session) Open() (err error) {
  51. s.log(LogInformational, "called")
  52. s.Lock()
  53. defer func() {
  54. if err != nil {
  55. s.Unlock()
  56. }
  57. }()
  58. if s.wsConn != nil {
  59. err = errors.New("Web socket already opened.")
  60. return
  61. }
  62. if s.VoiceConnections == nil {
  63. s.log(LogInformational, "creating new VoiceConnections map")
  64. s.VoiceConnections = make(map[string]*VoiceConnection)
  65. }
  66. // Get the gateway to use for the Websocket connection
  67. if s.gateway == "" {
  68. s.gateway, err = s.Gateway()
  69. if err != nil {
  70. return
  71. }
  72. // Add the version and encoding to the URL
  73. s.gateway = fmt.Sprintf("%s?v=%v&encoding=json", s.gateway, GATEWAY_VERSION)
  74. }
  75. header := http.Header{}
  76. header.Add("accept-encoding", "zlib")
  77. s.log(LogInformational, "connecting to gateway %s", s.gateway)
  78. s.wsConn, _, err = websocket.DefaultDialer.Dial(s.gateway, header)
  79. if err != nil {
  80. s.log(LogWarning, "error connecting to gateway %s, %s", s.gateway, err)
  81. s.gateway = "" // clear cached gateway
  82. // TODO: should we add a retry block here?
  83. return
  84. }
  85. if s.sessionID != "" && s.sequence > 0 {
  86. p := ResumePacket{}
  87. p.Op = 6
  88. p.Data.Token = s.Token
  89. p.Data.SessionID = s.sessionID
  90. p.Data.Sequence = s.sequence
  91. s.log(LogInformational, "sending resume packet to gateway")
  92. err = s.wsConn.WriteJSON(p)
  93. if err != nil {
  94. s.log(LogWarning, "error sending gateway resume packet, %s, %s", s.gateway, err)
  95. return
  96. }
  97. } else {
  98. data := handshakeOp{
  99. 2,
  100. handshakeData{
  101. s.Token,
  102. handshakeProperties{
  103. runtime.GOOS,
  104. "Discordgo v" + VERSION,
  105. "",
  106. "",
  107. "",
  108. },
  109. 250,
  110. s.Compress,
  111. },
  112. }
  113. s.log(LogInformational, "sending identify packet to gateway")
  114. err = s.wsConn.WriteJSON(data)
  115. if err != nil {
  116. s.log(LogWarning, "error sending gateway identify packet, %s, %s", s.gateway, err)
  117. return
  118. }
  119. }
  120. // Create listening outside of listen, as it needs to happen inside the mutex
  121. // lock.
  122. s.listening = make(chan interface{})
  123. go s.listen(s.wsConn, s.listening)
  124. s.Unlock()
  125. s.initialize()
  126. s.handle(&Connect{})
  127. return
  128. }
  129. // Close closes a websocket and stops all listening/heartbeat goroutines.
  130. // TODO: Add support for Voice WS/UDP connections
  131. func (s *Session) Close() (err error) {
  132. s.log(LogInformational, "called")
  133. s.Lock()
  134. s.DataReady = false
  135. if s.listening != nil {
  136. s.log(LogInformational, "closing listening channel")
  137. close(s.listening)
  138. s.listening = nil
  139. }
  140. if s.wsConn != nil {
  141. s.log(LogInformational, "closing gateway websocket")
  142. err = s.wsConn.Close()
  143. s.wsConn = nil
  144. }
  145. s.Unlock()
  146. s.handle(&Disconnect{})
  147. return
  148. }
  149. // listen polls the websocket connection for events, it will stop when the
  150. // listening channel is closed, or an error occurs.
  151. func (s *Session) listen(wsConn *websocket.Conn, listening <-chan interface{}) {
  152. s.log(LogInformational, "called")
  153. for {
  154. messageType, message, err := wsConn.ReadMessage()
  155. if err != nil {
  156. // Detect if we have been closed manually. If a Close() has already
  157. // happened, the websocket we are listening on will be different to
  158. // the current session.
  159. s.RLock()
  160. sameConnection := s.wsConn == wsConn
  161. s.RUnlock()
  162. if sameConnection {
  163. s.log(LogWarning, "error reading from gateway %s websocket, %s", s.gateway, err)
  164. // There has been an error reading, close the websocket so that
  165. // OnDisconnect event is emitted.
  166. err := s.Close()
  167. if err != nil {
  168. s.log(LogWarning, "error closing session connection, %s", err)
  169. }
  170. // Attempt to reconnect, with expenonential backoff up to
  171. // 10 minutes.
  172. if s.ShouldReconnectOnError {
  173. wait := time.Duration(1)
  174. for {
  175. s.log(LogInformational, "trying to reconnect to gateway")
  176. if s.Open() == nil {
  177. s.log(LogInformational, "successfully reconnected to gateway")
  178. return
  179. }
  180. <-time.After(wait * time.Second)
  181. wait *= 2
  182. if wait > 600 {
  183. wait = 600
  184. }
  185. }
  186. }
  187. }
  188. return
  189. }
  190. select {
  191. case <-listening:
  192. return
  193. default:
  194. go s.onEvent(messageType, message)
  195. }
  196. }
  197. }
  198. type heartbeatOp struct {
  199. Op int `json:"op"`
  200. Data int `json:"d"`
  201. }
  202. // heartbeat sends regular heartbeats to Discord so it knows the client
  203. // is still connected. If you do not send these heartbeats Discord will
  204. // disconnect the websocket connection after a few seconds.
  205. func (s *Session) heartbeat(wsConn *websocket.Conn, listening <-chan interface{}, i time.Duration) {
  206. s.log(LogInformational, "called")
  207. if listening == nil || wsConn == nil {
  208. return
  209. }
  210. s.Lock()
  211. s.DataReady = true
  212. s.Unlock()
  213. var err error
  214. ticker := time.NewTicker(i * time.Millisecond)
  215. for {
  216. s.log(LogDebug, "sending gateway websocket heartbeat seq %d", s.sequence)
  217. s.wsMutex.Lock()
  218. err = wsConn.WriteJSON(heartbeatOp{1, s.sequence})
  219. s.wsMutex.Unlock()
  220. if err != nil {
  221. log.Println("Error sending heartbeat:", err)
  222. return
  223. }
  224. select {
  225. case <-ticker.C:
  226. // continue loop and send heartbeat
  227. case <-listening:
  228. return
  229. }
  230. }
  231. }
  232. type updateStatusGame struct {
  233. Name string `json:"name"`
  234. }
  235. type updateStatusData struct {
  236. IdleSince *int `json:"idle_since"`
  237. Game *updateStatusGame `json:"game"`
  238. }
  239. type updateStatusOp struct {
  240. Op int `json:"op"`
  241. Data updateStatusData `json:"d"`
  242. }
  243. // UpdateStatus is used to update the authenticated user's status.
  244. // If idle>0 then set status to idle. If game>0 then set game.
  245. // if otherwise, set status to active, and no game.
  246. func (s *Session) UpdateStatus(idle int, game string) (err error) {
  247. s.log(LogInformational, "called")
  248. s.RLock()
  249. defer s.RUnlock()
  250. if s.wsConn == nil {
  251. return errors.New("no websocket connection exists")
  252. }
  253. var usd updateStatusData
  254. if idle > 0 {
  255. usd.IdleSince = &idle
  256. }
  257. if game != "" {
  258. usd.Game = &updateStatusGame{game}
  259. }
  260. s.wsMutex.Lock()
  261. err = s.wsConn.WriteJSON(updateStatusOp{3, usd})
  262. s.wsMutex.Unlock()
  263. return
  264. }
  265. // onEvent is the "event handler" for all messages received on the
  266. // Discord Gateway API websocket connection.
  267. //
  268. // If you use the AddHandler() function to register a handler for a
  269. // specific event this function will pass the event along to that handler.
  270. //
  271. // If you use the AddHandler() function to register a handler for the
  272. // "OnEvent" event then all events will be passed to that handler.
  273. //
  274. // TODO: You may also register a custom event handler entirely using...
  275. func (s *Session) onEvent(messageType int, message []byte) {
  276. var err error
  277. var reader io.Reader
  278. reader = bytes.NewBuffer(message)
  279. // If this is a compressed message, uncompress it.
  280. if messageType == 2 {
  281. z, err := zlib.NewReader(reader)
  282. if err != nil {
  283. s.log(LogError, "error uncompressing websocket message, %s", err)
  284. return
  285. }
  286. defer func() {
  287. err := z.Close()
  288. if err != nil {
  289. s.log(LogWarning, "error closing zlib, %s", err)
  290. }
  291. }()
  292. reader = z
  293. }
  294. // Decode the event into an Event struct.
  295. var e *Event
  296. decoder := json.NewDecoder(reader)
  297. if err = decoder.Decode(&e); err != nil {
  298. s.log(LogError, "error decoding websocket message, %s", err)
  299. return
  300. }
  301. s.log(LogDebug, "Op: %d, Seq: %d, Type: %s, Data: %s\n\n", e.Operation, e.Sequence, e.Type, string(e.RawData))
  302. // Ping request.
  303. // Must respond with a heartbeat packet within 5 seconds
  304. if e.Operation == 1 {
  305. s.log(LogInformational, "sending heartbeat in response to Op1")
  306. s.wsMutex.Lock()
  307. err = s.wsConn.WriteJSON(heartbeatOp{1, s.sequence})
  308. s.wsMutex.Unlock()
  309. if err != nil {
  310. s.log(LogError, "error sending heartbeat in response to Op1")
  311. return
  312. }
  313. return
  314. }
  315. // Reconnect
  316. // Must immediately disconnect from gateway and reconnect to new gateway.
  317. if e.Operation == 7 {
  318. // TODO
  319. }
  320. // Invalid Session
  321. // Must respond with a Identify packet.
  322. if e.Operation == 9 {
  323. s.log(LogInformational, "sending identify packet to gateway in response to Op9")
  324. s.wsMutex.Lock()
  325. err = s.wsConn.WriteJSON(handshakeOp{2, handshakeData{s.Token, handshakeProperties{runtime.GOOS, "Discordgo v" + VERSION, "", "", ""}, 250, s.Compress}})
  326. s.wsMutex.Unlock()
  327. if err != nil {
  328. s.log(LogWarning, "error sending gateway identify packet, %s, %s", s.gateway, err)
  329. return
  330. }
  331. return
  332. }
  333. // Do not try to Dispatch a non-Dispatch Message
  334. if e.Operation != 0 {
  335. // But we probably should be doing something with them.
  336. // TEMP
  337. s.log(LogWarning, "unknown Op: %d, Seq: %d, Type: %s, Data: %s, message: %s", e.Operation, e.Sequence, e.Type, string(e.RawData), string(message))
  338. return
  339. }
  340. // Store the message sequence
  341. s.sequence = e.Sequence
  342. // Map event to registered event handlers and pass it along
  343. // to any registered functions
  344. i := eventToInterface[e.Type]
  345. if i != nil {
  346. // Create a new instance of the event type.
  347. i = reflect.New(reflect.TypeOf(i)).Interface()
  348. // Attempt to unmarshal our event.
  349. if err = json.Unmarshal(e.RawData, i); err != nil {
  350. s.log(LogError, "error unmarshalling %s event, %s", e.Type, err)
  351. }
  352. // Send event to any registered event handlers for it's type.
  353. // Because the above doesn't cancel this, in case of an error
  354. // the struct could be partially populated or at default values.
  355. // However, most errors are due to a single field and I feel
  356. // it's better to pass along what we received than nothing at all.
  357. // TODO: Think about that decision :)
  358. // Either way, READY events must fire, even with errors.
  359. s.handle(i)
  360. } else {
  361. s.log(LogWarning, "unknown event: Op: %d, Seq: %d, Type: %s, Data: %s", e.Operation, e.Sequence, e.Type, string(e.RawData))
  362. }
  363. // Emit event to the OnEvent handler
  364. e.Struct = i
  365. s.handle(e)
  366. }
  367. // ------------------------------------------------------------------------------------------------
  368. // Code related to voice connections that initiate over the data websocket
  369. // ------------------------------------------------------------------------------------------------
  370. // A VoiceServerUpdate stores the data received during the Voice Server Update
  371. // data websocket event. This data is used during the initial Voice Channel
  372. // join handshaking.
  373. type VoiceServerUpdate struct {
  374. Token string `json:"token"`
  375. GuildID string `json:"guild_id"`
  376. Endpoint string `json:"endpoint"`
  377. }
  378. type voiceChannelJoinData struct {
  379. GuildID *string `json:"guild_id"`
  380. ChannelID *string `json:"channel_id"`
  381. SelfMute bool `json:"self_mute"`
  382. SelfDeaf bool `json:"self_deaf"`
  383. }
  384. type voiceChannelJoinOp struct {
  385. Op int `json:"op"`
  386. Data voiceChannelJoinData `json:"d"`
  387. }
  388. // ChannelVoiceJoin joins the session user to a voice channel.
  389. //
  390. // gID : Guild ID of the channel to join.
  391. // cID : Channel ID of the channel to join.
  392. // mute : If true, you will be set to muted upon joining.
  393. // deaf : If true, you will be set to deafened upon joining.
  394. func (s *Session) ChannelVoiceJoin(gID, cID string, mute, deaf bool) (voice *VoiceConnection, err error) {
  395. // If a voice connection already exists for this guild then
  396. // return that connection. If the channel differs, also change channels.
  397. var ok bool
  398. if voice, ok = s.VoiceConnections[gID]; ok && voice.GuildID != "" {
  399. //TODO: consider a better variable than GuildID in the above check
  400. // to verify if this connection is valid or not.
  401. if voice.ChannelID != cID {
  402. err = voice.ChangeChannel(cID, mute, deaf)
  403. }
  404. return
  405. }
  406. // Create a new voice session
  407. // TODO review what all these things are for....
  408. voice = &VoiceConnection{
  409. GuildID: gID,
  410. ChannelID: cID,
  411. deaf: deaf,
  412. mute: mute,
  413. session: s,
  414. }
  415. // Store voice in VoiceConnections map for this GuildID
  416. s.VoiceConnections[gID] = voice
  417. // Send the request to Discord that we want to join the voice channel
  418. data := voiceChannelJoinOp{4, voiceChannelJoinData{&gID, &cID, mute, deaf}}
  419. s.wsMutex.Lock()
  420. err = s.wsConn.WriteJSON(data)
  421. s.wsMutex.Unlock()
  422. if err != nil {
  423. s.log(LogInformational, "Deleting VoiceConnection %s", gID)
  424. delete(s.VoiceConnections, gID)
  425. return
  426. }
  427. // doesn't exactly work perfect yet.. TODO
  428. err = voice.waitUntilConnected()
  429. if err != nil {
  430. voice.Close()
  431. s.log(LogInformational, "Deleting VoiceConnection %s", gID)
  432. delete(s.VoiceConnections, gID)
  433. return
  434. }
  435. return
  436. }
  437. // onVoiceStateUpdate handles Voice State Update events on the data websocket.
  438. func (s *Session) onVoiceStateUpdate(se *Session, st *VoiceStateUpdate) {
  439. // If we don't have a connection for the channel, don't bother
  440. if st.ChannelID == "" {
  441. return
  442. }
  443. // Check if we have a voice connection to update
  444. voice, exists := s.VoiceConnections[st.GuildID]
  445. if !exists {
  446. return
  447. }
  448. // Need to have this happen at login and store it in the Session
  449. // TODO : This should be done upon connecting to Discord, or
  450. // be moved to a small helper function
  451. self, err := s.User("@me") // TODO: move to Login/New
  452. if err != nil {
  453. log.Println(err)
  454. return
  455. }
  456. // We only care about events that are about us
  457. if st.UserID != self.ID {
  458. return
  459. }
  460. // Store the SessionID for later use.
  461. voice.UserID = self.ID // TODO: Review
  462. voice.sessionID = st.SessionID
  463. }
  464. // onVoiceServerUpdate handles the Voice Server Update data websocket event.
  465. //
  466. // This is also fired if the Guild's voice region changes while connected
  467. // to a voice channel. In that case, need to re-establish connection to
  468. // the new region endpoint.
  469. func (s *Session) onVoiceServerUpdate(se *Session, st *VoiceServerUpdate) {
  470. voice, exists := s.VoiceConnections[st.GuildID]
  471. // If no VoiceConnection exists, just skip this
  472. if !exists {
  473. return
  474. }
  475. // If currently connected to voice ws/udp, then disconnect.
  476. // Has no effect if not connected.
  477. voice.Close()
  478. // Store values for later use
  479. voice.token = st.Token
  480. voice.endpoint = st.Endpoint
  481. voice.GuildID = st.GuildID
  482. // Open a conenction to the voice server
  483. err := voice.open()
  484. if err != nil {
  485. s.log(LogError, "onVoiceServerUpdate voice.open, ", err)
  486. }
  487. }