plugin

package
v5.39.3 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Dec 15, 2021 License: AGPL-3.0, Apache-2.0 Imports: 37 Imported by: 175

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

Examples

Constants

View Source
const (
	InternalKeyPrefix = "mmi_"
	BotUserKey        = InternalKeyPrefix + "botid"
)
View Source
const (
	HealthCheckInterval           = 30 * time.Second // How often the health check should run
	HealthCheckDeactivationWindow = 60 * time.Minute // How long we wait for num fails to occur before deactivating the plugin
	HealthCheckPingFailLimit      = 3                // How many times we call RPC ping in a row before it is considered a failure
	HealthCheckNumRestartsLimit   = 3                // How many times we restart a plugin before we deactivate it
)
View Source
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
	ReactionHasBeenAddedID   = 18
	ReactionHasBeenRemovedID = 19
	OnPluginClusterEventID   = 20
	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.

View Source
const (
	// DismissPostError dismisses a pending post when the error is returned from MessageWillBePosted.
	DismissPostError = "plugin.message_will_be_posted.dismiss_post"
)

Variables

View Source
var (
	ErrNotHijacked     = errors.New("response is not hijacked")
	ErrAlreadyHijacked = errors.New("response was already hijacked")
	ErrCannotHijack    = errors.New("response cannot be hijacked")
)
View Source
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

	// ExecuteSlashCommand executes a slash command with the given parameters.
	//
	// @tag Command
	// Minimum server version: 5.26
	ExecuteSlashCommand(commandArgs *model.CommandArgs) (*model.CommandResponse, 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 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

	// GetTelemetryId returns a unique identifier used by the server for telemetry reports.
	//
	// @tag Server
	// Minimum server version: 5.28
	GetTelemetryId() 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)

	// GetPreferencesForUser gets a user's preferences.
	//
	// @tag User
	// @tag Preference
	// Minimum server version: 5.26
	GetPreferencesForUser(userID string) ([]model.Preference, *model.AppError)

	// UpdatePreferencesForUser updates a user's preferences.
	//
	// @tag User
	// @tag Preference
	// Minimum server version: 5.26
	UpdatePreferencesForUser(userID string, preferences []model.Preference) *model.AppError

	// DeletePreferencesForUser deletes a user's preferences.
	//
	// @tag User
	// @tag Preference
	// Minimum server version: 5.26
	DeletePreferencesForUser(userID string, preferences []model.Preference) *model.AppError

	// CreateUserAccessToken creates a new access token.
	// @tag User
	// Minimum server version: 5.38
	CreateUserAccessToken(token *model.UserAccessToken) (*model.UserAccessToken, *model.AppError)

	// RevokeUserAccessToken revokes an existing access token.
	// @tag User
	// Minimum server version: 5.38
	RevokeUserAccessToken(tokenID string) *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)

	// SetUserStatusTimedDND will set a user's status to dnd for given time until the user,
	// or another integration/plugin, sets it back to online.
	// @tag User
	// Minimum server version: 5.35
	SetUserStatusTimedDND(userId string, endtime int64) (*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)

	// CreateChannelSidebarCategory creates a new sidebar category for a set of channels.
	//
	// @tag ChannelSidebar
	// Minimum server version: 5.37
	CreateChannelSidebarCategory(userID, teamID string, newCategory *model.SidebarCategoryWithChannels) (*model.SidebarCategoryWithChannels, *model.AppError)

	// GetChannelSidebarCategories returns sidebar categories.
	//
	// @tag ChannelSidebar
	// Minimum server version: 5.37
	GetChannelSidebarCategories(userID, teamID string) (*model.OrderedSidebarCategories, *model.AppError)

	// UpdateChannelSidebarCategories updates the channel sidebar categories.
	//
	// @tag ChannelSidebar
	// Minimum server version: 5.37
	UpdateChannelSidebarCategories(userID, teamID string, categories []*model.SidebarCategoryWithChannels) ([]*model.SidebarCategoryWithChannels, *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)

	// SearchPostsInTeamForUser returns a list of posts by team and user that match the given
	// search parameters.
	// @tag Post
	// Minimum server version: 5.26
	SearchPostsInTeamForUser(teamID string, userID string, searchParams model.SearchParameter) (*model.PostSearchResults, *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)

	// GetGroupMemberUsers gets a page of users belonging to the given group.
	//
	// @tag Group
	// Minimum server version: 5.35
	GetGroupMemberUsers(groupID string, page, perPage int) ([]*model.User, *model.AppError)

	// GetGroupsBySource gets a list of all groups for the given source.
	//
	// @tag Group
	// Minimum server version: 5.35
	GetGroupsBySource(groupSource model.GroupSource) ([]*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

	// PublishUserTyping publishes a user is typing WebSocket event.
	// The parentId parameter may be an empty string, the other parameters are required.
	//
	// @tag User
	// Minimum server version: 5.26
	PublishUserTyping(userID, channelId, parentId string) *model.AppError

	// CreateCommand creates a server-owned slash command that is not handled by the plugin
	// itself, and which will persist past the life of the plugin. The command will have its
	// CreatorId set to "" and its PluginId set to the id of the plugin that created it.
	//
	// @tag SlashCommand
	// Minimum server version: 5.28
	CreateCommand(cmd *model.Command) (*model.Command, error)

	// ListCommands returns the list of all slash commands for teamID. E.g., custom commands
	// (those created through the integrations menu, the REST api, or the plugin api CreateCommand),
	// plugin commands (those created with plugin api RegisterCommand), and builtin commands
	// (those added internally through RegisterCommandProvider).
	//
	// @tag SlashCommand
	// Minimum server version: 5.28
	ListCommands(teamID string) ([]*model.Command, error)

	// ListCustomCommands returns the list of slash commands for teamID that where created
	// through the integrations menu, the REST api, or the plugin api CreateCommand.
	//
	// @tag SlashCommand
	// Minimum server version: 5.28
	ListCustomCommands(teamID string) ([]*model.Command, error)

	// ListPluginCommands returns the list of slash commands for teamID that were created
	// with the plugin api RegisterCommand.
	//
	// @tag SlashCommand
	// Minimum server version: 5.28
	ListPluginCommands(teamID string) ([]*model.Command, error)

	// ListBuiltInCommands returns the list of slash commands that are builtin commands
	// (those added internally through RegisterCommandProvider).
	//
	// @tag SlashCommand
	// Minimum server version: 5.28
	ListBuiltInCommands() ([]*model.Command, error)

	// GetCommand returns the command definition based on a command id string.
	//
	// @tag SlashCommand
	// Minimum server version: 5.28
	GetCommand(commandID string) (*model.Command, error)

	// UpdateCommand updates a single command (commandID) with the information provided in the
	// updatedCmd model.Command struct. The following fields in the command cannot be updated:
	// Id, Token, CreateAt, DeleteAt, and PluginId. If updatedCmd.TeamId is blank, it
	// will be set to commandID's TeamId.
	//
	// @tag SlashCommand
	// Minimum server version: 5.28
	UpdateCommand(commandID string, updatedCmd *model.Command) (*model.Command, error)

	// DeleteCommand deletes a slash command (commandID).
	//
	// @tag SlashCommand
	// Minimum server version: 5.28
	DeleteCommand(commandID string) error

	// CreateOAuthApp creates a new OAuth App.
	//
	// @tag OAuth
	// Minimum server version: 5.38
	CreateOAuthApp(app *model.OAuthApp) (*model.OAuthApp, *model.AppError)

	// GetOAuthApp gets an existing OAuth App by id.
	//
	// @tag OAuth
	// Minimum server version: 5.38
	GetOAuthApp(appID string) (*model.OAuthApp, *model.AppError)

	// UpdateOAuthApp updates an existing OAuth App.
	//
	// @tag OAuth
	// Minimum server version: 5.38
	UpdateOAuthApp(app *model.OAuthApp) (*model.OAuthApp, *model.AppError)

	// DeleteOAuthApp deletes an existing OAuth App by id.
	//
	// @tag OAuth
	// Minimum server version: 5.38
	DeleteOAuthApp(appID string) *model.AppError

	// PublishPluginClusterEvent broadcasts a plugin event to all other running instances of
	// the calling plugin that are present in the cluster.
	//
	// This method is used to allow plugin communication in a High-Availability cluster.
	// The receiving side should implement the OnPluginClusterEvent hook
	// to receive events sent through this method.
	//
	// Minimum server version: 5.36
	PublishPluginClusterEvent(ev model.PluginClusterEvent, opts model.PluginClusterEventSendOptions) error

	// RequestTrialLicense requests a trial license and installs it in the server
	//
	// Minimum server version: 5.36
	RequestTrialLicense(requesterID string, users int, termsAccepted bool, receiveEmailsAccepted bool) *model.AppError
}

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 // Deprecated: Use the "Mattermost-Plugin-ID" HTTP header instead
}

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 Driver added in v5.37.0

