Documentation ¶
Overview ¶
The plugin package is used by Mattermost server plugins written in go. It also enables the Mattermost server to manage and interact with the running plugin environment.
Note that this package exports a large number of types prefixed with Z_. These are public only to allow their use with Hashicorp's go-plugin (and net/rpc). Do not use these directly.
Example (HelloWorld) ¶
This example demonstrates a plugin that handles HTTP requests which respond by greeting the world.
package main import ( "fmt" "net/http" "github.com/mattermost/mattermost-server/v5/plugin" ) // HelloWorldPlugin implements the interface expected by the Mattermost server to communicate // between the server and plugin processes. type HelloWorldPlugin struct { plugin.MattermostPlugin } // ServeHTTP demonstrates a plugin that handles HTTP requests by greeting the world. func (p *HelloWorldPlugin) ServeHTTP(c *plugin.Context, w http.ResponseWriter, r *http.Request) { fmt.Fprint(w, "Hello, world!") } // This example demonstrates a plugin that handles HTTP requests which respond by greeting the // world. func main() { plugin.ClientMain(&HelloWorldPlugin{}) }
Output:
Example (HelpPlugin) ¶
package main import ( "strings" "sync" "github.com/pkg/errors" "github.com/mattermost/mattermost-server/v5/model" "github.com/mattermost/mattermost-server/v5/plugin" ) // configuration represents the configuration for this plugin as exposed via the Mattermost // server configuration. type configuration struct { TeamName string ChannelName string // channelID is resolved when the public configuration fields above change channelID string } // HelpPlugin implements the interface expected by the Mattermost server to communicate // between the server and plugin processes. type HelpPlugin struct { plugin.MattermostPlugin // configurationLock synchronizes access to the configuration. configurationLock sync.RWMutex // configuration is the active plugin configuration. Consult getConfiguration and // setConfiguration for usage. configuration *configuration } // getConfiguration retrieves the active configuration under lock, making it safe to use // concurrently. The active configuration may change underneath the client of this method, but // the struct returned by this API call is considered immutable. func (p *HelpPlugin) getConfiguration() *configuration { p.configurationLock.RLock() defer p.configurationLock.RUnlock() if p.configuration == nil { return &configuration{} } return p.configuration } // setConfiguration replaces the active configuration under lock. // // Do not call setConfiguration while holding the configurationLock, as sync.Mutex is not // reentrant. func (p *HelpPlugin) setConfiguration(configuration *configuration) { // Replace the active configuration under lock. p.configurationLock.Lock() defer p.configurationLock.Unlock() p.configuration = configuration } // OnConfigurationChange updates the active configuration for this plugin under lock. func (p *HelpPlugin) OnConfigurationChange() error { var configuration = new(configuration) // Load the public configuration fields from the Mattermost server configuration. if err := p.API.LoadPluginConfiguration(configuration); err != nil { return errors.Wrap(err, "failed to load plugin configuration") } team, err := p.API.GetTeamByName(configuration.TeamName) if err != nil { return errors.Wrapf(err, "failed to find team %s", configuration.TeamName) } channel, err := p.API.GetChannelByName(configuration.ChannelName, team.Id, false) if err != nil { return errors.Wrapf(err, "failed to find channel %s", configuration.ChannelName) } configuration.channelID = channel.Id p.setConfiguration(configuration) return nil } // MessageHasBeenPosted automatically replies to posts that plea for help. func (p *HelpPlugin) MessageHasBeenPosted(c *plugin.Context, post *model.Post) { configuration := p.getConfiguration() // Ignore posts not in the configured channel if post.ChannelId != configuration.channelID { return } // Ignore posts this plugin made. if sentByPlugin, _ := post.GetProp("sent_by_plugin").(bool); sentByPlugin { return } // Ignore posts without a plea for help. if !strings.Contains(post.Message, "help") { return } p.API.SendEphemeralPost(post.UserId, &model.Post{ ChannelId: configuration.channelID, Message: "You asked for help? Checkout https://about.mattermost.com/help/", Props: map[string]interface{}{ "sent_by_plugin": true, }, }) } func main() { plugin.ClientMain(&HelpPlugin{}) }
Output:
Index ¶
- Constants
- Variables
- func ClientMain(pluginImplementation interface{})
- type API
- type Context
- type EnsureBotOption
- type Environment
- func (env *Environment) Activate(id string) (manifest *model.Manifest, activated bool, reterr error)
- func (env *Environment) Active() []*model.BundleInfo
- func (env *Environment) Available() ([]*model.BundleInfo, error)
- func (env *Environment) Deactivate(id string) bool
- func (env *Environment) GetManifest(pluginId string) (*model.Manifest, error)
- func (env *Environment) GetPluginHealthCheckJob() *PluginHealthCheckJob
- func (env *Environment) GetPluginState(id string) int
- func (env *Environment) HooksForPlugin(id string) (Hooks, error)
- func (env *Environment) InitPluginHealthCheckJob(enable bool)
- func (env *Environment) IsActive(id string) bool
- func (env *Environment) PrepackagedPlugins() []*PrepackagedPlugin
- func (env *Environment) PublicFilesPath(id string) (string, error)
- func (env *Environment) RemovePlugin(id string)
- func (env *Environment) RestartPlugin(id string) error
- func (env *Environment) RunMultiPluginHook(hookRunnerFunc func(hooks Hooks) bool, hookId int)
- func (env *Environment) SetPrepackagedPlugins(plugins []*PrepackagedPlugin)
- func (env *Environment) Shutdown()
- func (env *Environment) Statuses() (model.PluginStatuses, error)
- func (env *Environment) UnpackWebappBundle(id string) (*model.Manifest, error)
- type ErrorString
- type Helpers
- type HelpersImpl
- func (p *HelpersImpl) CheckRequiredServerConfiguration(req *model.Config) (bool, error)
- func (p *HelpersImpl) EnsureBot(bot *model.Bot, options ...EnsureBotOption) (retBotID string, retErr error)
- func (p *HelpersImpl) GetPluginAssetURL(pluginID, asset string) (string, error)
- func (p *HelpersImpl) InstallPluginFromURL(downloadURL string, replace bool) (*model.Manifest, error)
- func (p *HelpersImpl) KVCompareAndDeleteJSON(key string, oldValue interface{}) (bool, error)
- func (p *HelpersImpl) KVCompareAndSetJSON(key string, oldValue interface{}, newValue interface{}) (bool, error)
- func (p *HelpersImpl) KVGetJSON(key string, value interface{}) (bool, error)
- func (p *HelpersImpl) KVListWithOptions(options ...KVListOption) ([]string, error)
- func (p *HelpersImpl) KVSetJSON(key string, value interface{}) error
- func (p *HelpersImpl) KVSetWithExpiryJSON(key string, value interface{}, expireInSeconds int64) error
- func (p *HelpersImpl) ShouldProcessMessage(post *model.Post, options ...ShouldProcessMessageOption) (bool, error)
- type Hooks
- type KVListOption
- type MattermostPlugin
- type PluginHealthCheckJob
- type PrepackagedPlugin
- type ShouldProcessMessageOption
- func AllowBots() ShouldProcessMessageOption
- func AllowSystemMessages() ShouldProcessMessageOption
- func AllowWebhook() ShouldProcessMessageOption
- func FilterChannelIDs(filterChannelIDs []string) ShouldProcessMessageOption
- func FilterUserIDs(filterUserIDs []string) ShouldProcessMessageOption
- func OnlyBotDMs() ShouldProcessMessageOption
- type Z_AddChannelMemberArgs
- type Z_AddChannelMemberReturns
- type Z_AddReactionArgs
- type Z_AddReactionReturns
- type Z_AddUserToChannelArgs
- type Z_AddUserToChannelReturns
- type Z_ChannelHasBeenCreatedArgs
- type Z_ChannelHasBeenCreatedReturns
- type Z_CopyFileInfosArgs
- type Z_CopyFileInfosReturns
- type Z_CreateBotArgs
- type Z_CreateBotReturns
- type Z_CreateChannelArgs
- type Z_CreateChannelReturns
- type Z_CreatePostArgs
- type Z_CreatePostReturns
- type Z_CreateTeamArgs
- type Z_CreateTeamMemberArgs
- type Z_CreateTeamMemberReturns
- type Z_CreateTeamMembersArgs
- type Z_CreateTeamMembersGracefullyArgs
- type Z_CreateTeamMembersGracefullyReturns
- type Z_CreateTeamMembersReturns
- type Z_CreateTeamReturns
- type Z_CreateUserArgs
- type Z_CreateUserReturns
- type Z_DeleteBotIconImageArgs
- type Z_DeleteBotIconImageReturns
- type Z_DeleteChannelArgs
- type Z_DeleteChannelMemberArgs
- type Z_DeleteChannelMemberReturns
- type Z_DeleteChannelReturns
- type Z_DeleteEphemeralPostArgs
- type Z_DeleteEphemeralPostReturns
- type Z_DeletePostArgs
- type Z_DeletePostReturns
- type Z_DeleteTeamArgs
- type Z_DeleteTeamMemberArgs
- type Z_DeleteTeamMemberReturns
- type Z_DeleteTeamReturns
- type Z_DeleteUserArgs
- type Z_DeleteUserReturns
- type Z_DisablePluginArgs
- type Z_DisablePluginReturns
- type Z_EnablePluginArgs
- type Z_EnablePluginReturns
- type Z_ExecuteCommandArgs
- type Z_ExecuteCommandReturns
- type Z_FileWillBeUploadedArgs
- type Z_FileWillBeUploadedReturns
- type Z_GetBotArgs
- type Z_GetBotIconImageArgs
- type Z_GetBotIconImageReturns
- type Z_GetBotReturns
- type Z_GetBotsArgs
- type Z_GetBotsReturns
- type Z_GetBundlePathArgs
- type Z_GetBundlePathReturns
- type Z_GetChannelArgs
- type Z_GetChannelByNameArgs
- type Z_GetChannelByNameForTeamNameArgs
- type Z_GetChannelByNameForTeamNameReturns
- type Z_GetChannelByNameReturns
- type Z_GetChannelMemberArgs
- type Z_GetChannelMemberReturns
- type Z_GetChannelMembersArgs
- type Z_GetChannelMembersByIdsArgs
- type Z_GetChannelMembersByIdsReturns
- type Z_GetChannelMembersForUserArgs
- type Z_GetChannelMembersForUserReturns
- type Z_GetChannelMembersReturns
- type Z_GetChannelReturns
- type Z_GetChannelStatsArgs
- type Z_GetChannelStatsReturns
- type Z_GetChannelsForTeamForUserArgs
- type Z_GetChannelsForTeamForUserReturns
- type Z_GetConfigArgs
- type Z_GetConfigReturns
- type Z_GetDiagnosticIdArgs
- type Z_GetDiagnosticIdReturns
- type Z_GetDirectChannelArgs
- type Z_GetDirectChannelReturns
- type Z_GetEmojiArgs
- type Z_GetEmojiByNameArgs
- type Z_GetEmojiByNameReturns
- type Z_GetEmojiImageArgs
- type Z_GetEmojiImageReturns
- type Z_GetEmojiListArgs
- type Z_GetEmojiListReturns
- type Z_GetEmojiReturns
- type Z_GetFileArgs
- type Z_GetFileInfoArgs
- type Z_GetFileInfoReturns
- type Z_GetFileInfosArgs
- type Z_GetFileInfosReturns
- type Z_GetFileLinkArgs
- type Z_GetFileLinkReturns
- type Z_GetFileReturns
- type Z_GetGroupArgs
- type Z_GetGroupByNameArgs
- type Z_GetGroupByNameReturns
- type Z_GetGroupChannelArgs
- type Z_GetGroupChannelReturns
- type Z_GetGroupReturns
- type Z_GetGroupsForUserArgs
- type Z_GetGroupsForUserReturns
- type Z_GetLDAPUserAttributesArgs
- type Z_GetLDAPUserAttributesReturns
- type Z_GetLicenseArgs
- type Z_GetLicenseReturns
- type Z_GetPluginConfigArgs
- type Z_GetPluginConfigReturns
- type Z_GetPluginStatusArgs
- type Z_GetPluginStatusReturns
- type Z_GetPluginsArgs
- type Z_GetPluginsReturns
- type Z_GetPostArgs
- type Z_GetPostReturns
- type Z_GetPostThreadArgs
- type Z_GetPostThreadReturns
- type Z_GetPostsAfterArgs
- type Z_GetPostsAfterReturns
- type Z_GetPostsBeforeArgs
- type Z_GetPostsBeforeReturns
- type Z_GetPostsForChannelArgs
- type Z_GetPostsForChannelReturns
- type Z_GetPostsSinceArgs
- type Z_GetPostsSinceReturns
- type Z_GetProfileImageArgs
- type Z_GetProfileImageReturns
- type Z_GetPublicChannelsForTeamArgs
- type Z_GetPublicChannelsForTeamReturns
- type Z_GetReactionsArgs
- type Z_GetReactionsReturns
- type Z_GetServerVersionArgs
- type Z_GetServerVersionReturns
- type Z_GetSessionArgs
- type Z_GetSessionReturns
- type Z_GetSystemInstallDateArgs
- type Z_GetSystemInstallDateReturns
- type Z_GetTeamArgs
- type Z_GetTeamByNameArgs
- type Z_GetTeamByNameReturns
- type Z_GetTeamIconArgs
- type Z_GetTeamIconReturns
- type Z_GetTeamMemberArgs
- type Z_GetTeamMemberReturns
- type Z_GetTeamMembersArgs
- type Z_GetTeamMembersForUserArgs
- type Z_GetTeamMembersForUserReturns
- type Z_GetTeamMembersReturns
- type Z_GetTeamReturns
- type Z_GetTeamStatsArgs
- type Z_GetTeamStatsReturns
- type Z_GetTeamsArgs
- type Z_GetTeamsForUserArgs
- type Z_GetTeamsForUserReturns
- type Z_GetTeamsReturns
- type Z_GetTeamsUnreadForUserArgs
- type Z_GetTeamsUnreadForUserReturns
- type Z_GetUnsanitizedConfigArgs
- type Z_GetUnsanitizedConfigReturns
- type Z_GetUserArgs
- type Z_GetUserByEmailArgs
- type Z_GetUserByEmailReturns
- type Z_GetUserByUsernameArgs
- type Z_GetUserByUsernameReturns
- type Z_GetUserReturns
- type Z_GetUserStatusArgs
- type Z_GetUserStatusReturns
- type Z_GetUserStatusesByIdsArgs
- type Z_GetUserStatusesByIdsReturns
- type Z_GetUsersArgs
- type Z_GetUsersByUsernamesArgs
- type Z_GetUsersByUsernamesReturns
- type Z_GetUsersInChannelArgs
- type Z_GetUsersInChannelReturns
- type Z_GetUsersInTeamArgs
- type Z_GetUsersInTeamReturns
- type Z_GetUsersReturns
- type Z_HasPermissionToArgs
- type Z_HasPermissionToChannelArgs
- type Z_HasPermissionToChannelReturns
- type Z_HasPermissionToReturns
- type Z_HasPermissionToTeamArgs
- type Z_HasPermissionToTeamReturns
- type Z_InstallPluginArgs
- type Z_InstallPluginReturns
- type Z_KVCompareAndDeleteArgs
- type Z_KVCompareAndDeleteReturns
- type Z_KVCompareAndSetArgs
- type Z_KVCompareAndSetReturns
- type Z_KVDeleteAllArgs
- type Z_KVDeleteAllReturns
- type Z_KVDeleteArgs
- type Z_KVDeleteReturns
- type Z_KVGetArgs
- type Z_KVGetReturns
- type Z_KVListArgs
- type Z_KVListReturns
- type Z_KVSetArgs
- type Z_KVSetReturns
- type Z_KVSetWithExpiryArgs
- type Z_KVSetWithExpiryReturns
- type Z_KVSetWithOptionsArgs
- type Z_KVSetWithOptionsReturns
- type Z_LoadPluginConfigurationArgsArgs
- type Z_LoadPluginConfigurationArgsReturns
- type Z_LogDebugArgs
- type Z_LogDebugReturns
- type Z_LogErrorArgs
- type Z_LogErrorReturns
- type Z_LogInfoArgs
- type Z_LogInfoReturns
- type Z_LogWarnArgs
- type Z_LogWarnReturns
- type Z_MessageHasBeenPostedArgs
- type Z_MessageHasBeenPostedReturns
- type Z_MessageHasBeenUpdatedArgs
- type Z_MessageHasBeenUpdatedReturns
- type Z_MessageWillBePostedArgs
- type Z_MessageWillBePostedReturns
- type Z_MessageWillBeUpdatedArgs
- type Z_MessageWillBeUpdatedReturns
- type Z_OnActivateArgs
- type Z_OnActivateReturns
- type Z_OnConfigurationChangeArgs
- type Z_OnConfigurationChangeReturns
- type Z_OnDeactivateArgs
- type Z_OnDeactivateReturns
- type Z_OpenInteractiveDialogArgs
- type Z_OpenInteractiveDialogReturns
- type Z_PatchBotArgs
- type Z_PatchBotReturns
- type Z_PermanentDeleteBotArgs
- type Z_PermanentDeleteBotReturns
- type Z_PluginHTTPArgs
- type Z_PluginHTTPReturns
- type Z_PublishWebSocketEventArgs
- type Z_PublishWebSocketEventReturns
- type Z_ReadFileArgs
- type Z_ReadFileReturns
- type Z_RegisterCommandArgs
- type Z_RegisterCommandReturns
- type Z_RemovePluginArgs
- type Z_RemovePluginReturns
- type Z_RemoveReactionArgs
- type Z_RemoveReactionReturns
- type Z_RemoveTeamIconArgs
- type Z_RemoveTeamIconReturns
- type Z_SaveConfigArgs
- type Z_SaveConfigReturns
- type Z_SavePluginConfigArgs
- type Z_SavePluginConfigReturns
- type Z_SearchChannelsArgs
- type Z_SearchChannelsReturns
- type Z_SearchPostsInTeamArgs
- type Z_SearchPostsInTeamReturns
- type Z_SearchTeamsArgs
- type Z_SearchTeamsReturns
- type Z_SearchUsersArgs
- type Z_SearchUsersReturns
- type Z_SendEphemeralPostArgs
- type Z_SendEphemeralPostReturns
- type Z_SendMailArgs
- type Z_SendMailReturns
- type Z_ServeHTTPArgs
- type Z_SetBotIconImageArgs
- type Z_SetBotIconImageReturns
- type Z_SetProfileImageArgs
- type Z_SetProfileImageReturns
- type Z_SetTeamIconArgs
- type Z_SetTeamIconReturns
- type Z_UnregisterCommandArgs
- type Z_UnregisterCommandReturns
- type Z_UpdateBotActiveArgs
- type Z_UpdateBotActiveReturns
- type Z_UpdateChannelArgs
- type Z_UpdateChannelMemberNotificationsArgs
- type Z_UpdateChannelMemberNotificationsReturns
- type Z_UpdateChannelMemberRolesArgs
- type Z_UpdateChannelMemberRolesReturns
- type Z_UpdateChannelReturns
- type Z_UpdateEphemeralPostArgs
- type Z_UpdateEphemeralPostReturns
- type Z_UpdatePostArgs
- type Z_UpdatePostReturns
- type Z_UpdateTeamArgs
- type Z_UpdateTeamMemberRolesArgs
- type Z_UpdateTeamMemberRolesReturns
- type Z_UpdateTeamReturns
- type Z_UpdateUserActiveArgs
- type Z_UpdateUserActiveReturns
- type Z_UpdateUserArgs
- type Z_UpdateUserReturns
- type Z_UpdateUserStatusArgs
- type Z_UpdateUserStatusReturns
- type Z_UploadFileArgs
- type Z_UploadFileReturns
- type Z_UserHasBeenCreatedArgs
- type Z_UserHasBeenCreatedReturns
- type Z_UserHasJoinedChannelArgs
- type Z_UserHasJoinedChannelReturns
- type Z_UserHasJoinedTeamArgs
- type Z_UserHasJoinedTeamReturns
- type Z_UserHasLeftChannelArgs
- type Z_UserHasLeftChannelReturns
- type Z_UserHasLeftTeamArgs
- type Z_UserHasLeftTeamReturns
- type Z_UserHasLoggedInArgs
- type Z_UserHasLoggedInReturns
- type Z_UserWillLogInArgs
- type Z_UserWillLogInReturns
Examples ¶
Constants ¶
const ( INTERNAL_KEY_PREFIX = "mmi_" BOT_USER_KEY = INTERNAL_KEY_PREFIX + "botid" )
const ( HEALTH_CHECK_INTERVAL = 30 * time.Second // How often the health check should run HEALTH_CHECK_DEACTIVATION_WINDOW = 60 * time.Minute // How long we wait for num fails to occur before deactivating the plugin HEALTH_CHECK_PING_FAIL_LIMIT = 3 // How many times we call RPC ping in a row before it is considered a failure HEALTH_CHECK_NUM_RESTARTS_LIMIT = 3 // How many times we restart a plugin before we deactivate it )
const ( OnActivateId = 0 OnDeactivateId = 1 ServeHTTPId = 2 OnConfigurationChangeId = 3 ExecuteCommandId = 4 MessageWillBePostedId = 5 MessageWillBeUpdatedId = 6 MessageHasBeenPostedId = 7 MessageHasBeenUpdatedId = 8 UserHasJoinedChannelId = 9 UserHasLeftChannelId = 10 UserHasJoinedTeamId = 11 UserHasLeftTeamId = 12 ChannelHasBeenCreatedId = 13 FileWillBeUploadedId = 14 UserWillLogInId = 15 UserHasLoggedInId = 16 UserHasBeenCreatedId = 17 TotalHooksId = iota )
These assignments are part of the wire protocol used to trigger hook events in plugins.
Feel free to add more, but do not change existing assignments. Follow the naming convention of <HookName>Id as the autogenerated glue code depends on that.
const (
// DismissPostError dismisses a pending post when the error is returned from MessageWillBePosted.
DismissPostError = "plugin.message_will_be_posted.dismiss_post"
)
Variables ¶
var ErrNotFound = errors.New("Item not found")
Functions ¶
func ClientMain ¶
func ClientMain(pluginImplementation interface{})
Starts the serving of a Mattermost plugin over net/rpc. gRPC is not yet supported.
Call this when your plugin is ready to start.
Types ¶
type API ¶
type API interface { // LoadPluginConfiguration loads the plugin's configuration. dest should be a pointer to a // struct that the configuration JSON can be unmarshalled to. // // @tag Plugin // Minimum server version: 5.2 LoadPluginConfiguration(dest interface{}) error // RegisterCommand registers a custom slash command. When the command is triggered, your plugin // can fulfill it via the ExecuteCommand hook. // // @tag Command // Minimum server version: 5.2 RegisterCommand(command *model.Command) error // UnregisterCommand unregisters a command previously registered via RegisterCommand. // // @tag Command // Minimum server version: 5.2 UnregisterCommand(teamId, trigger string) error // GetSession returns the session object for the Session ID // // Minimum server version: 5.2 GetSession(sessionId string) (*model.Session, *model.AppError) // GetConfig fetches the currently persisted config // // @tag Configuration // Minimum server version: 5.2 GetConfig() *model.Config // GetUnsanitizedConfig fetches the currently persisted config without removing secrets. // // @tag Configuration // Minimum server version: 5.16 GetUnsanitizedConfig() *model.Config // SaveConfig sets the given config and persists the changes // // @tag Configuration // Minimum server version: 5.2 SaveConfig(config *model.Config) *model.AppError // GetPluginConfig fetches the currently persisted config of plugin // // @tag Plugin // Minimum server version: 5.6 GetPluginConfig() map[string]interface{} // SavePluginConfig sets the given config for plugin and persists the changes // // @tag Plugin // Minimum server version: 5.6 SavePluginConfig(config map[string]interface{}) *model.AppError // GetBundlePath returns the absolute path where the plugin's bundle was unpacked. // // @tag Plugin // Minimum server version: 5.10 GetBundlePath() (string, error) // GetLicense returns the current license used by the Mattermost server. Returns nil if the // the server does not have a license. // // @tag Server // Minimum server version: 5.10 GetLicense() *model.License // GetServerVersion return the current Mattermost server version // // @tag Server // Minimum server version: 5.4 GetServerVersion() string // GetSystemInstallDate returns the time that Mattermost was first installed and ran. // // @tag Server // Minimum server version: 5.10 GetSystemInstallDate() (int64, *model.AppError) // GetDiagnosticId returns a unique identifier used by the server for diagnostic reports. // // @tag Server // Minimum server version: 5.10 GetDiagnosticId() string // CreateUser creates a user. // // @tag User // Minimum server version: 5.2 CreateUser(user *model.User) (*model.User, *model.AppError) // DeleteUser deletes a user. // // @tag User // Minimum server version: 5.2 DeleteUser(userId string) *model.AppError // GetUsers a list of users based on search options. // // @tag User // Minimum server version: 5.10 GetUsers(options *model.UserGetOptions) ([]*model.User, *model.AppError) // GetUser gets a user. // // @tag User // Minimum server version: 5.2 GetUser(userId string) (*model.User, *model.AppError) // GetUserByEmail gets a user by their email address. // // @tag User // Minimum server version: 5.2 GetUserByEmail(email string) (*model.User, *model.AppError) // GetUserByUsername gets a user by their username. // // @tag User // Minimum server version: 5.2 GetUserByUsername(name string) (*model.User, *model.AppError) // GetUsersByUsernames gets users by their usernames. // // @tag User // Minimum server version: 5.6 GetUsersByUsernames(usernames []string) ([]*model.User, *model.AppError) // GetUsersInTeam gets users in team. // // @tag User // @tag Team // Minimum server version: 5.6 GetUsersInTeam(teamId string, page int, perPage int) ([]*model.User, *model.AppError) // GetTeamIcon gets the team icon. // // @tag Team // Minimum server version: 5.6 GetTeamIcon(teamId string) ([]byte, *model.AppError) // SetTeamIcon sets the team icon. // // @tag Team // Minimum server version: 5.6 SetTeamIcon(teamId string, data []byte) *model.AppError // RemoveTeamIcon removes the team icon. // // @tag Team // Minimum server version: 5.6 RemoveTeamIcon(teamId string) *model.AppError // UpdateUser updates a user. // // @tag User // Minimum server version: 5.2 UpdateUser(user *model.User) (*model.User, *model.AppError) // GetUserStatus will get a user's status. // // @tag User // Minimum server version: 5.2 GetUserStatus(userId string) (*model.Status, *model.AppError) // GetUserStatusesByIds will return a list of user statuses based on the provided slice of user IDs. // // @tag User // Minimum server version: 5.2 GetUserStatusesByIds(userIds []string) ([]*model.Status, *model.AppError) // UpdateUserStatus will set a user's status until the user, or another integration/plugin, sets it back to online. // The status parameter can be: "online", "away", "dnd", or "offline". // // @tag User // Minimum server version: 5.2 UpdateUserStatus(userId, status string) (*model.Status, *model.AppError) // UpdateUserActive deactivates or reactivates an user. // // @tag User // Minimum server version: 5.8 UpdateUserActive(userId string, active bool) *model.AppError // GetUsersInChannel returns a page of users in a channel. Page counting starts at 0. // The sortBy parameter can be: "username" or "status". // // @tag User // @tag Channel // Minimum server version: 5.6 GetUsersInChannel(channelId, sortBy string, page, perPage int) ([]*model.User, *model.AppError) // GetLDAPUserAttributes will return LDAP attributes for a user. // The attributes parameter should be a list of attributes to pull. // Returns a map with attribute names as keys and the user's attributes as values. // Requires an enterprise license, LDAP to be configured and for the user to use LDAP as an authentication method. // // @tag User // Minimum server version: 5.3 GetLDAPUserAttributes(userId string, attributes []string) (map[string]string, *model.AppError) // CreateTeam creates a team. // // @tag Team // Minimum server version: 5.2 CreateTeam(team *model.Team) (*model.Team, *model.AppError) // DeleteTeam deletes a team. // // @tag Team // Minimum server version: 5.2 DeleteTeam(teamId string) *model.AppError // GetTeam gets all teams. // // @tag Team // Minimum server version: 5.2 GetTeams() ([]*model.Team, *model.AppError) // GetTeam gets a team. // // @tag Team // Minimum server version: 5.2 GetTeam(teamId string) (*model.Team, *model.AppError) // GetTeamByName gets a team by its name. // // @tag Team // Minimum server version: 5.2 GetTeamByName(name string) (*model.Team, *model.AppError) // GetTeamsUnreadForUser gets the unread message and mention counts for each team to which the given user belongs. // // @tag Team // @tag User // Minimum server version: 5.6 GetTeamsUnreadForUser(userId string) ([]*model.TeamUnread, *model.AppError) // UpdateTeam updates a team. // // @tag Team // Minimum server version: 5.2 UpdateTeam(team *model.Team) (*model.Team, *model.AppError) // SearchTeams search a team. // // @tag Team // Minimum server version: 5.8 SearchTeams(term string) ([]*model.Team, *model.AppError) // GetTeamsForUser returns list of teams of given user ID. // // @tag Team // @tag User // Minimum server version: 5.6 GetTeamsForUser(userId string) ([]*model.Team, *model.AppError) // CreateTeamMember creates a team membership. // // @tag Team // @tag User // Minimum server version: 5.2 CreateTeamMember(teamId, userId string) (*model.TeamMember, *model.AppError) // CreateTeamMembers creates a team membership for all provided user ids. // // @tag Team // @tag User // Minimum server version: 5.2 CreateTeamMembers(teamId string, userIds []string, requestorId string) ([]*model.TeamMember, *model.AppError) // CreateTeamMembersGracefully creates a team membership for all provided user ids and reports the users that were not added. // // @tag Team // @tag User // Minimum server version: 5.20 CreateTeamMembersGracefully(teamId string, userIds []string, requestorId string) ([]*model.TeamMemberWithError, *model.AppError) // DeleteTeamMember deletes a team membership. // // @tag Team // @tag User // Minimum server version: 5.2 DeleteTeamMember(teamId, userId, requestorId string) *model.AppError // GetTeamMembers returns the memberships of a specific team. // // @tag Team // @tag User // Minimum server version: 5.2 GetTeamMembers(teamId string, page, perPage int) ([]*model.TeamMember, *model.AppError) // GetTeamMember returns a specific membership. // // @tag Team // @tag User // Minimum server version: 5.2 GetTeamMember(teamId, userId string) (*model.TeamMember, *model.AppError) // GetTeamMembersForUser returns all team memberships for a user. // // @tag Team // @tag User // Minimum server version: 5.10 GetTeamMembersForUser(userId string, page int, perPage int) ([]*model.TeamMember, *model.AppError) // UpdateTeamMemberRoles updates the role for a team membership. // // @tag Team // @tag User // Minimum server version: 5.2 UpdateTeamMemberRoles(teamId, userId, newRoles string) (*model.TeamMember, *model.AppError) // CreateChannel creates a channel. // // @tag Channel // Minimum server version: 5.2 CreateChannel(channel *model.Channel) (*model.Channel, *model.AppError) // DeleteChannel deletes a channel. // // @tag Channel // Minimum server version: 5.2 DeleteChannel(channelId string) *model.AppError // GetPublicChannelsForTeam gets a list of all channels. // // @tag Channel // @tag Team // Minimum server version: 5.2 GetPublicChannelsForTeam(teamId string, page, perPage int) ([]*model.Channel, *model.AppError) // GetChannel gets a channel. // // @tag Channel // Minimum server version: 5.2 GetChannel(channelId string) (*model.Channel, *model.AppError) // GetChannelByName gets a channel by its name, given a team id. // // @tag Channel // Minimum server version: 5.2 GetChannelByName(teamId, name string, includeDeleted bool) (*model.Channel, *model.AppError) // GetChannelByNameForTeamName gets a channel by its name, given a team name. // // @tag Channel // @tag Team // Minimum server version: 5.2 GetChannelByNameForTeamName(teamName, channelName string, includeDeleted bool) (*model.Channel, *model.AppError) // GetChannelsForTeamForUser gets a list of channels for given user ID in given team ID. // // @tag Channel // @tag Team // @tag User // Minimum server version: 5.6 GetChannelsForTeamForUser(teamId, userId string, includeDeleted bool) ([]*model.Channel, *model.AppError) // GetChannelStats gets statistics for a channel. // // @tag Channel // Minimum server version: 5.6 GetChannelStats(channelId string) (*model.ChannelStats, *model.AppError) // GetDirectChannel gets a direct message channel. // If the channel does not exist it will create it. // // @tag Channel // @tag User // Minimum server version: 5.2 GetDirectChannel(userId1, userId2 string) (*model.Channel, *model.AppError) // GetGroupChannel gets a group message channel. // If the channel does not exist it will create it. // // @tag Channel // @tag User // Minimum server version: 5.2 GetGroupChannel(userIds []string) (*model.Channel, *model.AppError) // UpdateChannel updates a channel. // // @tag Channel // Minimum server version: 5.2 UpdateChannel(channel *model.Channel) (*model.Channel, *model.AppError) // SearchChannels returns the channels on a team matching the provided search term. // // @tag Channel // Minimum server version: 5.6 SearchChannels(teamId string, term string) ([]*model.Channel, *model.AppError) // SearchUsers returns a list of users based on some search criteria. // // @tag User // Minimum server version: 5.6 SearchUsers(search *model.UserSearch) ([]*model.User, *model.AppError) // SearchPostsInTeam returns a list of posts in a specific team that match the given params. // // @tag Post // @tag Team // Minimum server version: 5.10 SearchPostsInTeam(teamId string, paramsList []*model.SearchParams) ([]*model.Post, *model.AppError) // AddChannelMember joins a user to a channel (as if they joined themselves) // This means the user will not receive notifications for joining the channel. // // @tag Channel // @tag User // Minimum server version: 5.2 AddChannelMember(channelId, userId string) (*model.ChannelMember, *model.AppError) // AddUserToChannel adds a user to a channel as if the specified user had invited them. // This means the user will receive the regular notifications for being added to the channel. // // @tag User // @tag Channel // Minimum server version: 5.18 AddUserToChannel(channelId, userId, asUserId string) (*model.ChannelMember, *model.AppError) // GetChannelMember gets a channel membership for a user. // // @tag Channel // @tag User // Minimum server version: 5.2 GetChannelMember(channelId, userId string) (*model.ChannelMember, *model.AppError) // GetChannelMembers gets a channel membership for all users. // // @tag Channel // @tag User // Minimum server version: 5.6 GetChannelMembers(channelId string, page, perPage int) (*model.ChannelMembers, *model.AppError) // GetChannelMembersByIds gets a channel membership for a particular User // // @tag Channel // @tag User // Minimum server version: 5.6 GetChannelMembersByIds(channelId string, userIds []string) (*model.ChannelMembers, *model.AppError) // GetChannelMembersForUser returns all channel memberships on a team for a user. // // @tag Channel // @tag User // Minimum server version: 5.10 GetChannelMembersForUser(teamId, userId string, page, perPage int) ([]*model.ChannelMember, *model.AppError) // UpdateChannelMemberRoles updates a user's roles for a channel. // // @tag Channel // @tag User // Minimum server version: 5.2 UpdateChannelMemberRoles(channelId, userId, newRoles string) (*model.ChannelMember, *model.AppError) // UpdateChannelMemberNotifications updates a user's notification properties for a channel. // // @tag Channel // @tag User // Minimum server version: 5.2 UpdateChannelMemberNotifications(channelId, userId string, notifications map[string]string) (*model.ChannelMember, *model.AppError) // GetGroup gets a group by ID. // // @tag Group // Minimum server version: 5.18 GetGroup(groupId string) (*model.Group, *model.AppError) // GetGroupByName gets a group by name. // // @tag Group // Minimum server version: 5.18 GetGroupByName(name string) (*model.Group, *model.AppError) // GetGroupsForUser gets the groups a user is in. // // @tag Group // @tag User // Minimum server version: 5.18 GetGroupsForUser(userId string) ([]*model.Group, *model.AppError) // DeleteChannelMember deletes a channel membership for a user. // // @tag Channel // @tag User // Minimum server version: 5.2 DeleteChannelMember(channelId, userId string) *model.AppError // CreatePost creates a post. // // @tag Post // Minimum server version: 5.2 CreatePost(post *model.Post) (*model.Post, *model.AppError) // AddReaction add a reaction to a post. // // @tag Post // Minimum server version: 5.3 AddReaction(reaction *model.Reaction) (*model.Reaction, *model.AppError) // RemoveReaction remove a reaction from a post. // // @tag Post // Minimum server version: 5.3 RemoveReaction(reaction *model.Reaction) *model.AppError // GetReaction get the reactions of a post. // // @tag Post // Minimum server version: 5.3 GetReactions(postId string) ([]*model.Reaction, *model.AppError) // SendEphemeralPost creates an ephemeral post. // // @tag Post // Minimum server version: 5.2 SendEphemeralPost(userId string, post *model.Post) *model.Post // UpdateEphemeralPost updates an ephemeral message previously sent to the user. // EXPERIMENTAL: This API is experimental and can be changed without advance notice. // // @tag Post // Minimum server version: 5.2 UpdateEphemeralPost(userId string, post *model.Post) *model.Post // DeleteEphemeralPost deletes an ephemeral message previously sent to the user. // EXPERIMENTAL: This API is experimental and can be changed without advance notice. // // @tag Post // Minimum server version: 5.2 DeleteEphemeralPost(userId, postId string) // DeletePost deletes a post. // // @tag Post // Minimum server version: 5.2 DeletePost(postId string) *model.AppError // GetPostThread gets a post with all the other posts in the same thread. // // @tag Post // Minimum server version: 5.6 GetPostThread(postId string) (*model.PostList, *model.AppError) // GetPost gets a post. // // @tag Post // Minimum server version: 5.2 GetPost(postId string) (*model.Post, *model.AppError) // GetPostsSince gets posts created after a specified time as Unix time in milliseconds. // // @tag Post // @tag Channel // Minimum server version: 5.6 GetPostsSince(channelId string, time int64) (*model.PostList, *model.AppError) // GetPostsAfter gets a page of posts that were posted after the post provided. // // @tag Post // @tag Channel // Minimum server version: 5.6 GetPostsAfter(channelId, postId string, page, perPage int) (*model.PostList, *model.AppError) // GetPostsBefore gets a page of posts that were posted before the post provided. // // @tag Post // @tag Channel // Minimum server version: 5.6 GetPostsBefore(channelId, postId string, page, perPage int) (*model.PostList, *model.AppError) // GetPostsForChannel gets a list of posts for a channel. // // @tag Post // @tag Channel // Minimum server version: 5.6 GetPostsForChannel(channelId string, page, perPage int) (*model.PostList, *model.AppError) // GetTeamStats gets a team's statistics // // @tag Team // Minimum server version: 5.8 GetTeamStats(teamId string) (*model.TeamStats, *model.AppError) // UpdatePost updates a post. // // @tag Post // Minimum server version: 5.2 UpdatePost(post *model.Post) (*model.Post, *model.AppError) // GetProfileImage gets user's profile image. // // @tag User // Minimum server version: 5.6 GetProfileImage(userId string) ([]byte, *model.AppError) // SetProfileImage sets a user's profile image. // // @tag User // Minimum server version: 5.6 SetProfileImage(userId string, data []byte) *model.AppError // GetEmojiList returns a page of custom emoji on the system. // // The sortBy parameter can be: "name". // // @tag Emoji // Minimum server version: 5.6 GetEmojiList(sortBy string, page, perPage int) ([]*model.Emoji, *model.AppError) // GetEmojiByName gets an emoji by it's name. // // @tag Emoji // Minimum server version: 5.6 GetEmojiByName(name string) (*model.Emoji, *model.AppError) // GetEmoji returns a custom emoji based on the emojiId string. // // @tag Emoji // Minimum server version: 5.6 GetEmoji(emojiId string) (*model.Emoji, *model.AppError) // CopyFileInfos duplicates the FileInfo objects referenced by the given file ids, // recording the given user id as the new creator and returning the new set of file ids. // // The duplicate FileInfo objects are not initially linked to a post, but may now be passed // to CreatePost. Use this API to duplicate a post and its file attachments without // actually duplicating the uploaded files. // // @tag File // @tag User // Minimum server version: 5.2 CopyFileInfos(userId string, fileIds []string) ([]string, *model.AppError) // GetFileInfo gets a File Info for a specific fileId // // @tag File // Minimum server version: 5.3 GetFileInfo(fileId string) (*model.FileInfo, *model.AppError) // GetFileInfos gets File Infos with options // // @tag File // Minimum server version: 5.22 GetFileInfos(page, perPage int, opt *model.GetFileInfosOptions) ([]*model.FileInfo, *model.AppError) // GetFile gets content of a file by it's ID // // @tag File // Minimum server version: 5.8 GetFile(fileId string) ([]byte, *model.AppError) // GetFileLink gets the public link to a file by fileId. // // @tag File // Minimum server version: 5.6 GetFileLink(fileId string) (string, *model.AppError) // ReadFile reads the file from the backend for a specific path // // @tag File // Minimum server version: 5.3 ReadFile(path string) ([]byte, *model.AppError) // GetEmojiImage returns the emoji image. // // @tag Emoji // Minimum server version: 5.6 GetEmojiImage(emojiId string) ([]byte, string, *model.AppError) // UploadFile will upload a file to a channel using a multipart request, to be later attached to a post. // // @tag File // @tag Channel // Minimum server version: 5.6 UploadFile(data []byte, channelId string, filename string) (*model.FileInfo, *model.AppError) // OpenInteractiveDialog will open an interactive dialog on a user's client that // generated the trigger ID. Used with interactive message buttons, menus // and slash commands. // // Minimum server version: 5.6 OpenInteractiveDialog(dialog model.OpenDialogRequest) *model.AppError // GetPlugins will return a list of plugin manifests for currently active plugins. // // @tag Plugin // Minimum server version: 5.6 GetPlugins() ([]*model.Manifest, *model.AppError) // EnablePlugin will enable an plugin installed. // // @tag Plugin // Minimum server version: 5.6 EnablePlugin(id string) *model.AppError // DisablePlugin will disable an enabled plugin. // // @tag Plugin // Minimum server version: 5.6 DisablePlugin(id string) *model.AppError // RemovePlugin will disable and delete a plugin. // // @tag Plugin // Minimum server version: 5.6 RemovePlugin(id string) *model.AppError // GetPluginStatus will return the status of a plugin. // // @tag Plugin // Minimum server version: 5.6 GetPluginStatus(id string) (*model.PluginStatus, *model.AppError) // InstallPlugin will upload another plugin with tar.gz file. // Previous version will be replaced on replace true. // // @tag Plugin // Minimum server version: 5.18 InstallPlugin(file io.Reader, replace bool) (*model.Manifest, *model.AppError) // KVSet stores a key-value pair, unique per plugin. // Provided helper functions and internal plugin code will use the prefix `mmi_` before keys. Do not use this prefix. // // @tag KeyValueStore // Minimum server version: 5.2 KVSet(key string, value []byte) *model.AppError // KVCompareAndSet updates a key-value pair, unique per plugin, but only if the current value matches the given oldValue. // Inserts a new key if oldValue == nil. // Returns (false, err) if DB error occurred // Returns (false, nil) if current value != oldValue or key already exists when inserting // Returns (true, nil) if current value == oldValue or new key is inserted // // @tag KeyValueStore // Minimum server version: 5.12 KVCompareAndSet(key string, oldValue, newValue []byte) (bool, *model.AppError) // KVCompareAndDelete deletes a key-value pair, unique per plugin, but only if the current value matches the given oldValue. // Returns (false, err) if DB error occurred // Returns (false, nil) if current value != oldValue or key does not exist when deleting // Returns (true, nil) if current value == oldValue and the key was deleted // // @tag KeyValueStore // Minimum server version: 5.16 KVCompareAndDelete(key string, oldValue []byte) (bool, *model.AppError) // KVSetWithOptions stores a key-value pair, unique per plugin, according to the given options. // Returns (false, err) if DB error occurred // Returns (false, nil) if the value was not set // Returns (true, nil) if the value was set // // Minimum server version: 5.20 KVSetWithOptions(key string, value []byte, options model.PluginKVSetOptions) (bool, *model.AppError) // KVSet stores a key-value pair with an expiry time, unique per plugin. // // @tag KeyValueStore // Minimum server version: 5.6 KVSetWithExpiry(key string, value []byte, expireInSeconds int64) *model.AppError // KVGet retrieves a value based on the key, unique per plugin. Returns nil for non-existent keys. // // @tag KeyValueStore // Minimum server version: 5.2 KVGet(key string) ([]byte, *model.AppError) // KVDelete removes a key-value pair, unique per plugin. Returns nil for non-existent keys. // // @tag KeyValueStore // Minimum server version: 5.2 KVDelete(key string) *model.AppError // KVDeleteAll removes all key-value pairs for a plugin. // // @tag KeyValueStore // Minimum server version: 5.6 KVDeleteAll() *model.AppError // KVList lists all keys for a plugin. // // @tag KeyValueStore // Minimum server version: 5.6 KVList(page, perPage int) ([]string, *model.AppError) // PublishWebSocketEvent sends an event to WebSocket connections. // event is the type and will be prepended with "custom_<pluginid>_". // payload is the data sent with the event. Interface values must be primitive Go types or mattermost-server/model types. // broadcast determines to which users to send the event. // // Minimum server version: 5.2 PublishWebSocketEvent(event string, payload map[string]interface{}, broadcast *model.WebsocketBroadcast) // HasPermissionTo check if the user has the permission at system scope. // // @tag User // Minimum server version: 5.3 HasPermissionTo(userId string, permission *model.Permission) bool // HasPermissionToTeam check if the user has the permission at team scope. // // @tag User // @tag Team // Minimum server version: 5.3 HasPermissionToTeam(userId, teamId string, permission *model.Permission) bool // HasPermissionToChannel check if the user has the permission at channel scope. // // @tag User // @tag Channel // Minimum server version: 5.3 HasPermissionToChannel(userId, channelId string, permission *model.Permission) bool // LogDebug writes a log message to the Mattermost server log file. // Appropriate context such as the plugin name will already be added as fields so plugins // do not need to add that info. // // @tag Logging // Minimum server version: 5.2 LogDebug(msg string, keyValuePairs ...interface{}) // LogInfo writes a log message to the Mattermost server log file. // Appropriate context such as the plugin name will already be added as fields so plugins // do not need to add that info. // // @tag Logging // Minimum server version: 5.2 LogInfo(msg string, keyValuePairs ...interface{}) // LogError writes a log message to the Mattermost server log file. // Appropriate context such as the plugin name will already be added as fields so plugins // do not need to add that info. // // @tag Logging // Minimum server version: 5.2 LogError(msg string, keyValuePairs ...interface{}) // LogWarn writes a log message to the Mattermost server log file. // Appropriate context such as the plugin name will already be added as fields so plugins // do not need to add that info. // // @tag Logging // Minimum server version: 5.2 LogWarn(msg string, keyValuePairs ...interface{}) // SendMail sends an email to a specific address // // Minimum server version: 5.7 SendMail(to, subject, htmlBody string) *model.AppError // CreateBot creates the given bot and corresponding user. // // @tag Bot // Minimum server version: 5.10 CreateBot(bot *model.Bot) (*model.Bot, *model.AppError) // PatchBot applies the given patch to the bot and corresponding user. // // @tag Bot // Minimum server version: 5.10 PatchBot(botUserId string, botPatch *model.BotPatch) (*model.Bot, *model.AppError) // GetBot returns the given bot. // // @tag Bot // Minimum server version: 5.10 GetBot(botUserId string, includeDeleted bool) (*model.Bot, *model.AppError) // GetBots returns the requested page of bots. // // @tag Bot // Minimum server version: 5.10 GetBots(options *model.BotGetOptions) ([]*model.Bot, *model.AppError) // UpdateBotActive marks a bot as active or inactive, along with its corresponding user. // // @tag Bot // Minimum server version: 5.10 UpdateBotActive(botUserId string, active bool) (*model.Bot, *model.AppError) // PermanentDeleteBot permanently deletes a bot and its corresponding user. // // @tag Bot // Minimum server version: 5.10 PermanentDeleteBot(botUserId string) *model.AppError // GetBotIconImage gets LHS bot icon image. // // @tag Bot // Minimum server version: 5.14 GetBotIconImage(botUserId string) ([]byte, *model.AppError) // SetBotIconImage sets LHS bot icon image. // Icon image must be SVG format, all other formats are rejected. // // @tag Bot // Minimum server version: 5.14 SetBotIconImage(botUserId string, data []byte) *model.AppError // DeleteBotIconImage deletes LHS bot icon image. // // @tag Bot // Minimum server version: 5.14 DeleteBotIconImage(botUserId string) *model.AppError // PluginHTTP allows inter-plugin requests to plugin APIs. // // Minimum server version: 5.18 PluginHTTP(request *http.Request) *http.Response }
The API can be used to retrieve data or perform actions on behalf of the plugin. Most methods have direct counterparts in the REST API and very similar behavior.
Plugins obtain access to the API by embedding MattermostPlugin and accessing the API member directly.
type Context ¶
type Context struct { SessionId string RequestId string IpAddress string AcceptLanguage string UserAgent string SourcePluginId string }
Context passes through metadata about the request or hook event. For requests this is built in app/plugin_requests.go For hooks, app.PluginContext() is called.
type EnsureBotOption ¶
type EnsureBotOption func(*ensureBotOptions)
func IconImagePath ¶
func IconImagePath(path string) EnsureBotOption
func ProfileImagePath ¶
func ProfileImagePath(path string) EnsureBotOption
type Environment ¶
type Environment struct {
// contains filtered or unexported fields
}
Environment represents the execution environment of active plugins.
It is meant for use by the Mattermost server to manipulate, interact with and report on the set of active plugins.
func NewEnvironment ¶
func NewEnvironment(newAPIImpl apiImplCreatorFunc, pluginDir string, webappPluginDir string, logger *mlog.Logger, metrics einterfaces.MetricsInterface) (*Environment, error)
func (*Environment) Active ¶
func (env *Environment) Active() []*model.BundleInfo
Returns a list of all currently active plugins within the environment. The returned list should not be modified.
func (*Environment) Available ¶
func (env *Environment) Available() ([]*model.BundleInfo, error)
Returns a list of all plugins within the environment.
func (*Environment) Deactivate ¶
func (env *Environment) Deactivate(id string) bool
Deactivates the plugin with the given id.
func (*Environment) GetManifest ¶
func (env *Environment) GetManifest(pluginId string) (*model.Manifest, error)
GetManifest returns a manifest for a given pluginId. Returns ErrNotFound if plugin is not found.
func (*Environment) GetPluginHealthCheckJob ¶ added in v5.22.0
func (env *Environment) GetPluginHealthCheckJob() *PluginHealthCheckJob
GetPluginHealthCheckJob returns the configured PluginHealthCheckJob, if any.
func (*Environment) GetPluginState ¶
func (env *Environment) GetPluginState(id string) int
GetPluginState returns the current state of a plugin (disabled, running, or error)
func (*Environment) HooksForPlugin ¶
func (env *Environment) HooksForPlugin(id string) (Hooks, error)
HooksForPlugin returns the hooks API for the plugin with the given id.
Consider using RunMultiPluginHook instead.
func (*Environment) InitPluginHealthCheckJob ¶
func (env *Environment) InitPluginHealthCheckJob(enable bool)
InitPluginHealthCheckJob starts a new job if one is not running and is set to enabled, or kills an existing one if set to disabled.
func (*Environment) IsActive ¶
func (env *Environment) IsActive(id string) bool
IsActive returns true if the plugin with the given id is active.
func (*Environment) PrepackagedPlugins ¶ added in v5.20.0
func (env *Environment) PrepackagedPlugins() []*PrepackagedPlugin
Returns a list of prepackaged plugins available in the local prepackaged_plugins folder. The list content is immutable and should not be modified.
func (*Environment) PublicFilesPath ¶
func (env *Environment) PublicFilesPath(id string) (string, error)
PublicFilesPath returns a path and true if the plugin with the given id is active. It returns an empty string and false if the path is not set or invalid
func (*Environment) RemovePlugin ¶
func (env *Environment) RemovePlugin(id string)
func (*Environment) RestartPlugin ¶
func (env *Environment) RestartPlugin(id string) error
RestartPlugin deactivates, then activates the plugin with the given id.
func (*Environment) RunMultiPluginHook ¶
func (env *Environment) RunMultiPluginHook(hookRunnerFunc func(hooks Hooks) bool, hookId int)
RunMultiPluginHook invokes hookRunnerFunc for each active plugin that implements the given hookId.
If hookRunnerFunc returns false, iteration will not continue. The iteration order among active plugins is not specified.
func (*Environment) SetPrepackagedPlugins ¶ added in v5.20.0
func (env *Environment) SetPrepackagedPlugins(plugins []*PrepackagedPlugin)
SetPrepackagedPlugins saves prepackaged plugins in the environment.
func (*Environment) Shutdown ¶
func (env *Environment) Shutdown()
Shutdown deactivates all plugins and gracefully shuts down the environment.
func (*Environment) Statuses ¶
func (env *Environment) Statuses() (model.PluginStatuses, error)
Statuses returns a list of plugin statuses representing the state of every plugin
func (*Environment) UnpackWebappBundle ¶
func (env *Environment) UnpackWebappBundle(id string) (*model.Manifest, error)
UnpackWebappBundle unpacks webapp bundle for a given plugin id on disk.
type ErrorString ¶
type ErrorString struct {
Err string
}
ErrorString is a fallback for sending unregistered implementations of the error interface across rpc. For example, the errorString type from the github.com/pkg/errors package cannot be registered since it is not exported, but this precludes common error handling paradigms. ErrorString merely preserves the string description of the error, while satisfying the error interface itself to allow other registered types (such as model.AppError) to be sent unmodified.
func (ErrorString) Error ¶
func (e ErrorString) Error() string
type Helpers ¶
type Helpers interface { // EnsureBot either returns an existing bot user matching the given bot, or creates a bot user from the given bot. // A profile image or icon image may be optionally passed in to be set for the existing or newly created bot. // Returns the id of the resulting bot. // // Minimum server version: 5.10 EnsureBot(bot *model.Bot, options ...EnsureBotOption) (string, error) // KVSetJSON stores a key-value pair, unique per plugin, marshalling the given value as a JSON string. // // Deprecated: Use p.API.KVSetWithOptions instead. // // Minimum server version: 5.2 KVSetJSON(key string, value interface{}) error // KVCompareAndSetJSON updates a key-value pair, unique per plugin, but only if the current value matches the given oldValue after marshalling as a JSON string. // Inserts a new key if oldValue == nil. // Returns (false, err) if DB error occurred // Returns (false, nil) if current value != oldValue or key already exists when inserting // Returns (true, nil) if current value == oldValue or new key is inserted // // Deprecated: Use p.API.KVSetWithOptions instead. // // Minimum server version: 5.12 KVCompareAndSetJSON(key string, oldValue interface{}, newValue interface{}) (bool, error) // KVCompareAndDeleteJSON deletes a key-value pair, unique per plugin, but only if the current value matches the given oldValue after marshalling as a JSON string. // Returns (false, err) if DB error occurred // Returns (false, nil) if current value != oldValue or the key was already deleted // Returns (true, nil) if current value == oldValue // // Minimum server version: 5.16 KVCompareAndDeleteJSON(key string, oldValue interface{}) (bool, error) // KVGetJSON retrieves a value based on the key, unique per plugin, unmarshalling the previously set JSON string into the given value. Returns true if the key exists. // // Minimum server version: 5.2 KVGetJSON(key string, value interface{}) (bool, error) // KVSetWithExpiryJSON stores a key-value pair with an expiry time, unique per plugin, marshalling the given value as a JSON string. // // Deprecated: Use p.API.KVSetWithOptions instead. // // Minimum server version: 5.6 KVSetWithExpiryJSON(key string, value interface{}, expireInSeconds int64) error // KVListWithOptions returns all keys that match the given options. If no options are provided then all keys are returned. // // Minimum server version: 5.6 KVListWithOptions(options ...KVListOption) ([]string, error) // CheckRequiredServerConfiguration checks if the server is configured according to // plugin requirements. // // Minimum server version: 5.2 CheckRequiredServerConfiguration(req *model.Config) (bool, error) // ShouldProcessMessage returns if the message should be processed by a message hook. // // Use this method to avoid processing unnecessary messages in a MessageHasBeenPosted // or MessageWillBePosted hook, and indeed in some cases avoid an infinite loop between // two automated bots or plugins. // // The behaviour is customizable using the given options, since plugin needs may vary. // By default, system messages and messages from bots will be skipped. // // Minimum server version: 5.2 ShouldProcessMessage(post *model.Post, options ...ShouldProcessMessageOption) (bool, error) // InstallPluginFromURL installs the plugin from the provided url. // // Minimum server version: 5.18 InstallPluginFromURL(downloadURL string, replace bool) (*model.Manifest, error) // GetPluginAssetURL builds a URL to the given asset in the assets directory. // Use this URL to link to assets from the webapp, or for third-party integrations with your plugin. // // Minimum server version: 5.2 GetPluginAssetURL(pluginID, asset string) (string, error) }
Helpers provide a common patterns plugins use.
Plugins obtain access to the Helpers by embedding MattermostPlugin.
type HelpersImpl ¶
type HelpersImpl struct {
API API
}
HelpersImpl implements the helpers interface with an API that retrieves data on behalf of the plugin.
func (*HelpersImpl) CheckRequiredServerConfiguration ¶ added in v5.20.0
func (p *HelpersImpl) CheckRequiredServerConfiguration(req *model.Config) (bool, error)
CheckRequiredServerConfiguration implements Helpers.CheckRequiredServerConfiguration
func (*HelpersImpl) EnsureBot ¶
func (p *HelpersImpl) EnsureBot(bot *model.Bot, options ...EnsureBotOption) (retBotID string, retErr error)
EnsureBot implements Helpers.EnsureBot
func (*HelpersImpl) GetPluginAssetURL ¶ added in v5.22.0
func (p *HelpersImpl) GetPluginAssetURL(pluginID, asset string) (string, error)
GetPluginAssetURL implements GetPluginAssetURL.
func (*HelpersImpl) InstallPluginFromURL ¶ added in v5.20.0
func (p *HelpersImpl) InstallPluginFromURL(downloadURL string, replace bool) (*model.Manifest, error)
InstallPluginFromURL implements Helpers.InstallPluginFromURL.
func (*HelpersImpl) KVCompareAndDeleteJSON ¶
func (p *HelpersImpl) KVCompareAndDeleteJSON(key string, oldValue interface{}) (bool, error)
KVCompareAndDeleteJSON implements Helpers.KVCompareAndDeleteJSON.
func (*HelpersImpl) KVCompareAndSetJSON ¶
func (p *HelpersImpl) KVCompareAndSetJSON(key string, oldValue interface{}, newValue interface{}) (bool, error)
KVCompareAndSetJSON implements Helpers.KVCompareAndSetJSON.
func (*HelpersImpl) KVGetJSON ¶
func (p *HelpersImpl) KVGetJSON(key string, value interface{}) (bool, error)
KVGetJSON implements Helpers.KVGetJSON.
func (*HelpersImpl) KVListWithOptions ¶ added in v5.22.0
func (p *HelpersImpl) KVListWithOptions(options ...KVListOption) ([]string, error)
KVListWithOptions implements Helpers.KVListWithOptions.
func (*HelpersImpl) KVSetJSON ¶
func (p *HelpersImpl) KVSetJSON(key string, value interface{}) error
KVSetJSON implements Helpers.KVSetJSON.
func (*HelpersImpl) KVSetWithExpiryJSON ¶
func (p *HelpersImpl) KVSetWithExpiryJSON(key string, value interface{}, expireInSeconds int64) error
KVSetWithExpiryJSON is a wrapper around KVSetWithExpiry to simplify atomically writing a JSON object with expiry to the key value store.
func (*HelpersImpl) ShouldProcessMessage ¶
func (p *HelpersImpl) ShouldProcessMessage(post *model.Post, options ...ShouldProcessMessageOption) (bool, error)
ShouldProcessMessage implements Helpers.ShouldProcessMessage
type Hooks ¶
type Hooks interface { // OnActivate is invoked when the plugin is activated. If an error is returned, the plugin // will be terminated. The plugin will not receive hooks until after OnActivate returns // without error. OnConfigurationChange will be called once before OnActivate. OnActivate() error // Implemented returns a list of hooks that are implemented by the plugin. // Plugins do not need to provide an implementation. Any given will be ignored. Implemented() ([]string, error) // OnDeactivate is invoked when the plugin is deactivated. This is the plugin's last chance to // use the API, and the plugin will be terminated shortly after this invocation. The plugin // will stop receiving hooks just prior to this method being called. OnDeactivate() error // OnConfigurationChange is invoked when configuration changes may have been made. Any // returned error is logged, but does not stop the plugin. You must be prepared to handle // a configuration failure gracefully. It is called once before OnActivate. OnConfigurationChange() error // ServeHTTP allows the plugin to implement the http.Handler interface. Requests destined for // the /plugins/{id} path will be routed to the plugin. // // The Mattermost-User-Id header will be present if (and only if) the request is by an // authenticated user. ServeHTTP(c *Context, w http.ResponseWriter, r *http.Request) // ExecuteCommand executes a command that has been previously registered via the RegisterCommand // API. ExecuteCommand(c *Context, args *model.CommandArgs) (*model.CommandResponse, *model.AppError) // UserHasBeenCreated is invoked after a user was created. // // Minimum server version: 5.10 UserHasBeenCreated(c *Context, user *model.User) // UserWillLogIn before the login of the user is returned. Returning a non empty string will reject the login event. // If you don't need to reject the login event, see UserHasLoggedIn UserWillLogIn(c *Context, user *model.User) string // UserHasLoggedIn is invoked after a user has logged in. UserHasLoggedIn(c *Context, user *model.User) // MessageWillBePosted is invoked when a message is posted by a user before it is committed // to the database. If you also want to act on edited posts, see MessageWillBeUpdated. // // To reject a post, return an non-empty string describing why the post was rejected. // To modify the post, return the replacement, non-nil *model.Post and an empty string. // To allow the post without modification, return a nil *model.Post and an empty string. // To dismiss the post, return a nil *model.Post and the const DismissPostError string. // // If you don't need to modify or reject posts, use MessageHasBeenPosted instead. // // Note that this method will be called for posts created by plugins, including the plugin that // created the post. MessageWillBePosted(c *Context, post *model.Post) (*model.Post, string) // MessageWillBeUpdated is invoked when a message is updated by a user before it is committed // to the database. If you also want to act on new posts, see MessageWillBePosted. // Return values should be the modified post or nil if rejected and an explanation for the user. // On rejection, the post will be kept in its previous state. // // If you don't need to modify or rejected updated posts, use MessageHasBeenUpdated instead. // // Note that this method will be called for posts updated by plugins, including the plugin that // updated the post. MessageWillBeUpdated(c *Context, newPost, oldPost *model.Post) (*model.Post, string) // MessageHasBeenPosted is invoked after the message has been committed to the database. // If you need to modify or reject the post, see MessageWillBePosted // Note that this method will be called for posts created by plugins, including the plugin that // created the post. MessageHasBeenPosted(c *Context, post *model.Post) // MessageHasBeenUpdated is invoked after a message is updated and has been updated in the database. // If you need to modify or reject the post, see MessageWillBeUpdated // Note that this method will be called for posts created by plugins, including the plugin that // created the post. MessageHasBeenUpdated(c *Context, newPost, oldPost *model.Post) // ChannelHasBeenCreated is invoked after the channel has been committed to the database. ChannelHasBeenCreated(c *Context, channel *model.Channel) // UserHasJoinedChannel is invoked after the membership has been committed to the database. // If actor is not nil, the user was invited to the channel by the actor. UserHasJoinedChannel(c *Context, channelMember *model.ChannelMember, actor *model.User) // UserHasLeftChannel is invoked after the membership has been removed from the database. // If actor is not nil, the user was removed from the channel by the actor. UserHasLeftChannel(c *Context, channelMember *model.ChannelMember, actor *model.User) // UserHasJoinedTeam is invoked after the membership has been committed to the database. // If actor is not nil, the user was added to the team by the actor. UserHasJoinedTeam(c *Context, teamMember *model.TeamMember, actor *model.User) // UserHasLeftTeam is invoked after the membership has been removed from the database. // If actor is not nil, the user was removed from the team by the actor. UserHasLeftTeam(c *Context, teamMember *model.TeamMember, actor *model.User) // FileWillBeUploaded is invoked when a file is uploaded, but before it is committed to backing store. // Read from file to retrieve the body of the uploaded file. // // To reject a file upload, return an non-empty string describing why the file was rejected. // To modify the file, write to the output and/or return a non-nil *model.FileInfo, as well as an empty string. // To allow the file without modification, do not write to the output and return a nil *model.FileInfo and an empty string. // // Note that this method will be called for files uploaded by plugins, including the plugin that uploaded the post. // FileInfo.Size will be automatically set properly if you modify the file. FileWillBeUploaded(c *Context, info *model.FileInfo, file io.Reader, output io.Writer) (*model.FileInfo, string) }
Hooks describes the methods a plugin may implement to automatically receive the corresponding event.
A plugin only need implement the hooks it cares about. The MattermostPlugin provides some default implementations for convenience but may be overridden.
type KVListOption ¶ added in v5.22.0
type KVListOption func(*kvListOptions)
KVListOption represents a single input option for KVListWithOptions
func WithChecker ¶ added in v5.22.0
func WithChecker(f func(key string) (keep bool, err error)) KVListOption
WithChecker allows for a custom filter function to determine which keys to return. Returning true will keep the key and false will filter it out. Returning an error will halt KVListWithOptions immediately and pass the error up (with no other results).
func WithPrefix ¶ added in v5.22.0
func WithPrefix(prefix string) KVListOption
WithPrefix only return keys that start with the given string.
type MattermostPlugin ¶
type MattermostPlugin struct { // API exposes the plugin api, and becomes available just prior to the OnActive hook. API API Helpers Helpers }
func (*MattermostPlugin) SetAPI ¶
func (p *MattermostPlugin) SetAPI(api API)
SetAPI persists the given API interface to the plugin. It is invoked just prior to the OnActivate hook, exposing the API for use by the plugin.
func (*MattermostPlugin) SetHelpers ¶
func (p *MattermostPlugin) SetHelpers(helpers Helpers)
SetHelpers does the same thing as SetAPI except for the plugin helpers.
type PluginHealthCheckJob ¶
type PluginHealthCheckJob struct {
// contains filtered or unexported fields
}
func (*PluginHealthCheckJob) Cancel ¶
func (job *PluginHealthCheckJob) Cancel()
func (*PluginHealthCheckJob) CheckPlugin ¶ added in v5.22.0
func (job *PluginHealthCheckJob) CheckPlugin(id string)
CheckPlugin determines the plugin's health status, then handles the error or success case. If the plugin passes the health check, do nothing. If the plugin fails the health check, the function either restarts or deactivates the plugin, based on the quantity and frequency of its failures.
type PrepackagedPlugin ¶ added in v5.20.0
type PrepackagedPlugin struct { Path string IconData string Manifest *model.Manifest Signature []byte }
PrepackagedPlugin is a plugin prepackaged with the server and found on startup.
type ShouldProcessMessageOption ¶
type ShouldProcessMessageOption func(*shouldProcessMessageOptions)
func AllowBots ¶
func AllowBots() ShouldProcessMessageOption
AllowBots configures a call to ShouldProcessMessage to return true for bot posts.
As it is typically desirable only to consume messages from human users of the system, ShouldProcessMessage ignores bot messages by default. When allowing bots, take care to avoid a loop where two plugins respond to each others posts repeatedly.
func AllowSystemMessages ¶
func AllowSystemMessages() ShouldProcessMessageOption
AllowSystemMessages configures a call to ShouldProcessMessage to return true for system messages.
As it is typically desirable only to consume messages from users of the system, ShouldProcessMessage ignores system messages by default.
func AllowWebhook ¶ added in v5.20.0
func AllowWebhook() ShouldProcessMessageOption
AllowWebhook configures a call to ShouldProcessMessage to return true for posts from webhook.
As it is typically desirable only to consume messages from human users of the system, ShouldProcessMessage ignores webhook messages by default.
func FilterChannelIDs ¶
func FilterChannelIDs(filterChannelIDs []string) ShouldProcessMessageOption
FilterChannelIDs configures a call to ShouldProcessMessage to return true only for the given channels.
By default, posts from all channels are allowed to be processed.
func FilterUserIDs ¶
func FilterUserIDs(filterUserIDs []string) ShouldProcessMessageOption
FilterUserIDs configures a call to ShouldProcessMessage to return true only for the given users.
By default, posts from all non-bot users are allowed.
func OnlyBotDMs ¶
func OnlyBotDMs() ShouldProcessMessageOption
OnlyBotDMs configures a call to ShouldProcessMessage to return true only for direct messages sent to the bot created by EnsureBot.
By default, posts from all channels are allowed.
type Z_AddChannelMemberArgs ¶
type Z_AddChannelMemberReturns ¶
type Z_AddChannelMemberReturns struct { A *model.ChannelMember B *model.AppError }
type Z_AddReactionArgs ¶
type Z_AddReactionReturns ¶
type Z_AddUserToChannelArgs ¶
type Z_AddUserToChannelReturns ¶
type Z_AddUserToChannelReturns struct { A *model.ChannelMember B *model.AppError }
type Z_ChannelHasBeenCreatedReturns ¶
type Z_ChannelHasBeenCreatedReturns struct { }
type Z_CopyFileInfosArgs ¶
type Z_CopyFileInfosReturns ¶
type Z_CreateBotArgs ¶
type Z_CreateChannelArgs ¶
type Z_CreateChannelReturns ¶
type Z_CreatePostArgs ¶
type Z_CreateTeamArgs ¶
type Z_CreateTeamMemberArgs ¶
type Z_CreateTeamMemberReturns ¶
type Z_CreateTeamMemberReturns struct { A *model.TeamMember B *model.AppError }
type Z_CreateTeamMembersArgs ¶
type Z_CreateTeamMembersGracefullyArgs ¶ added in v5.20.0
type Z_CreateTeamMembersGracefullyReturns ¶ added in v5.20.0
type Z_CreateTeamMembersGracefullyReturns struct { A []*model.TeamMemberWithError B *model.AppError }
type Z_CreateTeamMembersReturns ¶
type Z_CreateTeamMembersReturns struct { A []*model.TeamMember B *model.AppError }
type Z_CreateUserArgs ¶
type Z_DeleteBotIconImageArgs ¶
type Z_DeleteBotIconImageArgs struct {
A string
}
type Z_DeleteChannelArgs ¶
type Z_DeleteChannelArgs struct {
A string
}
type Z_DeleteChannelReturns ¶
type Z_DeleteEphemeralPostReturns ¶
type Z_DeleteEphemeralPostReturns struct { }
type Z_DeletePostArgs ¶
type Z_DeletePostArgs struct {
A string
}
type Z_DeletePostReturns ¶
type Z_DeleteTeamArgs ¶
type Z_DeleteTeamArgs struct {
A string
}
type Z_DeleteTeamMemberArgs ¶
type Z_DeleteTeamReturns ¶
type Z_DeleteUserArgs ¶
type Z_DeleteUserArgs struct {
A string
}
type Z_DeleteUserReturns ¶
type Z_DisablePluginArgs ¶
type Z_DisablePluginArgs struct {
A string
}
type Z_DisablePluginReturns ¶
type Z_EnablePluginArgs ¶
type Z_EnablePluginArgs struct {
A string
}
type Z_EnablePluginReturns ¶
type Z_ExecuteCommandArgs ¶
type Z_ExecuteCommandArgs struct { A *Context B *model.CommandArgs }
type Z_ExecuteCommandReturns ¶
type Z_ExecuteCommandReturns struct { A *model.CommandResponse B *model.AppError }
type Z_GetBotArgs ¶
type Z_GetBotIconImageArgs ¶
type Z_GetBotIconImageArgs struct {
A string
}
type Z_GetBotsArgs ¶
type Z_GetBotsArgs struct {
A *model.BotGetOptions
}
type Z_GetBundlePathArgs ¶
type Z_GetBundlePathArgs struct { }
type Z_GetBundlePathReturns ¶
type Z_GetChannelArgs ¶
type Z_GetChannelArgs struct {
A string
}
type Z_GetChannelByNameArgs ¶
type Z_GetChannelMemberArgs ¶
type Z_GetChannelMemberReturns ¶
type Z_GetChannelMemberReturns struct { A *model.ChannelMember B *model.AppError }
type Z_GetChannelMembersArgs ¶
type Z_GetChannelMembersByIdsReturns ¶
type Z_GetChannelMembersByIdsReturns struct { A *model.ChannelMembers B *model.AppError }
type Z_GetChannelMembersForUserReturns ¶
type Z_GetChannelMembersForUserReturns struct { A []*model.ChannelMember B *model.AppError }
type Z_GetChannelMembersReturns ¶
type Z_GetChannelMembersReturns struct { A *model.ChannelMembers B *model.AppError }
type Z_GetChannelStatsArgs ¶
type Z_GetChannelStatsArgs struct {
A string
}
type Z_GetChannelStatsReturns ¶
type Z_GetChannelStatsReturns struct { A *model.ChannelStats B *model.AppError }
type Z_GetConfigArgs ¶
type Z_GetConfigArgs struct { }
type Z_GetConfigReturns ¶
type Z_GetDiagnosticIdArgs ¶
type Z_GetDiagnosticIdArgs struct { }
type Z_GetDiagnosticIdReturns ¶
type Z_GetDiagnosticIdReturns struct {
A string
}
type Z_GetDirectChannelArgs ¶
type Z_GetEmojiArgs ¶
type Z_GetEmojiArgs struct {
A string
}
type Z_GetEmojiByNameArgs ¶
type Z_GetEmojiByNameArgs struct {
A string
}
type Z_GetEmojiByNameReturns ¶
type Z_GetEmojiImageArgs ¶
type Z_GetEmojiImageArgs struct {
A string
}
type Z_GetEmojiImageReturns ¶
type Z_GetEmojiListArgs ¶
type Z_GetEmojiListReturns ¶
type Z_GetFileArgs ¶
type Z_GetFileArgs struct {
A string
}
type Z_GetFileInfoArgs ¶
type Z_GetFileInfoArgs struct {
A string
}
type Z_GetFileInfoReturns ¶
type Z_GetFileInfosArgs ¶ added in v5.22.0
type Z_GetFileInfosArgs struct { A int B int C *model.GetFileInfosOptions }
type Z_GetFileInfosReturns ¶ added in v5.22.0
type Z_GetFileLinkArgs ¶
type Z_GetFileLinkArgs struct {
A string
}
type Z_GetFileLinkReturns ¶
type Z_GetFileReturns ¶
type Z_GetGroupArgs ¶
type Z_GetGroupArgs struct {
A string
}
type Z_GetGroupByNameArgs ¶
type Z_GetGroupByNameArgs struct {
A string
}
type Z_GetGroupByNameReturns ¶
type Z_GetGroupChannelArgs ¶
type Z_GetGroupChannelArgs struct {
A []string
}
type Z_GetGroupsForUserArgs ¶
type Z_GetGroupsForUserArgs struct {
A string
}
type Z_GetLicenseArgs ¶
type Z_GetLicenseArgs struct { }
type Z_GetLicenseReturns ¶
type Z_GetPluginConfigArgs ¶
type Z_GetPluginConfigArgs struct { }
type Z_GetPluginConfigReturns ¶
type Z_GetPluginConfigReturns struct {
A map[string]interface{}
}
type Z_GetPluginStatusArgs ¶
type Z_GetPluginStatusArgs struct {
A string
}
type Z_GetPluginStatusReturns ¶
type Z_GetPluginStatusReturns struct { A *model.PluginStatus B *model.AppError }
type Z_GetPluginsArgs ¶
type Z_GetPluginsArgs struct { }
type Z_GetPluginsReturns ¶
type Z_GetPostArgs ¶
type Z_GetPostArgs struct {
A string
}
type Z_GetPostThreadArgs ¶
type Z_GetPostThreadArgs struct {
A string
}
type Z_GetPostThreadReturns ¶
type Z_GetPostsAfterReturns ¶
type Z_GetPostsBeforeReturns ¶
type Z_GetPostsSinceArgs ¶
type Z_GetPostsSinceReturns ¶
type Z_GetProfileImageArgs ¶
type Z_GetProfileImageArgs struct {
A string
}
type Z_GetReactionsArgs ¶
type Z_GetReactionsArgs struct {
A string
}
type Z_GetReactionsReturns ¶
type Z_GetServerVersionArgs ¶
type Z_GetServerVersionArgs struct { }
type Z_GetServerVersionReturns ¶
type Z_GetServerVersionReturns struct {
A string
}
type Z_GetSessionArgs ¶
type Z_GetSessionArgs struct {
A string
}
type Z_GetSystemInstallDateArgs ¶
type Z_GetSystemInstallDateArgs struct { }
type Z_GetTeamArgs ¶
type Z_GetTeamArgs struct {
A string
}
type Z_GetTeamByNameArgs ¶
type Z_GetTeamByNameArgs struct {
A string
}
type Z_GetTeamByNameReturns ¶
type Z_GetTeamIconArgs ¶
type Z_GetTeamIconArgs struct {
A string
}
type Z_GetTeamIconReturns ¶
type Z_GetTeamMemberArgs ¶
type Z_GetTeamMemberReturns ¶
type Z_GetTeamMemberReturns struct { A *model.TeamMember B *model.AppError }
type Z_GetTeamMembersArgs ¶
type Z_GetTeamMembersForUserReturns ¶
type Z_GetTeamMembersForUserReturns struct { A []*model.TeamMember B *model.AppError }
type Z_GetTeamMembersReturns ¶
type Z_GetTeamMembersReturns struct { A []*model.TeamMember B *model.AppError }
type Z_GetTeamStatsArgs ¶
type Z_GetTeamStatsArgs struct {
A string
}
type Z_GetTeamStatsReturns ¶
type Z_GetTeamsArgs ¶
type Z_GetTeamsArgs struct { }
type Z_GetTeamsForUserArgs ¶
type Z_GetTeamsForUserArgs struct {
A string
}
type Z_GetTeamsUnreadForUserArgs ¶
type Z_GetTeamsUnreadForUserArgs struct {
A string
}
type Z_GetTeamsUnreadForUserReturns ¶
type Z_GetTeamsUnreadForUserReturns struct { A []*model.TeamUnread B *model.AppError }
type Z_GetUnsanitizedConfigArgs ¶
type Z_GetUnsanitizedConfigArgs struct { }
type Z_GetUserArgs ¶
type Z_GetUserArgs struct {
A string
}
type Z_GetUserByEmailArgs ¶
type Z_GetUserByEmailArgs struct {
A string
}
type Z_GetUserByEmailReturns ¶
type Z_GetUserByUsernameArgs ¶
type Z_GetUserByUsernameArgs struct {
A string
}
type Z_GetUserStatusArgs ¶
type Z_GetUserStatusArgs struct {
A string
}
type Z_GetUserStatusReturns ¶
type Z_GetUserStatusesByIdsArgs ¶
type Z_GetUserStatusesByIdsArgs struct {
A []string
}
type Z_GetUsersArgs ¶
type Z_GetUsersArgs struct {
A *model.UserGetOptions
}
type Z_GetUsersByUsernamesArgs ¶
type Z_GetUsersByUsernamesArgs struct {
A []string
}
type Z_GetUsersInChannelArgs ¶
type Z_GetUsersInTeamArgs ¶
type Z_GetUsersInTeamReturns ¶
type Z_HasPermissionToArgs ¶
type Z_HasPermissionToArgs struct { A string B *model.Permission }
type Z_HasPermissionToChannelArgs ¶
type Z_HasPermissionToChannelArgs struct { A string B string C *model.Permission }
type Z_HasPermissionToChannelReturns ¶
type Z_HasPermissionToChannelReturns struct {
A bool
}
type Z_HasPermissionToReturns ¶
type Z_HasPermissionToReturns struct {
A bool
}
type Z_HasPermissionToTeamArgs ¶
type Z_HasPermissionToTeamArgs struct { A string B string C *model.Permission }
type Z_HasPermissionToTeamReturns ¶
type Z_HasPermissionToTeamReturns struct {
A bool
}
type Z_InstallPluginArgs ¶
type Z_InstallPluginReturns ¶
type Z_KVCompareAndSetArgs ¶
type Z_KVDeleteAllArgs ¶
type Z_KVDeleteAllArgs struct { }
type Z_KVDeleteAllReturns ¶
type Z_KVDeleteArgs ¶
type Z_KVDeleteArgs struct {
A string
}
type Z_KVDeleteReturns ¶
type Z_KVGetArgs ¶
type Z_KVGetArgs struct {
A string
}
type Z_KVGetReturns ¶
type Z_KVListArgs ¶
type Z_KVListReturns ¶
type Z_KVSetArgs ¶
type Z_KVSetReturns ¶
type Z_KVSetWithExpiryArgs ¶
type Z_KVSetWithOptionsArgs ¶
type Z_KVSetWithOptionsArgs struct { A string B []byte C model.PluginKVSetOptions }
type Z_LoadPluginConfigurationArgsArgs ¶
type Z_LoadPluginConfigurationArgsArgs struct { }
type Z_LoadPluginConfigurationArgsReturns ¶
type Z_LoadPluginConfigurationArgsReturns struct {
A []byte
}
type Z_LogDebugArgs ¶
type Z_LogDebugArgs struct { A string B []interface{} }
type Z_LogDebugReturns ¶
type Z_LogDebugReturns struct { }
type Z_LogErrorArgs ¶
type Z_LogErrorArgs struct { A string B []interface{} }
type Z_LogErrorReturns ¶
type Z_LogErrorReturns struct { }
type Z_LogInfoArgs ¶
type Z_LogInfoArgs struct { A string B []interface{} }
type Z_LogInfoReturns ¶
type Z_LogInfoReturns struct { }
type Z_LogWarnArgs ¶
type Z_LogWarnArgs struct { A string B []interface{} }
type Z_LogWarnReturns ¶
type Z_LogWarnReturns struct { }
type Z_MessageHasBeenPostedReturns ¶
type Z_MessageHasBeenPostedReturns struct { }
type Z_MessageHasBeenUpdatedReturns ¶
type Z_MessageHasBeenUpdatedReturns struct { }
type Z_OnActivateArgs ¶
type Z_OnActivateArgs struct {
APIMuxId uint32
}
type Z_OnActivateReturns ¶
type Z_OnActivateReturns struct {
A error
}
type Z_OnConfigurationChangeArgs ¶
type Z_OnConfigurationChangeArgs struct { }
type Z_OnConfigurationChangeReturns ¶
type Z_OnConfigurationChangeReturns struct {
A error
}
type Z_OnDeactivateArgs ¶
type Z_OnDeactivateArgs struct { }
type Z_OnDeactivateReturns ¶
type Z_OnDeactivateReturns struct {
A error
}
type Z_OpenInteractiveDialogArgs ¶
type Z_OpenInteractiveDialogArgs struct {
A model.OpenDialogRequest
}
type Z_PatchBotArgs ¶
type Z_PermanentDeleteBotArgs ¶
type Z_PermanentDeleteBotArgs struct {
A string
}
type Z_PluginHTTPArgs ¶
type Z_PluginHTTPReturns ¶
type Z_PublishWebSocketEventArgs ¶
type Z_PublishWebSocketEventArgs struct { A string B map[string]interface{} C *model.WebsocketBroadcast }
type Z_PublishWebSocketEventReturns ¶
type Z_PublishWebSocketEventReturns struct { }
type Z_ReadFileArgs ¶
type Z_ReadFileArgs struct {
A string
}
type Z_ReadFileReturns ¶
type Z_RegisterCommandArgs ¶
type Z_RegisterCommandReturns ¶
type Z_RegisterCommandReturns struct {
A error
}
type Z_RemovePluginArgs ¶
type Z_RemovePluginArgs struct {
A string
}
type Z_RemovePluginReturns ¶
type Z_RemoveReactionArgs ¶
type Z_RemoveReactionReturns ¶
type Z_RemoveTeamIconArgs ¶
type Z_RemoveTeamIconArgs struct {
A string
}
type Z_RemoveTeamIconReturns ¶
type Z_SaveConfigArgs ¶
type Z_SaveConfigReturns ¶
type Z_SavePluginConfigArgs ¶
type Z_SavePluginConfigArgs struct {
A map[string]interface{}
}
type Z_SearchChannelsArgs ¶
type Z_SearchChannelsReturns ¶
type Z_SearchPostsInTeamArgs ¶
type Z_SearchPostsInTeamArgs struct { A string B []*model.SearchParams }
type Z_SearchTeamsArgs ¶
type Z_SearchTeamsArgs struct {
A string
}
type Z_SearchUsersArgs ¶
type Z_SearchUsersArgs struct {
A *model.UserSearch
}
type Z_SendEphemeralPostArgs ¶
type Z_SendMailArgs ¶
type Z_SendMailReturns ¶
type Z_ServeHTTPArgs ¶
type Z_SetBotIconImageArgs ¶
type Z_SetProfileImageArgs ¶
type Z_SetTeamIconArgs ¶
type Z_SetTeamIconReturns ¶
type Z_UnregisterCommandArgs ¶
type Z_UnregisterCommandReturns ¶
type Z_UnregisterCommandReturns struct {
A error
}
type Z_UpdateBotActiveArgs ¶
type Z_UpdateChannelArgs ¶
type Z_UpdateChannelMemberNotificationsReturns ¶
type Z_UpdateChannelMemberNotificationsReturns struct { A *model.ChannelMember B *model.AppError }
type Z_UpdateChannelMemberRolesReturns ¶
type Z_UpdateChannelMemberRolesReturns struct { A *model.ChannelMember B *model.AppError }
type Z_UpdateChannelReturns ¶
type Z_UpdatePostArgs ¶
type Z_UpdateTeamArgs ¶
type Z_UpdateTeamMemberRolesReturns ¶
type Z_UpdateTeamMemberRolesReturns struct { A *model.TeamMember B *model.AppError }
type Z_UpdateUserActiveArgs ¶
type Z_UpdateUserArgs ¶
type Z_UpdateUserStatusArgs ¶
type Z_UploadFileArgs ¶
type Z_UserHasBeenCreatedReturns ¶
type Z_UserHasBeenCreatedReturns struct { }
type Z_UserHasJoinedChannelArgs ¶
type Z_UserHasJoinedChannelArgs struct { A *Context B *model.ChannelMember C *model.User }
type Z_UserHasJoinedChannelReturns ¶
type Z_UserHasJoinedChannelReturns struct { }
type Z_UserHasJoinedTeamArgs ¶
type Z_UserHasJoinedTeamArgs struct { A *Context B *model.TeamMember C *model.User }
type Z_UserHasJoinedTeamReturns ¶
type Z_UserHasJoinedTeamReturns struct { }
type Z_UserHasLeftChannelArgs ¶
type Z_UserHasLeftChannelArgs struct { A *Context B *model.ChannelMember C *model.User }
type Z_UserHasLeftChannelReturns ¶
type Z_UserHasLeftChannelReturns struct { }
type Z_UserHasLeftTeamArgs ¶
type Z_UserHasLeftTeamArgs struct { A *Context B *model.TeamMember C *model.User }
type Z_UserHasLeftTeamReturns ¶
type Z_UserHasLeftTeamReturns struct { }
type Z_UserHasLoggedInArgs ¶
type Z_UserHasLoggedInReturns ¶
type Z_UserHasLoggedInReturns struct { }
type Z_UserWillLogInArgs ¶
type Z_UserWillLogInReturns ¶
type Z_UserWillLogInReturns struct {
A string
}
Source Files ¶
- api.go
- api_timer_layer_generated.go
- client.go
- client_rpc.go
- client_rpc_generated.go
- context.go
- doc.go
- environment.go
- hclog_adapter.go
- health_check.go
- helpers.go
- helpers_bots.go
- helpers_config.go
- helpers_kv.go
- helpers_plugin.go
- hooks.go
- hooks_timer_layer_generated.go
- http.go
- io_rpc.go
- stringifier.go
- supervisor.go
Directories ¶
Path | Synopsis |
---|---|
The plugintest package provides mocks that can be used to test plugins.
|
The plugintest package provides mocks that can be used to test plugins. |
mock
This package provides aliases for the contents of "github.com/stretchr/testify/mock".
|
This package provides aliases for the contents of "github.com/stretchr/testify/mock". |