summaryrefslogtreecommitdiffstats
path: root/vendor/github.com/slack-go/slack
diff options
context:
space:
mode:
authorWim <wim@42.be>2022-06-25 00:36:16 +0200
committerGitHub <noreply@github.com>2022-06-25 00:36:16 +0200
commit4649876956ab944d2a9ea8fc98c75dc8a9f5ef08 (patch)
tree0f32da8e492cabd8eca53de319e287e6c4791c5e /vendor/github.com/slack-go/slack
parent5604d140e3bbf5c8f6c414b1427145a0c4e36bb4 (diff)
downloadmatterbridge-msglm-4649876956ab944d2a9ea8fc98c75dc8a9f5ef08.tar.gz
matterbridge-msglm-4649876956ab944d2a9ea8fc98c75dc8a9f5ef08.tar.bz2
matterbridge-msglm-4649876956ab944d2a9ea8fc98c75dc8a9f5ef08.zip
Update dependencies (#1851)
Diffstat (limited to 'vendor/github.com/slack-go/slack')
-rw-r--r--vendor/github.com/slack-go/slack/README.md8
-rw-r--r--vendor/github.com/slack-go/slack/block_input.go3
-rw-r--r--vendor/github.com/slack-go/slack/bookmarks.go159
-rw-r--r--vendor/github.com/slack-go/slack/misc.go4
-rw-r--r--vendor/github.com/slack-go/slack/remotefiles.go316
-rw-r--r--vendor/github.com/slack-go/slack/status_code_error.go (renamed from vendor/github.com/slack-go/slack/internal/misc/misc.go)2
-rw-r--r--vendor/github.com/slack-go/slack/views.go37
-rw-r--r--vendor/github.com/slack-go/slack/webhooks.go8
-rw-r--r--vendor/github.com/slack-go/slack/websocket_managed_conn.go7
-rw-r--r--vendor/github.com/slack-go/slack/websocket_subteam.go4
10 files changed, 517 insertions, 31 deletions
diff --git a/vendor/github.com/slack-go/slack/README.md b/vendor/github.com/slack-go/slack/README.md
index 39b04ce8..9618aebc 100644
--- a/vendor/github.com/slack-go/slack/README.md
+++ b/vendor/github.com/slack-go/slack/README.md
@@ -39,7 +39,7 @@ func main() {
// If you set debugging, it will log all requests to the console
// Useful when encountering issues
// slack.New("YOUR_TOKEN_HERE", slack.OptionDebug(true))
- groups, err := api.GetUserGroups(false)
+ groups, err := api.GetUserGroups(slack.GetUserGroupsOptionIncludeUsers(false))
if err != nil {
fmt.Printf("%s\n", err)
return
@@ -86,7 +86,13 @@ See https://github.com/slack-go/slack/blob/master/examples/websocket/websocket.g
See https://github.com/slack-go/slack/blob/master/examples/eventsapi/events.go
+## Socketmode Event Handler (Experimental)
+When using socket mode, dealing with an event can be pretty lengthy as it requires you to route the event to the right place.
+
+Instead, you can use `SocketmodeHandler` much like you use an HTTP handler to register which event you would like to listen to and what callback function will process that event when it occurs.
+
+See [./examples/socketmode_handler/socketmode_handler.go](./examples/socketmode_handler/socketmode_handler.go)
## Contributing
You are more than welcome to contribute to this project. Fork and
diff --git a/vendor/github.com/slack-go/slack/block_input.go b/vendor/github.com/slack-go/slack/block_input.go
index 087571af..78ffcdb8 100644
--- a/vendor/github.com/slack-go/slack/block_input.go
+++ b/vendor/github.com/slack-go/slack/block_input.go
@@ -19,11 +19,12 @@ func (s InputBlock) BlockType() MessageBlockType {
}
// NewInputBlock returns a new instance of an input block
-func NewInputBlock(blockID string, label *TextBlockObject, element BlockElement) *InputBlock {
+func NewInputBlock(blockID string, label, hint *TextBlockObject, element BlockElement) *InputBlock {
return &InputBlock{
Type: MBTInput,
BlockID: blockID,
Label: label,
Element: element,
+ Hint: hint,
}
}
diff --git a/vendor/github.com/slack-go/slack/bookmarks.go b/vendor/github.com/slack-go/slack/bookmarks.go
new file mode 100644
index 00000000..78753507
--- /dev/null
+++ b/vendor/github.com/slack-go/slack/bookmarks.go
@@ -0,0 +1,159 @@
+package slack
+
+import (
+ "context"
+ "net/url"
+)
+
+type Bookmark struct {
+ ID string `json:"id"`
+ ChannelID string `json:"channel_id"`
+ Title string `json:"title"`
+ Link string `json:"link"`
+ Emoji string `json:"emoji"`
+ IconURL string `json:"icon_url"`
+ Type string `json:"type"`
+ Created JSONTime `json:"date_created"`
+ Updated JSONTime `json:"date_updated"`
+ Rank string `json:"rank"`
+
+ LastUpdatedByUserID string `json:"last_updated_by_user_id"`
+ LastUpdatedByTeamID string `json:"last_updated_by_team_id"`
+
+ ShortcutID string `json:"shortcut_id"`
+ EntityID string `json:"entity_id"`
+ AppID string `json:"app_id"`
+}
+
+type AddBookmarkParameters struct {
+ Title string // A required title for the bookmark
+ Type string // A required type for the bookmark
+ Link string // URL required for type:link
+ Emoji string // An optional emoji
+ EntityID string
+ ParentID string
+}
+
+type EditBookmarkParameters struct {
+ Title *string // Change the title. Set to "" to clear
+ Emoji *string // Change the emoji. Set to "" to clear
+ Link string // Change the link
+}
+
+type addBookmarkResponse struct {
+ Bookmark Bookmark `json:"bookmark"`
+ SlackResponse
+}
+
+type editBookmarkResponse struct {
+ Bookmark Bookmark `json:"bookmark"`
+ SlackResponse
+}
+
+type listBookmarksResponse struct {
+ Bookmarks []Bookmark `json:"bookmarks"`
+ SlackResponse
+}
+
+// AddBookmark adds a bookmark in a channel
+func (api *Client) AddBookmark(channelID string, params AddBookmarkParameters) (Bookmark, error) {
+ return api.AddBookmarkContext(context.Background(), channelID, params)
+}
+
+// AddBookmarkContext adds a bookmark in a channel with a custom context
+func (api *Client) AddBookmarkContext(ctx context.Context, channelID string, params AddBookmarkParameters) (Bookmark, error) {
+ values := url.Values{
+ "channel_id": {channelID},
+ "token": {api.token},
+ "title": {params.Title},
+ "type": {params.Type},
+ }
+ if params.Link != "" {
+ values.Set("link", params.Link)
+ }
+ if params.Emoji != "" {
+ values.Set("emoji", params.Emoji)
+ }
+ if params.EntityID != "" {
+ values.Set("entity_id", params.EntityID)
+ }
+ if params.ParentID != "" {
+ values.Set("parent_id", params.ParentID)
+ }
+
+ response := &addBookmarkResponse{}
+ if err := api.postMethod(ctx, "bookmarks.add", values, response); err != nil {
+ return Bookmark{}, err
+ }
+
+ return response.Bookmark, response.Err()
+}
+
+// RemoveBookmark removes a bookmark from a channel
+func (api *Client) RemoveBookmark(channelID, bookmarkID string) error {
+ return api.RemoveBookmarkContext(context.Background(), channelID, bookmarkID)
+}
+
+// RemoveBookmarkContext removes a bookmark from a channel with a custom context
+func (api *Client) RemoveBookmarkContext(ctx context.Context, channelID, bookmarkID string) error {
+ values := url.Values{
+ "channel_id": {channelID},
+ "token": {api.token},
+ "bookmark_id": {bookmarkID},
+ }
+
+ response := &SlackResponse{}
+ if err := api.postMethod(ctx, "bookmarks.remove", values, response); err != nil {
+ return err
+ }
+
+ return response.Err()
+}
+
+// ListBookmarks returns all bookmarks for a channel.
+func (api *Client) ListBookmarks(channelID string) ([]Bookmark, error) {
+ return api.ListBookmarksContext(context.Background(), channelID)
+}
+
+// ListBookmarksContext returns all bookmarks for a channel with a custom context.
+func (api *Client) ListBookmarksContext(ctx context.Context, channelID string) ([]Bookmark, error) {
+ values := url.Values{
+ "channel_id": {channelID},
+ "token": {api.token},
+ }
+
+ response := &listBookmarksResponse{}
+ err := api.postMethod(ctx, "bookmarks.list", values, response)
+ if err != nil {
+ return nil, err
+ }
+ return response.Bookmarks, response.Err()
+}
+
+func (api *Client) EditBookmark(channelID, bookmarkID string, params EditBookmarkParameters) (Bookmark, error) {
+ return api.EditBookmarkContext(context.Background(), channelID, bookmarkID, params)
+}
+
+func (api *Client) EditBookmarkContext(ctx context.Context, channelID, bookmarkID string, params EditBookmarkParameters) (Bookmark, error) {
+ values := url.Values{
+ "channel_id": {channelID},
+ "token": {api.token},
+ "bookmark_id": {bookmarkID},
+ }
+ if params.Link != "" {
+ values.Set("link", params.Link)
+ }
+ if params.Emoji != nil {
+ values.Set("emoji", *params.Emoji)
+ }
+ if params.Title != nil {
+ values.Set("title", *params.Title)
+ }
+
+ response := &editBookmarkResponse{}
+ if err := api.postMethod(ctx, "bookmarks.edit", values, response); err != nil {
+ return Bookmark{}, err
+ }
+
+ return response.Bookmark, response.Err()
+}
diff --git a/vendor/github.com/slack-go/slack/misc.go b/vendor/github.com/slack-go/slack/misc.go
index 804724d7..bb99f2c4 100644
--- a/vendor/github.com/slack-go/slack/misc.go
+++ b/vendor/github.com/slack-go/slack/misc.go
@@ -18,8 +18,6 @@ import (
"strconv"
"strings"
"time"
-
- "github.com/slack-go/slack/internal/misc"
)
// SlackResponse handles parsing out errors from the web api.
@@ -299,7 +297,7 @@ func checkStatusCode(resp *http.Response, d Debug) error {
// Slack seems to send an HTML body along with 5xx error codes. Don't parse it.
if resp.StatusCode != http.StatusOK {
logResponse(resp, d)
- return misc.StatusCodeError{Code: resp.StatusCode, Status: resp.Status}
+ return StatusCodeError{Code: resp.StatusCode, Status: resp.Status}
}
return nil
diff --git a/vendor/github.com/slack-go/slack/remotefiles.go b/vendor/github.com/slack-go/slack/remotefiles.go
new file mode 100644
index 00000000..8a908a8f
--- /dev/null
+++ b/vendor/github.com/slack-go/slack/remotefiles.go
@@ -0,0 +1,316 @@
+package slack
+
+import (
+ "context"
+ "fmt"
+ "io"
+ "net/url"
+ "strconv"
+ "strings"
+)
+
+const (
+ DEFAULT_REMOTE_FILES_CHANNEL = ""
+ DEFAULT_REMOTE_FILES_TS_FROM = 0
+ DEFAULT_REMOTE_FILES_TS_TO = -1
+ DEFAULT_REMOTE_FILES_COUNT = 100
+)
+
+// RemoteFile contains all the information for a remote file
+// For more details:
+// https://api.slack.com/messaging/files/remote
+type RemoteFile struct {
+ ID string `json:"id"`
+ Created JSONTime `json:"created"`
+ Timestamp JSONTime `json:"timestamp"`
+ Name string `json:"name"`
+ Title string `json:"title"`
+ Mimetype string `json:"mimetype"`
+ Filetype string `json:"filetype"`
+ PrettyType string `json:"pretty_type"`
+ User string `json:"user"`
+ Editable bool `json:"editable"`
+ Size int `json:"size"`
+ Mode string `json:"mode"`
+ IsExternal bool `json:"is_external"`
+ ExternalType string `json:"external_type"`
+ IsPublic bool `json:"is_public"`
+ PublicURLShared bool `json:"public_url_shared"`
+ DisplayAsBot bool `json:"display_as_bot"`
+ Username string `json:"username"`
+ URLPrivate string `json:"url_private"`
+ Permalink string `json:"permalink"`
+ CommentsCount int `json:"comments_count"`
+ IsStarred bool `json:"is_starred"`
+ Shares Share `json:"shares"`
+ Channels []string `json:"channels"`
+ Groups []string `json:"groups"`
+ IMs []string `json:"ims"`
+ ExternalID string `json:"external_id"`
+ ExternalURL string `json:"external_url"`
+ HasRichPreview bool `json:"has_rich_preview"`
+}
+
+// RemoteFileParameters contains required and optional parameters for a remote file.
+//
+// ExternalID is a user defined GUID, ExternalURL is where the remote file can be accessed,
+// and Title is the name of the file.
+//
+// For more details:
+// https://api.slack.com/methods/files.remote.add
+type RemoteFileParameters struct {
+ ExternalID string // required
+ ExternalURL string // required
+ Title string // required
+ Filetype string
+ IndexableFileContents string
+ PreviewImage string
+ PreviewImageReader io.Reader
+}
+
+// ListRemoteFilesParameters contains arguments for the ListRemoteFiles method.
+// For more details:
+// https://api.slack.com/methods/files.remote.list
+type ListRemoteFilesParameters struct {
+ Channel string
+ Cursor string
+ Limit int
+ TimestampFrom JSONTime
+ TimestampTo JSONTime
+}
+
+type remoteFileResponseFull struct {
+ RemoteFile `json:"file"`
+ Paging `json:"paging"`
+ Files []RemoteFile `json:"files"`
+ SlackResponse
+}
+
+func (api *Client) remoteFileRequest(ctx context.Context, path string, values url.Values) (*remoteFileResponseFull, error) {
+ response := &remoteFileResponseFull{}
+ err := api.postMethod(ctx, path, values, response)
+ if err != nil {
+ return nil, err
+ }
+
+ return response, response.Err()
+}
+
+// AddRemoteFile adds a remote file. Unlike regular files, remote files must be explicitly shared.
+// For more details:
+// https://api.slack.com/methods/files.remote.add
+func (api *Client) AddRemoteFile(params RemoteFileParameters) (*RemoteFile, error) {
+ return api.AddRemoteFileContext(context.Background(), params)
+}
+
+// AddRemoteFileContext adds a remote file and setting a custom context
+// For more details see the AddRemoteFile documentation.
+func (api *Client) AddRemoteFileContext(ctx context.Context, params RemoteFileParameters) (remotefile *RemoteFile, err error) {
+ if params.ExternalID == "" || params.ExternalURL == "" || params.Title == "" {
+ return nil, ErrParametersMissing
+ }
+ response := &remoteFileResponseFull{}
+ values := url.Values{
+ "token": {api.token},
+ "external_id": {params.ExternalID},
+ "external_url": {params.ExternalURL},
+ "title": {params.Title},
+ }
+ if params.Filetype != "" {
+ values.Add("filetype", params.Filetype)
+ }
+ if params.IndexableFileContents != "" {
+ values.Add("indexable_file_contents", params.IndexableFileContents)
+ }
+ if params.PreviewImage != "" {
+ err = postLocalWithMultipartResponse(ctx, api.httpclient, api.endpoint+"files.remote.add", params.PreviewImage, "preview_image", api.token, values, response, api)
+ } else if params.PreviewImageReader != nil {
+ err = postWithMultipartResponse(ctx, api.httpclient, api.endpoint+"files.remote.add", "preview.png", "preview_image", api.token, values, params.PreviewImageReader, response, api)
+ } else {
+ response, err = api.remoteFileRequest(ctx, "files.remote.add", values)
+ }
+
+ if err != nil {
+ return nil, err
+ }
+
+ return &response.RemoteFile, response.Err()
+}
+
+// ListRemoteFiles retrieves all remote files according to the parameters given. Uses cursor based pagination.
+// For more details:
+// https://api.slack.com/methods/files.remote.list
+func (api *Client) ListRemoteFiles(params ListRemoteFilesParameters) ([]RemoteFile, error) {
+ return api.ListRemoteFilesContext(context.Background(), params)
+}
+
+// ListRemoteFilesContext retrieves all remote files according to the parameters given with a custom context. Uses cursor based pagination.
+// For more details see the ListRemoteFiles documentation.
+func (api *Client) ListRemoteFilesContext(ctx context.Context, params ListRemoteFilesParameters) ([]RemoteFile, error) {
+ values := url.Values{
+ "token": {api.token},
+ }
+ if params.Channel != DEFAULT_REMOTE_FILES_CHANNEL {
+ values.Add("channel", params.Channel)
+ }
+ if params.TimestampFrom != DEFAULT_REMOTE_FILES_TS_FROM {
+ values.Add("ts_from", strconv.FormatInt(int64(params.TimestampFrom), 10))
+ }
+ if params.TimestampTo != DEFAULT_REMOTE_FILES_TS_TO {
+ values.Add("ts_to", strconv.FormatInt(int64(params.TimestampTo), 10))
+ }
+ if params.Limit != DEFAULT_REMOTE_FILES_COUNT {
+ values.Add("limit", strconv.Itoa(params.Limit))
+ }
+ if params.Cursor != "" {
+ values.Add("cursor", params.Cursor)
+ }
+
+ response, err := api.remoteFileRequest(ctx, "files.remote.list", values)
+ if err != nil {
+ return nil, err
+ }
+
+ params.Cursor = response.SlackResponse.ResponseMetadata.Cursor
+
+ return response.Files, nil
+}
+
+// GetRemoteFileInfo retrieves the complete remote file information.
+// For more details:
+// https://api.slack.com/methods/files.remote.info
+func (api *Client) GetRemoteFileInfo(externalID, fileID string) (remotefile *RemoteFile, err error) {
+ return api.GetRemoteFileInfoContext(context.Background(), externalID, fileID)
+}
+
+// GetRemoteFileInfoContext retrieves the complete remote file information given with a custom context.
+// For more details see the GetRemoteFileInfo documentation.
+func (api *Client) GetRemoteFileInfoContext(ctx context.Context, externalID, fileID string) (remotefile *RemoteFile, err error) {
+ if fileID == "" && externalID == "" {
+ return nil, fmt.Errorf("either externalID or fileID is required")
+ }
+ if fileID != "" && externalID != "" {
+ return nil, fmt.Errorf("don't provide both externalID and fileID")
+ }
+ values := url.Values{
+ "token": {api.token},
+ }
+ if fileID != "" {
+ values.Add("file", fileID)
+ }
+ if externalID != "" {
+ values.Add("external_id", externalID)
+ }
+ response, err := api.remoteFileRequest(ctx, "files.remote.info", values)
+ if err != nil {
+ return nil, err
+ }
+ return &response.RemoteFile, err
+}
+
+// ShareRemoteFile shares a remote file to channels
+// For more details:
+// https://api.slack.com/methods/files.remote.share
+func (api *Client) ShareRemoteFile(channels []string, externalID, fileID string) (file *RemoteFile, err error) {
+ return api.ShareRemoteFileContext(context.Background(), channels, externalID, fileID)
+}
+
+// ShareRemoteFileContext shares a remote file to channels with a custom context.
+// For more details see the ShareRemoteFile documentation.
+func (api *Client) ShareRemoteFileContext(ctx context.Context, channels []string, externalID, fileID string) (file *RemoteFile, err error) {
+ if channels == nil || len(channels) == 0 {
+ return nil, ErrParametersMissing
+ }
+ if fileID == "" && externalID == "" {
+ return nil, fmt.Errorf("either externalID or fileID is required")
+ }
+ values := url.Values{
+ "token": {api.token},
+ "channels": {strings.Join(channels, ",")},
+ }
+ if fileID != "" {
+ values.Add("file", fileID)
+ }
+ if externalID != "" {
+ values.Add("external_id", externalID)
+ }
+ response, err := api.remoteFileRequest(ctx, "files.remote.share", values)
+ if err != nil {
+ return nil, err
+ }
+ return &response.RemoteFile, err
+}
+
+// UpdateRemoteFile updates a remote file
+// For more details:
+// https://api.slack.com/methods/files.remote.update
+func (api *Client) UpdateRemoteFile(fileID string, params RemoteFileParameters) (remotefile *RemoteFile, err error) {
+ return api.UpdateRemoteFileContext(context.Background(), fileID, params)
+}
+
+// UpdateRemoteFileContext updates a remote file with a custom context
+// For more details see the UpdateRemoteFile documentation.
+func (api *Client) UpdateRemoteFileContext(ctx context.Context, fileID string, params RemoteFileParameters) (remotefile *RemoteFile, err error) {
+ response := &remoteFileResponseFull{}
+ values := url.Values{
+ "token": {api.token},
+ }
+ if fileID != "" {
+ values.Add("file", fileID)
+ }
+ if params.ExternalID != "" {
+ values.Add("external_id", params.ExternalID)
+ }
+ if params.ExternalURL != "" {
+ values.Add("external_url", params.ExternalURL)
+ }
+ if params.Title != "" {
+ values.Add("title", params.Title)
+ }
+ if params.Filetype != "" {
+ values.Add("filetype", params.Filetype)
+ }
+ if params.IndexableFileContents != "" {
+ values.Add("indexable_file_contents", params.IndexableFileContents)
+ }
+ if params.PreviewImageReader != nil {
+ err = postWithMultipartResponse(ctx, api.httpclient, api.endpoint+"files.remote.update", "preview.png", "preview_image", api.token, values, params.PreviewImageReader, response, api)
+ } else {
+ response, err = api.remoteFileRequest(ctx, "files.remote.update", values)
+ }
+
+ if err != nil {
+ return nil, err
+ }
+
+ return &response.RemoteFile, response.Err()
+}
+
+// RemoveRemoteFile removes a remote file.
+// For more details:
+// https://api.slack.com/methods/files.remote.remove
+func (api *Client) RemoveRemoteFile(externalID, fileID string) (err error) {
+ return api.RemoveRemoteFileContext(context.Background(), externalID, fileID)
+}
+
+// RemoveRemoteFileContext removes a remote file with a custom context
+// For more information see the RemoveRemoteFiles documentation.
+func (api *Client) RemoveRemoteFileContext(ctx context.Context, externalID, fileID string) (err error) {
+ if fileID == "" && externalID == "" {
+ return fmt.Errorf("either externalID or fileID is required")
+ }
+ if fileID != "" && externalID != "" {
+ return fmt.Errorf("don't provide both externalID and fileID")
+ }
+ values := url.Values{
+ "token": {api.token},
+ }
+ if fileID != "" {
+ values.Add("file", fileID)
+ }
+ if externalID != "" {
+ values.Add("external_id", externalID)
+ }
+ _, err = api.remoteFileRequest(ctx, "files.remote.remove", values)
+ return err
+}
diff --git a/vendor/github.com/slack-go/slack/internal/misc/misc.go b/vendor/github.com/slack-go/slack/status_code_error.go
index eab8cdd8..7347137a 100644
--- a/vendor/github.com/slack-go/slack/internal/misc/misc.go
+++ b/vendor/github.com/slack-go/slack/status_code_error.go
@@ -1,4 +1,4 @@
-package misc
+package slack
import (
"fmt"
diff --git a/vendor/github.com/slack-go/slack/views.go b/vendor/github.com/slack-go/slack/views.go
index a3a1bd05..e6a96178 100644
--- a/vendor/github.com/slack-go/slack/views.go
+++ b/vendor/github.com/slack-go/slack/views.go
@@ -18,24 +18,25 @@ type ViewState struct {
type View struct {
SlackResponse
- ID string `json:"id"`
- TeamID string `json:"team_id"`
- Type ViewType `json:"type"`
- Title *TextBlockObject `json:"title"`
- Close *TextBlockObject `json:"close"`
- Submit *TextBlockObject `json:"submit"`
- Blocks Blocks `json:"blocks"`
- PrivateMetadata string `json:"private_metadata"`
- CallbackID string `json:"callback_id"`
- State *ViewState `json:"state"`
- Hash string `json:"hash"`
- ClearOnClose bool `json:"clear_on_close"`
- NotifyOnClose bool `json:"notify_on_close"`
- RootViewID string `json:"root_view_id"`
- PreviousViewID string `json:"previous_view_id"`
- AppID string `json:"app_id"`
- ExternalID string `json:"external_id"`
- BotID string `json:"bot_id"`
+ ID string `json:"id"`
+ TeamID string `json:"team_id"`
+ Type ViewType `json:"type"`
+ Title *TextBlockObject `json:"title"`
+ Close *TextBlockObject `json:"close"`
+ Submit *TextBlockObject `json:"submit"`
+ Blocks Blocks `json:"blocks"`
+ PrivateMetadata string `json:"private_metadata"`
+ CallbackID string `json:"callback_id"`
+ State *ViewState `json:"state"`
+ Hash string `json:"hash"`
+ ClearOnClose bool `json:"clear_on_close"`
+ NotifyOnClose bool `json:"notify_on_close"`
+ RootViewID string `json:"root_view_id"`
+ PreviousViewID string `json:"previous_view_id"`
+ AppID string `json:"app_id"`
+ ExternalID string `json:"external_id"`
+ BotID string `json:"bot_id"`
+ AppInstalledTeamID string `json:"app_installed_team_id"`
}
type ViewSubmissionCallbackResponseURL struct {
diff --git a/vendor/github.com/slack-go/slack/webhooks.go b/vendor/github.com/slack-go/slack/webhooks.go
index 15097f03..2f8fb47f 100644
--- a/vendor/github.com/slack-go/slack/webhooks.go
+++ b/vendor/github.com/slack-go/slack/webhooks.go
@@ -5,6 +5,8 @@ import (
"context"
"encoding/json"
"fmt"
+ "io"
+ "io/ioutil"
"net/http"
)
@@ -21,6 +23,7 @@ type WebhookMessage struct {
ResponseType string `json:"response_type,omitempty"`
ReplaceOriginal bool `json:"replace_original,omitempty"`
DeleteOriginal bool `json:"delete_original,omitempty"`
+ ReplyBroadcast bool `json:"reply_broadcast,omitempty"`
}
func PostWebhook(url string, msg *WebhookMessage) error {
@@ -51,7 +54,10 @@ func PostWebhookCustomHTTPContext(ctx context.Context, url string, httpClient *h
if err != nil {
return fmt.Errorf("failed to post webhook: %w", err)
}
- defer resp.Body.Close()
+ defer func() {
+ io.Copy(ioutil.Discard, resp.Body)
+ resp.Body.Close()
+ }()
return checkStatusCode(resp, discard{})
}
diff --git a/vendor/github.com/slack-go/slack/websocket_managed_conn.go b/vendor/github.com/slack-go/slack/websocket_managed_conn.go
index 92536171..14dea219 100644
--- a/vendor/github.com/slack-go/slack/websocket_managed_conn.go
+++ b/vendor/github.com/slack-go/slack/websocket_managed_conn.go
@@ -13,7 +13,6 @@ import (
"github.com/slack-go/slack/internal/backoff"
"github.com/slack-go/slack/internal/errorsx"
- "github.com/slack-go/slack/internal/misc"
"github.com/slack-go/slack/internal/timex"
)
@@ -127,7 +126,7 @@ func (rtm *RTM) connect(connectionCount int, useRTMStart bool) (*Info, *websocke
}
switch actual := err.(type) {
- case misc.StatusCodeError:
+ case StatusCodeError:
if actual.Code == http.StatusNotFound {
rtm.Debugf("invalid auth when connecting with RTM: %s", err)
rtm.IncomingEvents <- RTMEvent{"invalid_auth", &InvalidAuthEvent{}}
@@ -475,7 +474,7 @@ func (rtm *RTM) handleEvent(typeStr string, event json.RawMessage) {
v, exists := EventMapping[typeStr]
if !exists {
rtm.Debugf("RTM Error - received unmapped event %q: %s\n", typeStr, string(event))
- err := fmt.Errorf("RTM Error: Received unmapped event %q: %s", typeStr, string(event))
+ err := fmt.Errorf("RTM Error: Received unmapped event %q", typeStr)
rtm.IncomingEvents <- RTMEvent{"unmarshalling_error", &UnmarshallingErrorEvent{err}}
return
}
@@ -484,7 +483,7 @@ func (rtm *RTM) handleEvent(typeStr string, event json.RawMessage) {
err := json.Unmarshal(event, recvEvent)
if err != nil {
rtm.Debugf("RTM Error, could not unmarshall event %q: %s\n", typeStr, string(event))
- err := fmt.Errorf("RTM Error: Could not unmarshall event %q: %s", typeStr, string(event))
+ err := fmt.Errorf("RTM Error: Could not unmarshall event %q", typeStr)
rtm.IncomingEvents <- RTMEvent{"unmarshalling_error", &UnmarshallingErrorEvent{err}}
return
}
diff --git a/vendor/github.com/slack-go/slack/websocket_subteam.go b/vendor/github.com/slack-go/slack/websocket_subteam.go
index a23b274c..2f618733 100644
--- a/vendor/github.com/slack-go/slack/websocket_subteam.go
+++ b/vendor/github.com/slack-go/slack/websocket_subteam.go
@@ -14,9 +14,9 @@ type SubteamMembersChangedEvent struct {
DatePreviousUpdate JSONTime `json:"date_previous_update"`
DateUpdate JSONTime `json:"date_update"`
AddedUsers []string `json:"added_users"`
- AddedUsersCount string `json:"added_users_count"`
+ AddedUsersCount int `json:"added_users_count"`
RemovedUsers []string `json:"removed_users"`
- RemovedUsersCount string `json:"removed_users_count"`
+ RemovedUsersCount int `json:"removed_users_count"`
}
// SubteamSelfAddedEvent represents an event of you have been added to a User Group