type Driver interface {
	// Connection
	Conn(isMaster bool) (string, error)
	ConnPing(connID string) error
	ConnClose(connID string) error
	ConnQuery(connID, q string, args []driver.NamedValue) (string, error)         // rows
	ConnExec(connID, q string, args []driver.NamedValue) (ResultContainer, error) // result

	// Transaction
	Tx(connID string, opts driver.TxOptions) (string, error)
	TxCommit(txID string) error
	TxRollback(txID string) error

	// Statement
	Stmt(connID, q string) (string, error)
	StmtClose(stID string) error
	StmtNumInput(stID string) int
	StmtQuery(stID string, args []driver.NamedValue) (string, error)         // rows
	StmtExec(stID string, args []driver.NamedValue) (ResultContainer, error) // result

	// Rows
	RowsColumns(rowsID string) []string
	RowsClose(rowsID string) error
	RowsNext(rowsID string, dest []driver.Value) error
	RowsHasNextResultSet(rowsID string) bool
	RowsNextResultSet(rowsID string) error
	RowsColumnTypeDatabaseTypeName(rowsID string, index int) string
	RowsColumnTypePrecisionScale(rowsID string, index int) (int64, int64, bool)
}

Driver is a sql driver interface that is used by plugins to perform raw SQL queries without opening DB connections by themselves. This interface is not subject to backward compatibility guarantees and is only meant to be used by plugins built by the Mattermost team.

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,
	dbDriver Driver,
	pluginDir string, webappPluginDir string,
	logger *mlog.Logger,
	metrics einterfaces.MetricsInterface) (*Environment, error)

func (*Environment) Activate

func (env *Environment) Activate(id string) (manifest *model.Manifest, activated bool, reterr 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) PerformHealthCheck added in v5.29.0

func (env *Environment) PerformHealthCheck(id string) error

PerformHealthCheck uses the active plugin's supervisor to verify if the plugin has crashed.

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 {
	Code int // Code to map to various error variables
	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.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	ServeHTTP(c *Context, w http.ResponseWriter, r *http.Request)

	// ExecuteCommand executes a command that has been previously registered via the RegisterCommand
	// API.
	//
	// Minimum server version: 5.2
	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
	//
	// Minimum server version: 5.2
	UserWillLogIn(c *Context, user *model.User) string

	// UserHasLoggedIn is invoked after a user has logged in.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	MessageHasBeenUpdated(c *Context, newPost, oldPost *model.Post)

	// ChannelHasBeenCreated is invoked after the channel has been committed to the database.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	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.
	//
	// Minimum server version: 5.2
	FileWillBeUploaded(c *Context, info *model.FileInfo, file io.Reader, output io.Writer) (*model.FileInfo, string)

	// ReactionHasBeenAdded is invoked after the reaction has been committed to the database.
	//
	// Note that this method will be called for reactions added by plugins, including the plugin that
	// added the reaction.
	//
	// Minimum server version: 5.30
	ReactionHasBeenAdded(c *Context, reaction *model.Reaction)

	// ReactionHasBeenRemoved is invoked after the removal of the reaction has been committed to the database.
	//
	// Note that this method will be called for reactions removed by plugins, including the plugin that
	// removed the reaction.
	//
	// Minimum server version: 5.30
	ReactionHasBeenRemoved(c *Context, reaction *model.Reaction)

	// OnPluginClusterEvent is invoked when an intra-cluster plugin event is received.
	//
	// This is used to allow communication between multiple instances of the same plugin
	// that are running on separate nodes of the same High-Availability cluster.
	// This hook receives events sent by a call to PublishPluginClusterEvent.
	//
	// Minimum server version: 5.36
	OnPluginClusterEvent(c *Context, ev model.PluginClusterEvent)
}

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
	Driver  Driver
}

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) SetDriver added in v5.37.0

func (p *MattermostPlugin) SetDriver(driver Driver)

SetDriver sets the RPC client implementation to talk with the server.

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 ResultContainer added in v5.37.0

type ResultContainer struct {
	LastID            int64
	LastIDError       error
	RowsAffected      int64
	RowsAffectedError error
}

ResultContainer contains the output from the LastInsertID and RowsAffected methods for a given set of rows. It is used to embed another round-trip to the server, and helping to avoid tracking results on the server.

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 BotID added in v5.35.0

If provided, BotID configures ShouldProcessMessage to skip its retrieval from the store.

By default, posts from all non-bot users are allowed.

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_AddChannelMemberArgs struct {
	A string
	B string
}

type Z_AddChannelMemberReturns

type Z_AddChannelMemberReturns struct {
	A *model.ChannelMember
	B *model.AppError
}

type Z_AddReactionArgs

type Z_AddReactionArgs struct {
	A *model.Reaction
}

type Z_AddReactionReturns

type Z_AddReactionReturns struct {
	A *model.Reaction
	B *model.AppError
}

type Z_AddUserToChannelArgs

type Z_AddUserToChannelArgs struct {
	A string
	B string
	C string
}

type Z_AddUserToChannelReturns

type Z_AddUserToChannelReturns struct {
	A *model.ChannelMember
	B *model.AppError
}

type Z_ChannelHasBeenCreatedArgs

type Z_ChannelHasBeenCreatedArgs struct {
	A *Context
	B *model.Channel
}

