1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
|
package rest
import (
"bytes"
"encoding/json"
"fmt"
"html"
"net/url"
"strconv"
"github.com/matterbridge/Rocket.Chat.Go.SDK/models"
)
type MessagesResponse struct {
Status
Messages []models.Message `json:"messages"`
}
type MessageResponse struct {
Status
Message models.Message `json:"message"`
}
// Sends a message to a channel. The name of the channel has to be not nil.
// The message will be html escaped.
//
// https://rocket.chat/docs/developer-guides/rest-api/chat/postmessage
func (c *Client) Send(channel *models.Channel, msg string) error {
body := fmt.Sprintf(`{ "channel": "%s", "text": "%s"}`, channel.Name, html.EscapeString(msg))
return c.Post("chat.postMessage", bytes.NewBufferString(body), new(MessageResponse))
}
// PostMessage send a message to a channel. The channel or roomId has to be not nil.
// The message will be json encode.
//
// https://rocket.chat/docs/developer-guides/rest-api/chat/postmessage
func (c *Client) PostMessage(msg *models.PostMessage) (*MessageResponse, error) {
body, err := json.Marshal(msg)
if err != nil {
return nil, err
}
response := new(MessageResponse)
err = c.Post("chat.postMessage", bytes.NewBuffer(body), response)
return response, err
}
// Get messages from a channel. The channel id has to be not nil. Optionally a
// count can be specified to limit the size of the returned messages.
//
// https://rocket.chat/docs/developer-guides/rest-api/channels/history
func (c *Client) GetMessages(channel *models.Channel, page *models.Pagination) ([]models.Message, error) {
params := url.Values{
"roomId": []string{channel.ID},
}
if page != nil {
params.Add("count", strconv.Itoa(page.Count))
}
response := new(MessagesResponse)
if err := c.Get("channels.history", params, response); err != nil {
return nil, err
}
return response.Messages, nil
}
|