type Z_ChannelHasBeenCreatedReturns

type Z_ChannelHasBeenCreatedReturns struct {
}

type Z_CopyFileInfosArgs

type Z_CopyFileInfosArgs struct {
	A string
	B []string
}

type Z_CopyFileInfosReturns

type Z_CopyFileInfosReturns struct {
	A []string
	B *model.AppError
}

type Z_CreateBotArgs

type Z_CreateBotArgs struct {
	A *model.Bot
}

type Z_CreateBotReturns

type Z_CreateBotReturns struct {
	A *model.Bot
	B *model.AppError
}

type Z_CreateChannelArgs

type Z_CreateChannelArgs struct {
	A *model.Channel
}

type Z_CreateChannelReturns

type Z_CreateChannelReturns struct {
	A *model.Channel
	B *model.AppError
}

type Z_CreateChannelSidebarCategoryArgs added in v5.38.0

type Z_CreateChannelSidebarCategoryArgs struct {
	A string
	B string
	C *model.SidebarCategoryWithChannels
}

type Z_CreateChannelSidebarCategoryReturns added in v5.38.0

type Z_CreateChannelSidebarCategoryReturns struct {
	A *model.SidebarCategoryWithChannels
	B *model.AppError
}

type Z_CreateCommandArgs added in v5.28.0

type Z_CreateCommandArgs struct {
	A *model.Command
}

type Z_CreateCommandReturns added in v5.28.0

type Z_CreateCommandReturns struct {
	A *model.Command
	B error
}

type Z_CreateOAuthAppArgs added in v5.38.0

type Z_CreateOAuthAppArgs struct {
	A *model.OAuthApp
}

type Z_CreateOAuthAppReturns added in v5.38.0

type Z_CreateOAuthAppReturns struct {
	A *model.OAuthApp
	B *model.AppError
}

type Z_CreatePostArgs

type Z_CreatePostArgs struct {
	A *model.Post
}

type Z_CreatePostReturns

type Z_CreatePostReturns struct {
	A *model.Post
	B *model.AppError
}

type Z_CreateTeamArgs

type Z_CreateTeamArgs struct {
	A *model.Team
}

type Z_CreateTeamMemberArgs

type Z_CreateTeamMemberArgs struct {
	A string
	B string
}

type Z_CreateTeamMemberReturns

type Z_CreateTeamMemberReturns struct {
	A *model.TeamMember
	B *model.AppError
}

type Z_CreateTeamMembersArgs

type Z_CreateTeamMembersArgs struct {
	A string
	B []string
	C string
}

type Z_CreateTeamMembersGracefullyArgs added in v5.20.0

type Z_CreateTeamMembersGracefullyArgs struct {
	A string
	B []string
	C string
}

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_CreateTeamReturns

type Z_CreateTeamReturns struct {
	A *model.Team
	B *model.AppError
}

type Z_CreateUserAccessTokenArgs added in v5.38.0

type Z_CreateUserAccessTokenArgs struct {
	A *model.UserAccessToken
}

type Z_CreateUserAccessTokenReturns added in v5.38.0

type Z_CreateUserAccessTokenReturns struct {
	A *model.UserAccessToken
	B *model.AppError
}

type Z_CreateUserArgs

type Z_CreateUserArgs struct {
	A *model.User
}

type Z_CreateUserReturns

type Z_CreateUserReturns struct {
	A *model.User
	B *model.AppError
}

type Z_DbBoolReturn added in v5.37.0

type Z_DbBoolReturn struct {
	A bool
}

type Z_DbConnArgs added in v5.37.0

type Z_DbConnArgs struct {
	A string
	B string
	C []driver.NamedValue
}

type Z_DbErrReturn added in v5.37.0

type Z_DbErrReturn struct {
	A error
}

type Z_DbInt64ErrReturn added in v5.37.0

type Z_DbInt64ErrReturn struct {
	A int64
	B error
}

type Z_DbIntReturn added in v5.37.0

type Z_DbIntReturn struct {
	A int
}

type Z_DbResultContErrReturn added in v5.37.0

type Z_DbResultContErrReturn struct {
	A ResultContainer
	B error
}

type Z_DbRowScanArg added in v5.37.0

type Z_DbRowScanArg struct {
	A string
	B []driver.Value
}

type Z_DbRowScanReturn added in v5.37.0

type Z_DbRowScanReturn struct {
	A error
	B []driver.Value
}

type Z_DbRowsColumnArg added in v5.37.0

type Z_DbRowsColumnArg struct {
	A string
	B int
}

type Z_DbRowsColumnTypePrecisionScaleReturn added in v5.37.0

type Z_DbRowsColumnTypePrecisionScaleReturn struct {
	A int64
	B int64
	C bool
}

type Z_DbStmtArgs added in v5.37.0

type Z_DbStmtArgs struct {
	A string
	B string
}

type Z_DbStmtQueryArgs added in v5.37.0

type Z_DbStmtQueryArgs struct {
	A string
	B []driver.NamedValue
}

type Z_DbStrErrReturn added in v5.37.0

type Z_DbStrErrReturn struct {
	A string
	B error
}

type Z_DbStrSliceReturn added in v5.37.0

type Z_DbStrSliceReturn struct {
	A []string
}

type Z_DbTxArgs added in v5.37.0

type Z_DbTxArgs struct {
	A string
	B driver.TxOptions
}

type Z_DeleteBotIconImageArgs

type Z_DeleteBotIconImageArgs struct {
	A string
}

type Z_DeleteBotIconImageReturns

type Z_DeleteBotIconImageReturns struct {
	A *model.AppError
}

type Z_DeleteChannelArgs

type Z_DeleteChannelArgs struct {
	A string
}

type Z_DeleteChannelMemberArgs

type Z_DeleteChannelMemberArgs struct {
	A string
	B string
}

type Z_DeleteChannelMemberReturns

type Z_DeleteChannelMemberReturns struct {
	A *model.AppError
}

type Z_DeleteChannelReturns

type Z_DeleteChannelReturns struct {
	A *model.AppError
}

type Z_DeleteCommandArgs added in v5.28.0

type Z_DeleteCommandArgs struct {
	A string
}

type Z_DeleteCommandReturns added in v5.28.0

type Z_DeleteCommandReturns struct {
	A error
}

type Z_DeleteEphemeralPostArgs

type Z_DeleteEphemeralPostArgs struct {
	A string
	B string
}

type Z_DeleteEphemeralPostReturns

type Z_DeleteEphemeralPostReturns struct {
}

type Z_DeleteOAuthAppArgs added in v5.38.0

type Z_DeleteOAuthAppArgs struct {
	A string
}

type Z_DeleteOAuthAppReturns added in v5.38.0

type Z_DeleteOAuthAppReturns struct {
	A *model.AppError
}

type Z_DeletePostArgs

type Z_DeletePostArgs struct {
	A string
}

type Z_DeletePostReturns

type Z_DeletePostReturns struct {
	A *model.AppError
}

type Z_DeletePreferencesForUserArgs added in v5.26.0

type Z_DeletePreferencesForUserArgs struct {
	A string
	B []model.Preference
}

type Z_DeletePreferencesForUserReturns added in v5.26.0

type Z_DeletePreferencesForUserReturns struct {
	A *model.AppError
}

type Z_DeleteTeamArgs

type Z_DeleteTeamArgs struct {
	A string
}

type Z_DeleteTeamMemberArgs

type Z_DeleteTeamMemberArgs struct {
	A string
	B string
	C string
}

type Z_DeleteTeamMemberReturns

type Z_DeleteTeamMemberReturns struct {
	A *model.AppError
}

type Z_DeleteTeamReturns

type Z_DeleteTeamReturns struct {
	A *model.AppError
}

type Z_DeleteUserArgs

type Z_DeleteUserArgs struct {
	A string
}

type Z_DeleteUserReturns

type Z_DeleteUserReturns struct {
	A *model.AppError
}

type Z_DisablePluginArgs

type Z_DisablePluginArgs struct {
	A string
}

type Z_DisablePluginReturns

type Z_DisablePluginReturns struct {
	A *model.AppError
}

type Z_EnablePluginArgs

type Z_EnablePluginArgs struct {
	A string
}

type Z_EnablePluginReturns

type Z_EnablePluginReturns struct {
	A *model.AppError
}

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_ExecuteSlashCommandArgs added in v5.26.0

type Z_ExecuteSlashCommandArgs struct {
	A *model.CommandArgs
}

type Z_ExecuteSlashCommandReturns added in v5.26.0

type Z_ExecuteSlashCommandReturns struct {
	A *model.CommandResponse
	B error
}

type Z_FileWillBeUploadedArgs

type Z_FileWillBeUploadedArgs struct {
	A                     *Context
	B                     *model.FileInfo
	UploadedFileStream    uint32
	ReplacementFileStream uint32
}

type Z_FileWillBeUploadedReturns

type Z_FileWillBeUploadedReturns struct {
	A *model.FileInfo
	B string
}

type Z_GetBotArgs

type Z_GetBotArgs struct {
	A string
	B bool
}

type Z_GetBotIconImageArgs

type Z_GetBotIconImageArgs struct {
	A string
}

type Z_GetBotIconImageReturns

type Z_GetBotIconImageReturns struct {
	A []byte
	B *model.AppError
}

type Z_GetBotReturns

type Z_GetBotReturns struct {
	A *model.Bot
	B *model.AppError
}

type Z_GetBotsArgs

type Z_GetBotsArgs struct {
	A *model.BotGetOptions
}

type Z_GetBotsReturns

type Z_GetBotsReturns struct {
	A []*model.Bot
	B *model.AppError
}

type Z_GetBundlePathArgs

type Z_GetBundlePathArgs struct {
}

type Z_GetBundlePathReturns

type Z_GetBundlePathReturns struct {
	A string
	B error
}

type Z_GetChannelArgs

type Z_GetChannelArgs struct {
	A string
}

type Z_GetChannelByNameArgs

type Z_GetChannelByNameArgs struct {
	A string
	B string
	C bool
}

type Z_GetChannelByNameForTeamNameArgs

type Z_GetChannelByNameForTeamNameArgs struct {
	A string
	B string
	C bool
}

type Z_GetChannelByNameForTeamNameReturns

type Z_GetChannelByNameForTeamNameReturns struct {
	A *model.Channel
	B *model.AppError
}

type Z_GetChannelByNameReturns

type Z_GetChannelByNameReturns struct {
	A *model.Channel
	B *model.AppError
}

type Z_GetChannelMemberArgs

type Z_GetChannelMemberArgs struct {
	A string
	B string
}

type Z_GetChannelMemberReturns

type Z_GetChannelMemberReturns struct {
	A *model.ChannelMember
	B *model.AppError
}

type Z_GetChannelMembersArgs

type Z_GetChannelMembersArgs struct {
	A string
	B int
	C int
}

type Z_GetChannelMembersByIdsArgs

type Z_GetChannelMembersByIdsArgs struct {
	A string
	B []string
}

type Z_GetChannelMembersByIdsReturns

type Z_GetChannelMembersByIdsReturns struct {
	A *model.ChannelMembers
	B *model.AppError
}

type Z_GetChannelMembersForUserArgs

type Z_GetChannelMembersForUserArgs struct {
	A string
	B string
	C int
	D int
}

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_GetChannelReturns

type Z_GetChannelReturns struct {
	A *model.Channel
	B *model.AppError
}

type Z_GetChannelSidebarCategoriesArgs added in v5.38.0

type Z_GetChannelSidebarCategoriesArgs struct {
	A string
	B string
}

type Z_GetChannelSidebarCategoriesReturns added in v5.38.0

type Z_GetChannelSidebarCategoriesReturns struct {
	A *model.OrderedSidebarCategories
	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_GetChannelsForTeamForUserArgs

type Z_GetChannelsForTeamForUserArgs struct {
	A string
	B string
	C bool
}

type Z_GetChannelsForTeamForUserReturns

type Z_GetChannelsForTeamForUserReturns struct {
	A []*model.Channel
	B *model.AppError
}

type Z_GetCommandArgs added in v5.28.0

type Z_GetCommandArgs struct {
	A string
}

type Z_GetCommandReturns added in v5.28.0

type Z_GetCommandReturns struct {
	A *model.Command
	B error
}

type Z_GetConfigArgs

type Z_GetConfigArgs struct {
}

type Z_GetConfigReturns

type Z_GetConfigReturns struct {
	A *model.Config
}

type Z_GetDiagnosticIdArgs

type Z_GetDiagnosticIdArgs struct {
}

type Z_GetDiagnosticIdReturns

type Z_GetDiagnosticIdReturns struct {
	A string
}

type Z_GetDirectChannelArgs

type Z_GetDirectChannelArgs struct {
	A string
	B string
}

type Z_GetDirectChannelReturns

type Z_GetDirectChannelReturns struct {
	A *model.Channel
	B *model.AppError
}

type Z_GetEmojiArgs

type Z_GetEmojiArgs struct {
	A string
}

type Z_GetEmojiByNameArgs

type Z_GetEmojiByNameArgs struct {
	A string
}

type Z_GetEmojiByNameReturns

type Z_GetEmojiByNameReturns struct {
	A *model.Emoji
	B *model.AppError
}

type Z_GetEmojiImageArgs

type Z_GetEmojiImageArgs struct {
	A string
}

type Z_GetEmojiImageReturns

type Z_GetEmojiImageReturns struct {
	A []byte
	B string
	C *model.AppError
}

type Z_GetEmojiListArgs

type Z_GetEmojiListArgs struct {
	A string
	B int
	C int
}

type Z_GetEmojiListReturns

type Z_GetEmojiListReturns struct {
	A []*model.Emoji
	B *model.AppError
}

type Z_GetEmojiReturns

type Z_GetEmojiReturns struct {
	A *model.Emoji
	B *model.AppError
}

type Z_GetFileArgs

type Z_GetFileArgs struct {
	A string
}

type Z_GetFileInfoArgs

type Z_GetFileInfoArgs struct {
	A string
}

type Z_GetFileInfoReturns

type Z_GetFileInfoReturns struct {
	A *model.FileInfo
	B *model.AppError
}

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_GetFileInfosReturns struct {
	A []*model.FileInfo
	B *model.AppError
}

type Z_GetFileLinkArgs

type Z_GetFileLinkArgs struct {
	A string
}

type Z_GetFileLinkReturns

type Z_GetFileLinkReturns struct {
	A string
	B *model.AppError
}

type Z_GetFileReturns

type Z_GetFileReturns struct {
	A []byte
	B *model.AppError
}

type Z_GetGroupArgs

type Z_GetGroupArgs struct {
	A string
}

type Z_GetGroupByNameArgs

type Z_GetGroupByNameArgs struct {
	A string
}

type Z_GetGroupByNameReturns

type Z_GetGroupByNameReturns struct {
	A *model.Group
	B *model.AppError
}

type Z_GetGroupChannelArgs

type Z_GetGroupChannelArgs struct {
	A []string
}

type Z_GetGroupChannelReturns

type Z_GetGroupChannelReturns struct {
	A *model.Channel
	B *model.AppError
}

type Z_GetGroupMemberUsersArgs added in v5.36.0

type Z_GetGroupMemberUsersArgs struct {
	A string
	B int
	C int
}

type Z_GetGroupMemberUsersReturns added in v5.36.0

type Z_GetGroupMemberUsersReturns struct {
	A []*model.User
	B *model.AppError
}

type Z_GetGroupReturns

type Z_GetGroupReturns struct {
	A *model.Group
	B *model.AppError
}

type Z_GetGroupsBySourceArgs added in v5.36.0

type Z_GetGroupsBySourceArgs struct {
	A model.GroupSource
}

type Z_GetGroupsBySourceReturns added in v5.36.0

type Z_GetGroupsBySourceReturns struct {
	A []*model.Group
	B *model.AppError
}

type Z_GetGroupsForUserArgs

type Z_GetGroupsForUserArgs struct {
	A string
}

type Z_GetGroupsForUserReturns

type Z_GetGroupsForUserReturns struct {
	A []*model.Group
	B *model.AppError
}

type Z_GetLDAPUserAttributesArgs

type Z_GetLDAPUserAttributesArgs struct {
	A string
	B []string
}

type Z_GetLDAPUserAttributesReturns

type Z_GetLDAPUserAttributesReturns struct {
	A map[string]string
	B *model.AppError
}

type Z_GetLicenseArgs

type Z_GetLicenseArgs struct {
}

type Z_GetLicenseReturns

type Z_GetLicenseReturns struct {
	A *model.License
}

type Z_GetOAuthAppArgs added in v5.38.0

type Z_GetOAuthAppArgs struct {
	A string
}

type Z_GetOAuthAppReturns added in v5.38.0

type Z_GetOAuthAppReturns struct {
	A *model.OAuthApp
	B *model.AppError
}

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_GetPluginsReturns struct {
	A []*model.Manifest
	B *model.AppError
}

type Z_GetPostArgs

type Z_GetPostArgs struct {
	A string
}

type Z_GetPostReturns

type Z_GetPostReturns struct {
	A *model.Post
	B *model.AppError
}

type Z_GetPostThreadArgs

type Z_GetPostThreadArgs struct {
	A string
}

type Z_GetPostThreadReturns

type Z_GetPostThreadReturns struct {
	A *model.PostList
	B *model.AppError
}

type Z_GetPostsAfterArgs

type Z_GetPostsAfterArgs struct {
	A string
	B string
	C int
	D int
}

type Z_GetPostsAfterReturns

type Z_GetPostsAfterReturns struct {
	A *model.PostList
	B *model.AppError
}

type Z_GetPostsBeforeArgs

type Z_GetPostsBeforeArgs struct {
	A string
	B string
	C int
	D int
}

type Z_GetPostsBeforeReturns

type Z_GetPostsBeforeReturns struct {
	A *model.PostList
	B *model.AppError
}

type Z_GetPostsForChannelArgs

type Z_GetPostsForChannelArgs struct {
	A string
	B int
	C int
}

type Z_GetPostsForChannelReturns

type Z_GetPostsForChannelReturns struct {
	A *model.PostList
	B *model.AppError
}

type Z_GetPostsSinceArgs

type Z_GetPostsSinceArgs struct {
	A string
	B int64
}

type Z_GetPostsSinceReturns

type Z_GetPostsSinceReturns struct {
	A *model.PostList
	B *model.AppError
}

type Z_GetPreferencesForUserArgs added in v5.26.0

type Z_GetPreferencesForUserArgs struct {
	A string
}

type Z_GetPreferencesForUserReturns added in v5.26.0

type Z_GetPreferencesForUserReturns struct {
	A []model.Preference
	B *model.AppError
}

type Z_GetProfileImageArgs

type Z_GetProfileImageArgs struct {
	A string
}

type Z_GetProfileImageReturns

type Z_GetProfileImageReturns struct {
	A []byte
	B *model.AppError
}

type Z_GetPublicChannelsForTeamArgs

type Z_GetPublicChannelsForTeamArgs struct {
	A string
	B int
	C int
}

type Z_GetPublicChannelsForTeamReturns

type Z_GetPublicChannelsForTeamReturns struct {
	A []*model.Channel
	B *model.AppError
}

type Z_GetReactionsArgs

type Z_GetReactionsArgs struct {
	A string
}

type Z_GetReactionsReturns

type Z_GetReactionsReturns struct {
	A []*model.Reaction
	B *model.AppError
}

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_GetSessionReturns

type Z_GetSessionReturns struct {
	A *model.Session
	B *model.AppError
}

type Z_GetSystemInstallDateArgs

type Z_GetSystemInstallDateArgs struct {
}

type Z_GetSystemInstallDateReturns

type Z_GetSystemInstallDateReturns struct {
	A int64
	B *model.AppError
}

type Z_GetTeamArgs

type Z_GetTeamArgs struct {
	A string
}

type Z_GetTeamByNameArgs

type Z_GetTeamByNameArgs struct {
	A string
}

type Z_GetTeamByNameReturns

type Z_GetTeamByNameReturns struct {
	A *model.Team
	B *model.AppError
}

type Z_GetTeamIconArgs

type Z_GetTeamIconArgs struct {
	A string
}

type Z_GetTeamIconReturns

type Z_GetTeamIconReturns struct {
	A []byte
	B *model.AppError
}

type Z_GetTeamMemberArgs

type Z_GetTeamMemberArgs struct {
	A string
	B string
}

type Z_GetTeamMemberReturns

type Z_GetTeamMemberReturns struct {
	A *model.TeamMember
	B *model.AppError
}

type Z_GetTeamMembersArgs

type Z_GetTeamMembersArgs struct {
	A string
	B int
	C int
}

type Z_GetTeamMembersForUserArgs

type Z_GetTeamMembersForUserArgs struct {
	A string
	B int
	C int
}

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_GetTeamReturns

type Z_GetTeamReturns struct {
	A *model.Team
	B *model.AppError
}

type Z_GetTeamStatsArgs

type Z_GetTeamStatsArgs struct {
	A string
}

type Z_GetTeamStatsReturns

type Z_GetTeamStatsReturns struct {
	A *model.TeamStats
	B *model.AppError
}

type Z_GetTeamsArgs

type Z_GetTeamsArgs struct {
}

type Z_GetTeamsForUserArgs

type Z_GetTeamsForUserArgs struct {
	A string
}

type Z_GetTeamsForUserReturns

type Z_GetTeamsForUserReturns struct {
	A []*model.Team
	B *model.AppError
}

type Z_GetTeamsReturns

type Z_GetTeamsReturns struct {
	A []*model.Team
	B *model.AppError
}

type Z_GetTeamsUnreadForUserArgs

type Z_GetTeamsUnreadForUserArgs struct {
	A string
}

type Z_GetTeamsUnreadForUserReturns

type Z_GetTeamsUnreadForUserReturns struct {
	A []*model.TeamUnread
	B *model.AppError
}

type Z_GetTelemetryIdArgs added in v5.28.0

type Z_GetTelemetryIdArgs struct {
}

type Z_GetTelemetryIdReturns added in v5.28.0

type Z_GetTelemetryIdReturns struct {
	A string
}

type Z_GetUnsanitizedConfigArgs

type Z_GetUnsanitizedConfigArgs struct {
}

type Z_GetUnsanitizedConfigReturns

type Z_GetUnsanitizedConfigReturns struct {
	A *model.Config
}

type Z_GetUserArgs

type Z_GetUserArgs struct {
	A string
}

type Z_GetUserByEmailArgs

type Z_GetUserByEmailArgs struct {
	A string
}

type Z_GetUserByEmailReturns

type Z_GetUserByEmailReturns struct {
	A *model.User
	B *model.AppError
}

type Z_GetUserByUsernameArgs

type Z_GetUserByUsernameArgs struct {
	A string
}

type Z_GetUserByUsernameReturns

type Z_GetUserByUsernameReturns struct {
	A *model.User
	B *model.AppError
}

type Z_GetUserReturns

type Z_GetUserReturns struct {
	A *model.User
	B *model.AppError
}

type Z_GetUserStatusArgs

type Z_GetUserStatusArgs struct {
	A string
}

type Z_GetUserStatusReturns

type Z_GetUserStatusReturns struct {
	A *model.Status
	B *model.AppError
}

type Z_GetUserStatusesByIdsArgs

type Z_GetUserStatusesByIdsArgs struct {
	A []string
}

type Z_GetUserStatusesByIdsReturns

type Z_GetUserStatusesByIdsReturns struct {
	A []*model.Status
	B *model.AppError
}

type Z_GetUsersArgs

type Z_GetUsersArgs struct {
	A *model.UserGetOptions
}

type Z_GetUsersByUsernamesArgs

type Z_GetUsersByUsernamesArgs struct {
	A []string
}

type Z_GetUsersByUsernamesReturns

type Z_GetUsersByUsernamesReturns struct {
	A []*model.User
	B *model.AppError
}

type Z_GetUsersInChannelArgs

type Z_GetUsersInChannelArgs struct {
	A string
	B string
	C int
	D int
}

type Z_GetUsersInChannelReturns

type Z_GetUsersInChannelReturns struct {
	A []*model.User
	B *model.AppError
}

type Z_GetUsersInTeamArgs

type Z_GetUsersInTeamArgs struct {
	A string
	B int
	C int
}

type Z_GetUsersInTeamReturns

type Z_GetUsersInTeamReturns struct {
	A []*model.User
	B *model.AppError
}

type Z_GetUsersReturns

type Z_GetUsersReturns struct {
	A []*model.User
	B *model.AppError
}

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_InstallPluginArgs struct {
	PluginStreamID uint32
	B              bool
}

type Z_InstallPluginReturns

type Z_InstallPluginReturns struct {
	A *model.Manifest
	B *model.AppError
}

type Z_KVCompareAndDeleteArgs

type Z_KVCompareAndDeleteArgs struct {
	A string
	B []byte
}

type Z_KVCompareAndDeleteReturns

type Z_KVCompareAndDeleteReturns struct {
	A bool
	B *model.AppError
}

type Z_KVCompareAndSetArgs

type Z_KVCompareAndSetArgs struct {
	A string
	B []byte
	C []byte
}

type Z_KVCompareAndSetReturns

type Z_KVCompareAndSetReturns struct {
	A bool
	B *model.AppError
}

type Z_KVDeleteAllArgs

type Z_KVDeleteAllArgs struct {
}

type Z_KVDeleteAllReturns

type Z_KVDeleteAllReturns struct {
	A *model.AppError
}

type Z_KVDeleteArgs

type Z_KVDeleteArgs struct {
	A string
}

type Z_KVDeleteReturns

type Z_KVDeleteReturns struct {
	A *model.AppError
}

type Z_KVGetArgs

type Z_KVGetArgs struct {
	A string
}

type Z_KVGetReturns

type Z_KVGetReturns struct {
	A []byte
	B *model.AppError
}

type Z_KVListArgs

type Z_KVListArgs struct {
	A int
	B int
}

type Z_KVListReturns

type Z_KVListReturns struct {
	A []string
	B *model.AppError
}

type Z_KVSetArgs

type Z_KVSetArgs struct {
	A string
	B []byte
}

type Z_KVSetReturns

type Z_KVSetReturns struct {
	A *model.AppError
}

type Z_KVSetWithExpiryArgs

type Z_KVSetWithExpiryArgs struct {
	A string
	B []byte
	C int64
}

type Z_KVSetWithExpiryReturns

type Z_KVSetWithExpiryReturns struct {
	A *model.AppError
}

type Z_KVSetWithOptionsArgs

type Z_KVSetWithOptionsArgs struct {
	A string
	B []byte
	C model.PluginKVSetOptions
}

type Z_KVSetWithOptionsReturns

type Z_KVSetWithOptionsReturns struct {
	A bool
	B *model.AppError
}

type Z_ListBuiltInCommandsArgs added in v5.28.0

type Z_ListBuiltInCommandsArgs struct {
}

type Z_ListBuiltInCommandsReturns added in v5.28.0

type Z_ListBuiltInCommandsReturns struct {
	A []*model.Command
	B error
}

type Z_ListCommandsArgs added in v5.28.0

type Z_ListCommandsArgs struct {
	A string
}

type Z_ListCommandsReturns added in v5.28.0

type Z_ListCommandsReturns struct {
	A []*model.Command
	B error
}

type Z_ListCustomCommandsArgs added in v5.28.0

type Z_ListCustomCommandsArgs struct {
	A string
}

type Z_ListCustomCommandsReturns added in v5.28.0

type Z_ListCustomCommandsReturns struct {
	A []*model.Command
	B error
}

type Z_ListPluginCommandsArgs added in v5.28.0

type Z_ListPluginCommandsArgs struct {
	A string
}

type Z_ListPluginCommandsReturns added in v5.28.0

type Z_ListPluginCommandsReturns struct {
	A []*model.Command
	B error
}

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_MessageHasBeenPostedArgs

type Z_MessageHasBeenPostedArgs struct {
	A *Context
	B *model.Post
}

type Z_MessageHasBeenPostedReturns

type Z_MessageHasBeenPostedReturns struct {
}

type Z_MessageHasBeenUpdatedArgs

type Z_MessageHasBeenUpdatedArgs struct {
	A *Context
	B *model.Post
	C *model.Post
}

type Z_MessageHasBeenUpdatedReturns

type Z_MessageHasBeenUpdatedReturns struct {
}

type Z_MessageWillBePostedArgs

type Z_MessageWillBePostedArgs struct {
	A *Context
	B *model.Post
}

type Z_MessageWillBePostedReturns

type Z_MessageWillBePostedReturns struct {
	A *model.Post
	B string
}

type Z_MessageWillBeUpdatedArgs

type Z_MessageWillBeUpdatedArgs struct {
	A *Context
	B *model.Post
	C *model.Post
}

type Z_MessageWillBeUpdatedReturns

type Z_MessageWillBeUpdatedReturns struct {
	A *model.Post
	B string
}

type Z_OnActivateArgs

type Z_OnActivateArgs struct {
	APIMuxId    uint32
	DriverMuxId 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_OnPluginClusterEventArgs added in v5.36.0

type Z_OnPluginClusterEventArgs struct {
	A *Context
	B model.PluginClusterEvent
}

type Z_OnPluginClusterEventReturns added in v5.36.0

type Z_OnPluginClusterEventReturns struct {
}

type Z_OpenInteractiveDialogArgs

type Z_OpenInteractiveDialogArgs struct {
	A model.OpenDialogRequest
}

type Z_OpenInteractiveDialogReturns

type Z_OpenInteractiveDialogReturns struct {
	A *model.AppError
}

type Z_PatchBotArgs

type Z_PatchBotArgs struct {
	A string
	B *model.BotPatch
}

type Z_PatchBotReturns

type Z_PatchBotReturns struct {
	A *model.Bot
	B *model.AppError
}

type Z_PermanentDeleteBotArgs

type Z_PermanentDeleteBotArgs struct {
	A string
}

type Z_PermanentDeleteBotReturns

type Z_PermanentDeleteBotReturns struct {
	A *model.AppError
}

type Z_PluginHTTPArgs

type Z_PluginHTTPArgs struct {
	Request     *http.Request
	RequestBody []byte
}

type Z_PluginHTTPReturns

type Z_PluginHTTPReturns struct {
	Response     *http.Response
	ResponseBody []byte
}

type Z_PublishPluginClusterEventArgs added in v5.36.0

type Z_PublishPluginClusterEventArgs struct {
	A model.PluginClusterEvent
	B model.PluginClusterEventSendOptions
}

type Z_PublishPluginClusterEventReturns added in v5.36.0

type Z_PublishPluginClusterEventReturns struct {
	A error
}

type Z_PublishUserTypingArgs added in v5.26.0

type Z_PublishUserTypingArgs struct {
	A string
	B string
	C string
}

type Z_PublishUserTypingReturns added in v5.26.0

type Z_PublishUserTypingReturns struct {
	A *model.AppError
}

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_ReactionHasBeenAddedArgs added in v5.30.0

type Z_ReactionHasBeenAddedArgs struct {
	A *Context
	B *model.Reaction
}

type Z_ReactionHasBeenAddedReturns added in v5.30.0

type Z_ReactionHasBeenAddedReturns struct {
}

type Z_ReactionHasBeenRemovedArgs added in v5.30.0

type Z_ReactionHasBeenRemovedArgs struct {
	A *Context
	B *model.Reaction
}

type Z_ReactionHasBeenRemovedReturns added in v5.30.0

type Z_ReactionHasBeenRemovedReturns struct {
}

type Z_ReadFileArgs

type Z_ReadFileArgs struct {
	A string
}

type Z_ReadFileReturns

type Z_ReadFileReturns struct {
	A []byte
	B *model.AppError
}

type Z_RegisterCommandArgs

type Z_RegisterCommandArgs struct {
	A *model.Command
}

type Z_RegisterCommandReturns

type Z_RegisterCommandReturns struct {
	A error
}

type Z_RemovePluginArgs

type Z_RemovePluginArgs struct {
	A string
}

type Z_RemovePluginReturns

type Z_RemovePluginReturns struct {
	A *model.AppError
}

type Z_RemoveReactionArgs

type Z_RemoveReactionArgs struct {
	A *model.Reaction
}

type Z_RemoveReactionReturns

type Z_RemoveReactionReturns struct {
	A *model.AppError
}

type Z_RemoveTeamIconArgs

type Z_RemoveTeamIconArgs struct {
	A string
}

type Z_RemoveTeamIconReturns

type Z_RemoveTeamIconReturns struct {
	A *model.AppError
}

type Z_RequestTrialLicenseArgs added in v5.36.0

type Z_RequestTrialLicenseArgs struct {
	A string
	B int
	C bool
	D bool
}

type Z_RequestTrialLicenseReturns added in v5.36.0

type Z_RequestTrialLicenseReturns struct {
	A *model.AppError
}

type Z_RevokeUserAccessTokenArgs added in v5.38.0

type Z_RevokeUserAccessTokenArgs struct {
	A string
}

type Z_RevokeUserAccessTokenReturns added in v5.38.0

type Z_RevokeUserAccessTokenReturns struct {
	A *model.AppError
}

type Z_SaveConfigArgs

type Z_SaveConfigArgs struct {
	A *model.Config
}

type Z_SaveConfigReturns

type Z_SaveConfigReturns struct {
	A *model.AppError
}

type Z_SavePluginConfigArgs

type Z_SavePluginConfigArgs struct {
	A map[string]interface{}
}

type Z_SavePluginConfigReturns

type Z_SavePluginConfigReturns struct {
	A *model.AppError
}

type Z_SearchChannelsArgs

type Z_SearchChannelsArgs struct {
	A string
	B string
}

type Z_SearchChannelsReturns

type Z_SearchChannelsReturns struct {
	A []*model.Channel
	B *model.AppError
}

type Z_SearchPostsInTeamArgs

type Z_SearchPostsInTeamArgs struct {
	A string
	B []*model.SearchParams
}

type Z_SearchPostsInTeamForUserArgs added in v5.26.0

type Z_SearchPostsInTeamForUserArgs struct {
	A string
	B string
	C model.SearchParameter
}

type Z_SearchPostsInTeamForUserReturns added in v5.26.0

type Z_SearchPostsInTeamForUserReturns struct {
	A *model.PostSearchResults
	B *model.AppError
}

type Z_SearchPostsInTeamReturns

type Z_SearchPostsInTeamReturns struct {
	A []*model.Post
	B *model.AppError
}

type Z_SearchTeamsArgs

type Z_SearchTeamsArgs struct {
	A string
}

type Z_SearchTeamsReturns

type Z_SearchTeamsReturns struct {
	A []*model.Team
	B *model.AppError
}

type Z_SearchUsersArgs

type Z_SearchUsersArgs struct {
	A *model.UserSearch
}

type Z_SearchUsersReturns

type Z_SearchUsersReturns struct {
	A []*model.User
	B *model.AppError
}

type Z_SendEphemeralPostArgs

type Z_SendEphemeralPostArgs struct {
	A string
	B *model.Post
}

type Z_SendEphemeralPostReturns

type Z_SendEphemeralPostReturns struct {
	A *model.Post
}

type Z_SendMailArgs

type Z_SendMailArgs struct {
	A string
	B string
	C string
}

type Z_SendMailReturns

type Z_SendMailReturns struct {
	A *model.AppError
}

type Z_ServeHTTPArgs

type Z_ServeHTTPArgs struct {
	ResponseWriterStream uint32
	Request              *http.Request
	Context              *Context
	RequestBodyStream    uint32
}

type Z_SetBotIconImageArgs

type Z_SetBotIconImageArgs struct {
	A string
	B []byte
}

type Z_SetBotIconImageReturns

type Z_SetBotIconImageReturns struct {
	A *model.AppError
}

type Z_SetProfileImageArgs

type Z_SetProfileImageArgs struct {
	A string
	B []byte
}

type Z_SetProfileImageReturns

type Z_SetProfileImageReturns struct {
	A *model.AppError
}

type Z_SetTeamIconArgs

type Z_SetTeamIconArgs struct {
	A string
	B []byte
}

type Z_SetTeamIconReturns

type Z_SetTeamIconReturns struct {
	A *model.AppError
}

type Z_SetUserStatusTimedDNDArgs added in v5.37.0

type Z_SetUserStatusTimedDNDArgs struct {
	A string
	B int64
}

type Z_SetUserStatusTimedDNDReturns added in v5.37.0

type Z_SetUserStatusTimedDNDReturns struct {
	A *model.Status
	B *model.AppError
}

type Z_UnregisterCommandArgs

type Z_UnregisterCommandArgs struct {
	A string
	B string
}

type Z_UnregisterCommandReturns

type Z_UnregisterCommandReturns struct {
	A error
}

type Z_UpdateBotActiveArgs

type Z_UpdateBotActiveArgs struct {
	A string
	B bool
}

type Z_UpdateBotActiveReturns

type Z_UpdateBotActiveReturns struct {
	A *model.Bot
	B *model.AppError
}

type Z_UpdateChannelArgs

type Z_UpdateChannelArgs struct {
	A *model.Channel
}

type Z_UpdateChannelMemberNotificationsArgs

type Z_UpdateChannelMemberNotificationsArgs struct {
	A string
	B string
	C map[string]string
}

type Z_UpdateChannelMemberNotificationsReturns

type Z_UpdateChannelMemberNotificationsReturns struct {
	A *model.ChannelMember
	B *model.AppError
}

type Z_UpdateChannelMemberRolesArgs

type Z_UpdateChannelMemberRolesArgs struct {
	A string
	B string
	C string
}

type Z_UpdateChannelMemberRolesReturns

type Z_UpdateChannelMemberRolesReturns struct {
	A *model.ChannelMember
	B *model.AppError
}

type Z_UpdateChannelReturns

type Z_UpdateChannelReturns struct {
	A *model.Channel
	B *model.AppError
}

type Z_UpdateChannelSidebarCategoriesArgs added in v5.38.0

type Z_UpdateChannelSidebarCategoriesArgs struct {
	A string
	B string
	C []*model.SidebarCategoryWithChannels
}

type Z_UpdateChannelSidebarCategoriesReturns added in v5.38.0

type Z_UpdateChannelSidebarCategoriesReturns struct {
	A []*model.SidebarCategoryWithChannels
	B *model.AppError
}

type Z_UpdateCommandArgs added in v5.28.0

type Z_UpdateCommandArgs struct {
	A string
	B *model.Command
}

type Z_UpdateCommandReturns added in v5.28.0

type Z_UpdateCommandReturns struct {
	A *model.Command
	B error
}

type Z_UpdateEphemeralPostArgs

type Z_UpdateEphemeralPostArgs struct {
	A string
	B *model.Post
}

type Z_UpdateEphemeralPostReturns

type Z_UpdateEphemeralPostReturns struct {
	A *model.Post
}

type Z_UpdateOAuthAppArgs added in v5.38.0

type Z_UpdateOAuthAppArgs struct {
	A *model.OAuthApp
}

type Z_UpdateOAuthAppReturns added in v5.38.0

type Z_UpdateOAuthAppReturns struct {
	A *model.OAuthApp
	B *model.AppError
}

type Z_UpdatePostArgs

type Z_UpdatePostArgs struct {
	A *model.Post
}

type Z_UpdatePostReturns

type Z_UpdatePostReturns struct {
	A *model.Post
	B *model.AppError
}

type Z_UpdatePreferencesForUserArgs added in v5.26.0

type Z_UpdatePreferencesForUserArgs struct {
	A string
	B []model.Preference
}

type Z_UpdatePreferencesForUserReturns added in v5.26.0

type Z_UpdatePreferencesForUserReturns struct {
	A *model.AppError
}

type Z_UpdateTeamArgs

type Z_UpdateTeamArgs struct {
	A *model.Team
}

type Z_UpdateTeamMemberRolesArgs

type Z_UpdateTeamMemberRolesArgs struct {
	A string
	B string
	C string
}

type Z_UpdateTeamMemberRolesReturns

type Z_UpdateTeamMemberRolesReturns struct {
	A *model.TeamMember
	B *model.AppError
}

type Z_UpdateTeamReturns

type Z_UpdateTeamReturns struct {
	A *model.Team
	B *model.AppError
}

type Z_UpdateUserActiveArgs

type Z_UpdateUserActiveArgs struct {
	A string
	B bool
}

type Z_UpdateUserActiveReturns

type Z_UpdateUserActiveReturns struct {
	A *model.AppError
}

type Z_UpdateUserArgs

type Z_UpdateUserArgs struct {
	A *model.User
}

type Z_UpdateUserReturns

type Z_UpdateUserReturns struct {
	A *model.User
	B *model.AppError
}

type Z_UpdateUserStatusArgs

type Z_UpdateUserStatusArgs struct {
	A string
	B string
}

type Z_UpdateUserStatusReturns

type Z_UpdateUserStatusReturns struct {
	A *model.Status
	B *model.AppError
}

type Z_UploadFileArgs

type Z_UploadFileArgs struct {
	A []byte
	B string
	C string
}

type Z_UploadFileReturns

type Z_UploadFileReturns struct {
	A *model.FileInfo
	B *model.AppError
}

type Z_UserHasBeenCreatedArgs

type Z_UserHasBeenCreatedArgs struct {
	A *Context
	B *model.User
}

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_UserHasLoggedInArgs struct {
	A *Context
	B *model.User
}

type Z_UserHasLoggedInReturns

type Z_UserHasLoggedInReturns struct {
}

type Z_UserWillLogInArgs

type Z_UserWillLogInArgs struct {
	A *Context
	B *model.User
}

type Z_UserWillLogInReturns

type Z_UserWillLogInReturns struct {
	A string
}

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".

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL