summaryrefslogtreecommitdiffstats
diff options
context:
space:
mode:
-rw-r--r--api4/channel.go107
-rw-r--r--api4/oauth_test.go13
-rw-r--r--app/app.go3
-rw-r--r--app/channel.go72
-rw-r--r--app/channel_test.go206
-rw-r--r--app/command_join.go11
-rw-r--r--app/command_join_test.go88
-rw-r--r--app/diagnostics.go7
-rw-r--r--app/file.go2
-rw-r--r--app/import.go3
-rw-r--r--app/oauth.go8
-rw-r--r--config/default.json3
-rw-r--r--einterfaces/oauthproviders.go2
-rw-r--r--i18n/de.json2892
-rw-r--r--i18n/en.json128
-rw-r--r--i18n/es.json2892
-rw-r--r--i18n/fr.json2892
-rw-r--r--i18n/it.json2894
-rw-r--r--i18n/ja.json2896
-rw-r--r--i18n/ko.json2894
-rw-r--r--i18n/nl.json2894
-rw-r--r--i18n/pl.json2894
-rw-r--r--i18n/pt-BR.json2892
-rw-r--r--i18n/ru.json2894
-rw-r--r--i18n/tr.json2896
-rw-r--r--i18n/zh-CN.json2892
-rw-r--r--i18n/zh-TW.json2892
-rw-r--r--jobs/workers.go2
-rw-r--r--model/channel.go43
-rw-r--r--model/channel_mentions.go28
-rw-r--r--model/config.go15
-rw-r--r--model/gitlab/gitlab.go16
-rw-r--r--model/post.go17
-rw-r--r--store/layered_store.go8
-rw-r--r--store/sqlstore/channel_store.go6
-rw-r--r--store/sqlstore/store.go2
-rw-r--r--store/sqlstore/supplier.go11
-rw-r--r--store/sqlstore/upgrade.go2
-rw-r--r--store/store.go2
-rw-r--r--store/storetest/channel_store.go42
-rw-r--r--store/storetest/mocks/LayeredStoreDatabaseLayer.go10
-rw-r--r--store/storetest/mocks/SqlStore.go10
-rw-r--r--store/storetest/mocks/Store.go10
-rw-r--r--store/storetest/store.go2
-rw-r--r--utils/config.go3
-rw-r--r--web/handlers.go2
-rw-r--r--web/web.go8
47 files changed, 12238 insertions, 26268 deletions
diff --git a/api4/channel.go b/api4/channel.go
index b2c920ddb..cb9112677 100644
--- a/api4/channel.go
+++ b/api4/channel.go
@@ -209,13 +209,20 @@ func patchChannel(c *Context, w http.ResponseWriter, r *http.Request) {
return
}
- if rchannel, err := c.App.PatchChannel(oldChannel, patch, c.Session.UserId); err != nil {
+ rchannel, err := c.App.PatchChannel(oldChannel, patch, c.Session.UserId)
+ if err != nil {
+ c.Err = err
+ return
+ }
+
+ err = c.App.FillInChannelProps(rchannel)
+ if err != nil {
c.Err = err
return
- } else {
- c.LogAudit("")
- w.Write([]byte(rchannel.ToJson()))
}
+
+ c.LogAudit("")
+ w.Write([]byte(rchannel.ToJson()))
}
func restoreChannel(c *Context, w http.ResponseWriter, r *http.Request) {
@@ -361,6 +368,12 @@ func getChannel(c *Context, w http.ResponseWriter, r *http.Request) {
}
}
+ err = c.App.FillInChannelProps(channel)
+ if err != nil {
+ c.Err = err
+ return
+ }
+
w.Write([]byte(channel.ToJson()))
}
@@ -444,13 +457,19 @@ func getPublicChannelsForTeam(c *Context, w http.ResponseWriter, r *http.Request
return
}
- if channels, err := c.App.GetPublicChannelsForTeam(c.Params.TeamId, c.Params.Page*c.Params.PerPage, c.Params.PerPage); err != nil {
+ channels, err := c.App.GetPublicChannelsForTeam(c.Params.TeamId, c.Params.Page*c.Params.PerPage, c.Params.PerPage)
+ if err != nil {
c.Err = err
return
- } else {
- w.Write([]byte(channels.ToJson()))
+ }
+
+ err = c.App.FillInChannelsProps(channels)
+ if err != nil {
+ c.Err = err
return
}
+
+ w.Write([]byte(channels.ToJson()))
}
func getDeletedChannelsForTeam(c *Context, w http.ResponseWriter, r *http.Request) {
@@ -464,13 +483,19 @@ func getDeletedChannelsForTeam(c *Context, w http.ResponseWriter, r *http.Reques
return
}
- if channels, err := c.App.GetDeletedChannels(c.Params.TeamId, c.Params.Page*c.Params.PerPage, c.Params.PerPage); err != nil {
+ channels, err := c.App.GetDeletedChannels(c.Params.TeamId, c.Params.Page*c.Params.PerPage, c.Params.PerPage)
+ if err != nil {
c.Err = err
return
- } else {
- w.Write([]byte(channels.ToJson()))
+ }
+
+ err = c.App.FillInChannelsProps(channels)
+ if err != nil {
+ c.Err = err
return
}
+
+ w.Write([]byte(channels.ToJson()))
}
func getPublicChannelsByIdsForTeam(c *Context, w http.ResponseWriter, r *http.Request) {
@@ -497,12 +522,19 @@ func getPublicChannelsByIdsForTeam(c *Context, w http.ResponseWriter, r *http.Re
return
}
- if channels, err := c.App.GetPublicChannelsByIdsForTeam(c.Params.TeamId, channelIds); err != nil {
+ channels, err := c.App.GetPublicChannelsByIdsForTeam(c.Params.TeamId, channelIds)
+ if err != nil {
+ c.Err = err
+ return
+ }
+
+ err = c.App.FillInChannelsProps(channels)
+ if err != nil {
c.Err = err
return
- } else {
- w.Write([]byte(channels.ToJson()))
}
+
+ w.Write([]byte(channels.ToJson()))
}
func getChannelsForTeamForUser(c *Context, w http.ResponseWriter, r *http.Request) {
@@ -521,15 +553,24 @@ func getChannelsForTeamForUser(c *Context, w http.ResponseWriter, r *http.Reques
return
}
- if channels, err := c.App.GetChannelsForUser(c.Params.TeamId, c.Params.UserId); err != nil {
+ channels, err := c.App.GetChannelsForUser(c.Params.TeamId, c.Params.UserId)
+ if err != nil {
c.Err = err
return
- } else if c.HandleEtag(channels.Etag(), "Get Channels", w, r) {
+ }
+
+ if c.HandleEtag(channels.Etag(), "Get Channels", w, r) {
return
- } else {
- w.Header().Set(model.HEADER_ETAG_SERVER, channels.Etag())
- w.Write([]byte(channels.ToJson()))
}
+
+ err = c.App.FillInChannelsProps(channels)
+ if err != nil {
+ c.Err = err
+ return
+ }
+
+ w.Header().Set(model.HEADER_ETAG_SERVER, channels.Etag())
+ w.Write([]byte(channels.ToJson()))
}
func autocompleteChannelsForTeam(c *Context, w http.ResponseWriter, r *http.Request) {
@@ -545,12 +586,15 @@ func autocompleteChannelsForTeam(c *Context, w http.ResponseWriter, r *http.Requ
name := r.URL.Query().Get("name")
- if channels, err := c.App.AutocompleteChannels(c.Params.TeamId, name); err != nil {
+ channels, err := c.App.AutocompleteChannels(c.Params.TeamId, name)
+ if err != nil {
c.Err = err
return
- } else {
- w.Write([]byte(channels.ToJson()))
}
+
+ // Don't fill in channels props, since unused by client and potentially expensive.
+
+ w.Write([]byte(channels.ToJson()))
}
func searchChannelsForTeam(c *Context, w http.ResponseWriter, r *http.Request) {
@@ -570,12 +614,15 @@ func searchChannelsForTeam(c *Context, w http.ResponseWriter, r *http.Request) {
return
}
- if channels, err := c.App.SearchChannels(c.Params.TeamId, props.Term); err != nil {
+ channels, err := c.App.SearchChannels(c.Params.TeamId, props.Term)
+ if err != nil {
c.Err = err
return
- } else {
- w.Write([]byte(channels.ToJson()))
}
+
+ // Don't fill in channels props, since unused by client and potentially expensive.
+
+ w.Write([]byte(channels.ToJson()))
}
func deleteChannel(c *Context, w http.ResponseWriter, r *http.Request) {
@@ -638,6 +685,12 @@ func getChannelByName(c *Context, w http.ResponseWriter, r *http.Request) {
}
}
+ err = c.App.FillInChannelProps(channel)
+ if err != nil {
+ c.Err = err
+ return
+ }
+
w.Write([]byte(channel.ToJson()))
}
@@ -660,6 +713,12 @@ func getChannelByNameForTeamName(c *Context, w http.ResponseWriter, r *http.Requ
return
}
+ err = c.App.FillInChannelProps(channel)
+ if err != nil {
+ c.Err = err
+ return
+ }
+
w.Write([]byte(channel.ToJson()))
}
diff --git a/api4/oauth_test.go b/api4/oauth_test.go
index 8cf20ca5e..6bbd99ccc 100644
--- a/api4/oauth_test.go
+++ b/api4/oauth_test.go
@@ -1127,15 +1127,8 @@ func closeBody(r *http.Response) {
type MattermostTestProvider struct {
}
-func (m *MattermostTestProvider) GetIdentifier() string {
- return model.SERVICE_GITLAB
-}
-
func (m *MattermostTestProvider) GetUserFromJson(data io.Reader) *model.User {
- return model.UserFromJson(data)
-}
-
-func (m *MattermostTestProvider) GetAuthDataFromJson(data io.Reader) string {
- authData := model.UserFromJson(data)
- return authData.Email
+ user := model.UserFromJson(data)
+ user.AuthData = &user.Email
+ return user
}
diff --git a/app/app.go b/app/app.go
index 51aa1374e..6bf4c9f68 100644
--- a/app/app.go
+++ b/app/app.go
@@ -206,6 +206,9 @@ func New(options ...Option) (outApp *App, outErr error) {
}
app.initJobs()
+ app.AddLicenseListener(func() {
+ app.initJobs()
+ })
subpath, err := utils.GetSubpathFromConfig(app.Config())
if err != nil {
diff --git a/app/channel.go b/app/channel.go
index 7637e9d21..eee27a6de 100644
--- a/app/channel.go
+++ b/app/channel.go
@@ -397,13 +397,13 @@ func (a *App) UpdateChannelPrivacy(oldChannel *model.Channel, user *model.User)
}
func (a *App) postChannelPrivacyMessage(user *model.User, channel *model.Channel) *model.AppError {
- privacy := (map[string]string{
- model.CHANNEL_OPEN: "private_to_public",
- model.CHANNEL_PRIVATE: "public_to_private",
+ message := (map[string]string{
+ model.CHANNEL_OPEN: utils.T("api.channel.change_channel_privacy.private_to_public"),
+ model.CHANNEL_PRIVATE: utils.T("api.channel.change_channel_privacy.public_to_private"),
})[channel.Type]
post := &model.Post{
ChannelId: channel.Id,
- Message: utils.T("api.channel.change_channel_privacy." + privacy),
+ Message: message,
Type: model.POST_CHANGE_CHANNEL_PRIVACY,
UserId: user.Id,
Props: model.StringInterface{
@@ -1591,3 +1591,67 @@ func (a *App) ToggleMuteChannel(channelId string, userId string) *model.ChannelM
a.Srv.Store.Channel().UpdateMember(member)
return member
}
+
+func (a *App) FillInChannelProps(channel *model.Channel) *model.AppError {
+ return a.FillInChannelsProps(&model.ChannelList{channel})
+}
+
+func (a *App) FillInChannelsProps(channelList *model.ChannelList) *model.AppError {
+ // Group the channels by team and call GetChannelsByNames just once per team.
+ channelsByTeam := make(map[string]model.ChannelList)
+ for _, channel := range *channelList {
+ channelsByTeam[channel.TeamId] = append(channelsByTeam[channel.TeamId], channel)
+ }
+
+ for teamId, channelList := range channelsByTeam {
+ allChannelMentions := make(map[string]bool)
+ channelMentions := make(map[*model.Channel][]string, len(channelList))
+
+ // Collect mentions across the channels so as to query just once for this team.
+ for _, channel := range channelList {
+ channelMentions[channel] = model.ChannelMentions(channel.Header)
+
+ for _, channelMention := range channelMentions[channel] {
+ allChannelMentions[channelMention] = true
+ }
+ }
+
+ allChannelMentionNames := make([]string, 0, len(allChannelMentions))
+ for channelName := range allChannelMentions {
+ allChannelMentionNames = append(allChannelMentionNames, channelName)
+ }
+
+ if len(allChannelMentionNames) > 0 {
+ mentionedChannels, err := a.GetChannelsByNames(allChannelMentionNames, teamId)
+ if err != nil {
+ return err
+ }
+
+ mentionedChannelsByName := make(map[string]*model.Channel)
+ for _, channel := range mentionedChannels {
+ mentionedChannelsByName[channel.Name] = channel
+ }
+
+ for _, channel := range channelList {
+ channelMentionsProp := make(map[string]interface{}, len(channelMentions[channel]))
+ for _, channelMention := range channelMentions[channel] {
+ if mentioned, ok := mentionedChannelsByName[channelMention]; ok {
+ if mentioned.Type == model.CHANNEL_OPEN {
+ channelMentionsProp[mentioned.Name] = map[string]interface{}{
+ "display_name": mentioned.DisplayName,
+ }
+ }
+ }
+ }
+
+ if len(channelMentionsProp) > 0 {
+ channel.AddProp("channel_mentions", channelMentionsProp)
+ } else if channel.Props != nil {
+ delete(channel.Props, "channel_mentions")
+ }
+ }
+ }
+ }
+
+ return nil
+}
diff --git a/app/channel_test.go b/app/channel_test.go
index 336d9b25b..4e6aaaf52 100644
--- a/app/channel_test.go
+++ b/app/channel_test.go
@@ -9,6 +9,7 @@ import (
"github.com/mattermost/mattermost-server/model"
"github.com/mattermost/mattermost-server/store"
"github.com/stretchr/testify/assert"
+ "github.com/stretchr/testify/require"
)
func TestPermanentDeleteChannel(t *testing.T) {
@@ -399,3 +400,208 @@ func TestAppUpdateChannelScheme(t *testing.T) {
t.Fatal("Wrong Channel SchemeId")
}
}
+
+func TestFillInChannelProps(t *testing.T) {
+ th := Setup().InitBasic()
+ defer th.TearDown()
+
+ channelPublic1, err := th.App.CreateChannel(&model.Channel{DisplayName: "Public 1", Name: "public1", Type: model.CHANNEL_OPEN, TeamId: th.BasicTeam.Id}, false)
+ require.Nil(t, err)
+ defer th.App.PermanentDeleteChannel(channelPublic1)
+
+ channelPublic2, err := th.App.CreateChannel(&model.Channel{DisplayName: "Public 2", Name: "public2", Type: model.CHANNEL_OPEN, TeamId: th.BasicTeam.Id}, false)
+ require.Nil(t, err)
+ defer th.App.PermanentDeleteChannel(channelPublic2)
+
+ channelPrivate, err := th.App.CreateChannel(&model.Channel{DisplayName: "Private", Name: "private", Type: model.CHANNEL_PRIVATE, TeamId: th.BasicTeam.Id}, false)
+ require.Nil(t, err)
+ defer th.App.PermanentDeleteChannel(channelPrivate)
+
+ otherTeamId := model.NewId()
+ otherTeam := &model.Team{
+ DisplayName: "dn_" + otherTeamId,
+ Name: "name" + otherTeamId,
+ Email: "success+" + otherTeamId + "@simulator.amazonses.com",
+ Type: model.TEAM_OPEN,
+ }
+ otherTeam, err = th.App.CreateTeam(otherTeam)
+ require.Nil(t, err)
+ defer th.App.PermanentDeleteTeam(otherTeam)
+
+ channelOtherTeam, err := th.App.CreateChannel(&model.Channel{DisplayName: "Other Team Channel", Name: "other-team", Type: model.CHANNEL_OPEN, TeamId: otherTeam.Id}, false)
+ require.Nil(t, err)
+ defer th.App.PermanentDeleteChannel(channelOtherTeam)
+
+ // Note that purpose is intentionally plaintext below.
+
+ t.Run("single channels", func(t *testing.T) {
+ testCases := []struct {
+ Description string
+ Channel *model.Channel
+ ExpectedChannelProps map[string]interface{}
+ }{
+ {
+ "channel on basic team without references",
+ &model.Channel{
+ TeamId: th.BasicTeam.Id,
+ Header: "No references",
+ Purpose: "No references",
+ },
+ nil,
+ },
+ {
+ "channel on basic team",
+ &model.Channel{
+ TeamId: th.BasicTeam.Id,
+ Header: "~public1, ~private, ~other-team",
+ Purpose: "~public2, ~private, ~other-team",
+ },
+ map[string]interface{}{
+ "channel_mentions": map[string]interface{}{
+ "public1": map[string]interface{}{
+ "display_name": "Public 1",
+ },
+ },
+ },
+ },
+ {
+ "channel on other team",
+ &model.Channel{
+ TeamId: otherTeam.Id,
+ Header: "~public1, ~private, ~other-team",
+ Purpose: "~public2, ~private, ~other-team",
+ },
+ map[string]interface{}{
+ "channel_mentions": map[string]interface{}{
+ "other-team": map[string]interface{}{
+ "display_name": "Other Team Channel",
+ },
+ },
+ },
+ },
+ }
+
+ for _, testCase := range testCases {
+ t.Run(testCase.Description, func(t *testing.T) {
+ err = th.App.FillInChannelProps(testCase.Channel)
+ require.Nil(t, err)
+
+ assert.Equal(t, testCase.ExpectedChannelProps, testCase.Channel.Props)
+ })
+ }
+ })
+
+ t.Run("multiple channels", func(t *testing.T) {
+ testCases := []struct {
+ Description string
+ Channels *model.ChannelList
+ ExpectedChannelProps map[string]interface{}
+ }{
+ {
+ "single channel on basic team",
+ &model.ChannelList{
+ {
+ Name: "test",
+ TeamId: th.BasicTeam.Id,
+ Header: "~public1, ~private, ~other-team",
+ Purpose: "~public2, ~private, ~other-team",
+ },
+ },
+ map[string]interface{}{
+ "test": map[string]interface{}{
+ "channel_mentions": map[string]interface{}{
+ "public1": map[string]interface{}{
+ "display_name": "Public 1",
+ },
+ },
+ },
+ },
+ },
+ {
+ "multiple channels on basic team",
+ &model.ChannelList{
+ {
+ Name: "test",
+ TeamId: th.BasicTeam.Id,
+ Header: "~public1, ~private, ~other-team",
+ Purpose: "~public2, ~private, ~other-team",
+ },
+ {
+ Name: "test2",
+ TeamId: th.BasicTeam.Id,
+ Header: "~private, ~other-team",
+ Purpose: "~public2, ~private, ~other-team",
+ },
+ {
+ Name: "test3",
+ TeamId: th.BasicTeam.Id,
+ Header: "No references",
+ Purpose: "No references",
+ },
+ },
+ map[string]interface{}{
+ "test": map[string]interface{}{
+ "channel_mentions": map[string]interface{}{
+ "public1": map[string]interface{}{
+ "display_name": "Public 1",
+ },
+ },
+ },
+ "test2": map[string]interface{}(nil),
+ "test3": map[string]interface{}(nil),
+ },
+ },
+ {
+ "multiple channels across teams",
+ &model.ChannelList{
+ {
+ Name: "test",
+ TeamId: th.BasicTeam.Id,
+ Header: "~public1, ~private, ~other-team",
+ Purpose: "~public2, ~private, ~other-team",
+ },
+ {
+ Name: "test2",
+ TeamId: otherTeam.Id,
+ Header: "~private, ~other-team",
+ Purpose: "~public2, ~private, ~other-team",
+ },
+ {
+ Name: "test3",
+ TeamId: th.BasicTeam.Id,
+ Header: "No references",
+ Purpose: "No references",
+ },
+ },
+ map[string]interface{}{
+ "test": map[string]interface{}{
+ "channel_mentions": map[string]interface{}{
+ "public1": map[string]interface{}{
+ "display_name": "Public 1",
+ },
+ },
+ },
+ "test2": map[string]interface{}{
+ "channel_mentions": map[string]interface{}{
+ "other-team": map[string]interface{}{
+ "display_name": "Other Team Channel",
+ },
+ },
+ },
+ "test3": map[string]interface{}(nil),
+ },
+ },
+ }
+
+ for _, testCase := range testCases {
+ t.Run(testCase.Description, func(t *testing.T) {
+ err = th.App.FillInChannelsProps(testCase.Channels)
+ require.Nil(t, err)
+
+ for _, channel := range *testCase.Channels {
+ assert.Equal(t, testCase.ExpectedChannelProps[channel.Name], channel.Props)
+ }
+ })
+ }
+ })
+}
diff --git a/app/command_join.go b/app/command_join.go
index 92084448e..61ed65ba6 100644
--- a/app/command_join.go
+++ b/app/command_join.go
@@ -6,6 +6,7 @@ package app
import (
"github.com/mattermost/mattermost-server/model"
goi18n "github.com/nicksnyder/go-i18n/i18n"
+ "strings"
)
type JoinProvider struct {
@@ -34,12 +35,18 @@ func (me *JoinProvider) GetCommand(a *App, T goi18n.TranslateFunc) *model.Comman
}
func (me *JoinProvider) DoCommand(a *App, args *model.CommandArgs, message string) *model.CommandResponse {
- if result := <-a.Srv.Store.Channel().GetByName(args.TeamId, message, true); result.Err != nil {
+ channelName := message
+
+ if strings.HasPrefix(message, "~") {
+ channelName = message[1:]
+ }
+
+ if result := <-a.Srv.Store.Channel().GetByName(args.TeamId, channelName, true); result.Err != nil {
return &model.CommandResponse{Text: args.T("api.command_join.list.app_error"), ResponseType: model.COMMAND_RESPONSE_TYPE_EPHEMERAL}
} else {
channel := result.Data.(*model.Channel)
- if channel.Name == message {
+ if channel.Name == channelName {
allowed := false
if (channel.Type == model.CHANNEL_PRIVATE && a.SessionHasPermissionToChannel(args.Session, channel.Id, model.PERMISSION_READ_CHANNEL)) || channel.Type == model.CHANNEL_OPEN {
allowed = true
diff --git a/app/command_join_test.go b/app/command_join_test.go
new file mode 100644
index 000000000..77574217b
--- /dev/null
+++ b/app/command_join_test.go
@@ -0,0 +1,88 @@
+// Copyright (c) 2018-present Mattermost, Inc. All Rights Reserved.
+// See License.txt for license information.
+
+package app
+
+import (
+ "testing"
+ "github.com/mattermost/mattermost-server/model"
+ "github.com/nicksnyder/go-i18n/i18n"
+ "github.com/stretchr/testify/assert"
+)
+
+func TestJoinCommandNoChannel(t *testing.T) {
+ th := Setup().InitBasic()
+ defer th.TearDown()
+
+ if testing.Short() {
+ t.SkipNow()
+ }
+
+ cmd := &JoinProvider{}
+ resp := cmd.DoCommand(th.App, &model.CommandArgs{
+ T: i18n.IdentityTfunc(),
+ UserId: th.BasicUser2.Id,
+ SiteURL: "http://test.url",
+ TeamId: th.BasicTeam.Id,
+ }, "asdsad")
+
+ assert.Equal(t, "api.command_join.list.app_error", resp.Text)
+}
+
+func TestJoinCommandForExistingChannel(t *testing.T) {
+ th := Setup().InitBasic()
+ defer th.TearDown()
+
+ if testing.Short() {
+ t.SkipNow()
+ }
+
+ channel2, _ := th.App.CreateChannel(&model.Channel{
+ DisplayName: "AA",
+ Name: "aa" + model.NewId() + "a",
+ Type: model.CHANNEL_OPEN,
+ TeamId: th.BasicTeam.Id,
+ CreatorId: th.BasicUser.Id,
+ }, false)
+
+
+ cmd := &JoinProvider{}
+ resp := cmd.DoCommand(th.App, &model.CommandArgs{
+ T: i18n.IdentityTfunc(),
+ UserId: th.BasicUser2.Id,
+ SiteURL: "http://test.url",
+ TeamId: th.BasicTeam.Id,
+ }, channel2.Name)
+
+ assert.Equal(t, "", resp.Text)
+ assert.Equal(t, "http://test.url/"+th.BasicTeam.Name+"/channels/"+channel2.Name, resp.GotoLocation)
+}
+
+func TestJoinCommandWithTilde(t *testing.T) {
+ th := Setup().InitBasic()
+ defer th.TearDown()
+
+ if testing.Short() {
+ t.SkipNow()
+ }
+
+ channel2, _ := th.App.CreateChannel(&model.Channel{
+ DisplayName: "AA",
+ Name: "aa" + model.NewId() + "a",
+ Type: model.CHANNEL_OPEN,
+ TeamId: th.BasicTeam.Id,
+ CreatorId: th.BasicUser.Id,
+ }, false)
+
+
+ cmd := &JoinProvider{}
+ resp := cmd.DoCommand(th.App, &model.CommandArgs{
+ T: i18n.IdentityTfunc(),
+ UserId: th.BasicUser2.Id,
+ SiteURL: "http://test.url",
+ TeamId: th.BasicTeam.Id,
+ }, "~"+channel2.Name)
+
+ assert.Equal(t, "", resp.Text)
+ assert.Equal(t, "http://test.url/"+th.BasicTeam.Name+"/channels/"+channel2.Name, resp.GotoLocation)
+}
diff --git a/app/diagnostics.go b/app/diagnostics.go
index c37d7d339..966cdb5be 100644
--- a/app/diagnostics.go
+++ b/app/diagnostics.go
@@ -36,6 +36,7 @@ const (
TRACK_CONFIG_WEBRTC = "config_webrtc"
TRACK_CONFIG_SUPPORT = "config_support"
TRACK_CONFIG_NATIVEAPP = "config_nativeapp"
+ TRACK_CONFIG_EXPERIMENTAL = "config_experimental"
TRACK_CONFIG_ANALYTICS = "config_analytics"
TRACK_CONFIG_ANNOUNCEMENT = "config_announcement"
TRACK_CONFIG_ELASTICSEARCH = "config_elasticsearch"
@@ -252,6 +253,7 @@ func (a *App) trackConfig() {
"allow_cookies_for_subdomains": *cfg.ServiceSettings.AllowCookiesForSubdomains,
"enable_api_team_deletion": *cfg.ServiceSettings.EnableAPITeamDeletion,
"experimental_enable_hardened_mode": *cfg.ServiceSettings.ExperimentalEnableHardenedMode,
+ "experimental_limit_client_config": *cfg.ServiceSettings.ExperimentalLimitClientConfig,
})
a.SendDiagnostic(TRACK_CONFIG_TEAM, map[string]interface{}{
@@ -475,6 +477,11 @@ func (a *App) trackConfig() {
"isdefault_turn_uri": isDefault(*cfg.WebrtcSettings.TurnURI, model.WEBRTC_SETTINGS_DEFAULT_TURN_URI),
})
+ a.SendDiagnostic(TRACK_CONFIG_EXPERIMENTAL, map[string]interface{}{
+ "client_side_cert_enable": *cfg.ExperimentalSettings.ClientSideCertEnable,
+ "isdefault_client_side_cert_check": isDefault(*cfg.ExperimentalSettings.ClientSideCertCheck, model.CLIENT_SIDE_CERT_CHECK_PRIMARY_AUTH),
+ })
+
a.SendDiagnostic(TRACK_CONFIG_ANALYTICS, map[string]interface{}{
"isdefault_max_users_for_statistics": isDefault(*cfg.AnalyticsSettings.MaxUsersForStatistics, model.ANALYTICS_SETTINGS_DEFAULT_MAX_USERS_FOR_STATISTICS),
})
diff --git a/app/file.go b/app/file.go
index add965fd7..95d11afed 100644
--- a/app/file.go
+++ b/app/file.go
@@ -54,7 +54,7 @@ const (
MaxImageSize = 6048 * 4032 // 24 megapixels, roughly 36MB as a raw image
IMAGE_THUMBNAIL_PIXEL_WIDTH = 120
IMAGE_THUMBNAIL_PIXEL_HEIGHT = 100
- IMAGE_PREVIEW_PIXEL_WIDTH = 1024
+ IMAGE_PREVIEW_PIXEL_WIDTH = 1920
)
func (a *App) FileBackend() (utils.FileBackend, *model.AppError) {
diff --git a/app/import.go b/app/import.go
index 04e71b64c..64e53fe93 100644
--- a/app/import.go
+++ b/app/import.go
@@ -209,6 +209,9 @@ func (a *App) BulkImport(fileReader io.Reader, dryRun bool, workers int) (*model
scanner := bufio.NewScanner(fileReader)
lineNumber := 0
+ a.Srv.Store.LockToMaster()
+ defer a.Srv.Store.UnlockFromMaster()
+
errorsChan := make(chan LineImportWorkerError, (2*workers)+1) // size chosen to ensure it never gets filled up completely.
var wg sync.WaitGroup
var linesChan chan LineImportWorkerData
diff --git a/app/oauth.go b/app/oauth.go
index 477c0aeaf..80fe4342e 100644
--- a/app/oauth.go
+++ b/app/oauth.go
@@ -457,7 +457,13 @@ func (a *App) LoginByOAuth(service string, userData io.Reader, teamId string) (*
return nil, model.NewAppError("LoginByOAuth", "api.user.login_by_oauth.not_available.app_error",
map[string]interface{}{"Service": strings.Title(service)}, "", http.StatusNotImplemented)
} else {
- authData = provider.GetAuthDataFromJson(bytes.NewReader(buf.Bytes()))
+ authUser := provider.GetUserFromJson(bytes.NewReader(buf.Bytes()))
+
+ if authUser.AuthData != nil {
+ authData = *authUser.AuthData
+ } else {
+ authData = ""
+ }
}
if len(authData) == 0 {
diff --git a/config/default.json b/config/default.json
index ac57fe5e4..2d1e6ceec 100644
--- a/config/default.json
+++ b/config/default.json
@@ -44,6 +44,9 @@
"WebserverMode": "gzip",
"EnableCustomEmoji": false,
"EnableEmojiPicker": true,
+ "EnableGifPicker": true,
+ "GfycatApiKey": "",
+ "GfycatApiSecret": "",
"RestrictCustomEmojiCreation": "all",
"RestrictPostDelete": "all",
"AllowEditPost": "always",
diff --git a/einterfaces/oauthproviders.go b/einterfaces/oauthproviders.go
index ed54a204a..178c17c11 100644
--- a/einterfaces/oauthproviders.go
+++ b/einterfaces/oauthproviders.go
@@ -10,9 +10,7 @@ import (
)
type OauthProvider interface {
- GetIdentifier() string
GetUserFromJson(data io.Reader) *model.User
- GetAuthDataFromJson(data io.Reader) string
}
var oauthProviders = make(map[string]OauthProvider)
diff --git a/i18n/de.json b/i18n/de.json
index c5249b95d..0809ab59d 100644
--- a/i18n/de.json
+++ b/i18n/de.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "April"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "August"
- },
- {
- "id": "December",
- "translation": "Dezember"
- },
- {
- "id": "February",
- "translation": "Februar"
- },
- {
- "id": "January",
- "translation": "Januar"
- },
- {
- "id": "July",
- "translation": "Juli"
- },
- {
- "id": "June",
- "translation": "Juni"
- },
- {
- "id": "March",
- "translation": "März"
- },
- {
- "id": "May",
- "translation": "Mai"
- },
- {
- "id": "November",
- "translation": "November"
- },
- {
- "id": "October",
- "translation": "Oktober"
- },
- {
- "id": "September",
- "translation": "September"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "Fehler beim Lesen der Logdatei."
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "Individuelles Branding ist auf diesem Server nicht konfiguriert oder wird nicht unterstützt."
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "Fotospeicher ist nicht eingerichtet."
},
{
- "id": "api.admin.init.debug",
- "translation": "Initialisiere Admin-API-Routen."
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "Abschluss der Wiederverwendung der Datenbankverbindung."
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "Versuche die Datenbankverbindung zu recyclen."
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "Ein Fehler ist beim Löschen des Zertifikats aufgetreten. Stellen Sie sicher, dass die Datei config/{{.Filename}} existiert."
},
@@ -92,6 +36,10 @@
"translation": "Beim Erstellen der Service-Provider-Metadaten ist ein Fehler aufgetreten."
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>Ihre Mattermost E-Mail-Einrichtung scheint korrekt zu sein!"
},
@@ -112,14 +60,6 @@
"translation": "S3-Bucket wird benötigt"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "S3-Endpunkt wird benötigt"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "S3-Region wird benötigt"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "Leeres Array unterhalb von 'image' in der Anfrage"
},
@@ -128,10 +68,6 @@
"translation": "Keine Datei unter 'image' in der Anfrage"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "Individuelles Branding ist auf diesem Server nicht konfiguriert oder wird nicht unterstützt"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "Kann Multipart-Formular nicht verarbeiten"
},
@@ -144,38 +80,10 @@
"translation": "Dateiupload nicht möglich. Datei ist zu groß."
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "Das Server-Template %v konnte nicht verarbeitet werden"
- },
- {
- "id": "api.api.render.error",
- "translation": "Fehler beim Verarbeiten der Vorlage %v err=%v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "Konnte Benutzer zu Berechtigungsüberprüfung nicht abrufen."
- },
- {
- "id": "api.brand.init.debug",
- "translation": "Initialisiere Marken-API-Routen"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v wurde von %v zum Kanal hinzugefügt."
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "Kanal nicht gefunden"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "Der hinzuzufügende Benutzer konnte nicht gefunden werden"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "Der hinzufügende Benutzer konnte nicht gefunden werden"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "Benutzer konnte dem Kanal nicht hinzugefügt werden"
},
@@ -192,30 +100,6 @@
"translation": "Der Benutzer konnte diesem Kanaltyp nicht hinzugefügt werden"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "Verwaltung und Erstellung von privaten Kanälen ist auf Systemadministratoren begrenzt."
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "Verwaltung und Erstellung von privaten Kanälen ist auf Team- und Systemadministratoren begrenzt."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "Verwaltung und Erstellung von öffentlichen Kanälen ist auf Systemadministratoren begrenzt."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "Verwaltung und Erstellung von öffentlichen Kanälen ist auf Team- und Systemadministratoren begrenzt."
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "Dieser Kanal wurde in einen öffentlichen Kanal umgewandelt und kann von jedem Teammitglied betreten werden."
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "Dieser Kanal wurde in einen privaten Kanal umgewandelt."
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "Dieser Standard-Kanal kann nicht in einen privaten Kanal umgewandelt werden."
},
@@ -268,50 +152,6 @@
"translation": "Der Kanal wurde archiviert oder gelöscht"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "Die archivierte Nachricht %v konnte nicht gesendet werden"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "Die archivierte Nachricht konnte nicht gesendet werden"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "Beim Löschen eines eingehenden Webhooks id=%v ist ein Fehler aufgetreten"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "Beim Löschen eines eingehenden Webhooks id=%v ist ein Fehler aufgetreten"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "Sie haben nicht die erforderlichen Berechtigungen"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "Es gibt keinen Kanal mit channel_id={{.ChannelId}} im Team mit team_id={{.TeamId}}"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "Die Anzahl der Kanäle konnte nicht aus der Datenbank ermittelt werden"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "Der Kanal wurde archiviert oder gelöscht"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "Fehler beim Verarbeiten des Benutzer-Limits"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "Fehler beim Abrufen des Benutzerprofils mit id=%v erzwinge Abmeldung"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "Initialisiere Kanal-API-Routen"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "Der Kanal ist bereits gelöscht"
},
@@ -340,6 +180,10 @@
"translation": "%v hat den Kanal verlassen."
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "Fehler beim Senden der Anzeigenamen-Aktualisierungsnachricht"
},
@@ -380,22 +224,10 @@
"translation": "Der Benutzer kann nicht aus dem Standardkanal {{.Channel}} entfernt werden"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "Sie haben nicht die erforderlichen Berechtigungen "
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v wurde aus dem Kanal entfernt."
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "Der Benutzer konnte nicht entfernt werden."
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "Der zu löschende Benutzer konnte nicht gefunden werden"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "Der Kanal wurde archiviert oder gelöscht"
},
@@ -404,10 +236,6 @@
"translation": "Der Kanal wurde archiviert oder gelöscht"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "Sie haben nicht die erforderlichen Berechtigungen"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "Versuch einer ungültigen Änderung am Standardkanal {{.Channel}} durchzuführen"
},
@@ -424,26 +252,14 @@
"translation": "Konnte das Schema nicht für den Kanal setzen, da es kein Kanal-Schema ist."
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "Konnte den Ungelesen-Zähler für user_id=%v und channel_id=%v nicht abrufen, err=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "Die angegebene Rolle wird durch ein Schema verwaltet und kann deshalb nicht direkt auf ein Teammitglied angewendet werden"
},
{
- "id": "api.cluster.init.debug",
- "translation": "Initialisiere Cluster-API-Routen"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "Integrationen sind den Administratoren vorbehalten."
},
{
- "id": "api.command.delete.app_error",
- "translation": "Ungültige Berechtigungen, um den Befehl zu löschen"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "Befehle wurden durch den Systemadministrator deaktiviert."
},
@@ -472,18 +288,10 @@
"translation": "Befehl mit dem Auslösewort '{{.Trigger}}' nicht gefunden. Um eine Nachricht mit \"/\" beginnend zu senden, versuchen Sie ein Leerzeichen an den Beginn der Nachricht zu setzen."
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "Beim Speichern des Rückgabewertes eines Befehls ist ein Fehler aufgetreten"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "Der Befehlsauslöser konnte nicht gefunden werden"
},
{
- "id": "api.command.init.debug",
- "translation": "Initialisiere Befehle-API-Routen"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "Eine E-Mail-Einladung zu Ihrem Mattermost-Team senden"
},
@@ -516,18 +324,10 @@
"translation": "E-Mail-Einladung(en) versendet"
},
{
- "id": "api.command.regen.app_error",
- "translation": "Ungültige Berechtigungen, um den Befehls-Token zu regenerieren"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "Kann Befehle nicht über Teams hinweg aktualisieren"
},
{
- "id": "api.command.update.app_error",
- "translation": "Ungültige Berechtigungen, um den Befehl zu aktualisieren"
- },
- {
"id": "api.command_away.desc",
"translation": "Setzen Sie Ihren Status auf abwesend"
},
@@ -568,10 +368,6 @@
"translation": "Fehler beim Aktualisieren des aktuellen Kanals."
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "Kanalüberschrift erfolgreich aktualisiert."
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "Fehler beim Laden des aktuellen Kanals."
},
@@ -644,10 +440,6 @@
"translation": "Fehler beim Aktualisieren des aktuellen Kanals."
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "Kanalname erfolgreich aktualisiert."
- },
- {
"id": "api.command_code.desc",
"translation": "Text als Codeblock anzeigen"
},
@@ -696,10 +488,6 @@
"translation": "\"Nicht stören\" ist aktiviert. Sie werden keine Desktop-Benachrichtigungen oder mobile Push-Benachrichtigungen erhalten, bis \"Nicht stören\" deaktiviert ist."
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "Die /echo-Nachricht konnte nicht erstellt werden, err=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "Verzögerungen müssen kürzer als 10000 Sekunden sein"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "Die Benutzer konnten nicht gefunden werden: %s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "Es ist ein Fehler beim Auflisten der Benutzer aufgetreten."
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "Gruppennachrichten sind auf ein Maximum von {{.MinUsers}} Benutzern beschränkt."
},
@@ -779,18 +559,10 @@
"translation": "Gruppennachrichten sind auf ein Minimum von {{.MinUsers}} Benutzern beschränkt."
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "Der Benutzer konnte nicht gefunden werden"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "nachricht"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "Benachrichtigte Benutzer."
- },
- {
"id": "api.command_help.desc",
"translation": "Die Mattermost-Hilfeseite öffnen"
},
@@ -875,10 +647,6 @@
"translation": "beitreten"
},
{
- "id": "api.command_join.success",
- "translation": "Kanal beigetreten."
- },
- {
"id": "api.command_kick.name",
"translation": "kick"
},
@@ -891,14 +659,6 @@
"translation": "Es trat ein Fehler beim Verlassen des Kanals auf."
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "Es trat ein Fehler beim Auflisten der Kanäle auf."
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "Der Kanal konnte nicht gefunden werden."
- },
- {
"id": "api.command_leave.name",
"translation": "verlassen"
},
@@ -947,10 +707,6 @@
"translation": "@[Benutzername] 'Nachricht'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "Es ist ein Fehler beim Auflisten der Benutzer aufgetreten."
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "Der Benutzer konnte nicht gefunden werden"
},
@@ -959,10 +715,6 @@
"translation": "nachricht"
},
{
- "id": "api.command_msg.success",
- "translation": "Benachrichtigter Benutzer."
- },
- {
"id": "api.command_mute.desc",
"translation": "Schaltet Desktop-, E-Mail- und Push-Benachrichtigungen für den aktuellen Kanal oder den spezifizierten [Kanal] ab."
},
@@ -1115,10 +867,6 @@
"translation": "achselzucken"
},
{
- "id": "api.compliance.init.debug",
- "translation": "Initialisiere Compliance-API-Routen"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "Das neue Format für die Clientkonfiguration wird noch nicht unterstützt. Bitte geben Sie format=old in der Anfrage an."
},
@@ -1135,14 +883,6 @@
"translation": "Ungültiger {{.Name}} Parameter"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "Ungültige Sitzung err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "Es wurde an einer Stelle auf die Team-URL zugegriffen, an der dies nicht erlaubt ist. Die Team-URL sollte nicht in API- oder in sonstigen Funktionen genutzt werden, die teamunabhängig sind"
- },
- {
"id": "api.context.invalid_token.error",
"translation": "Ungültige Sitzung token={{.Token}}, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "Ungültiger oder fehlender {{.Name}} Parameter in Anfrage-URL"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "Alle Caches werden geleert"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "Fehler beim Update von LastActivityAt von user_id=%v und session_id=%v, err=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v code=%v rid=%v uid=%v ip=%v %v [Details: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "Multi-Faktor-Authentifizierung ist auf diesem Server erforderlich."
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "Fehlende Team-ID"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "Sie haben nicht die erforderlichen Berechtigungen"
},
@@ -1179,26 +903,10 @@
"translation": "Ungültige oder abgelaufene Sitzung, melden Sie sich erneut an."
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "Sie haben nicht die erforderlichen Berechtigungen (system)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "Sitzung ist nicht für OAuth eingerichtet, aber der Token wurde mit der Anfrage bereits mitgeschickt"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "Ein unbekannter Fehler ist aufgetreten. Bitte kontaktieren Sie den Support."
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "Die API-Version 3 wurde auf diesem Server deaktiviert. Bitte verwenden Sie API-Version 4. Details unter https://api.mattermost.com."
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "Initialisiere veraltete API-Routen"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "Eingehender Kanal für E-Mail-Stapelverarbeitungs-Job war voll. Bitte erhöhen Sie EmailBatchingBufferSize."
},
@@ -1207,14 +915,6 @@
"translation": "E-Mail-Stapelverarbeitung wurde vom Systemadministrator deaktiviert"
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "E-Mail-Stapelverarbeitungs-Job lief. %v Benutzer haben noch ausstehende Benachrichtigungen."
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "Konnte Kanal der Nachricht für gestapelte E-Mail-Benachrichtigung nicht finden"
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Day}} {{.Month}}"
},
@@ -1235,10 +935,6 @@
"translation": "Benachrichtigung von "
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "Konnte Absender der Nachricht für gestapelte E-Mail-Benachrichtigung nicht finden"
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "Sie haben eine neue Benachrichtigung.",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "Konnte Darstellungsoptionen für Empfänger der gestapelten E-Mail-Benachrichtigung nicht finden"
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "Konnte gestapelte E-Mail-Benachrichtigungen nicht an %v versenden: %v"
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] Neue Benachrichtigung für {{.Day}}. {{.Month}} {{.Year}}",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "Konnte Empfänger für gestapelte E-Mail-Benachrichtigungen nicht finden"
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "E-Mail-Stapelverarbeitungs-Job startet. Überprüfe alle %v Sekunden auf ausstehende E-Mails."
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "Das Emoji kann nicht erstellt werden. Ein anderes Emoji mit dem selben Namen existiert bereits."
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "Das Emoji kann nicht erstellt werden. Die Anfrage war nicht verständlich."
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "Ungültige Berechtigungen, um Emoji zu erstellen."
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "Das Emoji kann nicht erstellt werden. Die Anfrage war nicht verständlich."
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "Das Emoji konnte nicht erstellt werden. Das Bild muss kleiner als 1 MB sein."
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "Konnte Reaktionen nicht löschen während Emoji mit dem Namen %v gelöscht wurde"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "Benutzerdefinierte Emoji wurden durch den Systemadministrator deaktiviert."
},
@@ -1301,14 +977,6 @@
"translation": "Die Bilddatei für das Emoji kann nicht gelesen werden."
},
{
- "id": "api.emoji.init.debug",
- "translation": "Initialisiere Emoji-API-Routen"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "Initialisiere Emoji-API-Routen"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "Der Dateispeicher ist nicht korrekt konfiguriert. Bitte konfigurieren Sie diesen entweder für S3 oder den Dateispeicher des lokalen Servers."
},
@@ -1333,12 +1001,12 @@
"translation": "Konnte Emoji nicht erstellen. Es trat ein Fehler beim Umwandeln des GIF auf."
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "Dateianhänge wurden auf diesem Server deaktiviert."
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "Öffentliche Verlinkungen wurden vom Systemadministrator deaktiviert"
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "Dateianhänge wurden auf diesem Server deaktiviert."
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "Datei hat kein Miniaturbild"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "Informationen für Datei konnten nicht erhalten werden. Datei muss an einen Beitrag angehängt sein, der vom aktuellen Benutzer gelesen werden kann."
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "Die Datei kann nicht hochgeladen werden. Ein Dateispeicherort ist nicht eingerichtet."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Die Datei kann nicht hochgeladen werden. Ein Fotospeicherort ist nicht eingerichtet."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Die Datei kann nicht hochgeladen werden. Ein Fotospeicherort ist nicht eingerichtet."
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "Öffentliche Links wurden deaktiviert"
},
@@ -1377,116 +1029,52 @@
"translation": "Öffentlicher Link für Datei konnte nicht erhalten werden. Datei muss an einen Beitrag angehängt sein, der vom aktuellen Benutzer gelesen werden kann."
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "Konnte Bildeinstellungen nicht dekodieren err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "Bild kann nicht als jpeg umgewandelt werden path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "Bild kann nicht in jpg-Vorschau umgewandelt werden path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "Vorschau kann nicht hochgeladen werden path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "Miniaturansicht kann nicht hochgeladen werden path=%v err=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "Initialisiere Datei-API-Routen"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "Während der Migration der Nachricht zur Verwendung von FileInfos konnte der Kanal nicht abgerufen werden, post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "Während der Migration der Nachricht zur Verwendung von FileInfos konnte die Datei nicht gefunden werden, post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "Die FileInfos für die Nachricht konnten nach der Migration nicht abgerufen werden, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "Während der Migration zur Verwendung von FileInfos konnte die Nachricht abgerufen werden, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "Während der Migration der Nachricht zur Verwendung von FileInfos konnten die Dateiinformationen nicht vollständig dekodiert werden, post_id=%v, filename=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "Migriere Nachricht zur Verwendung von FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "Es wurde ein ungewöhnlicher Dateiname bei der Migration der Nachricht zur Verwendung von FileInfos gefunden, post_id=%v, channel_id=%v, user_id=%v, filename=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "Konnte Nachricht nicht zur Verwendung von FileInfos mit einem leeren Dateinamensfeld migrieren, post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "Nachricht wurde bereits zur Verwendung von FileInfos migriert, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "Während der Migration der Nachricht zur Verwendung von FileInfos konnte die Nachricht nicht gespeichert werden, post_id=%v, file_id=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "Während der Migration der Nachricht zur Verwendung von FileInfos konnten die Dateiinformationen nicht gespeichert werden, post_id=%v, file_id=%v, filename=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "Kopieren der Datei innerhalb von S3 fehlgeschlagen."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "Konnte Team für FileInfos nicht finden, post_id=%v, filenames=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "Die Datei von S3 kann nicht gelöscht werden."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "Während der Migration der Nachricht zur Verwendung von FileInfos konnten die Teams nicht abgerufen werden, post_id=%v, err=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "Die Datei kann lokal nicht verschoben werden."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "Während der Migration der Nachricht zur Verwendung von FileInfos konnte der Dateiname nicht entziffert werden, post_id=%v, filename=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "No file driver selected."
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "Dateispeicher wurde nicht vollständig konfiguriert. Bitte konfigurieren Sie diesen entweder für S3 oder einen lokalen Server mit Dateispeicher."
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "Ein Fehler während des Lesens vom lokalen Server ist aufgetreten"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "Kopieren der Datei innerhalb von S3 fehlgeschlagen."
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "Ein Fehler während des Lesens vom lokalen Server ist aufgetreten"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "Die Datei von S3 kann nicht gelöscht werden."
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "Ein Fehler ist während des Anzeigens des Verzeichnisses vom lokalen Server ist aufgetreten."
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "Zugriff auf Datei von S3 nicht möglich."
+ "id": "api.file.reader.s3.app_error",
+ "translation": "Ein Fehler während des Lesens vom lokalen Server ist aufgetreten"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "Die Datei kann lokal nicht verschoben werden."
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Don't have permissions to write to local path specified or other error."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "Dateispeicher wurde nicht vollständig konfiguriert. Bitte konfigurieren Sie diesen entweder für S3 oder einen lokalen Server mit Dateispeicher."
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Unable to create bucket."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "Zugriff auf Datei vom S3 nicht möglich"
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Error checking if bucket exists."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "Ein Fehler während des Lesens vom lokalen Server ist aufgetreten"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "Bad connection to S3 or minio."
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "Dateiupload nicht möglich. Datei ist zu groß."
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "Dateispeicher wurde nicht vollständig konfiguriert. Bitte konfigurieren Sie diesen entweder für S3 oder einen lokalen Server mit Dateispeicher."
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "Beim Schreiben zu S3 ist ein Fehler aufgetreten"
},
@@ -1525,34 +1109,6 @@
"translation": "Es ist Fehler ist beim Schreiben auf den lokalen Server aufgetreten"
},
{
- "id": "api.general.init.debug",
- "translation": "Initialisiere allgemeine API-Routen"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "Fehler beim Anfügen der Dateien an Nachricht. postId=%v, fileIds=%v, message=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "Nachricht konnte nicht gespeichert werden. Benutzer=%v, Nachricht=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "Fehler beim Beitritt zum Team während des Imports err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "Fehler beim Betreten des Standardkanals user_id=%s, team_id=%s, err=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "Fehler beim Speichern des Benutzers: err=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "Fehler beim Setzen der E-Mail-Adresse als geprüft err=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "Eingehende Webhooks wurden vom Systemadministrator deaktiviert."
},
@@ -1561,10 +1117,6 @@
"translation": "Ungültiger Benutzername."
},
{
- "id": "api.ldap.init.debug",
- "translation": "Initialisiere LDAP-API-Routen"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "Leeres Array unterhalb von 'Lizenz' in der Anfrage"
},
@@ -1605,30 +1157,6 @@
"translation": "Das neue Format für die Clientlizenz wird nocht nicht unterstützt. Bitte geben Sie format=old in der Anfrage an."
},
{
- "id": "api.license.init.debug",
- "translation": "Initialisiere Lizenz-API-Routen"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "Die Lizenz wurde nicht richtig entfernt."
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "Ungültige Anfrage: Fehlerhafte client_id"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "Ungültige Anfrage: Fehlende oder fehlerhafte redirect_uri"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "Ungültige Anfrage: Fehlerhafter response_type"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "Serverfehler: Fehler beim Zugriff auf die Datenbank"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "Ungültige Anfrage: Angegebene redirect_uri stimmt nicht mit der callback_url überein"
},
@@ -1641,14 +1169,6 @@
"translation": "Der Systemadministrator hat den OAuth2 Service Provider deaktiviert."
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "Es fehlt mindestens eins der Folgenden: response_type, client_id, redirect_uri"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "Ungültige Berechtigungen, um die OAuth2 App zu entfernen"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "invalid_request: Fehlerhafte client_id"
},
@@ -1705,22 +1225,10 @@
"translation": "invalid_grant: Ungültiger refresh_token"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "Konnte keinen Authcode für den Code=%s finden"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "Initialisiere OAuth-API-Routen"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "Ungültiger Status-Token"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "Ungültige Berechtigungen, um den OAuth2 App Schlüssel neu zu generieren"
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "Der Administrator hat die OAuth2 Authentifizierung deaktiviert."
},
@@ -1749,8 +1257,8 @@
"translation": "Der Einladungslink scheint nicht gültig zu sein"
},
{
- "id": "api.opengraph.init.debug",
- "translation": "Initialisiere Open Graph Protocol API-Routen"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "@{{.Username}} wurde erwähnt, hat aber keine Benachrichtigung erhalten, da kein Kanalmitglied."
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "Fehler beim Anfügen der Dateien zu Nachricht, post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "Schlechter Dateiname zurückgewiesen, Dateiname=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "Kann nicht in gelöschten Kanal senden."
},
@@ -1789,10 +1289,6 @@
"translation": "Ungültige Kanal-ID für den Root-ID-Parameter"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "Fehler beim Aktualisieren von zuletzt betrachteh, channel_id=%s, user_id=%s, err=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "Ungültiger Parameter für ParentId"
},
@@ -1809,18 +1305,6 @@
"translation": "Fehler beim Erstellen des Eintrages"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "Konnte Nachrichten-Markierungseinstellung beim Entfernen der Nachricht nicht löschen, err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "Sie haben nicht die erforderlichen Berechtigungen"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "Es trat ein Fehler beim Löschen von Dateien für die Nachricht auf, post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "@all wurde deaktiviert, da der Kanal mehr als {{.Users}} Benutzer hat."
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "Es trat ein Fehler beim Abruf der Dateien für die Benachrichtigung auf, post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}} Bild versendet: {{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "Fehler bei Regex-Verarbeitung @mention user_id=%v, err=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "Sie haben nicht die erforderlichen Berechtigungen"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "Fehler beim Abruf der Kanalmitglieder, channel_id=%v, err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "Fehler beim Erstellen der Antwort, Fehler=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "Event POST fehlgeschlagen, Fehler=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "Initialisiere API-Routen für Nachrichten"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "Link-Vorschauen wurden vom Systemadministrator deaktiviert."
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "Fehler beim Abruf der 2 Mitglieder für den Direktnachrichtenkanal channel_id={{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "Fehler beim Abruf der Kanalmitglieder, channel_id=%v, err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "Fehler beim Speichern der Direktnachrichtenkanal-Einstellung user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "Fehler beim Speichern der Direktnachrichtenkanal-Einstellung user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "Konnte Profil für Kanalmitglied nicht laden, user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " hat den Kanal benachrichtigt."
},
@@ -1919,26 +1355,6 @@
"translation": " hat eine Diskussion kommentiert, an der Sie teilgenommen haben."
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "Nachrichtenersteller nicht im Kanal für die Nachricht, keine Benachrichtigung versendet post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "Leere Push-Benachrichtigung an %v mit channel_id %v"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "Fehler beim Abrufen der Dateien der Nachricht in Benachrichtigung post_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "Fehler beim Abrufen der Teams während des Senden von teamübergreifender DM user_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "Neue Erwähnung"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": " hat Sie erwähnt."
},
@@ -1955,30 +1371,10 @@
"translation": " hat ihnen eine Nachricht geschickt."
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "Fehler beim Senden der Pushnachricht device_id={{.DeviceId}}, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}} gesendet"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "Fehler beim Aktualisieren der Erwähnungsanzahl, post_id=%v channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "Die Nachricht oder der Kommentar konnte nicht gefunden werden."
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "Sie haben nicht die erforderlichen Berechtigungen"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "Nachrichtenbearbeitung wurde deaktiviert. Bitte fragen Sie Ihren Administrator, um Details zu erfahren."
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "{{.PostId}} wurde bereits gelöscht"
},
@@ -1995,60 +1391,36 @@
"translation": "Konnte die Nachricht nicht finden"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "Konnte Einstellungen von Anfrage nicht dekodieren"
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "Konnte die Einstellungen für den anderen Benutzer nicht löschen"
- },
- {
- "id": "api.preference.init.debug",
- "translation": "Initialisiere API-Routen für Einstellungen"
- },
- {
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "Konnte Einstellungen von Anfrage nicht dekodieren"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "Konnte die Einstellungen für den anderen Benutzer nicht setzen"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "Fehler beim Löschen der Reaktion, da Kanal-ID nicht der Nachrichten-ID in der URL entspricht"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "Initialisiere API-Routen für Reaktionen"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "Konnte Reaktionen nicht abrufen, da Kanal-ID nicht der Nachrichten-OD der URL entspricht"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "Reaktion ist nicht gültig."
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "Konnte Reaktion nicht speichern, da Kanal-ID nicht der Nachrichten-ID der URL entspricht"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "Sie können keine Reaktion für den anderen Benutzer sichern."
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "Fehler beim Abrufen der Nachricht beim Senden des Websocket Events für Reaktion"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "Ihre aktuelle Lizenz unterstützt keine erweiterten Berechtigungen."
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "Das Zertifikat konnte nicht korrekt gespeichert werden."
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "Konnte Teams für Schema nicht abrufen, da das angegebene Schema kein Team-Schema ist."
},
{
- "id": "api.server.new_server.init.info",
- "translation": "Server wird initialisiert..."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "Kann Port 80 nicht auf Port 443 weiterleiten während auf Port %s gehört wird. Deaktivieren Sie Forward80To443, fall Sie einen Proxy-Server verwenden."
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "Server hört auf %v"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "Anfragenbegrenzer ist aktiviert"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "Anfragenbegrenzereinstellung nicht korrekt konfiguriert, verwende VaryByHeader und deaktiviere VaryByRemoteAddr"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "Konnte Rate Limiting Memory Store nicht initialisieren. Prüfen Sie die MemoryStoreSize-Konfigurationseinstellung."
},
@@ -2095,22 +1455,6 @@
"translation": "Fehler beim Starten des Servers, err:%v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "Starte Server..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "Fehler beim Starten des Servers "
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "Server angehalten"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "Server wird heruntergefahren..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "Die Integrations-/Slack-Bot-Benutzer mit der E-Mail {{.Email}} und Passwort {{.Password}} wurde importiert.\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "Konnte Slack-Kanal {{.DisplayName}} nicht importieren.\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Slack-Import: Konnte Slack-Kanal nicht importieren: %s."
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "Der Slack-Kanal {{.DisplayName}} existiert bereits als aktiver Mattermost-Kanal. Beide Kanäle wurden zusammengeführt.\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Slack-Import: Es ist ein Fehler beim Anhängen von Dateien an eine Nachricht aufgetreten, post_id=%s, file_ids=%v, err=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Slack-Import: Slack-Bot-Nachrichten können noch nicht importiert werden."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Slack-Import: Konnte die Bot-Nachrichten nicht importieren, da der Bot-Benutzer nicht existiert."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Slack-Import: Konnte die Nachricht nicht importieren, da sie keine Kommentare hat."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Slack-Import: Konnte die Nachricht nicht importieren, da das Benutzerfeld fehlt."
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Slack-Import: Konnte Bot-Nachricht nicht importieren, da das BotId-Feld fehlt."
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Slack-Import: Konnte Nachricht nicht importieren, da ihr Typ nicht unterstützt wird: post_type=%v, post_subtype=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Slack-Import: Konnte Datei {{.FileId}} nicht importieren, da die Datei in der ZIP-Datei des Slack-Exports fehlt."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Slack-Import: Konnte Datei nicht an Beitrag anhängen, da letzteres keinen \"file\"-Abschnitt im Slack-Export hat."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Slack-Import: Konnte die Datei {{.FileId}} aus dem Slack-Export nicht öffnen: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Slack-Import: Es trat ein Fehler beim Hochladen der Datei {{.FileId}} auf: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Slack-Import: Konnte Nachricht nicht hinzufügen, da der Slack-Benutzer %v nicht in Mattermost existiert."
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Slack-Import: Konnte Nachricht nicht importieren, da das Benutzerfeld fehlt."
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\nBenutzer erstellt:\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "Der Benutzer {{.Username}} hat keine E-Mail-Adresse im Slack-Export. Verwende {{.Email}} als Platzhalter. Der Benutzer sollte seine E-Mail-Adresse aktualisieren, sobald er sich angemeldet hat.\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "Slack-Import: Der Benutzer {{.Username}} hat keine E-Mail-Adresse im Slack-Export. Verwende {{.Email}} als Platzhalter. Der Benutzer sollte seine E-Mail-Adresse aktualisieren, sobald er sich angemeldet hat."
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "Konnte Slack-Benutzer nicht importieren: {{.Username}}\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Slack-Import: Konnte den !channel nicht erstellen, passender regulärer Ausdruck für den Slack-Kanal {{.ChannelName}} (id={{.ChannelID}})."
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Slack-Import: Ungültiger Zeitstempel entdeckt."
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Slack-Import: Konnte @Erwähnung nicht erstellen, passender regulärer Ausdruck für Slack-Benutzer {{.Username}} (id={{.UserID}})."
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Slack-Import: Konnte den Benutzerzugang für den Bot nicht deaktivieren."
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Mattermost Slack Import Log\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "Konnte Slack-Export ZIP-Datei nicht öffnen.\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Slack-Import: Es trat ein Fehler beim Parsen einiger Slack-Kanäle auf. Import kann eventuell trotzdem funktionieren."
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Slack-Import: Es trat ein Fehler beim Parsen einiger Slack-Beiträge auf. Import kann eventuell trotzdem funktionieren."
- },
- {
- "id": "api.status.init.debug",
- "translation": "Initialisiere Status-API-Routen"
- },
- {
- "id": "api.status.init.debug",
- "translation": "Initialisiere Status-API-Routen"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "Fehler beim Update von LastActivityAt für user_id=%v und session_id=%v, err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "Fehler beim Speichern des Status für user_id=%v, err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "Benutzer nicht gefunden"
},
{
- "id": "api.system.go_routines",
- "translation": "Die Anzahl von laufenden Go-Routinen ist oberhalb des Gesundheits-Schwellenwerts %v von %v"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v wurde von %v zum Team hinzugefügt."
},
@@ -2307,32 +1547,16 @@
"translation": "Parameter um Benutzer zu Team hinzuzufügen erforderlich."
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "Anmeldung mit einer E-Mail-Adresse ist deaktiviert."
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "Anmeldung mit einer E-Mail Adresse ist deaktiviert."
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "Der Link ist abgelaufen"
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "Diese URL ist nicht verfügbar. Bitte wähle eine andere."
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "Es ist ein Fehler beim Senden einer E-Mail aufgetreten: err=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "Die Einladung ist ungültig, weil dies kein offenes Team ist."
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "Nur ein Team-Administrator kann Daten exportieren."
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "Falsch gebildete Anfrage: Feld filesize fehlt."
},
{
- "id": "api.team.init.debug",
- "translation": "Initialisiere Team-API-Routen"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "Administrator"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "Diese Person ist schon in Ihrem Team"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "Die folgenden E-Mail-Adressen gehören nicht zu einer akzeptierten Domäne: {{.Addresses}}. Bitte kontaktieren Sie ihren Systemadministrator für Details."
},
@@ -2387,22 +1599,6 @@
"translation": "Keiner zum Einladen."
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "Nur Systemadministratoren dürfen neue Mitglieder zum Team einladen."
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "Nur System- und Teamadministratoren dürfen neue Mitglieder zum Team einladen."
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "Die Einladungsmail konnte nicht gesendet werden. err=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "Sende Einladung an %v %v"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "Teamerstellung wurde deaktiviert. Bitte fragen Sie Ihren Administrator, um Details zu erfahren."
},
@@ -2427,14 +1623,6 @@
"translation": "Dieser Kanal wurde von %v in dieses Team verschoben."
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "Versuche Team permanent zu löschen %v id=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "Team permanent gelöscht %v id=%v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "Ein Fehler ist beim Aufrufen des Teams aufgetreten"
},
@@ -2491,10 +1679,6 @@
"translation": "Konnte Teamsymbol nicht speichern"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "Team-Anmeldung mit einer E-Mail-Adresse ist deaktiviert."
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "Ein Fehler ist beim Aktualisieren des Teamsymbols aufgetreten"
},
@@ -2503,10 +1687,6 @@
"translation": "Der angegebene Benutzer ist kein Mitglied des angegebenen Teams."
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "Sie haben nicht die erforderlichen Berechtigungen"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "Lizenz unterstützt die Aktualisierung des Team-Schemas nicht"
},
@@ -2515,10 +1695,6 @@
"translation": "Konnte Schema für Team nicht setzen, da das angegebene Schema kein Team-Schema ist."
},
{
- "id": "api.templates.channel_name.group",
- "translation": "Gruppennachricht"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "Sie haben ihr Konto auf {{ .SiteURL }} deaktiviert.<br>Falls diese Änderung nicht durch Sie durchgeführt wurde oder Sie ihr Konto reaktivieren möchten, kontaktieren Sie bitte ihren Systemadministrator."
},
@@ -2571,22 +1747,6 @@
"translation": "Versandt durch "
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "Hier sind die Teams, die mit Ihrer E-Mail-Adresse verbunden sind:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "Zur E-Mail-Adresse konnte kein Team gefunden werden."
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "Suche Teams"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "Ihre {{ .SiteName }} Teams"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "Team beitreten"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] Ihre Anmeldemethode wurde aktualisiert"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "Erstellen Sie Ihr Team"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }} ist der Platz für all Ihre Teamkommunikation, durchsuchbar und überall verfügbar.<br> Sie werden mehr aus {{ .SiteName }} herausholen, wenn Ihr Team in regem Kontakt bleibt - laden Sie Ihr Team ein."
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "Danke für das Erstellen eines Teams!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "{{ .SiteName }} Team-Einrichtung"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>IHRE MEHRFACHZUGÄNGE WURDEN AKTUALISIERT</h3>Ihr Mattermost-Server wurde auf Version 3.0 aktualisiert, bei dem Sie einen Zugang in mehreren Teams nutzen können.<br/><br/>Sie erhalten diese E-Mail weil der Aktualisierungsprozess festgestellt hat, dass Ihre E-Mail-Adresse oder Ihr Benutzername mehrfach auf dem Server verwendet wurde.<br/><br/>Die folgenden Änderungen wurden durchgeführt: <br/><br/>{{if .EmailChanged }}- Die E-Mail-Adresse des Zugangs des Teams `/{{.TeamName}}` wurde geändert auf `{{.Email}}`. Sie müssen zur Anmeldung E-Mail-Adresse und Passwort angeben. Sie können diese E-Mail-Adresse nutzen.<br/><br/>{{end}}{{if .UsernameChanged }}- Der mehrfach benutze Benutzername für das Team `/{{.TeamName}}` wurde geändert auf `{{.Username}}` zur Vermeidung von Missverständnissen.<br/><br/>{{end}} EMPFOHLENE HANDLUNGSWEISE: <br/><br/>Es wird empfohlen sich bei dem Teams mit den Mehrfachzugängen anzumelden und dort den bevorzugten Zugang auszuwählen, der künftig verwendet werden soll. <br/><br/>Dies gibt dem bevorzugtem Zugang Zugriff auf die öffentlichen Kanäle und die private Historie. Direktnachrichten zu den bisherigen Mehrfachgängen können Sie noch mit den alten Zugangsdaten abrufen. <br/><br/>WEITEREN INFORMATIONEN: <br/><br/>Weitere Informationen zur Mattermost 3.0 Aktualisierung finden Sie auf: <a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] Änderung zu Ihrem Zugang durch die Mattermost-3.0-Aktualisierung"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "Ein Benutzer-Zugriffs-Token wurde Ihrem Konto auf {{ .SiteURL }} hinzugefügt. Es kann für den Zugang zu {{.SiteName}} mit Ihrem Konto verwendet werden.<br>Wenn diese Änderung nicht durch Sie ausgeführt wurde, wenden Sie sich bitte bei Ihrem Systemadministrator."
},
@@ -2787,10 +1923,6 @@
"translation": "Ungültiger Zustand"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "Ungültiger Zustand; der Teamname fehlt"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "Fehlendes Zugangs-Token"
},
@@ -2839,10 +1971,6 @@
"translation": "Mit dieser E-Mail-Adresse ist bereits ein Konto verknüpft, das nicht die Anmeldemethode {{.Service}} verwendet. Bitte verwenden Sie {{.Auth}} zum Anmelden."
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "Dieses {{.Service}} Konto wurde bereits zur Registrierung verwendet"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "Konnte keinen Benutzer aus {{.Service}} Benutzerobjekt erstellen"
},
@@ -2871,10 +1999,6 @@
"translation": "Die Erstellung von Benutzern ist deaktiviert."
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "Fehler beim Betreten des Standardkanals user_id=%s, team_id=%s, err=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "Fehlende Invite Id."
},
@@ -2887,10 +2011,6 @@
"translation": "Dieser Server erlaubt keine offenen Registrierungen. Bitte wenden Sie sich an Ihren Administrator, um eine Einladung zu erhalten."
},
{
- "id": "api.user.create_user.save.error",
- "translation": "Konnte Benutzer nicht speichern err=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "Benutzerregistrierung mit einer E-Mail-Adresse ist ausgeschaltet."
},
@@ -2903,22 +2023,14 @@
"translation": "Der Registrierungslink scheint nicht gültig zu sein"
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "Ungültiger Teamname"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "Fehler beim Speichern der Tutorial-Einstellungen, err=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "Fehler beim Setzen der E-Mail-Adresse als geprüft err=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "AD/LDAP ist auf diesem Server nicht verfügbar"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "MFA ist auf diesem Server nicht konfiguriert oder wird nicht unterstützt"
},
@@ -2927,18 +2039,10 @@
"translation": "Nicht unterstützter OAuth-Service-Provider"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "Fehler beim Abruf des Benutzerprofils mit id=%v erzwingt Abmeldung"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "Profilbild konnte nicht abgerufen werden, Benutzer nicht gefunden."
},
{
- "id": "api.user.init.debug",
- "translation": "Initialisiere Benutzer-API-Routen"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "AD/LDAP ist auf diesem Server nicht verfügbar"
},
@@ -2951,6 +2055,14 @@
"translation": "Passwort darf nicht leer sein"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Attempted to sign in using the experimental feature ClientSideCert without providing a valid certificate"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Attempt to use the experimental feature ClientSideCertEnable without a valid enterprise license"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "Anmeldung nicht möglich, weil Ihr Konto deaktiviert wurde. Bitte wenden Sie sich an einen Administrator."
},
@@ -2959,18 +2071,10 @@
"translation": "Benutzername oder Passwort inkorrekt."
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "Es muss entweder eine Benutzer-ID, ein Teamname oder eine E-Mail-Adresse angegeben werden"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "Anmelden aufgrund unbestätigter E-Mail-Adresse fehlgeschlagen"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "Ziehe sessionId=%v für userId=%v zurück, erneutes Anmelden mit gleicher Device-ID"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "Bitte melden Sie sich an via {{.AuthService}}"
},
@@ -2983,18 +2087,6 @@
"translation": "Konnte Anmeldedaten nicht aus {{.Service}} Benutzerobjekt verarbeiten"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "Passwortfeld darf nicht leer sein"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "AD/LDAP ist nicht auf diesem Server aktiviert"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "Benötige eine ID"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "AD/LDAP ist auf diesem Server nicht verfügbar"
},
@@ -3003,16 +2095,12 @@
"translation": "Aktualisieren des Passworts fehlgeschlagen, da Kontext user_id nicht der user_id des Providers entsprach"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "Versuche Konto %v id=%v permanent zu löschen"
- },
- {
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "Konto permanent gelöscht %v id=%v"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "Sie möchten %v löschen, welcher ein Systemadministrator ist. Eventuell müssen Sie mithilfe der Kommandozeilentools ein anderes Konto zum Systemadministrator machen."
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "Kann Passwort für SSO-Konten nicht zurücksetzen"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "Versuchte Passwort für Benutzer im falschen Team zurückzusetzen."
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "SAML 2.0 ist auf diesem Server nicht konfiguriert oder wird nicht unterstützt."
},
@@ -3055,12 +2139,12 @@
"translation": "Die Bestätigungs-E-Mail über die Änderung der E-Mail-Adresse konnte nicht versandt werden"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "Die Bestätigungs-E-Mail über die Änderung des Passworts konnte nicht versandt werden"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "Es konnte kein Konto mit dieser Adresse gefunden werden."
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "Die Bestätigungs-E-Mail über die Änderung des Passworts konnte nicht versandt werden"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "Die Willkommens-E-Mail konnte nicht versandt werden"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "Sie können den Aktivitätsstatus des SSO-Kontos nicht ändern. Bitte ändern Sie diesen über den SSO-Server."
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "Sie können sich nicht selbst deaktivieren, da diese Funktion nicht aktiviert ist. Bitte kontaktieren Sie ihren Systemadministrator."
},
@@ -3131,26 +2211,6 @@
"translation": "Aktualisieren des Passworts fehlgeschlagen, da kein gültiges Konto gefunden werden konnte"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "Es muss mindestens einen aktiven Administrator geben"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "Sie haben nicht die erforderlichen Berechtigungen"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "Die Systemadministrator-Rolle ist für diese Aktion erforderlich"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "Die Systemadministrator-Rolle kann nur durch einen anderen Systemadministrator gesetzt werden"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "Die Teamadministrator-Rolle ist für die Aktion erforderlich"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "Leeres Array unterhalb von 'image' in der Anfrage"
},
@@ -3195,40 +2255,28 @@
"translation": "Fehlerhafter E-Mail-Adressen-Bestätigungslink."
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "Starte %v Websocket-Hubs"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "beende Websocket-Hub-Verbindungen"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "Websocket-Verbindungsfehler: %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "Fehler beim Hochstufen der Websocket-Verbindung"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "Initialisiere WebSocket-API-Routen"
- },
- {
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [Details: %v]"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "Websocket-Routing-Fehler: seq=%v uid=%v %v [Details: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "Team-Hub wird gestoppt für teamId=%v"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "Ausgehende Webhooks wurden vom Systemadministrator deaktiviert."
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "Entweder trigger_words oder channel_id müssen gesetzt sein"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "Eingehende Webhooks wurden vom Systemadministrator deaktiviert."
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "Ungültige Berechtigungen, um eingehenden Webhook zu löschen"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "Ausgehende Webhooks wurden vom Systemadministrator deaktiviert."
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "Ungültige Berechtigungen, um ausgehenden Webhook zu löschen"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "Eingehender Webhook erhalten. Inhalt="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "Konnte Payload des eingehenden Webhooks nicht verarbeiten."
- },
- {
"id": "api.webhook.incoming.error",
"translation": "Konnte die Multipart-Daten des eingehenden Webhooks nicht entschlüsseln."
},
{
- "id": "api.webhook.init.debug",
- "translation": "Initialisiere Webhook-API-Routen"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "Ungültige Berechtigungen, um ausgehenden Webhook-Token zu regenerieren"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "Kann Webhooks nicht über Teams hinweg aktualisieren"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "Eingehende Webhooks wurden vom Systemadministrator deaktiviert."
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "Ungültige Berechtigungen, um eingehenden Webhook zu aktualisieren"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "Ausgehende Webhooks wurden vom Systemadministrator deaktiviert."
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "Ausgehende Webhooks desselben Kanals können nicht dieselben Auslösewörter/Callback-URLs haben."
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "Ausgehende Webhooks können nur für öffentliche Kanäle erstellt werden."
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "Ungültige Berechtigungen, um ausgehenden Webhook zu aktualisieren."
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "Entweder trigger_words oder channel_id müssen gesetzt sein"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "WebRTC ist auf diesem Server nicht aktiviert."
},
{
- "id": "api.webrtc.init.debug",
- "translation": "Initialisiere WebRTC-API-Routen"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "Es trat ein Fehler auf beim Versuch, den WebRTC-Token zu registrieren"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "Ungültige Sitzung err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "Ungültiger {{.Name}} Parameter"
},
@@ -3367,6 +2351,10 @@
"translation": "%s hat den Kanalzweck aktualisiert zu: %s"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "Fehler beim Lesen der Importdatei."
},
@@ -3375,6 +2363,18 @@
"translation": "JSON Decode der Zeile fehlgeschlagen."
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Cannot set a channel to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Channel must be assigned to a Channel-scoped scheme."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "Fehler beim Importieren des Kanals. Team mit dem Namen \"{{.TeamName}}\" konnte nicht gefunden werden."
},
@@ -3431,6 +2431,10 @@
"translation": "Importdatenzeile hat den Typ \"post\", aber das Nachrichtenobjekt ist null."
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "Importdatenzeile hat den Typ \"channel\", aber das Kanalobjekt ist null."
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "Importdatenzeile hat den Typ \"team\", aber das Teamobjekt ist null."
},
@@ -3459,12 +2463,28 @@
"translation": "Fehler beim Importieren der Nachricht. Benutzer mit dem Namen \"{{.Username}}\" konnte nicht gefunden werden."
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "The bulk importer cannot change the scope of an already-existing scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Cannot set a team to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Team must be assigned to a Team-scoped scheme."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "Fehler beim Import der Benutzer-Kanalmitgliedschaften. Einstellungen konnten nicht gespeichert werden."
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "Kanal create_at darf nicht 0 sein, wenn angegeben."
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "Kanalzweck ist zu lang."
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for channel."
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "Fehlende erforderliche Kanaleigenschaft: team"
},
@@ -3639,12 +2663,44 @@
"translation": "Fehlende erforderliche Antworteigenschaft: User."
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "Team allowed_domains ist zu lang."
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "Ungültige Beschreibung"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "Ungültiger Anzeigename"
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "Team create_at darf nicht 0 sein, wenn angegeben."
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "Invalid permission on role."
+ },
+ {
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "Ungültiger Benutzername."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "Ungültige Beschreibung"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "Ungültiger Anzeigename"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "Ungültiger Benutzername."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "Scheme scope is required."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "Unknown scheme scope."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "The wrong roles were provided for a scheme with this scope."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "Teamname enthält reservierte Wörter."
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for team."
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "Team type is ungütig."
},
@@ -3739,8 +2799,8 @@
"translation": "Ungültiger Wert für Kanalauslöser-Benachrichtigungs-Eigenschaft des Benutzers."
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "Ungültige Kommentar-Auslöser-Benachrichtigungs-Eigenschaft des Benutzers."
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "Ungültiger Wert für Mobil-Push-Eigenschaft des Benutzers."
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "Benutzerpasswort hat ungültige Länge."
},
@@ -3875,10 +2939,6 @@
"translation": "Konnte Plugin nicht deaktivieren"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "Konnte Plugin-Status-Zustand nicht löschen"
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "Plugins wurden deaktiviert. Bitte prüfen Sie Ihre Logs für Details."
},
@@ -3891,8 +2951,8 @@
"translation": "Es ist ein Dateisystemfehler aufgetreten"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "Konnte aktive Plugins nicht ermitteln"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "Dieses Team hat die maximale Anzahl erlaubter Konten erreicht. Kontaktieren Sie Ihren Systemadministrator, um eine höhere Begrenzung setzen zu lassen."
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "Fehler beim Deserialisieren der Zeitzonen-Konfigurationsdatei={{.Filename}}, err={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "Zeitzonen-Konfigurationsdatei existiert nicht file={{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "Fehler beim Lesen der Zeitzonen-Konfigurationsdatei={{.Filename}}, err={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "Ungültiger oder fehlender Token"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "Die Möglichkeit, neue Gruppennachrichtenkanäle zu erstellen"
},
@@ -3979,6 +3063,22 @@
"translation": "Gruppennachrichten erstellen"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "Die Möglichkeit, Nachrichten in öffentlichen Kanälen zu erstellen"
},
@@ -3987,12 +3087,28 @@
"translation": "Nachrichten in öffentlichen Kanälen erstellen"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "Die Möglichkeit, neue Teams zu erstellen"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "Teams erstellen"
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "Persönlichen Zugriffs-Token erstellen"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "Die Möglichkeit, Jobs zu verwalten"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "Jobs verwalten"
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "Teamrollen verwalten"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "Möglichkeit öffentliche Kanäle zu lesen"
},
@@ -4035,6 +3383,30 @@
"translation": "Persönliche Zugriffs-Token lesen"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "Fähigkeit zum Widerrufen von persönlichen Zugriffs-Token"
},
@@ -4059,6 +3431,62 @@
"translation": "Slash Befehle verwenden"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "Eine Rolle mit der Berechtigung, in jeden öffentlichen, privaten oder Direktnachrichtenkanal im System zu senden"
},
@@ -4083,6 +3511,14 @@
"translation": "Persönlicher Zugriffs-Token"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "Eine Rolle mit der Berechtigung, in jeden öffentlichen oder privaten Kanal im System zu senden"
},
@@ -4099,96 +3535,108 @@
"translation": "In öffentliche Kanäle senden"
},
{
- "id": "cli.license.critical",
- "translation": "Funktion benötigt ein Upgrade auf die Enterprise Edition und das Hinzufügen eines Lizenzschlüssels. Bitte kontaktieren Sie ihren Systemadministrator."
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "Konnte Bild nicht dekodieren."
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "Konnte Bildeinstellungen nicht dekodieren."
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "Konnte Bild nicht als PNG speichern."
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "Öffnen des Bildes nicht möglich."
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "Speichern des Bildes nicht möglich"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "Öffnen des Bildes nicht möglich. Bild ist zu groß."
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "Cluster-Konfiguration geändert für id={{ .id }}. Der Cluster könnte instabil werden und ein Neustart ist notwendig. Um sicherzustellen, dass der Cluster korrekt konfiguriert ist, sollten Sie sofort einen rollenden Neustart durchführen."
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "Cluster send fehlgeschlagen um `%v` detail=%v, extra=%v, wiederholung=%v"
+ "id": "cli.license.critical",
+ "translation": "Funktion benötigt ein Upgrade auf die Enterprise Edition und das Hinzufügen eines Lizenzschlüssels. Bitte kontaktieren Sie ihren Systemadministrator."
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "Cluster send abschließend fehlgeschlagen um `%v` detail=%v, extra=%v, wiederholung=%v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "Potentielle inkompatible Version für Clustering mit %v festgestellt"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "Potentielle inkompatible Konfiguration für Clustering mit %v festgestellt"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "Cluster-Konfiguration geändert für id={{ .id }}. Der Cluster könnte instabil werden und ein Neustart ist notwendig. Um sicherzustellen, dass der Cluster korrekt konfiguriert ist, sollten Sie sofort einen rollenden Neustart durchführen."
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "Cluster Funktionalität durch die aktuelle Lizenz deaktiviert. Bitte kontaktieren Sie Ihren Systemadministrator wegen eines Enterprise Lizenzupgrades."
+ "id": "ent.cluster.save_config.error",
+ "translation": "Systemkonsole ist im Hochverfügbarkeitsmodus nur lesbar außer ReadOnlyConfig ist in der Konfigurationsdatei deaktiviert."
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "Cluster Ping fehlgeschlagen mit hostname=%v auf %v mit id=%v"
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "Unknown output format {{.ExportType}}"
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "Cluster Ping erfolgreich mit hostname=%v auf %v mit id=%v self=%v"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Unable to copy the attachment into the zip file."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "Systemkonsole ist im Hochverfügbarkeitsmodus nur lesbar außer ReadOnlyConfig ist in der Konfigurationsdatei deaktiviert."
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Unable to add attachment to the CSV export."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "Cluster Internode Kommunikation hört auf %v mit hostname=%v id=%v"
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Unable to create temporary CSV export file."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "Cluster Internode Kommunikation stoppt auf %v mit hostname=%v id=%v"
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Unable to add header to the CSV export."
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "Compliance Funktionalität durch die aktuelle Lizenz deaktiviert. Bitte kontaktieren Sie Ihren Systemadministrator wegen eines Enterprise Lizenzupgrades."
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Unable to add metadata file to the zip file."
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "Compliance Export für Job '{{.JobName}}' in '{{.FilePath}}' fehlgeschlagen"
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "Compliance Export für Job '{{.JobName}}' abgeschlossen, es wurden {{.Count}} Einträge in '{{.FilePath}}' exportiert"
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "Compliance Export Warnung für Job '{{.JobName}}', zu viele Zeilen zurückgegeben, beschnitten auf 30.000 in '{{.FilePath}}'"
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "Compliance Export gestartet für Job '{{.JobName}}' in '{{.FilePath}}'"
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "Compliance Funktionalität durch die aktuelle Lizenz deaktiviert. Bitte kontaktieren Sie Ihren Systemadministrator wegen eines Enterprise Lizenzupgrades."
+ },
+ {
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.run_failed.error",
+ "translation": "Compliance Export für Job '{{.JobName}}' in '{{.FilePath}}' fehlgeschlagen"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "Konnte ElasticSearch-Index nicht erstellen"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "Konnte nicht bestimmen, ob der ElasticSearch-Index existiert"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "Konnte ElasticSearch-Index-Mapping nicht einrichten"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "Konnte Elasticsearch-Index nicht löschen"
},
@@ -4287,18 +3727,6 @@
"translation": "Fehler beim Erstellen der Elasticsearch-Massenverarbeitung"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "Fehler beim Erstellen der Elasticsearch-Massenverarbeitung"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "Konnte ElasticSearch-Index-Einstellungen nicht setzen"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "Fehler beim Starten der Elasticsearch-Massenverarbeitung"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "Fehler beim Starten der Elasticsearch-Massenverarbeitung"
},
@@ -4319,10 +3747,6 @@
"translation": "Elasticsearch-Server-URL oder -Benutzername hat sich geändert. Bitte geben Sie das Elasticsearch-Passwort erneut ein, um die Verbindung zu testen."
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "Benutzerdefinierte Emojireaktionen durch die aktuelle Lizenz deaktiviert. Bitte kontaktieren Sie Ihren Systemadministrator wegen eines Enterprise Lizenzupgrades."
- },
- {
"id": "ent.ldap.create_fail",
"translation": "Konnte LDAP-Benutzer nicht erstellen."
},
@@ -4355,10 +3779,6 @@
"translation": "Verbindung zum AD/LDAP-Server nicht möglich"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "Zugangsdaten gültig, konnte Benutzer aber nicht erstellen."
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "Ihr AD/LDAP-Konto hat keine Berechtigung diesen Mattermost-Server zu benutzen. Bitten Sie Ihren Systemadministrator den AD/LDAP-Benutzerfilter zu überprüfen."
},
@@ -4367,40 +3787,16 @@
"translation": "Benutzer nicht auf AD/LDAP-Server registriert"
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "Mattermost-Benutzer durch AD/LDAP-Server aktualisiert."
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "LDAP-Sync-Worker fehlgeschlagen durch das Fehlschlagen des Sync-Jobs"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "LDAP-Sync-Worker konnte den Sync-Job nicht erstellen"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "AD/LDAP-Synchronisierung abgeschlossen"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "Konnte nicht alle Benutzer via AD/LDAP laden"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "Ungültiger AD/LDAP-Filter"
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.message_export.generic.license.error",
- "translation": "Lizenz unterstützt Nachrichtenexport nicht."
- },
- {
- "id": "ent.metrics.starting.info",
- "translation": "Metriken- und Profilierungsserver hört auf %v"
- },
- {
- "id": "ent.metrics.stopping.info",
- "translation": "Metriken- und Profilierungsserver stoppt auf %v"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "Ungültiger AD/LDAP-Filter"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "Beim Kodieren der Anfrage für den Identitäten Anbieter trat ein Fehler auf. Bitte kontaktieren Sie Ihren Systemadministrator."
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "Fehler beim enkodieren der verschlüsselten Anfrage an den Identitätsprovider. Bitte kontaktieren Sie Ihren Systemadministrator."
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "Fehler beim Konfigurieren des SAML Service Providers, err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "SAML Login war nicht erfolgreich da der private Schlüssel des Service Providers nicht gefunden wurde. Bitte kontaktieren Sie Ihren Systemadministrator."
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "Datei für das öffentliche Zertifikat des Serviceproviders nicht gefunden. Bitte kontaktieren Sie Ihren Systemadministrator."
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "SAML Login war nicht erfolgreich da die Antwort des Identitätsproviders nicht verschlüsselt war. Bitte kontaktieren Sie Ihren Systemadministrator."
},
@@ -4527,8 +3915,12 @@
"translation": "SAML 2.0 ist auf diesem Server nicht konfiguriert oder wird nicht unterstützt."
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "Konnte existierenden SAML-Benutzer nicht aktualisieren. Erlaube Login trotzdem. err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "Konnte Job-Status nicht auf fehlerhaft setzen"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "Konnte Kanal nicht finden: %v, %v Möglichkeiten gesucht"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "Konnte die Kanäle nicht finden"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "Erstelle Benutzer und Team"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "Verarbeiten der URL nicht möglich"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "Bereite manuellen Test vor..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "Keine uid in URL"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "Manueller Autolink Test"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "Konnte die Kanäle nicht finden"
},
@@ -4575,50 +3947,6 @@
"translation": "Mattermost Security Bulletin"
},
{
- "id": "mattermost.config_file",
- "translation": "Konfigurationsdatei geladen von %v"
- },
- {
- "id": "mattermost.current_version",
- "translation": "Aktuelle Version ist %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "Enterprise aktiviert: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "Lizenzschlüssel von https://mattermost.com benötigt um Enterprise-Funktionen freizuschalten."
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "Fehler beim Laden der Security Bulletin Details"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "Fehler beim Lesen der Security Bulletin Details"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "Suche nach Sicherheitsupdates bei Mattermost"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "Fehler beim Laden von Sicherheitsupdate bei Mattermost."
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "Sende Security Bulletin für %v zu %v"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "Fehler beim Laden der Systemadministratoren für Sicherheitsupdates von Mattermost."
- },
- {
- "id": "mattermost.working_dir",
- "translation": "Aktuelles Arbeitsverzeichnis ist %v"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "Migration aufgrund ungültiger Fortschrittsdaten fehlgeschlagen ."
},
@@ -4707,10 +4035,6 @@
"translation": "Ungültige Id"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "Ungültiger Name"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "Ungültiger Zweck"
},
@@ -4731,10 +4055,6 @@
"translation": "Ungültiger E-Mail-Benachrichtigungswert"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "Ungültiger Stummschalten-Wert"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "Ungültige Benachrichtigungsstufe"
},
@@ -4743,10 +4063,6 @@
"translation": "Ungültige Push-Benachrichtigungsstufe"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "Ungültige Rolle"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "Ungültige als ungelesen Markieren-Stufe"
},
@@ -4755,30 +4071,6 @@
"translation": "Ungültige Benutzer-ID"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "Ungültige Kanal-ID"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "Ungültige Beitrittszeit"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "Ungültige Verlassenszeit"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "Ungültige Benutzer-E-Mail-Adresse"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "Ungültige Benutzer-ID"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "Konnte eingehende Daten nicht verarbeiten"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "Beim Verbinden mit dem Server ist ein Fehler aufgetreten"
},
@@ -4803,8 +4095,8 @@
"translation": "Fehelender Team-Parameter"
},
{
- "id": "model.client.login.app_error",
- "translation": "Authentifizierungstoken stimmten nicht überein"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "Problem beim Schreiben der Anfrage"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "Fehler beim Schreiben der Kanal-ID in Multipart Form"
},
@@ -4847,10 +4147,30 @@
"translation": "Konnte Multipart-Anfrage nicht erstellen"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "CreateAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Hostname must be set"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "Ungültige Id"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "LastPingAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "ClusterName must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Type must be set"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "Erstellt am muss eine gültige Zeit sein"
},
@@ -4951,6 +4271,10 @@
"translation": "Bis muss größer als von sein"
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Allowing cookies for subdomains requires SiteURL to be set."
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "Ungültiger atmos-/camo-Bild-Proxy-Typ für Diensteinstellungen. Muss auf ihren Shared Key gesetzt sein."
},
@@ -4995,10 +4319,6 @@
"translation": "\"Elasticsearch Live Indexing Batch Size\" muss mindestens 1 sein"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "ElasticSearch-Einstellung Passwort muss angegeben sein, wenn Elastic-Search-Indizierung aktiviert ist."
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "Elasticsearch PostsAggregatorJobStartTime-Einstellung muss eine Uhrzeit im Format \"hh:mm\" sein"
},
@@ -5007,10 +4327,6 @@
"translation": "Timeout für Elasticsearch-Anfrage muss mindestens 1 Sekunde sein."
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "ElasticSearch-Einstellung Benutzername muss angegeben sein, wenn Elastic-Search-Indizierung aktiviert ist."
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "Ungültige Buffer-Größe für E-Mail-Stapelverarbeitung. Muss 0 oder eine positive Ziffer sein."
},
@@ -5023,10 +4339,6 @@
"translation": "Ungültiger Inhaltstyp für E-Mail-Benachrichtigungen in E-Mail-Einstellungen. Muss entweder 'full' oder 'generic' sein."
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "Ungültiger Salt für Passwort-Zuücksetzung in E-Mail-Einstellungen. Muss 32 Zeichen oder mehr sein."
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "Ungültiger Salt für Einladung in E-Mail-Einstellungen. Muss 32 Zeichen oder mehr sein."
},
@@ -5043,34 +4355,10 @@
"translation": "Ungültiger Treibername in Dateieinstellungen. Muss 'local' oder 'amazons3' sein"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "Ungültige Vorschauhöhe in Dateieinstellungen. Muss 0 oder eine positive Zahl sein."
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "Ungültige Vorschaubreite in Dateieinstellungen. Muss eine positive Zahl sein."
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "Ungültige Profilhöhe in Dateieinstellungen. Muss eine positive Zahl sein."
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "Ungültige Profilbreite in Dateieinstellungen. Muss eine positive Zahl sein."
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "Ungültiger öffentlicher Link Salt in Dateieinstellungen. Muss 32 Zeichen oder mehr sein."
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "Ungültige Thumbnailhöhe in Dateieinstellungen. Muss eine positive Zahl sein."
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "Ungültige Thumbnauilbreite in Dateieinstellungen. Muss eine positive Zahl sein."
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "Ungültige Diensteinstellungen für Gruppierung von ungelesenen Kanälen. Muss 'disabled', 'default_on' oder default_off' sein."
},
@@ -5083,30 +4371,14 @@
"translation": "AD/LDAP-Feld \"BaseDN\" ist erforderlich."
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "AD/LDAP-Feld \"Bind Passwort\" ist erforderlich."
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "AD/LDAP-Feld \"Bind Benutzername\" ist erforderlich."
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "AD/LDAP-Feld \"E-Mail Attribut\" ist erforderlich."
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "AD/LDAP-Feld \"Vornamenattribut\" ist erforderlich."
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "AD/LDAP-Feld \"ID Attribut\" ist erforderlich."
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "AD/LDAP-Feld \"Nachnameattribut\" ist erforderlich."
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "AD/LDAP-Feld \"Login ID Attribut\" ist erforderlich."
},
@@ -5115,14 +4387,6 @@
"translation": "Ungültiger Wert für die MaxPageSize."
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Notwendiges AD/LDAP-Feld fehlt."
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Notwendiges AD/LDAP-Feld fehlt."
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "Ungültige Verbindungssicherheit in AD/LDAP-Einstellungen. Muss '', 'TLS' oder 'STARTTLS' sein"
},
@@ -5191,18 +4455,6 @@
"translation": "'ExportFormat' des Nachrichten-Export-Jobs muss 'actiance' oder 'globalrelay' sein."
},
{
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "'ExportFormat' des Nachrichten-Export-Jobs muss 'actiance' oder 'globalrelay' sein."
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "Nachrichten-Export-Aufgabe \"FileLocation\" muss ein beschreibbares Verzeichnis sein in welches die Exportdaten geschrieben werden"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "Nachrichten-Export-Aufgabe \"FileLocation\" muss ein Unterverzeichnis von \"FileSettings.Directory\" sein"
- },
- {
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
"translation": "ExportFormat des Nachrichtenexport-Jobs ist auf 'globalrelay' gesetzt, aber GlobalRelay-Einstellungen fehlen"
},
@@ -5223,18 +4475,10 @@
"translation": "Nachrichtenexport-Job GlobalRelaySettings.SmtpUsername muss gesetzt sein"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "Nachrichten-Export-Job GlobalRelayEmailAddress muss eine gültige E-Mail-Adresse sein"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "Minimale Passwortlänge muss eine ganze Zahl größer oder gleich zu {{.MinLength}} und weniger oder gleich zu {{.MaxLength}} sein."
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "Maximale Passwortlänge muss größer oder gleich der minimalen Länge sein."
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "Ungültige Speichergröße für Anfragenbegrenzer Einstellungen. Muss eine positive Zahl sein"
},
@@ -5367,10 +4611,6 @@
"translation": "Erstellt am muss eine gültige Zeit sein"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "Ungültige Ersteller-ID"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "Ungültige Emoji-ID"
},
@@ -5383,10 +4623,38 @@
"translation": "Aktualisiere am muss eine gültige Zeit sein"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "Konnte GIF nicht dekodieren."
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "Ungültige Kanal-ID"
},
@@ -5411,6 +4679,10 @@
"translation": "Ungültige ID"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "Konnte eingehende Daten nicht verarbeiten"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "Ungültige Team-ID"
},
@@ -5443,6 +4715,14 @@
"translation": "Ungültiger Job-Typ"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "Ungültige App-ID"
},
@@ -5491,6 +4771,10 @@
"translation": "Ungültige Kanal-ID"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "Erstellt am muss eine gültige Zeit sein"
},
@@ -5543,14 +4827,6 @@
"translation": "Ungültiger Schlüssel, er muss länger als {{.Min}} und kürzer als {{.Max}} Zeichen sein."
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "Ungültiger Schlüssel, er muss länger als {{.Min}} und kürzer als {{.Max}} Zeichen sein."
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "Ungültige Plugin-ID, sie muss länger als {{.Min}} und kürzer als {{.Max}} Zeichen sein."
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "Ungültige Plugin-ID, sie muss länger als {{.Min}} und kürzer als {{.Max}} Zeichen sein."
},
@@ -5699,10 +4975,6 @@
"translation": "Ungültiger URL-Bezeichner"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "Ungültige Rolle"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "Ungültige Team-ID"
},
@@ -5719,130 +4991,18 @@
"translation": "Ungültiger Token."
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "Ungültige Auth Daten"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "Ungültiger Benutzer, Passwort und Auth Daten können nicht gesetzt werden"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "Ungültiger Benutzer, Auth-Daten müssen mit Auth-Typ gesetzt sein"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "Erstellt am muss eine gültige Zeit sein"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "Ungültige E-Mail-Adresse"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "Ungültiger Vorname"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "Ungültige Benutzer-ID"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "Ungültiger Nachname"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "Ungültiger Nickname"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "Aufgrund der Einschränkungen von bcrypt ist es ist nicht möglich, ein Passwort mit mehr als 72 Zeichen zu setzen."
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "Ungültige Position: Darf nicht länger als 128 Zeichen sein."
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein."
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Kleinbuchstaben enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Kleinbuchstaben und eine Ziffer enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Kleinbuchstaben, eine Ziffer und ein Symbol (wie \"~!@#$%^&*()\") enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Kleinbuchstaben und ein Symbol (wie \"~!@#$%^&*()\") enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Kleinbuchstaben und einen Großbuchstaben enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Kleinbuchstaben, einen Großbuchstaben und eine Ziffer enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Kleinbuchstaben, einen Großbuchstaben, eine Ziffer und ein Symbol (wie \"~!@#$%^&*()\") enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Kleinbuchstaben, einen Großbuchstaben und ein Symbol (wie \"~!@#$%^&*()\") enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens eine Ziffer enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens eine Ziffer und ein Symbol (wie \"~!@#$%^&*()\") enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens ein Symbol (wie \"~!@#$%^&*()\") enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Großbuchstaben enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Großbuchstaben und eine Ziffer enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Großbuchstaben, eine Ziffer und ein Symbol (wie \"~!@#$%^&*()\") enthalten."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "Ihr Passwort muss mindestens {{.Min}} Zeichen lang sein und mindestens einen Großbuchstaben und ein Symbol (wie \"~!@#$%^&*()\") enthalten."
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "Ungültige Team-ID"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "Aktualisiert am muss eine gültige Zeit sein"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "Ungültiger Benutzername"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "Ungültige Beschreibung, muss aus 256 Zeichen oder weniger bestehen"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "Ungültiges Zugriffstoken"
},
@@ -5855,6 +5015,10 @@
"translation": "Konnte nicht dekodieren"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "GitLab's Terms of Service have updated. Please go to gitlab.com to accept them and then try logging into Mattermost again."
},
@@ -5863,26 +5027,6 @@
"translation": "Fehler bei Widerrufen des Plugin-RPC"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "Fehler beim Anpassen des Spaltentyps %v"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "Fehler bei Indexüberprüfung %v"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "Schließe SqlStore"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "Fehler beim Überprüfen ob Spalte existiert aufgrund fehlendem Treiber"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "FromDb: Konnte EncryptStringMap nicht zu *string konvertieren"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "FromDb: Konnte StringArray nicht zu *string konvertieren"
},
@@ -5895,82 +5039,6 @@
"translation": "FromDb: Konnte StringMap nicht zu *string konvertieren"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "Fehler beim Erstellen der Spalte %v"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "Fehler beim Erstellen der Spalte aufgrund fehlendem Treiber"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "Fehler beim Erstellen des Index aufgrund fehlendem Treiber"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "Fehler beim Erstellen der Datenbanktabelle: %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "Fehler beim Erstellen des dialektspezifischen Treibers"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "Fehler beim Erstellen des dialektspezifischen Treibers %v"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "Ungültige MAC für den Ciphertext angegeben"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "Fehler beim Abruf der maximalen Länge für Spalte %v"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "Fehler beim Öffnen der SQL Verbindung %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "Mehr als 1 Lesereplika Funktionalität durch aktuelle Lizenz deaktiviert. Bitte kontaktieren Sie Ihren Systemadministrator wegen eines Enterprise Lizenzupgrades."
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "Fehler beim Entfernen des Index %v"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "Fehler beim Umbenennen der Spalte %v"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "Das Datenbankschema der Version %v scheint veraltet zu sein"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "Versuche Datenbankschema auf Version %v zu aktualisieren"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "Datenbankschema-Version %v wird nicht länger unterstützt. Dieser Mattermost-Server unterstützt automatische Upgrades von Schema-Version %v bis %v. Downgrades werden nicht unterstützt. Bitte aktualisieren Sie manuell auf mindestens Version %v, bevor Sie fortfahren."
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "kurzer Ciphertext"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "Fehler beim Lesen des Datentyps für Spalte %s von Tabelle %s: %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "Ciphertext zu kurz"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "Das Datenbankschema wurde auf Version %v aktualisiert"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "Es trat ein Fehler beim Suchen nach den Audits auf"
},
@@ -5999,16 +5067,24 @@
"translation": "Der Kanaltyp konnte nicht gefunden werden"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "Die Berechtigungen konnten nicht überprüft werden"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "Die Berechtigungen konnten nicht überprüft werden"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "Die Berechtigungen konnten nicht überprüft werden"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "Kein Kanal gefunden"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "Der bestehende gelöschte Kanal konnte nicht gefunden werden"
},
@@ -6067,10 +5151,6 @@
"translation": "Es existieren keine gelöschten Kanäle mit dem Namen"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "Konnte Extrainformationen für Kanalmitglieder nicht abrufen"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "Der Kanal für den angegebenen Beitrag konnte nicht abgerufen werden"
},
@@ -6231,10 +5311,6 @@
"translation": "Es trat ein Fehler beim Suchen nach Kanälen auf"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "Konnte zuletzt betrachten Zeitpunkt nicht aktualisieren"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "Der Kanal konnte nicht aktualisiert werden"
},
@@ -6259,14 +5335,6 @@
"translation": "Es trat ein Fehler beim Aktualisieren der Kanalmitglieder auf"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "Konnte Datensätze nicht abrufen"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "Konnte Mitglieder des Kanals zum spezifizierten Zeitpunkt nicht abrufen"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "Konnte Mitglieder des Kanals während der spezifizierten Zeitperiode nicht abrufen"
},
@@ -6275,10 +5343,6 @@
"translation": "Konnte Historie der Kanalmitglieder nicht speichern"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "Konnte Historie der Kanalmitglieder nicht speichern. Kein existierender Beitrittsdatendatensatz gefunden"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "Konnte Historie der Kanalmitglieder nicht speichern. Konnte bestehenden Beitrittsdatensatz nicht aktualisieren"
},
@@ -6287,6 +5351,30 @@
"translation": "Konnte Datensätze nicht leeren"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "Failed to delete"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "Fehler beim Überprüfen, ob es exisitert"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Failed to get all discovery rows"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Failed to update last ping at"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "Die Anzahl der Befehle konnte nicht ermittelt werden"
},
@@ -6411,10 +5499,6 @@
"translation": "Die Dateiinformationen konnten nicht gespeichert werden"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "Die Dateiinformationen konnten nicht gespeichert oder aktualisiert werden"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "Der Job konnte nicht gelöscht werden"
},
@@ -6567,10 +5651,6 @@
"translation": "Konnte Plugin-Key-Value nicht speichern oder aktualisieren"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "Konnte Plugin-Key-Value aufgrund von Bindungsverletzung nicht speichern oder aktualisieren"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "Konnte Nachrichtenanzahl nicht abrufen"
},
@@ -6583,6 +5663,10 @@
"translation": "Konnte Benutzeranzahl mit Nachrichten nicht abrufen"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "Die Nachricht konnte nicht gelöscht werden"
},
@@ -6591,6 +5675,10 @@
"translation": "Die Nachricht konnte nicht abgerufen werden"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "Die übergeordnete Nachricht zu diesem Kanal konnte nicht gefunden werden"
},
@@ -6643,10 +5731,6 @@
"translation": "Es ist ein Fehler beim permanenten Löschen des Stapels von Nachrichten aufgetreten"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "Es ist ein Fehler beim permanenten Löschen des Stapels von Nachrichten aufgetreten"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "Die Nachrichten nach Kanal konnten nicht gelöscht werden"
},
@@ -6663,14 +5747,6 @@
"translation": "Maximal unterstützte Nachrichtengröße konnte nicht bestimmt werden"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message unterstützt maximal %d Zeichen (%d bytes)"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "Keine Implementierung zur Bestimmung der maximalen Nachrichtengröße gefunden"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "Die Nachricht konnte nicht gespeichert werden"
},
@@ -6683,10 +5759,6 @@
"translation": "Suchen wurde auf diesem Server deaktiviert. Bitte kontaktieren Sie ihren Systemadministrator."
},
{
- "id": "store.sql_post.search.warn",
- "translation": "Abfragefehler bei der Suche nach Nachrichten: %v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "Die Nachricht konnte nicht aktualisiert werden"
},
@@ -6751,6 +5823,10 @@
"translation": "Die Einstellungen konnten nicht aktualisiert werden"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "Konnte Transaktion zum Löschen der Reaktion nicht öffnen"
},
@@ -6759,20 +5835,12 @@
"translation": "Konnte Transaktion zum Löschen der Reaktion nicht ausführen"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "Konnte Reaktion nicht löschen"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "Konnte Reaktion mit dem angegebenen Emoji-Namen nicht löschen"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "Konnte Reaktionen mit dem gegebenen Emoji-Namen nicht abrufen"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "Konnte Post.HasReactions nicht aktualisieren während entfernen von Reaktionen post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "Konnte Reaktion nicht speichern"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "Konnte die Rolle nicht löschen"
},
@@ -6823,10 +5903,6 @@
"translation": "Die Rolle war ungültig"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "Die Rolle war ungültig"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "Konnte die Transaktion nicht öffnen, um die Rolle zu speichern"
},
@@ -6843,10 +5919,6 @@
"translation": "Konnte die zu diesem Schema gehörenden Rollen nicht löschen"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "Konnte das Schema nicht löschen, da es von einem oder mehr Teams verwendet wird"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "Konnte das Schema nicht löschen"
},
@@ -6895,10 +5967,6 @@
"translation": "Die Anzahl der Sitzungen konnten nicht gezählt werden"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "Es trat ein Fehler beim Löschen abgelaufener Benutzersitzungen auf"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "Es trat ein Fehler beim Suchen nach Sitzungen auf"
},
@@ -6907,10 +5975,6 @@
"translation": "Es trat ein Fehler beim Finden von Benutzersitzungen auf"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "Fehler beim Bereinigen der Sitzungen in getSessions err=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "Es konnten nicht alle Sitzungen für den Benutzer entfernt werden"
},
@@ -6927,10 +5991,6 @@
"translation": "Die Sitzung konnte nicht gespeichert werden"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "Fehler beim Bereinigen der Sitzungen in Save err=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "Konnte existierende Sitzung nicht aktualisieren"
},
@@ -6983,6 +6043,10 @@
"translation": "Es trat ein Fehler beim Aktualisieren des Status auf"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "Es trat ein Fehler beim Finden der Systemeinstellungen auf"
},
@@ -6991,10 +6055,6 @@
"translation": "Konnte die Systemvariable nicht finden."
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "Die Datenbankversion konnte nicht abgerufen werden"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "System-Tabelleneintrag konnte nicht permanent gelöscht werden"
},
@@ -7011,6 +6071,26 @@
"translation": "Die Anzahl der Teams konnte nicht gezählt werden"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "Das existierende Team konnte nicht gefunden werden"
},
@@ -7063,10 +6143,6 @@
"translation": "Die Teammitglieder konnten nicht abgerufen werden"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "Es trat ein Fehler beim Abrufen der Teams auf"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "Die ungelesenen Nachrichten des Teams konnten nicht abgerufen werden"
},
@@ -7151,6 +6227,14 @@
"translation": "Der Name des Teams konnte nicht aktualisiert werden"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "Die Anzahl der inaktiven Benutzer konnte nicht gezählt werden"
},
@@ -7163,12 +6247,28 @@
"translation": "Die Anzahl der einzigartigen Benutzer konnte nicht gezählt werden"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "Wir haben ein Problem beim Finden des Kontos"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "Es trat ein Fehler beim Suchen nach allen Konten mit einem spezifischem Authentifizierungstyp auf."
+ "id": "store.sql_user.get.app_error",
+ "translation": "Wir haben ein Problem beim Finden des Kontos"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "Die Anzahl der ungelesenen Nachrichten für den Benutzer konnte nicht abgerufen werden"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "Fehler beim Migrieren von User.ThemeProps in die Einstellungen-Tabelle %v"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "Der Benutzer konnte nicht gefunden werden."
},
@@ -7271,6 +6367,10 @@
"translation": "Ein Konto mit diesem Benutzernamen existiert bereits. Bitte kontaktieren Sie Ihren Administrator."
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "Der Zugang konnte nicht aktualisiert werden"
},
@@ -7311,18 +6411,10 @@
"translation": "Es konnte failed_attempts nicht aktualisiert werden"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "Es konnte last_activity_at nicht aktualisiert werden"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "update_at konnte nicht aktualisiert werden"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "Es konnte last_ping_at nicht aktualisiert werden"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "Es trat ein Fehler beim Aktualisieren des Benutzers MFA aktiver Status auf"
},
@@ -7335,6 +6427,10 @@
"translation": "Es konnte das Benutzerpasswort nicht aktualisiert werden"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "Es konnte das E-Mail-Adresse bestätigt Feld nicht aktualisiert werden"
},
@@ -7367,6 +6463,18 @@
"translation": "Beim Suchen von Zugangs-Tokens wurde ein Fehler festgestellt"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "Die Anzahl der eingehenden Webhooks konnte nicht gezählt werden"
},
@@ -7459,18 +6567,10 @@
"translation": "Fehler beim Dekodieren der Konfigurationsdatei={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "Fehler beim Abrufen der Konfigurationsdatei={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "Fehler beim Öffnen der Konfigurationsdatei={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "Fehler beim Validieren der Konfigurationsdatei={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "Es ist ein Fehler beim Speichern der Datei in {{.Filename}} aufgetreten"
},
@@ -7487,18 +6587,6 @@
"translation": "Konnte Mattermost-Konfigurationsdatei nicht laden; DefaultServerLocale muss einer der unterstützten Übersetzungen entsprechen. Setze DefaultServerLocale auf en als Standardwert."
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "Konnte Mattermost Konfigurationsdatei nicht laden: AvailableLocales muss DefaultClientLocale enthalten"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "Analytics nicht initialisiert"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "Der Dateispeicher ist nicht korrekt konfiguriert. Bitte konfigurieren Sie diesen entweder für S3 oder den lokalen Dateispeicher des Servers."
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "Ein Fehler ist während des Anzeigens des Verzeichnisses vom lokalen Server ist aufgetreten."
},
@@ -7507,10 +6595,6 @@
"translation": "Fehler beim Auflisten des Verzeichnisses von S3."
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "Der Dateispeicher ist nicht korrekt konfiguriert. Bitte konfigurieren Sie diesen entweder für S3 oder den Dateispeicher des lokalen Servers."
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "Ein Fehler ist während des Löschens des Verzeichnisses vom lokalen Server ist aufgetreten."
},
@@ -7519,10 +6603,6 @@
"translation": "Fehler beim Entfernen des Verzeichnisses von S3."
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "Der Dateispeicher ist nicht korrekt konfiguriert. Bitte konfigurieren Sie diesen entweder für S3 oder den Dateispeicher des lokalen Servers."
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "Ein Fehler ist während des Löschens der Datei vom lokalen Server aufgetreten"
},
@@ -7531,38 +6611,6 @@
"translation": "Fehler beim Entfernen der Datei von S3."
},
{
- "id": "utils.i18n.loaded",
- "translation": "Systemübersetzungen geladen für '%v' von '%v'"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "Muss eine positive Größe sein"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "Keine gültige Enterprise Lizenz gefunden"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "Konnte Lizenzdatei nicht entfernen, err=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "Es trat ein Fehler beim Dekodieren der Lizenzdatei auf, err=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "Ungültige Signatur, err=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "Signierte Lizenz ist nicht lang genug"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "Es trat ein Fehler beim Signieren der Lizenz auf, err=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "Fehler beim Setzen von HELO"
},
@@ -7579,14 +6627,6 @@
"translation": "Fehler beim Authentifizieren am SMTP-Server"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "Fehler beim Setzen von HELO für SMTP-Server %v"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "Fehler beim Öffnen einer Verbindung zum SMTP-Server %v"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "Fehler beim Hinzufügen des Mailanhanges"
},
@@ -7607,42 +6647,10 @@
"translation": "Fehler bei Hinzufügen der E-Mail Daten"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "sende E-Mail an %v mit dem Betreff '%v'"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "Fehler beim Setzen von \"Empfängeradresse\""
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "SMTP Einstellungen scheinen nicht korrekt konfiguriert zu sein err=%v details=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "SMTP Einstellungen scheinen nicht korrekt konfiguriert zu sein err=%v details=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "Admin Konsole"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "Applikation authorisieren"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "Team konnte nicht gefunden werden name=%v, err=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "Konto beanspruchen"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "Benutzer konnte nicht gefunden werden teamid=%v, email=%v, err=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "Der Befehl konnte nicht gefunden werden"
},
@@ -7655,42 +6663,6 @@
"translation": "Konnte eingehende Daten nicht verarbeiten"
},
{
- "id": "web.create_dir.error",
- "translation": "Fehler beim Erstellen der Ordner Überwachung %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "Fehler beim Finden des Benutzerprofils mit id=%v erzwinge Abmeldung"
- },
- {
- "id": "web.doc.title",
- "translation": "Dokumentation"
- },
- {
- "id": "web.email_verified.title",
- "translation": "E-Mail-Adresse bestätigt"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "Ihr aktueller Browser wird nicht unterstützt. Bitte aktualisieren Sie auf einen der folgenden Browser:"
},
@@ -7699,12 +6671,8 @@
"translation": "Nicht unterstützter Browser"
},
{
- "id": "web.find_team.title",
- "translation": "Team finden"
- },
- {
- "id": "web.header.back",
- "translation": "Zurück"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "Kein Text angegeben"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "Maximale Textlänge sind {{.Max}} Zeichen, empfangene Größe ist {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "Der Benutzer konnte nicht gefunden werden"
- },
- {
- "id": "web.init.debug",
- "translation": "Initialisiere Web Routen"
- },
- {
- "id": "web.login.error",
- "translation": "Team konnte nicht gefunden werden name=%v, err=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "Anmelden"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "Ungültiger Teamname"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "Templates in %v werden geparst"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "Ungültige Nachrichten-ID"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "Der Link zum zurücksetzen des Passwortes ist abgelaufen"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "Der zurücksetzen Link scheint nicht gültig zu sein"
- },
- {
- "id": "web.root.home_title",
- "translation": "Heim"
- },
- {
- "id": "web.root.singup_title",
- "translation": "Registrieren"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "Der Registrierungslink ist abgelaufen"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "Schließe Team Registrierung ab"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "Registrierungsmail versendet"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "Der Registrierungslink ist abgelaufen"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "Dieser Teamtyp erlaubt keine offnen Einladungen"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "Schließe Benutzerregistrierung ab"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "Ungültiger Team Namen"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "Fehler beim Erstellen der Ordner Überwachung %v"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "Initialisiere Status WebSocket-API-Routen"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "Initialisiere System WebSocket-API-Routen"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "Initialisiere Benutzer WebSocket-API-Routen"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "Initialisiere webrtc WebSocket-API-Routen"
}
]
diff --git a/i18n/en.json b/i18n/en.json
index 190aa4cea..7e08ad429 100644
--- a/i18n/en.json
+++ b/i18n/en.json
@@ -100,6 +100,14 @@
"translation": "Can not add user to this channel type"
},
{
+ "id": "api.channel.change_channel_privacy.private_to_public",
+ "translation": "This channel has been converted to a Public Channel and can be joined by any team member."
+ },
+ {
+ "id": "api.channel.change_channel_privacy.public_to_private",
+ "translation": "This channel has been converted to a Private Channel."
+ },
+ {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "This default channel cannot be converted into a private channel."
},
@@ -1535,66 +1543,6 @@
"translation": "Unable to open the Slack export zip file.\r\n"
},
{
- "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
- "translation": "Failed to begin the database transaction"
- },
- {
- "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
- "translation": "Failed to rollback the database transaction"
- },
- {
- "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
- "translation": "Failed to retrieve the users"
- },
- {
- "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
- "translation": "Failed to update the user"
- },
- {
- "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
- "translation": "Failed to commit the database transaction"
- },
- {
- "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
- "translation": "Failed to begin the database transaction"
- },
- {
- "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
- "translation": "Failed to rollback the database transaction"
- },
- {
- "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
- "translation": "Failed to retrieve the team members"
- },
- {
- "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
- "translation": "Failed to update the team member"
- },
- {
- "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
- "translation": "Failed to commit the database transaction"
- },
- {
- "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
- "translation": "Failed to begin the database transaction"
- },
- {
- "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
- "translation": "Failed to rollback the database transaction"
- },
- {
- "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
- "translation": "Failed to retrieve the channel members"
- },
- {
- "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
- "translation": "Failed to update the channel member"
- },
- {
- "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
- "translation": "Failed to commit the database transaction"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "User not found"
},
@@ -5127,6 +5075,26 @@
"translation": "We couldn't get channel type counts"
},
{
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
+ },
+ {
"id": "store.sql_channel.delete.channel.app_error",
"translation": "We couldn't delete the channel"
},
@@ -6111,6 +6079,26 @@
"translation": "We couldn't count the teams"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "We couldn't find the existing team"
},
@@ -6267,6 +6255,26 @@
"translation": "We couldn't get the unique user count"
},
{
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
+ },
+ {
"id": "store.sql_user.get.app_error",
"translation": "We encountered an error finding the account"
},
diff --git a/i18n/es.json b/i18n/es.json
index 67af1bf61..dea254c85 100644
--- a/i18n/es.json
+++ b/i18n/es.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "Abril"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "Agosto"
- },
- {
- "id": "December",
- "translation": "Diciembre"
- },
- {
- "id": "February",
- "translation": "Febrero"
- },
- {
- "id": "January",
- "translation": "Enero"
- },
- {
- "id": "July",
- "translation": "Julio"
- },
- {
- "id": "June",
- "translation": "Junio"
- },
- {
- "id": "March",
- "translation": "Marzo"
- },
- {
- "id": "May",
- "translation": "Mayo"
- },
- {
- "id": "November",
- "translation": "Noviembre"
- },
- {
- "id": "October",
- "translation": "Octubre"
- },
- {
- "id": "September",
- "translation": "Septiembre"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "Error leyendo el archivo de registro."
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "La marca personalizada no está configurada o no está soportada en este servidor."
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "El almacenamiento para las imagénes no está configurado."
},
{
- "id": "api.admin.init.debug",
- "translation": "Inicializando rutas del API para la administración."
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "Terminado el reciclaje de la conexión de base de datos."
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "Intentando reciclar la conexión de base de datos."
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "Se ha producido un error al eliminar el certificado. Asegúrese de que el archivo config/{{.Filename}} existe."
},
@@ -92,6 +36,10 @@
"translation": "Se ha producido un error mientras se construían los Metadatos del Proveedor de Servicio."
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>Parece que tu correo electrónico para Mattermost fue configurado correctamente!"
},
@@ -112,14 +60,6 @@
"translation": "S3 Bucket es necesario"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "S3 Endpoint es necesario"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "S3 Región es necesaria"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "Arreglo vacio bajo 'image' en la solicitud"
},
@@ -128,10 +68,6 @@
"translation": "No hay un archivo bajo 'image' en la solicitud"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "La marca personalizada no está configurada o no está soportada en este servidor"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "No se pudo analizar el formulario multipart"
},
@@ -144,38 +80,10 @@
"translation": "No se pudo cargar el archivo. El archivo es muy grande."
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "Falla al analizar el contenido de las plantillas de servidor %v"
- },
- {
- "id": "api.api.render.error",
- "translation": "Error renderinzando la plantilla %v err=%v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "No se puede obtener el usuario para comprobar los permisos."
- },
- {
- "id": "api.brand.init.debug",
- "translation": "Inicializando rutas del API para las marcas"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v agregado al canal por %v"
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "Falla al encontrar el canal"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "Falla al encontrar el usuario a ser agregado"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "Falla al encontrar el usuario mientras se agregaba"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "Falla al agregar el usuario al canal"
},
@@ -192,30 +100,6 @@
"translation": "No se puede agregar al usuario a este tipo de canal"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "La gestión y creación de Canales Privados está restringida a los Administradores del Sistema."
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "La gestión y creación de Canales Privados está restringida a los Administradores de Equipo y Sistema."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "La gestión y creación de Canales Públicos está restringida a los Administradores del Sistema."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "La gestión y creación de Canales Públicos está restringida a los Administradores de Equipo y Sistema."
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "Este canal ha sido convertido a un Canal Público y cualquier miembro del equipo puede unirse."
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "Este canal ha sido convertido a un Canal Privado."
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "Este es el canal predeterminado y no se puede convertir como canal privado."
},
@@ -268,50 +152,6 @@
"translation": "El canal ha sido archivado o eliminado"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "Falla al publicar archivar el mensaje %v"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "Falla al enviar el archivo del mensaje"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "Encontrado un error borrando el webhook de entrada, id=%v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "Encontrado un error borrando el webhook de salida, id=%v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "No tienes los permisos apropiados"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "No hay ningún canal con channel_id={{.ChannelId}} en el equipo con team_id={{.TeamId}}"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "No se puede obtener el contador del canal desde la base de datos"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "El canal ha sido archivado o eliminado"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "Error al analizar el límite de miembros"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "Error obteniendo el pérfil de usuario para id=%v forzando el cierre de sesión"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "Inicializando rutas del API para los canales"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "El canal ya está eliminado"
},
@@ -340,6 +180,10 @@
"translation": "%v abandonó el canal."
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "No se pudo publicar el mensaje de actualización del nombre del canal"
},
@@ -380,22 +224,10 @@
"translation": "No se puede remover el usuario del canal predeterminado {{.Channel}}"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "No tienes los permisos apropiados "
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v removido del canal."
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "No se puede remover el usuario."
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "Falla al encontrar el usuario a ser removido"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "El canal ha sido archivado o eliminado"
},
@@ -404,10 +236,6 @@
"translation": "El canal ha sido archivado o eliminado"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "No tienes los permisos apropiados"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "Intento de realizar una actualización inválida al canal predeterminado {{.Channel}}"
},
@@ -424,26 +252,14 @@
"translation": "No se puede establecer el esquema para el canal ya que el esquema suministrado no es un esquema de canal."
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "No se puede obtener el número de mensajes no leídos para user_id=%v y channel_id=%v, err=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "El rol suministrado es administrado por un Esquema y por lo tanto no puede ser aplicado directamente a un Miembro de Equipo"
},
{
- "id": "api.cluster.init.debug",
- "translation": "Inicializando rutas del API para el agrupamiento de servidores"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "Las integraciones han sido limitadas a los adminitradores."
},
{
- "id": "api.command.delete.app_error",
- "translation": "Permisos inapropiados para eliminar el comando"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "Los comandos han sido inhabilitados por el administrador de sistema."
},
@@ -472,18 +288,10 @@
"translation": "Comando con el gatillador '{{.Trigger}}' no fue encontrado. Para enviar un mensaje que comience con \"/\", trata de añadir un espacio vacío en el inicio del mensaje."
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "Ocurrió un error mientras se guardaba la respuesta del comando en el canal"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "No se encontró una palabra que desencadene la acción para el comando"
},
{
- "id": "api.command.init.debug",
- "translation": "Inicializando rutas del API para los comandos"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "Envía un correo de invitación a tu equipo de Mattermost"
},
@@ -516,18 +324,10 @@
"translation": "Enviado(s) correo(s) de invitación"
},
{
- "id": "api.command.regen.app_error",
- "translation": "Permisos inapropiados para utilizar el comando de regenerar token"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "No se puede actualizar comandos a través de equipos"
},
{
- "id": "api.command.update.app_error",
- "translation": "Permisos inapropiados para actualizar el comando"
- },
- {
"id": "api.command_away.desc",
"translation": "Establece tu estado como ausente"
},
@@ -568,10 +368,6 @@
"translation": "Error al actualizar el canal actual."
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "El encabezado del canal fue actualizado correctamente."
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "Error al recuperar el canal actual."
},
@@ -644,10 +440,6 @@
"translation": "Error al actualizar el canal actual."
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "El nombre del canal fue actualizado correctamente."
- },
- {
"id": "api.command_code.desc",
"translation": "Mostrar el texto como un bloque de código"
},
@@ -696,10 +488,6 @@
"translation": "No Molestar está activado. No recibirás notificaciones móviles o de escritorio hasta que No Molestar esté apagado."
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "No se pudo crear el /echo mensaje, err=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "El retraso debe ser menor a 10000 segundos"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "No pudimos encontrar los usuarios. %s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "Ha ocurrido un error mientras se listaban los usuarios."
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "Los mensajes de Grupo están limitados a un máximo de {{.MaxUsers}} usuarios."
},
@@ -779,18 +559,10 @@
"translation": "Los mensajes de Grupo están limitados a un mínimo de {{.MinUsers}} usuarios."
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "No pudimos encontrar el usuario"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "mensaje"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "Mensaje enviado a los usuarios."
- },
- {
"id": "api.command_help.desc",
"translation": "Abrir la página de ayuda de Mattermost"
},
@@ -875,10 +647,6 @@
"translation": "unir"
},
{
- "id": "api.command_join.success",
- "translation": "Te uniste al canal."
- },
- {
"id": "api.command_kick.name",
"translation": "patear"
},
@@ -891,14 +659,6 @@
"translation": "Ocurrió un error al abandonar al canal."
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "Ocurrió un error al listar los canales."
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "No pudimos encontrar el canal"
- },
- {
"id": "api.command_leave.name",
"translation": "leave"
},
@@ -947,10 +707,6 @@
"translation": "@[usuario] 'mensaje'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "Ha ocurrido un error mientras se listaban los usuarios."
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "No pudimos encontrar el usuario"
},
@@ -959,10 +715,6 @@
"translation": "mensaje"
},
{
- "id": "api.command_msg.success",
- "translation": "Mensaje enviado al usuario."
- },
- {
"id": "api.command_mute.desc",
"translation": "Apaga las notificaciones de escritorio, correo electrónico y a dispositivos móviles para el canal actual o el [canal] especificado."
},
@@ -1115,10 +867,6 @@
"translation": "npi"
},
{
- "id": "api.compliance.init.debug",
- "translation": "Inicializando rutas del API de conformidad"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "Nuevo formato para la configuración del cliente no es compatible todavía. Por favor utiliza format=old en la cadena de consulta."
},
@@ -1135,14 +883,6 @@
"translation": "Parámetro {{.Name}} inválido"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "Sesión no válida err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "El URL de Equipo fue accesado de forma inválida. El URL del Equipo no debe ser utilizado en funciones del API o aquellas funciones que son independientes del equipo"
- },
- {
"id": "api.context.invalid_token.error",
"translation": "Token {{.Token}} de sesión no válido, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "El parámetro {{.Name}} no es válido o no se encuentra en la URL solicitada"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "Purgando todos los cachés"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "Falla al actualizar LastActivityAt para user_id=%v and session_id=%v, err=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v code=%v rid=%v uid=%v ip=%v %v [detalles: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "La autenticación de múltiples factores es requerida en este servidor."
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "Falta Team Id"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "No tienes los permisos apropiados"
},
@@ -1179,26 +903,10 @@
"translation": "Sesión inválida o vencida, por favor inicia sesión otra vez."
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "No tienes los permisos apropiados (admin de sistema)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "La sesión no es de tipo OAuth pero existe un token en el query string"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "Ocurrió un error inesperado. Por favor contacta a soporte."
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "API versión 3 ha sido inhabilitado en este servidor. Por favor utiliza la API versión 4. Revisa https://api.mattermost.com para más información. "
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "Inicializando rutas del API marcadas como obsoletas"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "El trabajo de correos electrónicos por lotes del canal de recepción estaba lleno. Por favor, aumenta el EmailBatchingBufferSize."
},
@@ -1207,14 +915,6 @@
"translation": "Los correos electrónicos por lotes han sido inhabilitados por el administrador de sistema"
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "El trabajo de correos electrónicos por lotes se ejecutó. %v / los usuario(s) todavía tienen notificaciones pendientes."
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "No se puede encontrar el canal del mensaje para la notificación de correos electrónicos por lote"
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Day}} {{.Month}}"
},
@@ -1235,10 +935,6 @@
"translation": "Notificación de "
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "No se puede encontrar el remitente del mensaje para la notificación de correos electrónicos por lote"
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "Tienes una nueva notificación",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "No se puede encontrar las preferencias de los destinatarios para la notificación por correos electrónicos por lote"
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "Error al enviar la notificación por correos electrónicos por lote a %v: %v"
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] Nueva Notificación {{.Day}} {{.Month}}, {{.Year}}",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "No se puede encontrar el destinatario para la notificación por correos electrónicos por lote"
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "Iniciando el trabajo de correos electrónicos por lote. Revisando por correos electrónicos pendientes cada %v segundos."
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "No se puede crear el emoticon. Ya existe otro emoticon con el mismo nombre."
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "No se puede crear el emoticon. No se comprendió la solicitud."
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "Permisos inapropiados para crear el emoticon."
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "No se puede crear el emoticon. No se comprendió la solicitud."
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "No se puede crear el emoticon. La imagen debe tener un tamaño inferior a 1 MB."
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "No se puede eliminar las reacciones al eliminar el emoticon con el nombre %v"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "Los emoticones personalizados han sido inhabilitados por el administrador del sistema."
},
@@ -1301,14 +977,6 @@
"translation": "No se puede leer el archivo de imagen para emoticon."
},
{
- "id": "api.emoji.init.debug",
- "translation": "Inicializando rutas del API para los emoticon"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "Inicializando rutas del API para los emoticon"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "No ha sido configurado apropiadamente el almacenamiento. Por favor configuralo para utilizar ya sea S3 o almacenamiento local."
},
@@ -1333,12 +1001,12 @@
"translation": "No se puede crear el emoticon. Se ha producido un error al intentar codificar la imagen GIF."
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "Los archivos adjuntos se han deshabilitado en este servidor."
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "Los enlaces públicos han sido inhabilitados por un administrador del sistema"
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "Los archivos adjuntos se han deshabilitado en este servidor."
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "Archivo no tiene una imagen en miniatura"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "No se puede obtener información de archivo. El archivo debe estar conectado a un post que puede ser leído por el usuario actual."
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "No se puede obtener información del archivo. El almacenamiento de imágenes no está configurado."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "No se puede obtener el archivo. El almacenamiento de imágenes no está configurado."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "No se puede obtener el archivo. El almacenamiento de imágenes no está configurado."
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "Los enlaces públicos han sido inhabilitados"
},
@@ -1377,116 +1029,52 @@
"translation": "No se puede obtener el enlace público para el archivo. El archivo debe estar conectado a un post que puede ser leído por el usuario actual."
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "No se puede decodificar la imagen err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "Incapaz de codificar la imagen como jpeg ruta=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "Incapaz de codificar la imagen como vista previa de jpg ruta=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "Error al cargar la vista previa ruta=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "Error al cargar la miniatura ruta=%v err=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "Inicializando rutas del API para los archivos"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "No se puede obtener el canal al momento de migrar el mensaje para que utilice FileInfos, post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "No se puede encontrar archivo al momento de migrar el mensaje para que utilice FileInfos, post_id=%v, archivo=%v, ruta=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "No se puede obtener FileInfos para el mensaje después de la migración, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "No se puede obtener los mensajes al momento de migrar para que utilice FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "Incapaz de decodificar la información del archivo al momento de migrar el mensaje para que utilice FileInfos, post_id=%v, archivo=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "Migrando mensajes para que utilicen FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "Se encontró un nombre de archivo inusual al momento de migrar el mensaje para que utilice FileInfos, post_id=%v, channel_id=%v, user_id=%v, archivo=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "No se pueden migrar el mensaje para que utilicen FileInfos con el campo de Nombres vacío, post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "Mensaje ya migrado para que utilice FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "No se puede guardar el mensaje al momento de migrar para que utilice FileInfos, post_id=%v, file_id=%v, ruta=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "No se puede guardar la información de archivo al momento de migrar el mensaje para que utilice FileInfos, post_id=%v, file_id=%v, archivo=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "No se puede copiar el archivo dentro de S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "Incapaz de encontrar equipo para FileInfos, post_id=%v, archivos=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "No se pudo eliminar el archivo del S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "No se puede obtener los equipos al momento de migrar el mensaje para que utilice FileInfos, post_id=%v, err=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "No se pudo mover el archivo localmente."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "Incapaz de descifrar el nombre de archivo al momento de migrar el mensaje para que utilice FileInfos, post_id=%v, archivo=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "No file driver selected."
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "No ha sido configurado apropiadamente el almacenamiento. Por favor configuralo para utilizar ya sea S3 o almacenamiento local."
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "Se encontró un error al leer desde el almacenamiento del servidor local"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "No se puede copiar el archivo dentro de S3."
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "Se encontró un error al leer desde el almacenamiento del servidor local"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "No se pudo eliminar el archivo del S3."
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "Se encontró un error al listar el directorio del almacenamiento en el servidor local."
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "No se pudo obtener el archivo desde el S3."
+ "id": "api.file.reader.s3.app_error",
+ "translation": "Se encontró un error al leer desde el almacenamiento del servidor local"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "No se pudo mover el archivo localmente."
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Don't have permissions to write to local path specified or other error."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "El almacenamiento de archivos no ha sido configurado apropiadamente. Por favor configuralo ya sea para S3 o para almacenamiento en el servidor local."
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Unable to create bucket."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "No se puede obtener el archivo desde el S3"
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Error checking if bucket exists."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "Se encontró un error al leer desde el almacenamiento del servidor local"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "Bad connection to S3 or minio."
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "No se pudo cargar el archivo. El archivo es demasiado grande."
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "El almacenamiento de archivos no ha sido configurado apropiadamente. Por favor configuralo ya sea para S3 o para almacenamiento en el servidor local."
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "Se encontró un error al escribir al S3"
},
@@ -1525,34 +1109,6 @@
"translation": "Se encontró un error al escribir en el almacenamiento del servidor local"
},
{
- "id": "api.general.init.debug",
- "translation": "Inicializando rutas generales del API"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "Error de adjuntar archivos al mensaje. postId=%v, fileIds=%v, mensaje=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "Error guardando el mensaje. user=%v, message=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "Falla al unirse al equipo cuando se importa err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "Se encontró un problema al unirse a los canales predeterminados user_id=%s, team_id=%s, err=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "Error guardando el usuario. err=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "Falla al asignar el correo como verificado err=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "Webhooks entrantes han sido deshabilitados por el administrador del sistema."
},
@@ -1561,10 +1117,6 @@
"translation": "Nombre de usuario no válido."
},
{
- "id": "api.ldap.init.debug",
- "translation": "Inicializando rutas del API para LDAP"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "Arreglo vacío bajo 'license' en la solicitud"
},
@@ -1605,30 +1157,6 @@
"translation": "Nuevo formato de la licencia de cliente no es compatible todavía. Por favor utiliza format=old en la cadena de consulta."
},
{
- "id": "api.license.init.debug",
- "translation": "Inicializando rutas del API para las licencias"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "La licencia no fue removida correctamente."
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "invalid_request: Mal client_id"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "invalid_request: Falta o está malo el redirect_uri"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "invalid_request: Mal response_type"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "server_error: Error accesando la base de datos"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "invalid_request: El redirect_uri suministrado no coincide con el callback_url registrado"
},
@@ -1641,14 +1169,6 @@
"translation": "El administrador de sistema ha desactivado el Proveedor de Servicio OAuth2."
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "Falta uno o más parametros: response_type, client_id, o redirect_uri"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "Permisos inapropiados para eliminar la App de OAuth2"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "invalid_request: Mal client_id"
},
@@ -1705,22 +1225,10 @@
"translation": "invalid_grant: Refresh token inválido"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "No se encontró el auth code para el código=%s"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "Inicializando rutas del API para el OAuth"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "Estado de token no válido"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "Permisos inapropiados para regenerar el secreto de la App de OAuth2"
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "El administrador de sistema ha desactivado el Proveedor de Servicio OAuth2."
},
@@ -1749,8 +1257,8 @@
"translation": "El enlace de registro parece ser inválido"
},
{
- "id": "api.opengraph.init.debug",
- "translation": "Inicializando rutas del API para el protocolo open graph"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "@{{.Username}} fue mencionado, pero no recibió una notificación porque no pertenece a este canal."
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "Se encontró un error al adjuntar archivos al mensaje, post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "Nombre errado de archivo descartado, archivo=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "No se puede publicar en un canal eliminado."
},
@@ -1789,10 +1289,6 @@
"translation": "Canal inválido para el parámetro RootId"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "Se encontró un error al actualizar la última vista, channel_id=%s, user_id=%s, err=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "Parámetro ParentId inválido"
},
@@ -1809,18 +1305,6 @@
"translation": "Error creando el mensaje"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "No se puede eliminar la preferencia del mensaje marcado al eliminar el mensaje, err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "No tienes los permisos apropiados"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "Se encontró un error al eliminar los archivos del mensaje, post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "@all ha sido desactivado debido a que el canal tiene más de {{.Users}} usuarios."
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "Error al obtener los archivos para el mensaje de notificación, post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}} imagen enviada: {{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "Falla al compilar el regex de la @mencion user_id=%v, err=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "No tienes los permisos apropiados"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "Falla al obtener los miembros del canal channel_id=%v err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "Falla al crear la respuesta del mensaje, err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "Fallo el Evento POST, err=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "Inicializando rutas del API para los mensajes"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "Vistas previas de los enlaces han sido deshabilitadas por el administrador del sistema."
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "Falla al obtener 2 miembros para un canal directo channel_id={{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "Falla al obtener los miembros del canal channel_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "Falla al guardar las preferencias del canal directo user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "Falla al actualizar las preferencias del canal directo user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "No se puede obtener el perfil del miembro del canal, user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " notificó al canal."
},
@@ -1919,26 +1355,6 @@
"translation": " comentó en una conversación que has participado."
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "El creador del mensaje no es parte del canal donde se publicó el mensaje, no se envió la notificación post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "Limpiando notificaciones dispositivos móviles para %v con el channel_id '%v'"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "No se pudo obtener los archivos para la notificación del mensaje post_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "No se pudo obtener los equipos durante el envío de mensaje directo entre equipos user_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "Nueva Mención"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": " te mencionó."
},
@@ -1955,30 +1371,10 @@
"translation": "te envió un mensaje."
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "Error al enviar notificación al dispositivo móvil device_id={{.DeviceId}}, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}} enviado"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "Falla al actualizar el contador de mensiones para post_id=%v channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "No pudimos encontrar el mensaje o comentario para actualizarlo."
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "No tienes los permisos apropiados"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "La edición de mensajes ha sido inhabilitada. Por favor pregunta a tu administrador de sistema por detalles."
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "Ya fué elminado el id={{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "No se puede obtener el mensaje"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "No se puede descodificar las preferencias de la solicitud"
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "No se puede eliminar las preferencias de otros usuarios"
- },
- {
- "id": "api.preference.init.debug",
- "translation": "Inicializando las rutas de preferencias del API"
- },
- {
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "No se puede decodificar las preferencias desde la solicitud"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "No se puede asignar las preferencias para otro usuario"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "Error al eliminar la reacción debido a que el canal ID no coincide con el ID del mensaje en el URL"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "Inicializando rutas del API para las reacciones"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "No se pudo obtener las reacciones debido a que el canal ID no coincide con el ID del mensaje en el URL"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "Reacción no válida."
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "Error al guardar la reacción debido a que el canal ID no coincide con el ID del mensaje en el URL"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "No puedes guardar una reacción de otro usuario."
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "No se pudo obtener el mensaje cuando el envío el evento de websocket para la reacción"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "La licencia actual no tiene soporte para permisos avanzados."
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "El certificado no se ha guardado correctamente."
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "No se puede obtener los equipos para el esquema porque el esquema proporcionado no es un esquema de equipo."
},
{
- "id": "api.server.new_server.init.info",
- "translation": "Inicializando el Servidor..."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "No puede reenviar del puerto 80 al puerto 443, mientras se escucha en el puerto %s: desactiva Forward80To443 si utiliza un servidor proxy"
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "El servidor está escuchando en %v"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "Límite de velocidad está habilitado"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "La configuración del límite de velocidad no ha sido configurado apropiadamente utilizando VaryByHeader y inhabilitado VaryByRemoteAddr"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "No se puede inicializar el almacén de memoria para la limitación de velocidad. Compruebe el ajuste de MemoryStoreSize en la configuración."
},
@@ -2095,22 +1455,6 @@
"translation": "Error arrancando el servidor, err:%v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "Arrancando el Servidor..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "Error arrancando el servidor "
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "Servidor detenido"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "Deteniendo el Servidor..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "La integración/usuario Bot de Slack con el correo electrónico {{.Email}} y contraseña {{.Password}} ha sido importado.\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "No se puede importar el canal de Slack {{.DisplayName}}.\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Slack Import: No se puede importar el canal de Slack: %s."
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "El canal de Slack {{.DisplayName}} ya existe como un canal activo en Mattermost. Ambos canales se han fusionado.\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Slack Import: Ocurrió un error al adjuntar los archivos al mensaje, post_id=%s, file_ids=%v, err=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Slack Import: Los mensajes del bot de Slack todavía no pueden ser importados."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Slack Import: No se puede importar el mensaje del bot ya que el usuario del bot no existe."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Slack Import: No se puede importar el mensaje ya que no tiene comentarios."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Slack Import: No se puede importar el mensaje ya que falta el campo del usuario."
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Slack Import: No se puede importar el mensaje del bot ya que falta el campo BotId."
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Slack Import: No se puede importar el mensaje ya que el tipo no es soportado: post_type=%v, post_subtype=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Slack Import: No se puede importar el archivo {{.FileId}} ya que no se encuentra el archivo en el archivo zip exportado de Slack."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Slack Import: No se puede adjuntar el archivo al mensaje ya que el mensaje no tiene la sección \"file\" presente en la exportación de Slack."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Slack Import: No se puede abrir el archivo {{.FileId}} de la exportación de Slack: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Slack Import: Ocurrió un error al cargar el archivo {{.FileId}}: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Slack Import: No se puede agregar el mensaje ya que el usuario de Slack %v no existe en Mattermost."
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Slack Import: No se puede importar el mensaje ya que falta el campo de usuario."
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\nUsuarios creados:\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "Usuario {{.Username}} no posee una dirección de correo electrónico en la exportación de Slack. Se utiliza {{.Email}} como el valor. El usuario debe actualizar su dirección de correo electrónico una vez que inicie sesión en el sistema.\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "Slack Import: Usuario {{.Username}} no posee una dirección de correo electrónico en la exportación de Slack. Se utiliza {{.Email}} como el valor. El usuario debe actualizar su dirección de correo electrónico una vez que inicie sesión en el sistema."
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "No se pudo importar el usuario de Slack: {{.Username}}.\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Slack Import: No se puede compilar el !canal, la coincidencia de expresión regular para el canal de Slack {{.ChannelName}} (id={{.ChannelID}})."
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Slack Import: se ha detectado una marca de tiempo mala."
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Slack Import: no se puede compilar la @mención, la coincidencia de expresión regular para que el usuario de Slack {{.Username}} (id={{.UserID}})."
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Slack Import: No se puede desactivar la cuenta de usuario utilizada por el bot."
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Mattermost Registros de importación de Slack\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "No se puede abrir el archivo de exportación zip de Slack.\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Slack Import: Ocurrió un error al analizar algunos canales de Slack. De igual forma puede que la importación funcione."
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Slack Import: Ocurrió un error al analizar los mensajes de Slack. De igual forma puede que la importación funcione."
- },
- {
- "id": "api.status.init.debug",
- "translation": "Inicializando rutas del API para los estatus"
- },
- {
- "id": "api.status.init.debug",
- "translation": "Inicializando rutas del API para los estatus"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "Falla al actualizar LastActivityAt para user_id=%v and session_id=%v, err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "Falla al guardar el estado del user_id=%v, err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "Usuario no encontrado"
},
{
- "id": "api.system.go_routines",
- "translation": "El número de goroutines supera umbral recomendado %v %v"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v agregado al equipo por %v"
},
@@ -2307,32 +1547,16 @@
"translation": "Parámetro requerido para agregar un usuario al equipo."
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "El registro a equipos por correo electrónico está inhabilitado."
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "El registro a equipos por correo electrónico está inhabilitado."
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "El enlace de registro ha expirado"
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "Este URL no está disponible. Por favor, prueba con otra."
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "Ocurrió un error al enviar un correo en emailTeams err=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "La invitación es inválida debido a que este no es un equipo abierto."
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "Sólo un administrador del equipo puede importar data."
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "Solicitud con formato incorrecto: campo con el tamaño del archivo no está presente."
},
{
- "id": "api.team.init.debug",
- "translation": "Inicializando rutas del API para los equipos"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "administrador"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "Esta persona ya se encuentra en tu equipo"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "Las siguientes direcciones de correo electrónico no pertenecen a un dominio aceptado: {{.Addresses}}. Por favor, ponte en contacto con tu Administrador del Sistema para obtener más detalles."
},
@@ -2387,22 +1599,6 @@
"translation": "Nadie a quien invitar."
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "Invitar nuevos usuarios a un equipo está restringido a los Administradores del Sistema."
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "Invitar nuevos usuarios a un equipo está restringido a los Administradores de Equipo o del Sistema."
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "Falla al enviar el correo de invitación satisfactoriamente err=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "enviando invtaciones a %v %v"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "La creación de Equipos ha sido inhabilitada. Por favor pregunta a tu administrador de sistema por detalles."
},
@@ -2427,14 +1623,6 @@
"translation": "Este canal ha sido movido a este equipo desde %v."
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "Intentando eliminar permanentemente al equipo %v id=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "Equipo eliminado permanentemente %v id=%v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "Ocurrió un error al obtener el equipo"
},
@@ -2491,10 +1679,6 @@
"translation": "No se pudo guardar el icono del equipo"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "El registro a equipos por correo electrónico está inhabilitado."
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "Ocurrió un error al actualizar el icono del equipo"
},
@@ -2503,10 +1687,6 @@
"translation": "Usuario especificado no es un miembro de equipo especificado."
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "No tienes los permisos apropiados"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "La licencia actual no tiene soporte para actualizar un esquema de equipo."
},
@@ -2515,10 +1695,6 @@
"translation": "No se puede establecer el esquema para el equipo porque el esquema proporcionado no es un esquema de equipo."
},
{
- "id": "api.templates.channel_name.group",
- "translation": "Mensaje de Grupo"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "Desactivaste tu cuenta en {{ .SiteURL }}.<br>Si este cambio no fue originado por ti o sí quieres reactivar tu cuenta, contacta a tu administrador de sistema."
},
@@ -2571,22 +1747,6 @@
"translation": "Enviado por "
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "Haz solicitado encontrar los equipos a los que tienes asociado tu correo electrónico y encontramos los siguientes:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "No hemos podido encontrar ningún equipo asociado al correo electrónico suministrado."
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "Tus Equipos"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "Tus equipos de {{ .SiteName }}"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "Unirme al Equipo"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] Tu método de inicio de sesión ha sido actualizado"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "Configura tu equipo"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }} es el lugar para todas las comunicaciones de tu equipo, con capacidades de búsqueda y disponible desde cualquier parte.<br>Podrás aprovechar al máximo {{ .SiteName }} cuando tu equipo esté en constante comunicación--Traigamoslos a bordo."
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "¡Gracias por haber creado un equipo!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "Configuración del equipo en {{ .SiteName }}"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>TUS CUENTAS DUPLICADAS HAN SIDO ACTUALIZADAS</h3>Tu servidor de Mattermost ha sido actualizado a la Versión 3.0, la cual permite que utilices una sólo cuenta de usuario en múltiples equipos.<br/><br/>Estás recibiendo este correo electrónico debido a que el proceso de actualización ha detectado que tu cuenta tiene la misma dirección de correo electrónico o nombre de usuario que otras cuentas en el servidor.<br/><br/>Los siguiente cambios han sido realizados: <br/><br/>{{if .EmailChanged }}- La dirección de correo electrónico duplicada para la cuenta en el equipo `/{{.TeamName}}` fue cambiada a `{{.Email}}`. En el caso de que utilices el correo electrónico y la contraseña para iniciar sesión, puedes utilizar esta nueva dirección de correo para iniciar tu sesión.<br/><br/>{{end}}{{if .UsernameChanged }}- El nombre de usuario duplicado para la cuenta en el equipo `/{{.TeamName}}` ha sido cambiado por `{{.Username}}` para evitar confusión con otras cuentas.<br/><br/>{{end}} ACCIÓN RECOMENDADA: <br/><br/>Se recomienda que inicies sesión en tus equipos donde se encontraron duplicados y agregues tu cuenta principal al equipo y a cualquier canal que quieras continuar utilizando. <br/><br/>Esto hará que tu cuenta principal tenga acceso al historial de todos tus canales. Podrás continuar teniendo acceso al historial de todos los mensajes directos de cada cuenta duplicada al iniciar sesión con las credenciales de de cada una de las cuentas. <br/><br/>PARA MÁS INFORMACIÓN: <br/><br/>Para obtener más información referente a la actualización a Mattermost 3.0 por favor revisa: <a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] Cambios a tu cuenta para la Actualización a Mattermost 3.0"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "Un token de acceso personal ha sido agregado a tu cuenta en {{ .SiteURL }}. El token puede ser utilizado para accesar {{.SiteName}} con tu cuenta.<br>Si este cambió no fue realizado por ti, por favor contacta a tu administrador del sistema."
},
@@ -2787,10 +1923,6 @@
"translation": "Estado inválido"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "Estado inválido. falta nombre del equipo"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "Token de acceso ausente"
},
@@ -2839,10 +1971,6 @@
"translation": "Ya existe una cuenta asociada a esa dirección de correo electrónico utilizando un método de inicio de sesión diferente a {{.Service}}. Por favor inicia sesión utilizando {{.Auth}}."
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "Esta cuenta de {{.Service}} ya fue utilizada para registrarse"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "No se pudo crear el usuario basandose en el objeto de {{.Service}}"
},
@@ -2871,10 +1999,6 @@
"translation": "Creación de usuario está deshabilitada."
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "Se encontró un problema al unirse a los canales predeterminados user_id=%s, team_id=%s, err=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "Falta el Id de invitación."
},
@@ -2887,10 +2011,6 @@
"translation": "Este servidor no permite registros sin invitación. Por favor comunícate con un administrador para recibir una invitación."
},
{
- "id": "api.user.create_user.save.error",
- "translation": "No se pudo guardar el usuario err=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "Registro de usuarios por correo electrónico está inhabilitado."
},
@@ -2903,22 +2023,14 @@
"translation": "El enlace de registro parece ser inválido"
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "Nombre del equipo inválido"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "Se encontró un error al guardar las preferencias del tutorial, err=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "Falla al asignar el correo como verificado err=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "AD/LDAP no está disponible en este servidor"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "MFA no está configurado o disponible en este servidor"
},
@@ -2927,18 +2039,10 @@
"translation": "Proveedor de servicios de OAuth no es compatible"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "Error obteniendo el pérfil de usuario para id=%v forzando el cierre de sesión"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "No se pudo obtener la imagen del perfil, usuario no encontrado."
},
{
- "id": "api.user.init.debug",
- "translation": "Inicializando rutas del API para los usuarios"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "AD/LDAP no está disponible en este servidor"
},
@@ -2951,6 +2055,14 @@
"translation": "El campo de contraseña no debe quedar en blanco"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Attempted to sign in using the experimental feature ClientSideCert without providing a valid certificate"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Attempt to use the experimental feature ClientSideCertEnable without a valid enterprise license"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "El inicio de sesión falló porque tu cuenta ha sido desactivada. Por favor contacta a un administrador."
},
@@ -2959,18 +2071,10 @@
"translation": "ID de usuario o contraseña incorrectos."
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "Debe proporcionar un ID de usuario o nombre de equipo y correo electrónico de usuario"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "El inicio de sesión falló porque la dirección de correo electrónico no ha sido verificada"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "Revocando sessionId=%v para el userId=%v vuelve a iniciar la sesión el el mismo dispositivo"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "Por favor inicia sesión usando {{.AuthService}}"
},
@@ -2983,18 +2087,6 @@
"translation": "No se pudo obtener la data de autorización del objeto de {{.Service}}"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "El campo de contraseña no debe quedar en blanco"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "AD/LDAP no está habilitado en este servidor"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "Se necesita un ID"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "AD/LDAP no está disponible en este servidor"
},
@@ -3003,16 +2095,12 @@
"translation": "La actualización de la contraseña falló porque el user_id del contexto no coincide con el id de usuario provisto"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "Intentando eliminar permanentemente la cuenta %v id=%v"
- },
- {
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "La cuenta %v ha sido eliminada permanentemente id=%v"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "Estas eliminando a %v que es un administrador de sistema. Es posible que necesites asignar otra cuenta como administrador de sistema utilizando las herramientas de linea de comando."
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "No se puede restablecer la contraseña para cuentas SSO"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "Intentando restablecer la contraseña para el usuario en el equipo equivocado."
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "SAML 2.0 no está configurado o no es soportado en este servidor"
},
@@ -3055,12 +2139,12 @@
"translation": "Error al enviar la notificación por correo electrónico para verificar el cambio satisfactorio del correo electrónico"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "Error al enviar la notificación por correo electrónico del cambio satisfactorio de contraseña"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "No pudimos encontrar una cuenta con esa dirección."
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "Error al enviar la notificación por correo electrónico del cambio satisfactorio de contraseña"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "Error al enviar la notificación de bienvenida por correo electrónico"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "No puedes modificar el estado de activación para cuentas de tipo SSO. Por favor, haz la modificación a través del servicio SSO."
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "No puedes desactivar a tu propio usuario porque está funcionalidad no está habilitada. Por favor contacta al Administrador de Sistema."
},
@@ -3131,26 +2211,6 @@
"translation": "La actualización de la contraseña falló debido a que no encontramos una cuenta válida"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "Debe haber al menos un administrador activo"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "No tienes los permisos apropiados"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "Se necesita el rol de administrador de sistema para ejecutar esta acción"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "El rol de adminsitrador de sistema sólo puede ser asignado por otro administrador de sistema"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "Se necesita el rol de administrador de equipo para ejecutar esta acción"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "Solicitud con matriz vacia en 'imagen'"
},
@@ -3195,40 +2255,28 @@
"translation": "Enlace de verificación de correo electrónico errado."
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "Iniciando %v centros de websocket"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "deteniendo conexiones de los centros de websocket"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "conexión al websocket err: %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "Falla al actualizar la conexión del websocket"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "Inicializando rutas del API para los web socket"
- },
- {
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [detalles: %v]"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "error en el enrutamiento del websocket: seq=%v uid=%v %v [detalles: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "deteniendo el hub de equipo para teamId=%v"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "Webhooks de Salida han sido deshabilitados por el administrador del sistema."
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "Debe establecerse palabras que desencadenen una acción o un channel_id"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "Webhooks entrantes han sido deshabilitados por el administrador del sistema."
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "Permisos no válidos para eliminar un webhook de entrada"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "Webhooks de Salida han sido inhabilitados por el administrador del sistema."
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "Permisos no válidos para eliminar el webhook de salida"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "Recibido webhook de entrada. Contenido="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "No se pudo leer la carga del webhook de entrada."
- },
- {
"id": "api.webhook.incoming.error",
"translation": "No se pudo codificar la carga del multipart en el webhook entrante."
},
{
- "id": "api.webhook.init.debug",
- "translation": "Inicializando rutas del API para los webhooks"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "Permisos no válidos para regenerar un token para el webhook de salida"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "No se puede actualizar el webhook a través de equipos"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "Webhooks entrantes han sido deshabilitados por el administrador del sistema."
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "Permisos no válidos para eliminar un webhook de entrada"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "Webhooks de Salida han sido deshabilitados por el administrador del sistema."
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "Webhooks de salida para el mismo canal no pueden tener las mismas palabras que desencadenen acción o los mismos URLs de retorno."
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "Los webhooks de Salida solo pueden actualizarse con canales públicos."
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "Permisos no válidos para actualizar un webhook de salida."
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "Debe establecerse palabras que desencadenen una acción o un channel_id"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "WebRTC no está habilitado en este servidor."
},
{
- "id": "api.webrtc.init.debug",
- "translation": "Inicializando rutas del API para WebRTC"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "Hemos encontrado un error al intentar registrar el Token de WebRTC"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "Sesión no válida err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "Parámetro {{.Name}} inválido"
},
@@ -3367,6 +2351,10 @@
"translation": "%s actualizó el propósito del canal a: %s"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "Error al leer el archivo de importación de datos."
},
@@ -3375,6 +2363,18 @@
"translation": "Falla al decodificar la línea en el JSON,"
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Cannot set a channel to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Channel must be assigned to a Channel-scoped scheme."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "Error al importar el canal. El equipo con el nombre \"{{.TeamName}}\" no pudo ser encontrado."
},
@@ -3431,6 +2431,10 @@
"translation": "La linea a importar tiene un tipo de \"mensaje\" pero el objeto del mensaje es null."
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "La linea a importar tiene un tipo de \"canal\" pero el objeto del canal es null."
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "La linea a importar tiene un tipo de \"equipo\" pero el objeto del equipo es null."
},
@@ -3459,12 +2463,28 @@
"translation": "Error al importar el mensaje. El usuario con nombre de usuario \"{{.Username}}\" no pudo ser encontrado."
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "The bulk importer cannot change the scope of an already-existing scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Cannot set a team to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Team must be assigned to a Team-scoped scheme."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "Error al importar las membresías del canal. Error al guardar las preferencias."
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "La propiedad create_at del canal no debe ser cero si se proporciona."
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "Propósito del canal es demasiado largo."
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for channel."
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "Falta la propiedad obligatoria del canal: team"
},
@@ -3639,12 +2663,44 @@
"translation": "Falta la propiedad obligatoria de la respuesta: User."
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "La propiedad del equipo allowed_domains es demasiado larga."
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "Descripción inválida"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "Nombre a mostrar inválido"
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "La propiedad create_at del equipo no debe ser cero si se proporciona."
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "Invalid permission on role."
+ },
+ {
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "Nombre de usuario no válido."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "Descripción inválida"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "Nombre a mostrar inválido"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "Nombre de usuario no válido."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "Scheme scope is required."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "Unknown scheme scope."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "The wrong roles were provided for a scheme with this scope."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "Nombre de equipo contiene palabra(s) reservada(s)."
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for team."
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "Tipo de equipo no es válido."
},
@@ -3739,8 +2799,8 @@
"translation": "La propiedad de las palabras que desencadenan notificaciones del usuario no es válida."
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "La propiedad de notificación por comentarios del usuario no es válida."
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "La propiedad de notificación del estatus del usuario para recibir notificaciones a dispositivos móviles no es válida."
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "La contraseña del usuario tiene una longitud no válida."
},
@@ -3875,10 +2939,6 @@
"translation": "No puede desactivar el plugin"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "No se puede eliminar el complemento de estado."
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "Los Complementos han sido inhabilitados. Por favor revisa los logs para más detalles."
},
@@ -3891,8 +2951,8 @@
"translation": "Error encontrado en el sistema de archivos"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "No se puede obtener los complementos activos"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "Este equipo ha alcanzado el número máximo de cuentas permitidas. Contacta a un administrador de sistema para que asigne un límite mayor."
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "No se pudo deserializar el archivo de configuración={{.Filename}} correspondiente a la Zona Horaria, err={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "No existe el archivo de configuración de Zona Horaria archivo={{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "Error al leer el archivo de configuración de la Zona Horaria={{.Filename}}, err={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "Token no válido o ausente"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "Capacidad para crear nuevos canales de mensaje de grupo"
},
@@ -3979,6 +3063,22 @@
"translation": "Create Mensaje de Grupo"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "Capacidad para crear mensajes en los canales públicos"
},
@@ -3987,12 +3087,28 @@
"translation": "Crear Publicaciones en Canales Públicos"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "Capacidad para crear equipos nuevos"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "Crear Equipos"
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "Crear Token de Acceso Personal"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "Capacidad para administrar los trabajos"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "Administrar Trabajos"
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "Administrar los roles del Equipo"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "Capacidad para leer los canales públicos"
},
@@ -4035,6 +3383,30 @@
"translation": "Leer Token de Acceso Personal"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "Capacidad para revocar tokens de acceso personales"
},
@@ -4059,6 +3431,62 @@
"translation": "Usar Comandos de Barra"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "Un rol con el permiso para publicar mensajes en cualquier canal público, privado o directo en el sistema"
},
@@ -4083,6 +3511,14 @@
"translation": "Token de Acceso Personal"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "Un rol con el permiso para publicar mensajes en cualquier canal público o privado en el equipo"
},
@@ -4099,96 +3535,108 @@
"translation": "Publicar en Canales Públicos"
},
{
- "id": "cli.license.critical",
- "translation": "Característica requiere una actualización a la Edición Empresarial y la inclusión de una licencia. Por favor, póngase en contacto con su Administrador del Sistema."
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "No se puede decodificar la imagen."
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "No se puede decodificar la configuración de la imagen."
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "No se puede codificar la imagene como un PNG."
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "No se puede abrir la imagen."
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "No se puede guardar la imagen"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "No se puede abrir la imagen. La imagen es muy grande."
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "Configuración del agrupamiento de servidores ha cambiado para id={{ .id }}. El agrupamiento de servidores puede volverse inestable y se requiere un reinicio. Para asegurarse de que el agrupamiento de servidores está configurado correctamente, debes realizar un reinicio continuo de inmediato."
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "El nodo envia error el `%v` detalles=%v, extra=%v, número de reintentos=%v"
+ "id": "cli.license.critical",
+ "translation": "Característica requiere una actualización a la Edición Empresarial y la inclusión de una licencia. Por favor, póngase en contacto con su Administrador del Sistema."
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "El nodo envia último error el `%v` detalles=%v, extra=%v, número de reintentos=%v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "Detectada potencial versión incompatible para el agrupamiento de servidores con %v"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "Detectada potencial configuración incompatible para el agrupamiento de servidores con %v"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "Configuración del agrupamiento de servidores ha cambiado para id={{ .id }}. El agrupamiento de servidores puede volverse inestable y se requiere un reinicio. Para asegurarse de que el agrupamiento de servidores está configurado correctamente, debes realizar un reinicio continuo de inmediato."
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "La funcionalidad de Agrupamiento de Servidores está inhabilitada por la licencia actual. Por favor, póngase en contacto con su administrador del sistema acerca de la actualización de su licencia empresarial."
+ "id": "ent.cluster.save_config.error",
+ "translation": "La Consola del Sistema es de sólo lectura cuando la Alta Disponibilidad es activada a menos que ReadOnlyConfig está deshabilitado en el archivo de configuración."
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "Falló el ping al nodo con nombre=%v en=%v con id=%v"
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "Unknown output format {{.ExportType}}"
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "Ping satisfactorio al nodo con nombre=%v en=%v on id=%v propio=%v"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Unable to copy the attachment into the zip file."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "La Consola del Sistema es de sólo lectura cuando la Alta Disponibilidad es activada a menos que ReadOnlyConfig está deshabilitado en el archivo de configuración."
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Unable to add attachment to the CSV export."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "El entrenudo del Grupo de Servidores está escuchando en %v con el nombre=%v id=%v"
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Unable to create temporary CSV export file."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "El entrenudo del Grupo de Servidores está detenido en %v con el nombre=%v id=%v"
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Unable to add header to the CSV export."
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "La característica de Conformidad está inhabilitada para tu licencia actual. Por favor contacta a un administrador del sistema sobre como actualizar a una licencia empresarial."
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Unable to add metadata file to the zip file."
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "Fallo el trabajo '{{.JobName}}' al exportar la conformidad en '{{.FilePath}}'"
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "Se completo la exportación de Conformidad para el trabajo '{{.JobName}}' exportados {{.Count}} registros en '{{.FilePath}}'"
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "La característica de Conformidad está inhabilitada para tu licencia actual. Por favor contacta a un administrador del sistema sobre como actualizar a una licencia empresarial."
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "Advertencia en el trabajo '{{.JobName}}' para exportación de Conformidad. Se retornaron demasiados registros, truncando a 30,000 en '{{.FilePath}}'"
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "Iniciado el trabajo '{{.JobName}}' para exportar la Conformidad en '{{.FilePath}}'"
+ "id": "ent.compliance.run_failed.error",
+ "translation": "Fallo el trabajo '{{.JobName}}' al exportar la conformidad en '{{.FilePath}}'"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "No se pudo crear el índice de Elasticsearch"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "No se pudo establecer si existe un índice de Elasticsearch"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "Error al configurar el mapa de índices de Elasticsearch"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "No se pudo borrar el índice de ElasticSearch"
},
@@ -4287,18 +3727,6 @@
"translation": "No se pudo crear el procesador a granel de Elasticsearch"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "No se pudo crear el procesador a granel de Elasticsearch"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "No se pudo establecer el índice de configuración de Elasticsearch"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "No se pudo iniciar procesador a granel de Elasticsearch"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "No se pudo iniciar procesador a granel de Elasticsearch"
},
@@ -4319,10 +3747,6 @@
"translation": "La dirección URL del Servidor Elasticsearch o el nombre de Usuario ha cambiado. Por favor, vuelva a introducir la contraseña de Elasticsearch para probar la conexión."
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "Las restricciones de los Emoticones Personalizados están desactivadas por la licencia actual. Por favor contacta a un Administrador del Sistema sobre como actualizar a una licencia empresarial."
- },
- {
"id": "ent.ldap.create_fail",
"translation": "No se puede crear el usuario de LDAP."
},
@@ -4355,10 +3779,6 @@
"translation": "No se pudo conectar con el servidor AD/LDAP"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "Credenciales válidas pero no se pudo crear el usuario."
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "Tu cuenta AD/LDAP no tiene permiso para utilizar este servidor de Mattermost. Por favor, solicita a tu Administrador de Sistema que revise el filtro de usuarios AD/LDAP."
},
@@ -4367,40 +3787,16 @@
"translation": "Usuario no registrado en el servidor AD/LDAP"
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "El usuario de Mattermost fue actualizado por el servidor AD/LDAP."
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "Falló el trabajo de sincronización LDAP"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "No se creó el trabajo de sincronización de LDAP"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "Sincronización de AD/LDAP completada"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "No se pudo obtener a todos los usuarios utilizando AD/LDAP"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "Filtro de AD/LDAP inválido"
- },
- {
- "id": "ent.message_export.generic.license.error",
- "translation": "Licencia no soporta la Exportación de Mensajes."
- },
- {
- "id": "ent.metrics.starting.info",
- "translation": "Las métricas y los perfiles de servidor está escuchando en %v"
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.metrics.stopping.info",
- "translation": "Las métricas y los perfiles de servidor se detuvieron en %v"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "Filtro de AD/LDAP inválido"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "Se ha producido un error mientras se codificaba la solicitud para el Proveedor de Identidad. Por favor, póngase en contacto con su Administrador del Sistema."
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "Se ha producido un error mientras se firmaba la solicitud codificada para el Proveedor de Identidad. Por favor, póngase en contacto con su Administrador del Sistema."
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "Se ha producido un error durante la configuración de Proveedor de Servicios SAML, err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "El inicio de sesión con SAML no tuvo éxito porque no se encontró la Llave Privada del Proveedor de Servicios. Por favor, póngase en contacto con su Administrador del Sistema."
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "El archivo del Certificado Público del Proveedor de Servicios no se encontró. Por favor, póngase en contacto con su Administrador del Sistema."
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "El inicio de sesión con SAML no tuvo éxito porque la respuesta del Proveedor de Identidad está cifrada. Por favor, póngase en contacto con su Administrador del Sistema."
},
@@ -4527,8 +3915,12 @@
"translation": "SAML 2.0 no está configurado o no es soportado en este servidor"
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "No se puede actualizar el usuario SAML existente. Se Permite el inicio de sesión de todos modos. err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "No se puede establecer el estado al trabajo de error"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "No pudimos encontrar el canal: %v, búsqueda realizada con estas posibilidades %v"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "No se pudo obtener los canales"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "Creando usuario y equipo"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "No se pudo analizar el URL"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "Configurando para pruebas manuales..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "No hay un uid en el URL"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "Prueba Manual de Enlaces Automáticos"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "No se pudo obtener los canales"
},
@@ -4575,50 +3947,6 @@
"translation": "Boletín de Seguridad Mattermost"
},
{
- "id": "mattermost.config_file",
- "translation": "Cargado el archivo de configuración desde %v"
- },
- {
- "id": "mattermost.current_version",
- "translation": "La versión actual es %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "Empresa Habilitada: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "Una licencia de https://mattermost.com es necesaria para desbloquear las funciones empresariales."
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "Falla al obtener el detalle del boletín de seguridad"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "Falla al leer el detalle del boletín de seguridad"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "Consultando si existen actualizaciones de seguridad para Mattermost"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "Falla al obtener información sobre actualizaciones de seguridad para Mattermost."
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "Enviando boletín de seguridad para %v a %v"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "Falla al obtener los administradores de sistema que reciben información referente a las actualizaciones de seguridade de Mattermost."
- },
- {
- "id": "mattermost.working_dir",
- "translation": "El directorio de trabajo actual es %v"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "La migración ha fallado porque hay datos erróneos de progreso."
},
@@ -4707,10 +4035,6 @@
"translation": "Id inválido"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "Nombre inválido"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "Propósito inválido"
},
@@ -4731,10 +4055,6 @@
"translation": "Valor de notificación de correo electrónico no es válido"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "Valor de silenciado no válido"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "Nivel de notificación inválido"
},
@@ -4743,10 +4063,6 @@
"translation": "Nivel para la notificación a dispositivos móviles no es válido"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "Rol inválido"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "Nivel de marca para no leidos inválido"
},
@@ -4755,30 +4071,6 @@
"translation": "User id inválido"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "Id de canal no válido"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "Fecha de unión no válida"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "Fecha de abandono no válida"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "Correo electrónico de usuario no válido"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "Id de usuario no válido"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "No se puede analizar la data entrante"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "Encontramos un error mientras conectabamos al servidor"
},
@@ -4803,8 +4095,8 @@
"translation": "Falta parametro team"
},
{
- "id": "model.client.login.app_error",
- "translation": "Token de autenticación no coincidió"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "No se puede escribir la solicitud"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "Error writing channel id to multipart form"
},
@@ -4847,10 +4147,30 @@
"translation": "Incapaz de construir una solicitud multipart"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "CreateAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Hostname must be set"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "Id inválido"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "LastPingAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "ClusterName must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Type must be set"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "Fecha de Creación debe ser válida"
},
@@ -4951,6 +4271,10 @@
"translation": "Desde debe ser mayor que Hasta"
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Allowing cookies for subdomains requires SiteURL to be set."
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "Opción atmos/camo del proxy de imágenes no es válida en la configuración del servicio. Se debe establecer con la clave compartida."
},
@@ -4995,10 +4319,6 @@
"translation": "El tamaño del lote de la indexación en tiempo real de Elasticsearch debe ser de al menos 1"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "El valor de Elastic Search Password debe ser proporcionado cuando está habilitado la indización de Elastic Search."
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "El ajuste PostsAggregatorJobStartTime de Elasticsearch debe ser un tiempo en el formato \"hh:mm\""
},
@@ -5007,10 +4327,6 @@
"translation": "El de tiempo de espera de la solicitud de Elasticsearch debe ser de al menos 1 segundo."
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "El valor de Elastic Search Username debe ser proporcionado cuando está habilitado la indización de Elastic Search."
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "Tamaño del búfer inválido para los correos electrónicos por lotes en la configuración de correo electrónico. Debe ser cero o un número positivo."
},
@@ -5023,10 +4339,6 @@
"translation": "Configuración del tipo de contenido para la notificación por correo electrónico no válido. Debe ser uno de los siguientes valores 'full' o 'generic'."
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "Salt para restablecer contraseñas en la configuración de correos es inválido. Debe ser de 32 caracteres o más."
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "Salt para crear invitaciones en la configuración de correos es inválido. Debe ser de 32 caracteres o más."
},
@@ -5043,34 +4355,10 @@
"translation": "Nombre de controlador para la configuración de archivos es inválido. Debe ser 'local' o 'amazons3'"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "La altura para la vista previa es inválido en la configuración de archivos. Debe ser cero o un número positivo."
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "El ancho para la vista previa es inválido en la configuración de archivos. Debe ser un número positivo."
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "La altura para la imagen de perfil es inválido en la configuración de archivos. Debe ser un número positivo."
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "El ancho para la imagen de perfil es inválido en la configuración de archivos. Debe ser un número positivo."
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "Salt para crear enlaces públicos en la configuración a archivos es inválido. Debe ser de 32 caracteres o más."
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "La altura para la imagen de miniatura es inválido en la configuración de archivos. Debe ser un número positivo."
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "El ancho para la imagen de miniatura es inválido en la configuración de archivos. Debe ser un número positivo."
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "Ajuste invalido para el agrupamiento de canales no leídos en la configuración de servicio. Debe ser 'disabled', 'default_on' o 'default_off'."
},
@@ -5083,30 +4371,14 @@
"translation": "El campo AD/LDAP \"BaseDN\" es obligatorio."
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "El campo AD/LDAP \"Enlazar Contraseña\" es obligatorio."
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "El campo AD/LDAP \"Enlazar nombre de Usuario\" es obligatorio."
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "El campo AD/LDAP \"Atributo Correo electrónico\" es obligatorio."
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "El campo AD/LDAP \"Atributo del Nombre\" es obligatorio."
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "El campo AD/LDAP \"Atributo ID\" es obligatorio."
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "El campo AD/LDAP \"Atributo Apellido\" es obligatorio."
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "El campo AD/LDAP \"Atributo Login ID\" es obligatorio."
},
@@ -5115,14 +4387,6 @@
"translation": "El valor del tamaño de página no es válido."
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Falta un campo requerido por AD/LDAP."
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Falta un campo requerido por AD/LDAP."
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "Conexión segura inválida en la configuración de AD/LDAP. Debe ser '', 'TLS', o 'STARTTLS'"
},
@@ -5191,18 +4455,6 @@
"translation": "El trabajo de exportación de Mensaje ExportFormat debe ser 'actiance' o 'globalrelay'"
},
{
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "El trabajo de exportación de Mensaje ExportFormat debe ser 'actiance' o 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "El ajuste FileLocation para realizar el trabajo de Exportación de Mensajes debe ser un directorio con permiso de escritura donde la data de exportación será almacenada."
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "El ajuste FileLocation para realizar el trabajo de Exportación de Mensajes debe ser un sub-directorio de FileSettings.Directory"
- },
- {
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
"translation": "El trabajo de exportación de mensajes ExportFormat está asignado a 'globalrelay', pero falta establecer los parámetros de GlobalRelaySettings"
},
@@ -5223,18 +4475,10 @@
"translation": "El parámetro de exportación de mensajes GlobalRelaySettings.SmtpUsername debe estar asignado"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "El trabajo de exportación de Mensaje GlobalRelayEmailAddress debe estar asignado a una dirección de correo electrónico válido."
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "Longitud mínima de la contraseña debe ser un número entero mayor que o igual a {{.MinLength}} y menor o igual que {{.MaxLength}}."
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "Longitud máxima de la contraseña debe ser mayor que o igual a la longitud mínima de la contraseña."
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "Tamaño del almacen de memoria inválido en la configuración de límites de velocidad. Debe ser un número positivo."
},
@@ -5367,10 +4611,6 @@
"translation": "Create debe ser un tiempo válido"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "Id del creador inválido"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "Id del emoticon no es válido"
},
@@ -5383,10 +4623,38 @@
"translation": "Update debe ser un tiempo válido"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "No se pudo decodificar el gif."
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "Channel id inválido"
},
@@ -5411,6 +4679,10 @@
"translation": "Id inválido"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "No se puede analizar la data entrante"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "ID del equipo no válido"
},
@@ -5443,6 +4715,14 @@
"translation": "Tipo de trabajo inválido"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "Id de la App inválido"
},
@@ -5491,6 +4771,10 @@
"translation": "Id del Canal inválido"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "Create debe ser un tiempo válido"
},
@@ -5543,14 +4827,6 @@
"translation": "Clave no válida, debe ser más de {{.Min}} y un máximo de {{.Max}} caracteres."
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "Clave no válida, debe ser más de {{.Min}} y un máximo de {{.Max}} caracteres."
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "ID de plugin no válido, debe ser más de {{.Min}} y un máximo de {{.Max}} caracteres."
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "ID de plugin no válido, debe ser más de {{.Min}} y un máximo de {{.Max}} caracteres."
},
@@ -5699,10 +4975,6 @@
"translation": "Identificador del URL es inválido"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "Rol inválido"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "ID del equipo no válido"
},
@@ -5719,130 +4991,18 @@
"translation": "Token no válido."
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "Data de auth es inválida"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "Usuario inválido, no pueden ser asignados auth data y la contraseña al mismo tiempo"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "Usuario inválido, auth data debe ser asignado con un tipo de auth"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "Create debe ser un tiempo válido"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "Correo electrónico inválido"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "Nombre inválido"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "Id del Usuario inválido"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "Apellido no es válido"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "Sobrenombre no es válido"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "No se puede establecer una contraseña con más de 72 caracteres debido a las limitaciones de bcrypt."
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "Cargo no válido: no debe ser más de 128 caracteres."
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "La contraseña debe contener al menos {{.Min}} caracteres."
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra minúscula."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra minúscula y al menos un número."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra minúscula, al menos un número, y al menos un símbolo (por ejemplo,\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra minúscula, y al menos un símbolo (por ejemplo,\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra minúscula, y al menos una letra en mayúscula."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra minúscula, al menos una letra mayúscula y al menos un número."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra minúscula, al menos una letra mayúscula, al menos un número, y al menos un símbolo (por ejemplo,\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra minúscula, al menos una letra mayúscula y al menos un símbolo (por ejemplo,\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos un número."
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos un número y al menos un símbolo (por ejemplo,\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos un símbolo (por ejemplo,\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra mayúscula."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra mayúscula y al menos un número."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra mayúscula, al menos un número, y al menos un símbolo (por ejemplo,\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "La contraseña debe contener al menos {{.Min}} caracteres compuesta de al menos una letra mayúscula y al menos un símbolo (por ejemplo,\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "ID del equipo no válido"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "Update debe ser un tiempo válido"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "Nombre de usuario inválido"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "Descripción no válida, debe tener 255 o menos carácteres"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "Token de acceso no válido"
},
@@ -5855,6 +5015,10 @@
"translation": "no se puede decodificar"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "Los Términos de Servicio de GitLab se han actualizado. Por favor, vaya a gitlab.com a aceptar y, a continuación, intente iniciar sesión en Mattermost de nuevo."
},
@@ -5863,26 +5027,6 @@
"translation": "Error al invocar el plugin de RPC"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "Falla al alterar el tipo de la columna %v"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "Falla al revisar el indice %v"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "Cerrando SqlStore"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "Falla al revisar si la columna existe porque el controlador no se encuentra"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "Desde BD: No se puede convertir EncryptStringMap a *string"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "Desde BD: No se puede convertir StringArray a *string"
},
@@ -5895,82 +5039,6 @@
"translation": "Desde BD: No se puede convertir StringMap a *string"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "Falla al crear la columna %v"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "Falla al crear la columna porque el controlador no se encuentra"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "Falla al crear el indice porque el controlador no se encuentra"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "Error creando las tablas de la base de datos: %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "Falla al crear el controlador de base de datos especificado"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "Failed to create dialect specific driver %v"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "MAC incorrecto para el ciphertext dado"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "Falla al obtener la máxima longitud de la columna %v"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "Falla al abrir una conexión SQL %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "La funcionalidad de más de 1 replica ha sido inhabilitada debido a la licencia actual. Por favor contacta a un administrador del sistema para realizar una actualización de la licencia empresarial."
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "Falla al remover el índice %v"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "Falla al renombrar la columna %v"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "La versión del esquema de la base de datos %v parece estar desactualizada"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "Intentando actualizar el esquema de la base de datos a la versión %v"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "La versión %v del esquema de la Base de datos ya no es soportado. Este servidor de Mattermost soporta actualizaciones de la versión del esquema automáticamente desde %v hasta la versión del esquema %v. Disminuir la versión no está soportado. Por favor realiza una actualización de al menos la versión %v manualmente antes de continuar"
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "ciphertext corto"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "Falla al obtener el tipo de dato de la columna %s de la tabla %s: %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "ciphertext muy corto"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "El esquema de la base de datos ha sido actualizado a la versión %v"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "Encontramos un error al buscar las auditorias"
},
@@ -5999,16 +5067,24 @@
"translation": "No pudimos obtener la cantidad de canales de este tipo"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "No pudimos revisar los permisos"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "No pudimos revisar los permisos"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "No pudimos revisar los permisos"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "No se encontró el canal"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "No pudimos encontrar el canal eliminado"
},
@@ -6067,10 +5151,6 @@
"translation": "No existe un canal eliminado con ese nombre"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "No pudimos obtener información extra de los miembros del canal"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "No pudimos obtener el canal del mensaje"
},
@@ -6231,10 +5311,6 @@
"translation": "Encontramos un error buscando en los canales"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "No se pudo establecer el tiempo de la última vista"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "No pudimos actualizar el canal"
},
@@ -6259,14 +5335,6 @@
"translation": "Encontramos un error actualizando el miembro del canal"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "No se pudo obtener los registros"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "No se pudo obtener los usuarios del canal en el tiempo especificado"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "No se pudo obtener los usuarios del canal en el período de tiempo especificado"
},
@@ -6275,10 +5343,6 @@
"translation": "No se pudo registrar el historial de los miembros del canal"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "No se pudo registrar el historial de los miembros del canal. No se han encontrados registros de unión existentes"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "No se pudo registrar el historial de los miembros del canal. Falla al actualizar en registro de unión existente"
},
@@ -6287,6 +5351,30 @@
"translation": "No se pudo purgar los registros"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "Failed to delete"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "Falla al revisar si existe"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Failed to get all discovery rows"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Failed to update last ping at"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "No pudimos contar los comandos de barra"
},
@@ -6411,10 +5499,6 @@
"translation": "No pudimos guardar la información del archivo"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "No pudimos guardar o actualizar la información del archivo"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "No pudimos eliminar el trabajo"
},
@@ -6567,10 +5651,6 @@
"translation": "No se pudo guardar o actualizar el valor de la clave del plugin"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "No pudo guardar o actualizar valor de la clave del plugin debido a una infracción de restricción única"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "No pudimos obtener la cantidad de mensajes"
},
@@ -6583,6 +5663,10 @@
"translation": "No pudimos obtener la cantidad de usuarios con mensajes"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "No pudimos eliminar el mensaje"
},
@@ -6591,6 +5675,10 @@
"translation": "No pudimos obtener el mensaje"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "No pudimos obtener los mensajes padres del canal"
},
@@ -6643,10 +5731,6 @@
"translation": "Hemos detectado un error al eliminar permanentemente el lote de los mensajes"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "Hemos detectado un error al eliminar permanentemente el lote de los mensajes"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "No pudimos eliminar los mensajes de canal"
},
@@ -6663,14 +5747,6 @@
"translation": "No se puede determinar el tamaño máximo soportado de los mensajes"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message soporta un máximo de %d carácteres (%d bytes)"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "No se encontró ninguna implementación para determinar el tamaño máximo soportado de los mensajes"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "No pudimos guardar el Mensaje"
},
@@ -6683,10 +5759,6 @@
"translation": "La búsqueda ha sido desactivada en este servidor. Por favor, póngase en contacto con el Administrador del Sistema."
},
{
- "id": "store.sql_post.search.warn",
- "translation": "Error en la consulta de la búsqueda de mensajes. %v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "No pudimos actualizar el Mensaje"
},
@@ -6751,6 +5823,10 @@
"translation": "No pudimos actualizar la preferencia"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "No se puede abrir la transacción mientras se elimina la reacción"
},
@@ -6759,20 +5835,12 @@
"translation": "Incapaz de confirmar la transacción mientras se elimina la reacción"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "No se puede eliminar la reacción"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "No se puede eliminar las reacciones con el nombre del emoticon suministrado"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "No se puede obtener las reacciones con el nombre del emoticon suministrado"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "No se puede actualizar Post.HasReactions mientras se eliminan las reacciones post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "No se puede guardar la reacción"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "No se puede eliminar el rol"
},
@@ -6823,10 +5903,6 @@
"translation": "El rol no es válido"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "El rol no es válido"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "No se pudo abrir la transacción para guardar el rol"
},
@@ -6843,10 +5919,6 @@
"translation": "No se pudo borrar los roles pertenecientes a este esquema"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "No se pudo borrar el esquema porque esta siendo usado por 1 o más equipos o canales"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "No se pudo borrar el esquema"
},
@@ -6895,10 +5967,6 @@
"translation": "No pudimos contar las sesiones"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "Encontramos un error mientras se eliminaban las sesiones vencidas del usuario"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "Encontramos un error buscando las sesiones"
},
@@ -6907,10 +5975,6 @@
"translation": "Encontramos un error mientras buscamos las sesiones de usuario"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "Falla al limpiar las sesiones en getSessions err=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "No pudimos remover todas las sesiones del usuario"
},
@@ -6927,10 +5991,6 @@
"translation": "No pudimos guardar la sesión"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "Falla al limpiar las sesiones mientras se Guardaba err=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "No se puede actualizar la sesión"
},
@@ -6983,6 +6043,10 @@
"translation": "Encontramos un error actualizando el estado"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "Encontramos un error buscando las propiedades del sistema"
},
@@ -6991,10 +6055,6 @@
"translation": "No pudimos encontrar las variables del sistema."
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "No podemos obtener la versión de base de datos"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "No se pudo eliminar permanentemente la entrada en la tabla del sistema"
},
@@ -7011,6 +6071,26 @@
"translation": "No pudimos contar los equipos"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "No encontramos el equipo al que perteneces"
},
@@ -7063,10 +6143,6 @@
"translation": "No pudimos obtener los miembros del equipo"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "Encontramos un problema cuando buscamos los equipos"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "No pudimos obtener los mensajes sin leer de tus equipos"
},
@@ -7151,6 +6227,14 @@
"translation": "No pudimos actualizar el nombre del equipo"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "No se pudo contar los usuarios inactivos"
},
@@ -7163,12 +6247,28 @@
"translation": "No se pudo obtener el conteo de usuarios unicos"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "Encontramos un error buscando la cuenta"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "Encontramos un error tratando de identificar todas las cuentas con este tipo de autenticación."
+ "id": "store.sql_user.get.app_error",
+ "translation": "Encontramos un error buscando la cuenta"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "No pudimos obtener la cantidad de mensajes sin leer del usuario y canal"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "Falla al migrar User.ThemeProps a la table Preferences %v"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "No pudimos encontrar el usuario"
},
@@ -7271,6 +6367,10 @@
"translation": "Una cuenta con ese nombre de usuario ya existe. Por favor contacta a tu Administrador."
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "No pudimos realizar la actualización de los datos de la cuenta"
},
@@ -7311,18 +6411,10 @@
"translation": "No pudimos actualizar el campo failed_attempts"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "No pudimos actualizar el campo last_activity_at"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "No pudimos actualizar el campo update_at"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "No pudimos actualizar el campo last_ping_at"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "Encontramos un error al actualizar el estado activo MFA del usuario"
},
@@ -7335,6 +6427,10 @@
"translation": "No pudimos actualizar la contraseña del usuario"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "No se puede actualizar el campo de verificar correo"
},
@@ -7367,6 +6463,18 @@
"translation": "Encontramos un error buscando los tokens de acceso"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "No pudimos contar la cantidad de webhooks entrantes"
},
@@ -7459,18 +6567,10 @@
"translation": "Error decifrando la configuración del archivo={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "Error obteniendo la iformación de configuración del archivo={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "Error abriendo la configuración del archivo={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "Error validando la configuración del archivo={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "Ocurrió un error mientras se guardaba el archivo en {{.Filename}}"
},
@@ -7487,18 +6587,6 @@
"translation": "No se puede cargar el archivo de configuración de mattermost: DefaultClientLocale debe contener uno de los idiomas soportados. Se asigna `en` como valor predeterminado a DefaultClientLocale."
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "No se pudo cargar la configuración de mattermost: El valor de AvailableLocales debe ser includir el valor de DefaultClientLocale"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "Analytics no se ha inicializado"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "No ha sido configurado apropiadamente el almacenamiento. Debe ser configurado para utilizar S3 o almacenamiento local."
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "Se encontró un error al listar el directorio del almacenamiento en el servidor local."
},
@@ -7507,10 +6595,6 @@
"translation": "Se encontró un error al listar el directorio en S3."
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "Almacenamiento de archivos no está correctamente configurado. Por favor, configurar, ya sea para S3 o almacenamiento de archivos en el servidor local."
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "Se encontró un error al eliminar el directorio en el almacenamiento en el servidor local."
},
@@ -7519,10 +6603,6 @@
"translation": "Se encontró un error al eliminar el directorio en S3."
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "Almacenamiento de archivos no está correctamente configurado. Por favor, configurar, ya sea para S3 o almacenamiento de archivos en el servidor local."
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "Se encontró un error eliminar el archivo del almacenamiento en el servidor local"
},
@@ -7531,38 +6611,6 @@
"translation": "Se encontró un error al eliminar el archivo en S3."
},
{
- "id": "utils.i18n.loaded",
- "translation": "Cargada traducciones del sistema para '%v' desde '%v'"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "Debe proporcionar un tamaño positivo"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "No se encontró una licencia empresarial válida"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "No se pudo remover el archivo de la licencia, err=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "Encontramos un error decodificando la licencia, err=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "Firma inválida, err=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "La licencia firmada no es suficientemente larga"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "Encontramos un error al firmar la licencia, err=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "Falla a establecer HELO"
},
@@ -7579,14 +6627,6 @@
"translation": "Falla autenticando contra el servidor SMTP"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "Falla al establecer el HELP para el servidor SMTP %v"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "Falla al abrir la conexión al servidor SMTP %v"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "Error al escribir el archivo adjunto al correo electrónico"
},
@@ -7607,42 +6647,10 @@
"translation": "Falla al agregar los datos al mensaje del correo electrónico"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "enviano correo electrónico a %v con el asunto '%v'"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "Error ajuste \"Dirección Para\""
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "El servidor SMTP parece no estar configurado apropiadamente err=%v details=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "El servidor SMTP parece no estar configurado apropiadamente err=%v details=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "Consola de Administración"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "Autorizar Aplicación"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "No se encontro el equipo con nombre=%v, err=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "Reclamar cuenta"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "No se encotró el usuario teamid=%v, email=%v, err=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "No se encontró el comando"
},
@@ -7655,42 +6663,6 @@
"translation": "No se puede analizar la data entrante"
},
{
- "id": "web.create_dir.error",
- "translation": "Falla al crear el vigilante de directorio %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "Error obteniendo el pérfil de usuario para id=%v forzando el cierre de sesión"
- },
- {
- "id": "web.doc.title",
- "translation": "Documentación"
- },
- {
- "id": "web.email_verified.title",
- "translation": "Correo electrónico verificado"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "Tu navegador no es compatible. Por favor, actualiza a uno de los siguientes navegadores:"
},
@@ -7699,12 +6671,8 @@
"translation": "Navegador No Compatible"
},
{
- "id": "web.find_team.title",
- "translation": "Encontrar Equipo"
- },
- {
- "id": "web.header.back",
- "translation": "Atrás"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "No se especificó un texto"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "La máxima longitud del texto es de {{.Max}} caracteres, se recibió un tamaño de {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "No se encontró el usuario"
- },
- {
- "id": "web.init.debug",
- "translation": "Inicializando rutas Web"
- },
- {
- "id": "web.login.error",
- "translation": "No se encontro el equipo con nombre=%v, err=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "Inicio de sesión"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "Nombre del equipo inválido"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "Analizando el contenido de las plantillas en %v"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "El ID del Mensaje es inválido"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "El enlace de registro ha expirado"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "El enlace para restablecer la contraseña parece ser inválido"
- },
- {
- "id": "web.root.home_title",
- "translation": "Inicio"
- },
- {
- "id": "web.root.singup_title",
- "translation": "Registrar"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "El enlace de registro ha expirado"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "Registro del equipo completado"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "Correo de registro enviado"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "El enlace de registro ha expirado"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "El tipo de equipo no permite realizar invitaciones"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "Registro de usuario completado"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "Nombre del equipo inválido"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "Falla al agregar el directorio a ser vigilado %v"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "Inicializando rutas de los estatus en el API de WebSocket"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "Inicializando rutas del sistema en el API de WebSocket"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "Inicializando rutas de usuario en el API de WebSocket"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "Inicializando rutas de webrtc en el API de WebSocket"
}
]
diff --git a/i18n/fr.json b/i18n/fr.json
index 0f1d69c41..fc77c3866 100644
--- a/i18n/fr.json
+++ b/i18n/fr.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "Avril"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "Août"
- },
- {
- "id": "December",
- "translation": "Décembre"
- },
- {
- "id": "February",
- "translation": "Février"
- },
- {
- "id": "January",
- "translation": "Janvier"
- },
- {
- "id": "July",
- "translation": "Juillet"
- },
- {
- "id": "June",
- "translation": "Juin"
- },
- {
- "id": "March",
- "translation": "Mars"
- },
- {
- "id": "May",
- "translation": "Mai"
- },
- {
- "id": "November",
- "translation": "Novembre"
- },
- {
- "id": "October",
- "translation": "Octobre"
- },
- {
- "id": "September",
- "translation": "Septembre"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "Erreur lors de la lecture du fichier journal."
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "La personnalisation n'est pas configurée ou supportée par ce serveur."
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "Le stockage pour les images n'est pas configuré."
},
{
- "id": "api.admin.init.debug",
- "translation": "Initialisation des routes de l'API administration."
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "La connexion à la base de données a été recyclée."
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "Essai de recyclage de la connexion à la base de données."
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "Erreur lors de la suppression du certificat. Veuillez vérifier que le fichier config/{{.Filename}} existe."
},
@@ -92,6 +36,10 @@
"translation": "Une erreur s'est produite lors de la construction des métadonnées du fournisseur de services."
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>La configuration e-mail de Mattermost s'est déroulée avec succès !"
},
@@ -112,14 +60,6 @@
"translation": "Un Bucket S3 est requis"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "Un noeud (endpoint) S3 est requis"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "Une région S3 est requise"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "Aucune image transmise dans la requête"
},
@@ -128,10 +68,6 @@
"translation": "Pas de fichier dans le paramètre \"image\" de la requête"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "La personnalisation n'est pas configurée ou supportée sur ce serveur"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "Impossible d'analyser le formulaire multipart"
},
@@ -144,38 +80,10 @@
"translation": "Impossible d'envoyer le fichier. Le fichier est trop volumineux."
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "Impossible d'analyser les modèles du serveur %v"
- },
- {
- "id": "api.api.render.error",
- "translation": "Erreur lors de l'affichage du gabarit (template) %v err=%v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "Impossible de récupérer l'utilisateur pour vérifier les permissions."
- },
- {
- "id": "api.brand.init.debug",
- "translation": "Initialisation des routes de l'API de marque"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v a été ajouté au canal par %v."
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "Impossible de trouver le canal"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "Impossible de trouver l'utilisateur à ajouter"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "Impossible de trouver l'utilisateur effectuant l'ajout"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "Impossible d'ajouter l'utilisateur au canal"
},
@@ -192,30 +100,6 @@
"translation": "Impossible d'ajouter l'utilisateur à ce type de canal"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "La gestion et la création de canaux privés sont réservés aux administrateurs système."
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "La gestion et la création de canaux privés sont réservés aux administrateurs d'équipe et administrateurs système."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "La création et l'administration du canal public sont réservées aux administrateurs système."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "La gestion et la création de canaux publics sont réservés aux administrateurs système et administrateurs d'équipe."
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "Ce canal a été converti en canal public et peut être rejoint par tout membre de l'équipe."
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "Ce canal a été converti en canal privé."
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "Le canal par défaut ne peut pas être converti en un canal privé."
},
@@ -268,50 +152,6 @@
"translation": "Le canal a été archivé ou effacé"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "Impossible d'envoyer le message d'archive %v"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "Impossible d'envoyer le message archivé"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "Erreur rencontrée lors de la suppression du webhook entrant, id=%v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "Erreur rencontrée lors de la suppression du webhook sortant, id=%v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "Vous n'avez pas les permissions requises"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "il n'existe pas de canal dont l'identifiant est ={{.ChannelId}} pour l'équipe dont le nom est={{.TeamId}}"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "Impossible d'obtenir le nombre de canaux depuis la base de données"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "Le canal a été archivé ou supprimé"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "Impossible d'analyser le nombre maximum de membres"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "Erreur lors de la récupération de profil pour id=%v déconnexion forcée"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "Initialisation des routes de l'API d'administration"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "Le can est déjà supprimé"
},
@@ -340,6 +180,10 @@
"translation": "%v a quitté le canal."
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "Impossible de publier le message indiquant le changement du nom d'affichage"
},
@@ -380,22 +224,10 @@
"translation": "Impossible de supprimer l'utilisateur du canal par défaut {{.Channel}}"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "Vous n'avez pas les permissions requises "
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v a été retiré du canal."
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "Impossible de retirer l'utilisateur."
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "Impossible de trouver l'utilisateur à supprimer"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "Le canal a été archivé ou supprimé"
},
@@ -404,10 +236,6 @@
"translation": "Le canal a été archivé ou supprimé"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "Vous n'avez pas les permissions requises"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "Échec de la tentative de mise à jour du canal par défaut {{.Channel}}"
},
@@ -424,26 +252,14 @@
"translation": "Impossible d'appliquer le schéma de permissions au canal, car le schéma de permissions fourni n'est pas un schéma de permissions de canal."
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "Impossible de récupérer le nombre de messages non lus pour l'user_id=%v et le channel_id=%v, err=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "Le rôle spécifié est géré par un schéma de permissions et ne peut donc pas être appliqué directement à un membre d'équipe"
},
{
- "id": "api.cluster.init.debug",
- "translation": "Initialisation des routes de l'API de cluster"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "Les intégrations sont réservées aux administrateurs."
},
{
- "id": "api.command.delete.app_error",
- "translation": "Permissions insuffisantes pour supprimer la commande"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "Les commandes ont été désactivées par l'administrateur."
},
@@ -472,18 +288,10 @@
"translation": "Une commande avec le mot-clé déclencheur '{{.Trigger}}' n'a pas pu être trouvée. Pour envoyer un message commençant par \"/\", ajoutez un espace au début du message."
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "Une erreur est survenue lors de l'enregistrement de la réponse de la commande dans le canal"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "Aucun déclencheur de commande trouvé"
},
{
- "id": "api.command.init.debug",
- "translation": "Initialisation des routes de l'API des commandes"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "Envoyer un e-mail d'invitation à votre équipe"
},
@@ -516,18 +324,10 @@
"translation": "E-mail(s) d'invitation envoyé(s)"
},
{
- "id": "api.command.regen.app_error",
- "translation": "Permissions insuffisantes pour regénérer le jeton de commande"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "Impossible de mettre à jour les commandes entre équipes"
},
{
- "id": "api.command.update.app_error",
- "translation": "Permissions insuffisantes pour mettre à jour la commande"
- },
- {
"id": "api.command_away.desc",
"translation": "Définit votre statut sur « Absent »."
},
@@ -568,10 +368,6 @@
"translation": "Une erreur s'est produite lors de la mise à jour du canal."
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "L'entête du canal a été mis à jour avec succès."
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "Impossible de récupérer le canal courant."
},
@@ -644,10 +440,6 @@
"translation": "Une erreur s'est produite lors de la mise à jour du canal courant."
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "Le nom du canal a été mis à jour avec succès."
- },
- {
"id": "api.command_code.desc",
"translation": "Affiche le texte sous la forme d'un bloc de code"
},
@@ -696,10 +488,6 @@
"translation": "Le mode « Ne pas déranger » est activé. Vous ne recevrez pas les notifications de bureau et push sur mobile tant que le mode « Ne pas déranger » est activé."
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "Impossible de créer le message avec la commande /echo, err=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "Le délai doit être inférieur à 10000 secondes"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "Impossible de trouver les utilisateurs : %s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "Une erreur s'est produite lors de la récupération de la liste des utilisateurs."
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "Les messages de groupe sont limités à maximum {{.MaxUsers}} utilisateurs."
},
@@ -779,18 +559,10 @@
"translation": "Les messages de groupe sont limités à minimum {{.MaxUsers}} utilisateurs."
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "Impossible de trouver l'utilisateur"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "message"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "Message envoyé aux utilisateurs."
- },
- {
"id": "api.command_help.desc",
"translation": "Ouvre l'aide de Mattermost"
},
@@ -875,10 +647,6 @@
"translation": "rejoindre"
},
{
- "id": "api.command_join.success",
- "translation": "Canal rejoint."
- },
- {
"id": "api.command_kick.name",
"translation": "Éjecter"
},
@@ -891,14 +659,6 @@
"translation": "Une erreur s'est produite en quittant le canal."
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "Une erreur s'est produite lors de la récupération de la liste des canaux."
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "Impossible de trouver le canal."
- },
- {
"id": "api.command_leave.name",
"translation": "leave"
},
@@ -947,10 +707,6 @@
"translation": "@[username] 'message'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "Une erreur s'est produite lors de la récupération de la liste des utilisateurs."
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "Utilisateur introuvable"
},
@@ -959,10 +715,6 @@
"translation": "[message]"
},
{
- "id": "api.command_msg.success",
- "translation": "Message envoyé."
- },
- {
"id": "api.command_mute.desc",
"translation": "Désactive les notifications de bureau, par e-mail et push pour le canal actuel ou pour le canal [channel]."
},
@@ -1115,10 +867,6 @@
"translation": "haussement"
},
{
- "id": "api.compliance.init.debug",
- "translation": "Initialisation des routes de l'API de compatibilité"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "Le nouveau format pour la configuration du client n'est pas encore supporté. Veuillez spécifier format=old dans la chaîne de requête (query string)"
},
@@ -1135,14 +883,6 @@
"translation": "Paramètre {{.Name}} invalide"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "Session invalide err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "URL d'équipe utilisée si l'appel est invalide. L'URL d'équipe ne devrait pas être utilisée dans des fonctions d'API ou des fonctions indépendantes d'une équipe"
- },
- {
"id": "api.context.invalid_token.error",
"translation": "Jeton de session invalide={{.Token}}, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "Paramètre {{.Name}} invalide ou manquant dans l'URL de la requête"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "Purger tous les caches"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "Impossible de mettre à jour le LastActivityAt de user_id=%v et session_id=%v, err=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v : %v code=%v rid=%v uid=%v ip=%v %v [détails : %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "L'authentification multi-facteurs est requise sur ce serveur."
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "ID d'équipe manquant"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "Vous n'avez pas les permissions requises"
},
@@ -1179,26 +903,10 @@
"translation": "Session invalide ou expirée, veuillez vous reconnecter."
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "Vous n'avez pas les permissions requises (système)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "La session n'est pas OAuth alors qu'un jeton a été spécifié dans les paramètres de la requête"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "Une erreur inconnue est survenue. Veuillez contacter le support."
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "La version 3 de l'API a été désactivée sur ce serveur. Veuillez utilisez la version 4 de l'API. Référez-vous à https://api.mattermost.com pour plus de détails."
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "Initialisation des routes dépréciées de l'API"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "Le canal recevant les e-mail envoyés par lot est plein. Veuillez augmenter le paramètre EmailBatchingBufferSize."
},
@@ -1207,14 +915,6 @@
"translation": "L'envoi d'e-mails par lot a été désactivé par l'administrateur système."
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "La tâche d'envoi d'e-mails par lot vient de s'exécuter. %v utilisateur(s) ont encore des notifications en attente."
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "Impossible de trouver le canal du message pour l'envoi par lot des notifications par e-mail"
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Month}} {{.Day}}"
},
@@ -1235,10 +935,6 @@
"translation": "Notification de "
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "Impossible de trouver l’expéditeur du message pour l'envoi par lot de notifications par e-mail"
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "Vous avez une nouvelle notification.",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "Impossible de trouver les préférences d'affichage du destinataire pour l'envoi par lot d'e-mails de notification"
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "Impossible d'envoyer le lot d'e-mails de notification à %v : %v"
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] New Notification for {{.Day}} {{.Month}}, {{.Year}}",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "Impossible de trouver un destinataire pour l'envoi du lot d'e-mails de notification"
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "Début de l'envoi d'e-mails par lot. Vérification des e-mails en attente toutes les %v secondes."
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "Impossible de créer cette émoticône. Une autre émoticône du même nom existe déjà."
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "Impossible de créer l'émoticône. Impossible de comprendre la requête."
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "Permissions insuffisantes pour créer des émoticônes."
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "Impossible de créer l'émoticône. Impossible de comprendre la requête."
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "Impossible de créer l'émoticône. L'image doit faire moins de 1 Mio."
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "Impossible de supprimer les réactions lors de la suppression de l'émotiĉone portant le nom %v"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "Les émoticônes ont été désactivées par l'administrateur."
},
@@ -1301,14 +977,6 @@
"translation": "Impossible de décoder le fichier image pour l'émoticône."
},
{
- "id": "api.emoji.init.debug",
- "translation": "Initialisation des routes de l'API des émoticônes"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "Initialisation des routes de l'API des émoticônes"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "Le stockage de fichier n'est pas configuré correctement. Veuillez le paramétrer soit pour utiliser S3 soit le système de fichier local du serveur."
},
@@ -1333,12 +1001,12 @@
"translation": "Impossible de créer l'émoticône. Une erreur est survenue durant l'encodage de l'image GIF."
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "Les fichiers de pièces jointes sont désactivés sur ce serveur."
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "Les liens publics sont désactivés par l'administrateur système."
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "Les fichiers de pièces jointes sont désactivés sur ce serveur."
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "Le fichier n'a pas de miniature d'image"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "Impossible de récupérer les informations du fichier. Le fichier doit être lié à un message qui peut être lu par l'utilisateur actuel."
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "Impossible de récupérer les informations du fichier. Le stockage de fichier n'est pas configuré."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Impossible d'envoyer le fichier. Le stockage d'images n'est pas configuré."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Impossible d'envoyer le fichier. Le stockage d'images n'est pas configuré."
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "Les liens publics sont désactivés"
},
@@ -1377,116 +1029,52 @@
"translation": "Impossible de récupérer le lien du fichier. Le fichier doit être lié à un message qui peut être lu par l'utilisateur actuel."
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "Impossible de décoder l'image err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "Impossible de sauvegarder l'image au format jpeg path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "Impossible de sauvegarder l'aperçu de l'image au format jpeg path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "Impossible d'envoyer l'aperçu path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "Impossible d'envoyer la miniature path=%v err=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "Initialisation des routes de l'API des fichiers"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "Impossible de récupérer le canal lorsque le message est en cours de migration vers FileInfos, post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "Impossible de trouver le fichier lorsque le message est en cours de migration vers FileInfos, post_id=%v, channel_id=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "Impossible de récupérer les informations du fichier accompagnant le message après que ce dernier ait migré vers FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "Impossible de récupérer le message alors que ce dernier est en cours de migration vers FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "Impossible de décoder correctement les informations du fichier lorsque le message est en cours de migration vers FileInfos, post_id=%v, filename=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "Migration du message vers FileInfos en cours, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "Un nom de fichier inhabituel a été trouvé lors de la migration du message vers FileInfos, post_id=%v, channel_id=%v, user_id=%v, filename=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "Impossible de migrer le message vers FileInfos, car il comporte un champ Filenames vide, post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "Le message a déjà été migré vers FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "Impossible de sauvegarder le message lorsque celui-ci est en cours de migration vers FileInfos, post_id=%v, file_id=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "Impossible de sauvegarder les informations de fichier lorsque le message est en cours de migration vers FileInfos, post_id=%v, file_id=%v, filename=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "Impossible de copier le fichier dans S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "Impossible de trouver l'équipe à qui appartient ce fichier en utilisant FileInfos, post_id=%v, filenames=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "Impossible de supprimer le fichier de S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "Impossible de récupérer les équipes lorsque le message est en cours de migration vers FileInfos, post_id=%v, err=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "Impossible de déplacer le fichier en local."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "Impossible de déchiffrer le fichier lorsque le message est en cours de migration vers FileInfos, post_id=%v, filename=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "No file driver selected."
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "Le stockage de fichier n'est pas configuré correctement. Veuillez le paramétrer soit pour utiliser S3 soit le système de fichier local du serveur."
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "Une erreur est survenue lors de la lecture depuis le stockage local du serveur"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "Impossible de copier le fichier dans S3."
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "Une erreur est survenue lors de la lecture depuis le stockage local du serveur"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "Impossible de supprimer le fichier de S3."
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "Une erreur s'est produite lors de l'affichage du dossier à partir du système de stockage local du serveur."
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "Impossible de charger le fichier depuis S3."
+ "id": "api.file.reader.s3.app_error",
+ "translation": "Une erreur est survenue lors de la lecture depuis le stockage local du serveur"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "Impossible de déplacer le fichier en local."
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Don't have permissions to write to local path specified or other error."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "Le stockage de fichier n'est pas configuré correctement. Veuillez le paramétrer soit pour utiliser S3 soit le système de fichier local du serveur."
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Unable to create bucket."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "Impossible de charger le fichier depuis S3"
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Error checking if bucket exists."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "Une erreur est survenue lors de la lecture depuis le stockage local du serveur"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "Bad connection to S3 or minio."
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "Impossible d'envoyer le fichier. Le fichier est trop volumineux."
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "Le stockage de fichier n'est pas configuré correctement. Veuillez le paramétrer soit pour utiliser S3 soit le système de fichier local du serveur."
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "Une erreur est survenue lors de l'écriture vers S3"
},
@@ -1525,34 +1109,6 @@
"translation": "Une erreur est survenue durant l'écriture sur le stockage du serveur local"
},
{
- "id": "api.general.init.debug",
- "translation": "Initialisation des routes générales de l'API"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "Une erreur s'est produite lors de l'ajout des fichiers au message. postId=%v, fileIds=%v, message=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "Impossible d'enregistrer le message. user=%v, message=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "Impossible de rejoindre l'équipe lorsqu'une importation est en cours err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "Problème rencontré lors de la connexion aux canaux par défaut user_id=%s, team_id=%s, err=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "Impossible d'enregistrer l'utilisateur. err=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "Impossible de marquer l'adresse e-mail comme vérifiée err=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "Les webhooks entrants ont été désactivés par l'administrateur système."
},
@@ -1561,10 +1117,6 @@
"translation": "Nom d'utilisateur invalide."
},
{
- "id": "api.ldap.init.debug",
- "translation": "Initialisation des routes de l'API LDAP"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "Le paramètre « license » est manquant dans la requête"
},
@@ -1605,30 +1157,6 @@
"translation": "Le nouveau format pour la licence du client n'est pas encore supporté. Veuillez spécifier format=old dans la chaîne de requête (query string)"
},
{
- "id": "api.license.init.debug",
- "translation": "Initialisation des routes de l'API des licences"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "La licence n'a pas été retirée correctement."
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "invalid_request : client_id incorrect"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "invalid_request : redirect_uri manquant ou incorrect"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "invalid_request : response_type incorrect"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "server_error : Erreur lors de l'accès à la base de données"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "invalid_request : le redirect_uri spécifié ne correspond pas au callback_url enregistré"
},
@@ -1641,14 +1169,6 @@
"translation": "L'administrateur système a désactivé l'authentification par OAuth2."
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "Il manque une des valeurs parmi response_type, client_id ou redirect_uri"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "Permissions insuffisantes pour supprimer l'application OAuth2"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "invalid_request : Mauvais client_id"
},
@@ -1705,22 +1225,10 @@
"translation": "invalid_grant : jeton de rafraîchissement invalide"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "Impossible de trouver le code d'authentification pour code=%s"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "Initialisation des routes de l'API OAuth"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "Token d'état invalide"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "Permissions insuffisantes pour regénérer la clé secrète de l'application OAuth2"
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "L'administrateur système a désactivé l'authentification par OAuth2."
},
@@ -1749,8 +1257,8 @@
"translation": "Le lien d'inscription semble ne pas être valide."
},
{
- "id": "api.opengraph.init.debug",
- "translation": "Initialisation des routes de l'API du protocole Open Graph"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "@{{.Username}} a été mentionné(e), mais, ne faisant pas partie de ce canal, il/elle ne recevra pas de notification."
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "Une erreur s'est produite lors de l'ajout des fichiers au message, post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "Nom de fichier invalide supprimé, filename=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "Impossible d'envoyer un message dans un canal supprimé."
},
@@ -1789,10 +1289,6 @@
"translation": "ChannelId invalide pour le paramètre RootId"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "Erreur lors de la mise à jour \"vu le\", channel_id=%s, user_id=%s, err=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "Paramètre ParentId invalide"
},
@@ -1809,18 +1305,6 @@
"translation": "Erreur lors de la création du message"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "Impossible de supprimer les préférences de marquage du message lorsque celui-ci est en train d'être supprimé, err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "Vous n'avez pas les permissions requises"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "Une erreur s'est produite lors de la suppression des fichiers liés au message, post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "@all a été désactivé car le canal a plus de {{.Users}} utilisateurs."
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "Une erreur s'est produite lors de la récupération des fichiers pour la notification de nouveaux messages, post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}} image envoyée: {{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "Impossible de compiler la regex de @mention user_id=%v, err=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "Vous n'avez pas les permissions requises"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "Impossible de récupérer les membres du canal channel_id=%v err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "Impossible de créer le message de réponse, err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "Échec de l'événement POST, err=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "Initialisation des routes de l'API des messages"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "Les aperçus de liens ont été désactivées par l'administrateur système."
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "Impossible de récupérer 2 membres pour un canal de messages privés channel_id={{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "Échec de la récupération des membres du canal channel_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "Impossible de sauvegarder les préférences du canal de messages personnels user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "Impossible de mettre à jour les préférences du canal de messages personnels user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "Impossible d'obtenir le profil pour le membre du canal, user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " a notifié le canal."
},
@@ -1919,26 +1355,6 @@
"translation": " a commenté un fil auquel vous avez participé."
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "Le créateur du message n'est pas dans le même canal que le message, aucune notification n'a été envoyée post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "Suppression de la notification push pour %v avec channel_id %v"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "Impossible de récupérer les fichiers pour la notification de nouveaux messages post_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "Impossible d'obtenir les équipes lors de l'envoi d'un message privé entre équipes user_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "Nouvelle mention"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": " vous a mentionné."
},
@@ -1955,30 +1371,10 @@
"translation": "vous a envoyé un message."
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "Impossible d'envoyer la notification push device_id={{.DeviceId}}, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}} envoyé"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "Impossible de mettre à jour le compteur de mentions pour l'utilisateur user_id=%v sur channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "Impossible de trouver le message existant ou le commentaire à mettre à jour."
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "Vous n'avez pas les permissions requises"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "L'édition des messages a été désactivée. Pour plus d'informations, veuillez demander à votre administrateur système."
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "Déjà supprimé id={{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "Impossible de récupérer le message"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "Impossible de décoder les préférences depuis la requête"
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "Impossible d'enregistrer les préférences pour un autre utilisateur"
- },
- {
- "id": "api.preference.init.debug",
- "translation": "Initialisation des routes de l'API des préférences"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "Impossible de décoder les préférences depuis la requête"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "Impossible d'enregistrer les préférences pour un autre utilisateur"
- },
- {
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "Impossible de supprimer la réaction car l'ID du canal ne correspond pas à l'ID du message dans l'URL"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "Initialisation des routes de l'API des réactions"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "Impossible de récupérer les réactions car l'ID du canal ne correspond pas à l'ID du message dans l'URL"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "La réaction n'est pas valide."
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "Impossible de sauvegarder la réaction car l'ID du canal ne correspond pas à l'ID du message dans l'URL"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "Vous ne pouvez pas sauvegarder la réaction pour l'autre utilisateur."
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "Impossible de récupérer le message lorsqu'un événement de réaction est en cours d'envoi via le websocket"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "Votre licence actuelle ne supporte pas les permissions avancées."
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "Le certificat ne s'est pas enregistré correctement."
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "Impossible de récupérer les équipes pour le schéma de permissions car le schéma de permissions spécifié n'est pas un schéma de permissions d'équipe."
},
{
- "id": "api.server.new_server.init.info",
- "translation": "Le serveur démarre..."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "Impossible de rediriger le port 80 sur le port 443 alors que le serveur écoute sur le port %s : désactivez l'option Forward80To443 si vous utilisez un serveur de proxy"
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "Le serveur écoute sur le port %v"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "RateLimiter est activé"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "RateLimitSettings pas configuré correctement avec VaryByHeader et VaryByRemoteAddr désactivé"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "Impossible d'initialiser la limite d'utilisation de mémoire. Veuillez vérifier la valeur MemoryStoreSize dans les paramètres de configuration."
},
@@ -2095,22 +1455,6 @@
"translation": "Erreur de démarrage du serveur, err : %v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "Démarrage du serveur..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "Erreur de démarrage du serveur "
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "Serveur arrêté"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "Arrêt du serveur..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "L'utilisateur du bot Integration/Slack avec l'e-mail {{.Email}} et mot de passe {{.Password}} a été importé.\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "Impossible d'importer le canal Slack {{.DisplayName}}.\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Importateur Slack: Impossible d'importer le canal Slack: %s."
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "Le canal Slack {{.DisplayName}} existe déjà en tant que canal Mattermost actif. Les deux canaux ont été fusionnés.\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Importateur Slack: Une erreur s'est produite lors du lien des fichiers au message, post_id=%s, file_ids=%v, err=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Importateur Slack : Les messages du bot Slack ne peuvent pas encore être importés."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Importateur Slack : Impossible d'importer le message du bot, car l'utilisateur du bot n'existe pas."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Importateur Slack : Impossible d'importer le message, car il n'a pas de commentaires."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Importateur Slack : Impossible d'importer le message, car le champ user est manquant."
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Importateur Slack : Impossible d'importer le message du bot, car le champ BotId est manquant."
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Importateur Slack : Impossible d'importer le message, car son type n'est pas supporté : post_type=%v, post_subtype=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Importateur Slack : Impossible d'importer le fichier {{.FileId}}, car le fichier est manquant dans le fichier zip d'export Slack."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Importateur Slack : Impossible de lier le fichier au message, car cette dernière ne dispose pas de section \"file\" dans l'export Slack."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Importateur Slack : Impossible d'ouvrir le fichier {{.FileId}} de l'export Slack : {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Importateur Slack : Une erreur s'est produite lors de l'envoi du fichier {{.FileId}} : {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Importateur Slack : Impossible d'ajouter le message, car l'utilisateur Slack %v n'existe pas dans Mattermost."
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Importateur Slack : Impossible d'importer le message, car le champ user est manquant."
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\nUtilisateurs créés :\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "L'utilisateur {{.Username}} ne dispose pas d'une adresse e-mail dans l'export Slack. {{.Email}} a été utilisé comme substitut. L'utilisateur devra mettre à jour son adresse e-mail une fois connecté au système.\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "Importateur Slack : L'utilisateur {{.Username}} ne dispose pas d'une adresse e-mail dans l'export Slack. {{.Email}} a été utilisé comme substitut. L'utilisateur devra mettre à jour son adresse e-mail une fois connecté au système."
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "Impossible d'importer l'utilisateur Slack : {{.Username}}.\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Importateur Slack : Impossible de compiler l'expression régulière !channel pour le canal Slack {{.ChannelName}} (id={{.ChannelID}})."
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Importateur Slack : Mauvais horodatage détecté."
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Importateur Slack : Impossible de compiler l'expression régulière @mention pour l'utilisateur Slack {{.Username}} (id={{.UserID}})."
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Importateur Slack : Impossible de désactiver le compte utilisateur utilisé pour le bot."
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Journal d'importation de Slack dans Mattermost\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "Impossible d'ouvrir le fichier zip d'export Slack.\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Importateur Slack : Une erreur s'est produite lors de l'analyse de certains canaux Slack. L'importation pourrait quand même fonctionner."
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Importateur Slack : Une erreur s'est produite lors de l'analyse de certains messages Slack. L'importation pourrait quand même fonctionner."
- },
- {
- "id": "api.status.init.debug",
- "translation": "Initialisation des routes de l'API des statuts"
- },
- {
- "id": "api.status.init.debug",
- "translation": "Initialisation des routes de l'API des statuts"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "Échec de la mise à jour de LastActivityAt pour user_id=%v et session_id=%v, err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "Échec de l'enregistrement du statut pour user_id=%v, err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "Utilisateur introuvable"
},
{
- "id": "api.system.go_routines",
- "translation": "Le nombre de routines Go en fonctionnement est supérieur à la limite de %v / %v"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v a été ajouté à l'équipe par %v."
},
@@ -2307,32 +1547,16 @@
"translation": "Paramètre requis pour ajouter l'utilisateur à une équipe."
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "L'inscription d'équipe via adresse e-mail est désactivée."
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "L'inscription d'équipe via adresse e-mail est désactivée."
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "Le lien d'inscription a expiré."
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "Cette URL n'est pas disponible. Veuillez en essayer une autre."
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "Une erreur est survenue durant l'envoi d'un e-mail dans emailTeams err=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "L'invitation n'est pas valide car cette équipe n'est pas ouverte."
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "Seul un administrateur d'équipe peut importer les données."
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "Requête malformée : le champ de taille de fichier n'est pas présent."
},
{
- "id": "api.team.init.debug",
- "translation": "Initialisation des routes de l'API des équipes"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "administrateur"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "Cette personne est déjà dans votre équipe"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "Les adresses e-mail suivantes ne font pas partie d'un domaine accepté : {{.Addresses}}. Veuillez contacter votre administrateur système pour plus de détails."
},
@@ -2387,22 +1599,6 @@
"translation": "Personne à inviter."
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "Seuls les administrateurs système peuvent inviter des nouveaux utilisateurs."
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "Seuls les administrateurs d'équipe et les administrateurs système peuvent inviter des nouveaux utilisateurs."
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "Impossible d'envoyer l'e-mail d'invitation err=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "envoi de l'invitation vers %v %v"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "La création d'équipes est désactivée. Veuillez demander les détails à votre administrateur système."
},
@@ -2427,14 +1623,6 @@
"translation": "Ce canal a été déplacé vers cette équipe par %v."
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "Tentative de suppression définitive de l'équipe %v id=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "Équipe %v supprimée définitivement id=%v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "Une erreur s'est produite lors de la récupération de l'équipe"
},
@@ -2491,10 +1679,6 @@
"translation": "Impossible d'enregistrer l'icône d'équipe"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "L'inscription avec une adresse e-mail est désactivée."
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "Une erreur est survenue lors du changement d'icône d'équipe."
},
@@ -2503,10 +1687,6 @@
"translation": "L'utilisateur spécifié n'est pas un membre de l'équipe spécifiée."
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "Vous n'avez pas les permissions requises"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "La licence actuelle ne supporte pas la modification d'un schéma de permissions d'équipe"
},
@@ -2515,10 +1695,6 @@
"translation": "Impossible d'appliquer le schéma de permissions à l'équipe car le schéma de permissions spécifié n'est pas un schéma de permissions d'équipe."
},
{
- "id": "api.templates.channel_name.group",
- "translation": "Message de groupe"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "Vous avez désactivé votre compte sur {{ .SiteURL }}.<br>Si vous n'êtes pas à l'origine de ce changement ou vous souhaitez réactiver votre compte, contactez votre administrateur système."
},
@@ -2571,22 +1747,6 @@
"translation": "Envoyée par "
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "Votre requête de récupération des équipes associées à votre adresse e-mail donne le résultat suivant :"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "Nous n'avons trouvé aucune équipe correspondant à l'adresse e-mail spécifiée."
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "En recherche d'équipes"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "Vos équipes {{ .SiteName }} "
- },
- {
"id": "api.templates.invite_body.button",
"translation": "Rejoindre l'équipe"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] Votre méthode d'authentification a été mise à jour"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "Configurer votre équipe"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName}} est le lieu unique pour toutes les communications au sein de votre équipe, pouvant être recherchées et disponibles partout.<br>Vous tirerez mieux parti de {{ .SiteName }} si votre équipe communique en permanence -- invitons-les à nous rejoindre."
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "Merci d'avoir créé une équipe !"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "Paramétrage Équipe {{ .SiteName }}"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>VOS COMPTES DUPLIQUES ONT ETE MIS A NIVEAU</h3>Votre serveur Mattermost a été mis à niveau vers la version 3.0, qui vous permet d'utiliser un seul compte pour plusieurs équipes.<br/><br/>Vous recevez cet e-mail parce que le processus de mise à niveau a détecté que votre compte utilisait la même adresse e-mail ou le même nom d'utilisateur que d'autres comptes présents sur le serveur.<br/><br/>Les mises à niveau suivantes ont été effectuées : <br/><br/>{{if .EmailChanged }}- Une adresse e-mail dupliquée d'un compte de l'équipe `/{{.TeamName}}` a été changé en `{{.Email}}`. Vous devrez utiliser cette nouvelle adresse e-mail la prochaine fois que vous vous connecterez à l'aide de votre adresse e-mail et mot de passe.<br/><br/>{{end}}{{if .UsernameChanged }}- Un nom d'utilisateur en doublon d'un compte de l'équipe `/{{.TeamName}}` a été changé en `{{.Username}}` pour éviter toute confusion avec d'autres comptes.<br/><br/>{{end}} ACTION RECOMMANDÉE : <br/><br/>Il est nécessaire que vous vous connectiez aux équipes qui utilisent vos comptes dupliqués de façon à ajouter votre compte principal à cette équipe et ainsi pouvoir continuer à utiliser vos groupes publics et privés.<br/><br/>De cette façon, votre compte principal aura accès à l'entièreté de l'historique des canaux publics et privés. Vous pouvez continuer à utiliser l'historique des messages personnels en utilisant vos comptes dupliqués en vous connectant à l'aide de leurs paramètres d'authentification. <br/><br/>POUR PLUS D'INFORMATION: <br/><br/>Pour plus d'information sur la mise à niveau vers Mattermost 3.0, veuillez vous référer à : <a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] Modifications sur votre compte utilisateur pour Mattermost 3.0"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "Un jeton d'accès utilisateur a été ajouté à votre compte sur {{.SiteURL}}. Il peut être utilisé pour accéder à {{.SiteName}} avec votre compte.<br>Si vous n'êtes pas à l'origine de cette demande, veuillez contacter votre administrateur système."
},
@@ -2787,10 +1923,6 @@
"translation": "État invalide"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "État invalide ; nom de l'équipe manquant"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "Jeton d'accès manquant"
},
@@ -2839,10 +1971,6 @@
"translation": "Il existe déjà un compte associé à cette adresse e-mail utilisant une méthode de connexion autre que {{.Service}}. Veuillez vous connecter en utilisant {{.Auth}}."
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "Ce {{.Service}} compte a déjà été utilisé pour vous inscrire"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "Impossible de créer un utilisateur à partir du user object {{.Service}}"
},
@@ -2871,10 +1999,6 @@
"translation": "La création d'utilisateurs est désactivée."
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "Problème en tentant de rejoindre les canaux par défaut user_id=%s, team_id=%s, err=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "Invite Id manquant"
},
@@ -2887,10 +2011,6 @@
"translation": "Ce serveur ne permet pas d'inscriptions ouvertes. Veuillez contacter votre administrateur pour recevoir une invitation."
},
{
- "id": "api.user.create_user.save.error",
- "translation": "Impossible d'enregistrer l'utilisateur err=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "L'inscription par adresse e-mail est désactivée."
},
@@ -2903,22 +2023,14 @@
"translation": "Le lien d'enregistrement n'est pas valide."
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "Nom d'équipe incorrect"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "Erreur lors de la sauvegarde des préférences du tutoriel, err=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "Impossible de marquer l'adresse e-mail comme valide err=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "AD/LDAP n'est pas disponible sur ce serveur"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "MFA non configuré ou disponible sur ce serveur"
},
@@ -2927,18 +2039,10 @@
"translation": "Prestataire OAuth non-supporté"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "Erreur lors de la récupération du profil pour id=%v déconnexion forcée"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "Impossible de récupérer l'image de profil, utilisateur introuvable."
},
{
- "id": "api.user.init.debug",
- "translation": "Initialisation des routes de l'API utilisateur"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "AD/LDAP n'est pas disponible sur ce serveur"
},
@@ -2951,6 +2055,14 @@
"translation": "Le champ de mot de passe ne peut pas être vide"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Attempted to sign in using the experimental feature ClientSideCert without providing a valid certificate"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Attempt to use the experimental feature ClientSideCertEnable without a valid enterprise license"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "La connexion a échoué car votre compte a été désactivé. Veuillez contacter un administrateur."
},
@@ -2959,18 +2071,10 @@
"translation": "Nom d'utilisateur ou mot de passe invalide."
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "Un ID utilisateur, ou le nom d'équipe accompagné d'une adresse e-mail doivent être spécifiés."
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "Connexion impossible : l'adresse e-mail n'a pas été vérifiée"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "Session sessionId=%v de l'utilisateur userId=%v révoquée re-connexion avec le même identifiant"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "Veuillez vous connecter en utilisant {{.AuthService}}"
},
@@ -2983,18 +2087,6 @@
"translation": "Impossible d'analyser les données de l'objet utilisateur pour {{.Service}} (could not parse auth data)"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "Le champ \"mot de passe\" doit être rempli"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "AD/LDAP n'est pas activé sur ce serveur"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "Veuillez spécifier un identifiant"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "AD/LDAP n'est pas disponible sur ce serveur"
},
@@ -3003,16 +2095,12 @@
"translation": "La mise à jour du mot de passe a échoué, car l'user_id du contexte ne correspondait pas à l'identifiant utilisateur spécifié"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "Suppression du compte %v id=%v en cours"
- },
- {
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "Compte %v id=%v supprimé"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "Vous tentez de supprimer le compte %v qui est un administrateur. Vous devrez configurer un autre compte administrateur en utilisant les outils en ligne de commande."
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "Impossible de réinitialiser le mot de passe pour les comptes à authentification unique (SSO)"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "Tentative de réinitaliser le mot de passe d'un utilisateur dans une équipe incorrecte."
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "SAML 2.0 n'est pas configuré ou supporté sur ce serveur."
},
@@ -3055,12 +2139,12 @@
"translation": "Impossible d'envoyer l'e-mail de vérification de changement d'adresse e-mail"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "Impossible d'envoyer l'e-mail de mise à jour du mot de passe"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "Il n'y a pas d'utilisateur associé à cette adresse."
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "Impossible d'envoyer l'e-mail de mise à jour du mot de passe"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "Impossible d'envoyer l'e-mail de bienvenue"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "Vous ne pouvez pas modifier le statut d'activation des comptes utilisant l'authentification unique (SSO). Veuillez modifier ce compte dans votre serveur d'authentification unique (SSO)."
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "Vous ne pouvez pas désactiver votre propre compte, car cette fonctionnalité n'est pas activée. Veuillez contacter votre administrateur système."
},
@@ -3131,26 +2211,6 @@
"translation": "Mise à jour du mot de passe impossible car aucun compte ne correspond"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "Il doit y avoir au moins un compte administrateur actif"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "Vous n'avez pas les permissions requises"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "Vous devez être administrateur pour effectuer cette action"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "Le rôle d'administrateur système ne peut être donné que par un autre administrateur système"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "Vous devez être administrateur d'équipe pour effectuer cette action"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "Aucune image transmise dans la requête"
},
@@ -3195,40 +2255,28 @@
"translation": "Mauvais lien de vérification de l'adresse e-mail."
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "Lancement de %v concentrateurs websocket"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "Arrêt des connexions des concentrateurs websocket"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "Erreur de la connexion websocket : %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "Échec de la mise-à-jour de la connexion websocket"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "Initialisation des routes de l'API web socket"
- },
- {
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [details: %v]"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "erreur websocket : seq=%v uid=%v %v [details: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "Hub d'équipe arrêté pour teamId=%v"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "Les webhooks sortants ont été désactivés par l'administrateur système."
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "Les trigger_words ou channel_id doivent être définis"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "Les webhooks entrants ont été désactivés par l'administrateur système."
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "Permissions insuffisantes pour supprimer le webhook entrant"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "Les webhooks entrants ont été désactivés par l'administrateur système."
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "Permissions insuffisantes pour supprimer le webhook sortant"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "webhook entrant reçu. Contenu ="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "Impossible de lire la charge utile du webhook entrant."
- },
- {
"id": "api.webhook.incoming.error",
"translation": "Impossible de décoder la charge utile multipart du webhook entrant."
},
{
- "id": "api.webhook.init.debug",
- "translation": "Initialisation des routes de l'API webhook"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "Permissions insuffisantes pour regénérer le jeton du webhook sortant"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "Impossible de mettre à jour les commandes entre équipes"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "Les webhooks entrants ont été désactivés par l'administrateur système."
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "Permissions insuffisantes pour mettre à jour le webhook entrant"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "Les webhooks sortants ont été désactivés par l'administrateur système."
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "Les webhooks sortants d'un même canal ne peuvent pas avoir les mêmes mots de déclenchement/URLs de rappel."
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "Les webhooks sortants ne peuvent être mis à jour que pour les canaux publics."
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "Permissions insuffisantes pour mettre à jour le webhook sortant."
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "Les trigger_words ou channel_id doivent être définis"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "WebRTC n'est pas activé sur ce serveur."
},
{
- "id": "api.webrtc.init.debug",
- "translation": "Initialisation des routes de l'API WebRTC"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "Une erreur s'est produite lors de l'enregistrement du jeton WebRTC"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "Session invalide err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "Paramètre {{.Name}} invalide"
},
@@ -3367,6 +2351,10 @@
"translation": "%s a mis à jour la description du canal en : %s"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "Erreur lors de la lecture du fichier d'importation de données"
},
@@ -3375,6 +2363,18 @@
"translation": "Le décodage d'une ligne du fichier JSON a échoué"
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Cannot set a channel to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Channel must be assigned to a Channel-scoped scheme."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "Erreur lors de l'importation du canal. L'équipe portant le nom \"{{.TeamName}}\" n'a pas pu être trouvée."
},
@@ -3431,6 +2431,10 @@
"translation": "La ligne de données importée dispose d'un type \"post\", mais l'objet post est null."
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "La ligne de données importée dispose d'un type \"channel\", mais l'objet channel est null."
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "La ligne de données importée dispose d'un type \"team\", mais l'objet team est null."
},
@@ -3459,12 +2463,28 @@
"translation": "Erreur lors de l'importation du message. L'utilisateur portant le nom \"{{.Username}}\" n'a pas pu être trouvé."
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "The bulk importer cannot change the scope of an already-existing scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Cannot set a team to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Team must be assigned to a Team-scoped scheme."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "Erreur lors de l'importation des membres du canal. Impossible de sauvegarder les préférences."
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "La propriété de canal create_at ne doit pas être 0 si ce champ est spécifié."
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "La description du canal est trop longue."
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for channel."
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "La propriété de canal requise est manquante : team"
},
@@ -3639,12 +2663,44 @@
"translation": "La propriété requise de réponse est manquante : User."
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "La propriété d'équipe allowed_domains is trop longue."
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "Description invalide"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "Nom d'affichage invalide"
+ },
+ {
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "Invalid permission on role."
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "La propriété d'équipe create_at ne doit pas être 0 si ce champ est spécifié."
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "Nom d'utilisateur invalide."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "Description invalide"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "Nom d'affichage invalide"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "Nom d'utilisateur invalide."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "Scheme scope is required."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "Unknown scheme scope."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "The wrong roles were provided for a scheme with this scope."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "Le nom de l'équipe contient des mots réservés."
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for team."
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "Le type d'équipe est invalide."
},
@@ -3739,8 +2799,8 @@
"translation": "La propriété de déclencheur de notification de canal est invalide pour l'utilisateur."
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "La propriété de déclencheur de notification de commentaire est invalide pour l'utilisateur."
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "La propriété de statut de notification push sur mobile est invalide pour l'utilisateur."
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "Le mot de passe utilisateur a une longueur invalide."
},
@@ -3875,10 +2939,6 @@
"translation": "Impossible de désactiver le plugin"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "Impossible de supprimer le statut d'état du plugin."
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "Les plugins ont été désactivés. Veuillez consulter vos journaux (logs) pour plus d'information."
},
@@ -3891,8 +2951,8 @@
"translation": "Une erreur de système de fichier s'est produite"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "Impossible de récupérer les plugins actifs"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "Cette équipe a atteint la limite du nombre maximum de comptes autorisés. Contactez votre administrateur système pour augmenter cette limite."
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "Impossible de désérialiser le fichier de configuration du fuseau horaire={{.Filename}}, err={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "Le fichier de configuration du fuseau horaire n'existe pas {{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "Impossible de lire le ficher de configuration du fuseau horaire={{.Filename}}, err={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "Jeton invalide ou manquant"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "Possibilité de créer de nouveaux canaux pour les messages de groupe."
},
@@ -3979,6 +3063,22 @@
"translation": "Créer un message de groupe"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "Possibilité de créer des messages dans les canaux publics"
},
@@ -3987,12 +3087,28 @@
"translation": "Créer des messages dans les canaux publics"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "Possibilité de créer de nouvelles équipes"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "Créer des équipes"
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "Créer un jeton d'accès personnel"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "Possibilité de gérer les tâches"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "Gérer les tâches"
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "Gérer les rôles d'équipe"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "Possibilité de lire les canaux publics"
},
@@ -4035,6 +3383,30 @@
"translation": "Lire les jetons d'accès personnel"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "Possibilité de révoquer les jetons d'accès personnel"
},
@@ -4059,6 +3431,62 @@
"translation": "Utiliser les commandes slash"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "Un rôle avec la permission de publier dans n'importe quel canal public ou privé et dans les messages privés sur le système"
},
@@ -4083,6 +3511,14 @@
"translation": "Jeton d'accès personnel"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "Un rôle avec la permission de publier dans n'importe quel canal public ou privé d'une équipe"
},
@@ -4099,96 +3535,108 @@
"translation": "Publier dans les canaux publics"
},
{
- "id": "cli.license.critical",
- "translation": "La fonctionnalité requiert une mise à niveau vers la version entreprise et l'installation d'une clé de licence. Veuillez contacter votre administrateur système."
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "Impossible de décoder l'image."
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "Impossible de décoder la configuration de l'image."
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "Encodage de l'image en PNG impossible."
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "Impossible d'ouvrir cette image."
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "Impossible d'enregistrer l'image"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "Impossible d'ouvrir l'image. L'image est trop grande."
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "La configuration du cluster a changé pour l'id={{ .id }}. Le cluster peut devenir instable et un redémarrage est nécessaire. Pour s'assurer que le cluster est configuré correctement, vous devriez effectuer un redémarrage immédiatement."
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "Le cluster a renvoyé échec à `%v` detail=%v, extra=%v, retry number=%v"
+ "id": "cli.license.critical",
+ "translation": "La fonctionnalité requiert une mise à niveau vers la version entreprise et l'installation d'une clé de licence. Veuillez contacter votre administrateur système."
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "Le cluster a renvoyé échec final à `%v` detail=%v, extra=%v, retry number=%v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "Version potentiellement incompatible détectée pour le cluster avec %v"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "Configuration potentiellement incompatible détectée pour une mise en cluster avec %v"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "La configuration du cluster a changé pour l'id={{ .id }}. Le cluster peut devenir instable et un redémarrage est nécessaire. Pour s'assurer que le cluster est configuré correctement, vous devriez effectuer un redémarrage immédiatement."
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "La fonctionnalité de mise en clusters est désactivée par la licence actuellement utilisée. Veuillez contacter votre administrateur système à propos d'une mise à niveau vers la licence entreprise."
+ "id": "ent.cluster.save_config.error",
+ "translation": "La console système est définie en lecture seule lorsque le mode haute disponibilité est activé à moins que ReadOnlyConfig est désactivé dans le fichier de configuration. "
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "Le ping du cluster a échoué avec le nom d'hôte=%v sur=%v avec id=%v"
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "Unknown output format {{.ExportType}}"
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "Le ping du cluster a réussi avec le nom d'hôte=%v sur=%v avec l'id=%v self=%v"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Unable to copy the attachment into the zip file."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "La console système est définie en lecture seule lorsque le mode haute disponibilité est activé à moins que ReadOnlyConfig est désactivé dans le fichier de configuration. "
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Unable to add attachment to the CSV export."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "La communication entre noeuds de cluster écoute sur %v avec le nom d'hôte=%v id=%v"
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Unable to create temporary CSV export file."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "La communication entre noeuds de cluster s'est arrêtée sur %v avec le nom d'hôte=%v id=%v"
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Unable to add header to the CSV export."
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "Fonctionnalité de conformité désactivée par la licence courante. Veuillez contacter votre administrateur système concernant la mise à niveau de votre licence entreprise."
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Unable to add metadata file to the zip file."
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "Échec de l'export du certificat de conformité pour la tâche '{{.JobName}}' à '{{.FilePath}}'"
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "Export du certificat de conformité terminé pour la tâche '{{.JobName}}' , {{.Count}} enregistrements exportés dans '{{.FilePath}}'"
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "Fonctionnalité de conformité désactivée par la licence courante. Veuillez contacter votre administrateur système concernant la mise à niveau de votre licence entreprise."
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "Avertissement de conformité d'exportation pour la tâche '{{.JobName}}' : trop de lignes retournées, tronqué à 30 000 pour '{{.FilePath}}'"
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "La conformité d'exportation a démarré pour la tâche '{{.JobName}}' à '{{.FilePath}}'"
+ "id": "ent.compliance.run_failed.error",
+ "translation": "Échec de l'export du certificat de conformité pour la tâche '{{.JobName}}' à '{{.FilePath}}'"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "Impossible de créer l'index d'Elasticsearch"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "Impossible de savoir si l'index d'Elasticsearch existe"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "Impossible de configurer le mappage de l'index d'Elasticsearch"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "Impossible de supprimer l'index Elasticsearch"
},
@@ -4287,18 +3727,6 @@
"translation": "Impossible de créer le processeur d'opérations en masse d'Elasticsearch (Elasticsearch bulk processor)"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "Impossible de créer le processeur d'opérations en masse d'Elasticsearch (Elasticsearch bulk processor)"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "Impossible de définir les paramètres de l'index d'Elasticsearch"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "Impossible de démarrer le processeur d'opérations en masse d'Elasticsearch (Elasticsearch bulk processor)"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "Impossible de démarrer le processeur d'opérations en masse d'Elasticsearch (Elasticsearch bulk processor)"
},
@@ -4319,10 +3747,6 @@
"translation": "L'URL ou le nom d'utilisateur du serveur Elasticsearch a changé. Veuillez spécifier à nouveau le mot de passe de Elasticsearch pour tester la connexion."
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "Les émoticônes personnalisées sont désactivées par la licence actuellement utilisée. Veuillez contacter votre administrateur système à propos d'une mise à niveau vers la licence entreprise."
- },
- {
"id": "ent.ldap.create_fail",
"translation": "Impossible de créer l'utilisateur LDAP."
},
@@ -4355,10 +3779,6 @@
"translation": "Impossible de se connecter au serveur AD/LDAP"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "Identifiants corrects mais impossible de créer l'utilisateur."
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "Votre compte AD/LDAP ne dispose pas des permissions pour utiliser ce serveur Mattermost. Veuillez demander à votre administrateur système de vérifier le filtre des utilisateurs AD/LDAP."
},
@@ -4367,40 +3787,16 @@
"translation": "Utilisateur non enregistré sur le serveur AD/LDAP"
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "L'utilisateur Mattermost a été mis à jour par le serveur AD/LDAP."
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "Le système de synchronisation LDAP a échoué à cause de la tâche de synchronisation qui a elle-même échoué"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "Le système de synchronisation LDAP n'a pas pu créer la tâche de synchronisation"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "Synchronisation AD/LDAP terminé"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "Impossible d'obtenir tous les utilisateurs à l'aide de AD/LDAP"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "Filtre AD/LDAP Invalide"
- },
- {
- "id": "ent.message_export.generic.license.error",
- "translation": "La licence ne supporte pas l'exportation de messages."
- },
- {
- "id": "ent.metrics.starting.info",
- "translation": "Le serveur de métriques et d'analyses d'exécution écoute sur %v"
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.metrics.stopping.info",
- "translation": "Le serveur de métriques et d'analyses d'exécution est en cours d'arrêt sur %v"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "Filtre AD/LDAP Invalide"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "Une erreur s'est produite lors de l'encodage de la requête au fournisseur d'identité. Veuillez contacter votre administrateur système."
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "Une erreur s'est produite lors de l'encodage de la requête signée au fournisseur d'identité. Veuillez contacter votre administrateur système."
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "Une erreur s'est produite lors de la configuration du fournisseur SAML, err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "La connexion SAML a échoué car la clé privée du fournisseur d'identité est introuvable. Veuillez contacter votre administrateur système."
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "Le certificat public du fournisseur est introuvable. Veuillez contacter votre administrateur système."
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "La connexion SAML a échoué, car la réponse du fournisseur d'identité n'est pas chiffrée. Veuillez contacter votre administrateur système."
},
@@ -4527,8 +3915,12 @@
"translation": "SAML 2.0 n'est pas configuré ou supporté sur ce serveur."
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "Impossible de mettre à jour l'utilisateur SAML. Connexion autorisée malgré tout. err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "Impossible de définir le statut de la tâche sur erreur"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "Impossible de trouver le canal : %v, %v possibilités recherchées"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "Impossible d'obtenir les canaux"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "Création de l'utilisateur et de l'équipe"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "Impossible de décoder l'URL"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "Configuration en cours pour tests manuels..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "Pas d'uid dans l'URL"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "Test Manuel de Lien Automatique"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "Impossible d'obtenir les canaux"
},
@@ -4575,50 +3947,6 @@
"translation": "Bulletin de Sécurité Mattermost"
},
{
- "id": "mattermost.config_file",
- "translation": "Fichier de configuration chargé depuis %v"
- },
- {
- "id": "mattermost.current_version",
- "translation": "Version actuelle %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "Edition Entreprise Activé : %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "Une clé de licence de https://mattermost.com est requise pour déverrouiller les fonctionnalités d'entreprise."
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "Échec du chargement des détails du bulletin de sécurité"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "Échec de la lecture des détails du bulletin de sécurité"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "Vérification des mises à jour de sécurité pour Mattermost"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "Échec du chargement des informations de mise à jour de sécurité pour Mattermost."
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "Envoi du bulletin de sécurité pour %v vers %v"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "Échec du chargement de la liste des administrateurs système pour les informer d'une mise à jour de sécurité de Mattermost."
- },
- {
- "id": "mattermost.working_dir",
- "translation": "Le dossier de travail actuel est %v"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "La migration a échoué à cause de données de progression invalides."
},
@@ -4707,10 +4035,6 @@
"translation": "Id invalide"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "Nom invalide"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "Description invalide"
},
@@ -4731,10 +4055,6 @@
"translation": "La valeur de notification par e-mail est invalide"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "Valeur de sourdine invalide"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "Le niveau de notification est invalide"
},
@@ -4743,10 +4063,6 @@
"translation": "Le niveau de notification push est invalide"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "Rôle invalide"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "Niveau pour marquer comme non lu invalide"
},
@@ -4755,30 +4071,6 @@
"translation": "Id utilisateur invalide"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "Id de canal invalide"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "Le moment auquel l'utilisateur a rejoint le canal est invalide"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "Le moment auquel l'utilisateur a quitté le canal est invalide"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "E-mail utilisateur invalide"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "Id utilisateur invalide"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "Impossible d'interpréter les données entrantes"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "Une erreur est survenue durant la connexion au serveur"
},
@@ -4803,8 +4095,8 @@
"translation": "Paramètre d'équipe manquant"
},
{
- "id": "model.client.login.app_error",
- "translation": "Les jetons d’authentification ne correspondent pas"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "Impossible d'écrire la requête"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "Une erreur est survenue lors de l'écriture de l'ID du channel dans le formulaire multiforme"
},
@@ -4847,10 +4147,30 @@
"translation": "Impossible construire la requête composite (multipart)"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "CreateAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Hostname must be set"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "Id invalide"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "LastPingAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "ClusterName must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Type must be set"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "La date de création doit être une date valide"
},
@@ -4951,6 +4271,10 @@
"translation": "Jusqu'à doit être supérieur à De"
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Allowing cookies for subdomains requires SiteURL to be set."
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "Les paramètres d'options du proxy d'images atmos/camo sont invalides. Votre clé partagée doit être définie comme paramètre."
},
@@ -4995,10 +4319,6 @@
"translation": "La taille du lot d'index en direct d'Elasticsearch (Elasticsearch Live Indexing Batch Size) doit être au moins de 1"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "Le paramètre Password d'ElasticSearch doit être spécifié lorsque l'indexation avec ElasticSearch est activée."
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "Le paramètre Elasticsearch PostsAggregatorJobStartTime doit être une heure au format \"hh:mm\""
},
@@ -5007,10 +4327,6 @@
"translation": "Le délai d'expiration de la requête d'Elasticsearch (Elasticsearch Request Timeout) doit être au moins d'une seconde."
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "Le paramètre Username d'ElasticSearch doit être spécifié lorsque l'indexation avec ElasticSearch est activée."
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "Taille du buffer d'envoi d'e-mails par lot invalide. Doit être 0 ou un nombre positif."
},
@@ -5023,10 +4339,6 @@
"translation": "Le type de contenu pour la notification par e-mail est un paramètre d'e-mail invalide. Doit être 'full' ou 'generic'."
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "Clé de salage de réinitialisation de mot de passe invalide dans les paramètres de messagerie. Doit être composée de 32 caractères ou plus."
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "Clé de salage pour les invitations invalide dans les paramètres de messagerie. Doit être composée de 32 caractères ou plus."
},
@@ -5043,34 +4355,10 @@
"translation": "Nom de pilote invalide dans les paramètres de fichiers. Doit être 'local' ou 'amazons3'"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "Hauteur des aperçus invalide dans les paramètres de fichiers. Doit être 0 ou un entier positif."
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "Largeur des aperçus invalide dans les paramètres de fichiers. Doit être un entier positif."
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "Hauteur du profil invalide dans les paramètres de fichiers. Doit être un entier positif."
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "Largeur du profil invalide dans les paramètres de fichiers. Doit être un entier positif."
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "Clé de salage des liens publics invalide dans les paramètres de fichier. Doit être composée de 32 caractères ou plus."
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "Hauteur des miniatures invalide dans les paramètres de fichier. Doit être un entier positif."
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "Largeur des miniatures invalide dans les paramètres de fichiers. Doit être un entier positif."
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "Le paramètre de groupement de canaux non lus est invalide. Doit être défini sur « disabled », « default_on » ou « default_off »."
},
@@ -5083,30 +4371,14 @@
"translation": "Le champ AD/LDAP \"BaseDN\" est requis."
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "Le champ AD/LDAP \"Bind Password\" est requis."
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "Le champ AD/LDAP \"Bind Username\" est requis."
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "Le champ AD/LDAP \"Email Attribute\" est requis."
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "Le champ AD/LDAP \"First Name Attribute\" est obligatoire."
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "Le champ AD/LDAP « ID Attribute » est obligatoire."
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "Le champ AD/LDAP \"Last Name Attribute\" est obligatoire."
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "Le champ AD/LDAP « Login ID Attribute » est obligatoire."
},
@@ -5115,14 +4387,6 @@
"translation": "Valeur de la taille maximale de page invalide."
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Champ AD/LDAP manquant."
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Champ AD/LDAP manquant."
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "Sécurité de connexion invalide pour les paramètres AD/LDAP. Doit être '', 'TLS' ou 'STARTTLS'"
},
@@ -5191,18 +4455,6 @@
"translation": "Le paramètre ExportFormat de la tâche d'exportation de messages doit être « actiance » ou « globalrelay »"
},
{
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "Le paramètre ExportFormat de la tâche d'exportation de messages doit être « actiance » ou « globalrelay »"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "Le paramètre FileLocation de la tâche d'exportation de messages doit être un dossier avec droits d'écriture. Il s'agit du dossier dans lequel les données seront exportées."
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "Le paramètre FileLocation de la tâche d'exportation de messages doit être un sous-dossier de FileSettings.Directory."
- },
- {
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
"translation": "Le paramètre ExportFormat de la tâche d'exportation de messages est définie sur « globalrelay », mais le paramètre GlobalRelaySettings est manquant"
},
@@ -5223,18 +4475,10 @@
"translation": "Le paramètre GlobalRelaySettings.SmtpUsername de la tâche d'exportation de messages doit être défini"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "Le paramètre GlobalRelayEmailAddress de la tâche d'exportation de messages doit être une adresse e-mail valide"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "La taille minimale du mot de passe doit être un nombre entier supérieur ou égal à {{.MinLength}} et inférieur ou égal à {{.MaxLength}}."
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "La taille maximale du mot de passe doit être supérieur ou égale à la taille minimale."
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "Taille du stockage mémoire invalide pour les paramètres de limite de fréquence. Doit être un entier positif."
},
@@ -5367,10 +4611,6 @@
"translation": "La date de création doit être une vraie date valide"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "Id créateur invalide"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "Id d'émoticône invalide"
},
@@ -5383,10 +4623,38 @@
"translation": "La date de mise à jour doit être une date valide"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "Impossible de décoder le gif."
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "Id canal invalide"
},
@@ -5411,6 +4679,10 @@
"translation": "Id invalide"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "Impossible d'interpréter les données entrantes"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "ID d'équipe invalide"
},
@@ -5443,6 +4715,14 @@
"translation": "Type de tâche invalide"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "Id app invalide"
},
@@ -5491,6 +4771,10 @@
"translation": "Id canal invalide"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "La date de création doit être une date valide"
},
@@ -5543,14 +4827,6 @@
"translation": "Clé invalide. Elle doit faire entre {{.Min}} et {{.Max}} caractères."
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "Clé invalide. Elle doit faire entre {{.Min}} et {{.Max}} caractères."
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "ID de plugin invalide. Il doit faire entre {{.Min}} et {{.Max}} caractères."
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "ID de plugin invalide. Il doit faire entre {{.Min}} et {{.Max}} caractères."
},
@@ -5699,10 +4975,6 @@
"translation": "Identifiant URL invalide"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "Rôle invalide"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "ID d'équipe invalide"
},
@@ -5719,130 +4991,18 @@
"translation": "Jeton invalide."
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "Données d'authentification invalides"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "Utilisateur invalide, le mot de passe et les données de connexion ne peuvent pas être tous les deux renseignés"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "Utilisateur invalide, les données de connexion doivent être renseignées avec un type de connexion"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "La date de création doit être une date valide"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "Adresse e-mail invalide"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "Prénom invalide"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "Id utilisateur invalide"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "Nom invalide"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "Pseudonyme invalide"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "Impossible de définir un mot de passe plus grand que 72 caractères à cause des limitations de bcrypt."
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "Rôle invalide : ne doit pas faire plus de 128 caractères."
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères."
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères et une lettre minuscule."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, une lettre minuscule et un chiffre."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, une lettre minuscule, un chiffre et un symbole (parmi \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, une lettre minuscule et un symbole (parmi \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, une lettre minuscule et une majuscule."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, une lettre minuscule, une majuscule et un chiffre."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, une lettre minuscule, une majuscule, un chiffre et un symbole (parmi \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, une lettre minuscule, une majuscule et un symbole (parmi \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, un chiffre."
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, un chiffre et un symbole (parmi \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, un symbole (parmi \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, une lettre majuscule."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, une lettre majuscule et un chiffre."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, une lettre majuscule, un chiffre et un symbole (parmi \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "Votre mot de passe doit contenir au moins {{.Min}} caractères, une lettre majuscule et un symbole (parmi \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "ID d'équipe invalide"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "La date de mise à jour doit être une date valide"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "Nom d'utilisateur invalide"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "Description invalide, elle doit être composée de 255 caractères ou moins"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "Jeton d'accès invalide"
},
@@ -5855,6 +5015,10 @@
"translation": "impossible de décoder"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "GitLab's Terms of Service have updated. Please go to gitlab.com to accept them and then try logging into Mattermost again."
},
@@ -5863,26 +5027,6 @@
"translation": "Une erreur s'est produite lors de l'invocation du plugin RPC"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "Impossible de modifier le type de la colonne %v"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "Échec de la vérification de l'index %v"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "Fermeture de SqlStore"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "Échec de la vérification de l'existence de la colonne en raison d'un driver manquant"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "FromDb : Impossible de convertir EncryptStringMap en *string"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "FromDb : Impossible de convertir StringArray en *string"
},
@@ -5895,82 +5039,6 @@
"translation": "FromDb : Impossible de convertir StringMap en *string"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "Impossible de créer la colonne %v"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "Impossible de créer la colonne en raison d'un driver manquant"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "Impossible de créer l'index en raison d'un driver manquant"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "Échec de création des tables de la base de données : %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "Échec de création du driver spécifique au dialecte"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "Échec de création du driver spécifique au dialecte %v"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "MAC incorrect pour le ciphertext indiqué"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "Échec de récupération de la taille maximale de la colonne %v"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "Impossible d'ouvrir une connexion SQL %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "Fonctionnalité pour plus d'un répliqua en lecture désactivée par la licence courante. Veuillez contacter votre administrateur système concernant la mise à niveau de votre licence entreprise."
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "Échec de la suppression de l'index %v"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "Échec du renommage de la colonne %v"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "La version du schéma de la base de données %v semble être dépassée"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "Tentative de mise à niveau du schéma de la base de données vers la version %v"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "La version %v du schéma de la base de données n'est plus supportée. Ce serveur Mattermost supporte les mises à jour automatiques de la version du schéma %v à la version %v. Rétrograder à une version antérieure n'est pas supporté. Veuillez vous mettre à niveau vers au moins la version %v du schéma avant de continuer."
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "ciphertext court"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "Échec du chargement du type de données pour la colonne %s de la table %s : %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "ciphertext trop court"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "Le schéma de la base de données a été mis à niveau vers la version %v"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "Nous avons rencontré une erreur lors de la recherche des audits"
},
@@ -5999,16 +5067,24 @@
"translation": "Impossible de récupérer le nombre de type de canaux"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "Impossible de vérifier les permissions"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "Impossible de vérifier les permissions"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "Impossible de vérifier les permissions"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "Aucun canal trouvé"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "Impossible de trouver le canal supprimé existant"
},
@@ -6067,10 +5151,6 @@
"translation": "Aucun nom de canal supprimé portant ce nom existe"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "Impossible de récupérer les informations supplémentaires des membres du canal"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "Impossible de récupérer le canal pour le message spécifié"
},
@@ -6231,10 +5311,6 @@
"translation": "Nous avons rencontré une erreur durant la recherche des canaux"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "Impossible de mettre à jour la date de dernier affichage"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "Impossible de mettre à jour le canal"
},
@@ -6259,14 +5335,6 @@
"translation": "Nous avons rencontré une erreur durant la mise à jour du membre du canal"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "Impossible de récupérer les enregistrements"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "Impossible de récupérer la liste des utilisateurs du canal à la date spécifiée"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "Impossible de récupérer la liste des utilisateurs du canal à la période spécifiée"
},
@@ -6275,10 +5343,6 @@
"translation": "Impossible d'enregistrer l'historique des membres du canal"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "Impossible d'enregistrer l'historique des membres du canal. Aucun enregistrement indiquant que l'utilisateur a rejoint le canal n'a été trouvé."
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "Impossible d'enregistrer l'historique des membres du canal. Impossible de mettre à jour l'enregistrement existant indiquant que l'utilisateur a rejoint le canal."
},
@@ -6287,6 +5351,30 @@
"translation": "Impossible de purger les enregistrements"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "Failed to delete"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "Échec de la vérification de l'existence de la table %v"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Failed to get all discovery rows"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Failed to update last ping at"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "Impossible de compter les commandes"
},
@@ -6411,10 +5499,6 @@
"translation": "Impossible de sauvegarder l'information du fichier"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "Impossible de sauvegarder l'information ou modifier l'information du fichier"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "Impossible de supprimer la tâche"
},
@@ -6567,10 +5651,6 @@
"translation": "Impossible de supprimer ou mettre à jour le couple clé-valeur du plugin"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "Impossible de supprimer ou mettre à jour le couple clé-valeur du plugin à cause d'une violation de contrainte unique."
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "Impossible de récupérer le nombre de messages"
},
@@ -6583,6 +5663,10 @@
"translation": "Impossible de récupérer le nombre d'utilisateur avec messages"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "Impossible de supprimer le message"
},
@@ -6591,6 +5675,10 @@
"translation": "Impossible de récupérer le message"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "Impossible de récupérer le message parent pour le canal"
},
@@ -6643,10 +5731,6 @@
"translation": "Une erreur s'est produite lors de la suppression définitive du lot de messages"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "Une erreur s'est produite lors de la suppression définitive du lot de messages"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "Impossible de supprimer les messages par canal"
},
@@ -6663,14 +5747,6 @@
"translation": "Impossible de déterminer la taille maximale supportée pour les publications"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message supporte au maximum %d caractères (%d octets)"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "Aucune implémentation trouvée pour déterminer la taille maximale supportée pour les publications"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "Impossible d'enregistrer le message"
},
@@ -6683,10 +5759,6 @@
"translation": "La recherche a été désactivée sur ce serveur. Veuillez contacter votre administrateur."
},
{
- "id": "store.sql_post.search.warn",
- "translation": "Erreur de requête lors de la recherche des messages : %v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "Impossible de mettre à jour le message"
},
@@ -6751,6 +5823,10 @@
"translation": "Impossible de mettre à jour les préférences"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "Impossible d'ouvrir une transaction pendant qu'une réaction est en cours de suppression"
},
@@ -6759,20 +5835,12 @@
"translation": "Impossible de valider la transaction pendant qu'une réaction est en cours de suppression"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "Impossible de supprimer la réaction"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "Impossible de supprimer la réaction avec le nom d'émoticône donné"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "Impossible de récupérer les réactions avec le nom d'émoticône donné"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "Impossible de mettre à jour le champ Post.HasReactions pendant que des réactions sont en cours de suppression post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "Impossible de sauvegarder cette réaction"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "Impossible de supprimer le rôle"
},
@@ -6823,10 +5903,6 @@
"translation": "Le rôle est invalide"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "Le rôle est invalide"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "Impossible d'ouvrir la transaction pour enregistrer le rôle"
},
@@ -6843,10 +5919,6 @@
"translation": "Impossible de supprimer les rôles qui appartiennent à ce schéma de permissions"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "Impossible de supprimer le schéma de permissions car il est déjà utilisé par une ou plusieurs équipes ou canaux"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "Impossible de supprimer le schéma de permissions"
},
@@ -6895,10 +5967,6 @@
"translation": "Impossible de compter les sessions"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "Nous avons rencontré une erreur durant la suppression des sessions utilisateurs expirées"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "Nous avons rencontré une erreur lors de la recherche de la session"
},
@@ -6907,10 +5975,6 @@
"translation": "Nous avons rencontré une erreur durant la recherche des sessions utilisateurs"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "Échec du nettoyage des sessions dans getSessions err=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "Impossible de supprimer toutes les sessions de l'utilisateur"
},
@@ -6927,10 +5991,6 @@
"translation": "Impossible d'enregistrer la session"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "Échec du nettoyage des sessions dans Save err=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "Impossible de mettre à jour la session existante"
},
@@ -6983,6 +6043,10 @@
"translation": "Une erreur s'est produite lors de la mise à jour du statut"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "Nous avons rencontré une erreur lors de la recherche des propriétés système"
},
@@ -6991,10 +6055,6 @@
"translation": "Nous ne trouvons pas la variable système."
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "Impossible de déterminer la version de la base de donnée"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "Impossible de supprimer définitivement l'entrée de la table système"
},
@@ -7011,6 +6071,26 @@
"translation": "Impossible de compter les équipes"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "Impossible de trouver l'équipe existante"
},
@@ -7063,10 +6143,6 @@
"translation": "Impossible de récupérer les membres de l'équipe"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "Nous avons rencontré un problème durant la recherche des équipes"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "Impossible de récupérer la liste des messages non lus des équipes"
},
@@ -7151,6 +6227,14 @@
"translation": "Impossible de mettre à jour le nom de l'équipe"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "Impossible de compter les utilisateurs inactifs"
},
@@ -7163,12 +6247,28 @@
"translation": "Impossible de récupérer le nombre d'utilisateurs uniques"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "Nous avons rencontré une erreur lors de la recherche du compte"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "Nous avons rencontré une erreur en essayant de trouver tous les comptes utilisant un type d'authentification spécifique."
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
+ },
+ {
+ "id": "store.sql_user.get.app_error",
+ "translation": "Nous avons rencontré une erreur lors de la recherche du compte"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "Impossible de compter le nombre de messages non lus pour l'utilisateur et le canal"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "Impossible de migrer User.ThemeProps vers la table de préférences %v"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "Utilisateur introuvable"
},
@@ -7271,6 +6367,10 @@
"translation": "Un compte avec ce nom d'utilisateur existe déjà. Veuillez contacter votre administrateur."
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "Impossible de mettre à jour le compte"
},
@@ -7311,18 +6411,10 @@
"translation": "Impossible de mettre à jour failed_attempts"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "Impossible de mettre à jour last_activity_at"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "Impossible de mettre à jour update_at"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "Impossible de mettre à jour last_ping_at"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "Une erreur s'est produite lors de la mise à jour du statut ​​actif MFA de l'utilisateur"
},
@@ -7335,6 +6427,10 @@
"translation": "Impossible de mettre à jour le mot de passe de l'utilisateur"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "Impossible de mettre à jour le champ de vérification de l'adresse e-mail"
},
@@ -7367,6 +6463,18 @@
"translation": "Nous avons rencontré une erreur lors de la recherche des jetons d'accès personnel"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "Impossible de compter les webhooks entrants"
},
@@ -7459,18 +6567,10 @@
"translation": "Erreur de décodage de la configuration fichier={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "Erreur de chargement des informations de configuration fichier={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "Erreur d'ouverture du fichier de configuration fichier={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "Erreur de validation de la configuration fichier={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "Une erreur s'est produite lors de l'enregistrement du fichier {{.Filename}}"
},
@@ -7487,18 +6587,6 @@
"translation": "Impossible de charger le fichier de configuration Mattermost : DefaultServerLocale doit être l'une des langues supportées. DefaultServerLocale sera défini comme valeur par défaut."
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "Impossible de charger le fichier de configuration de Mattermost : AvailableLocales doit inclure DefaultClientLocale"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "Analytics non initialisé"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "Le stockage de fichier n'est pas configuré correctement. Veuillez le configurer pour soit utiliser S3 soit le système de fichier local du serveur."
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "Une erreur s'est produite lors de l'affichage du dossier à partir du système de stockage local du serveur."
},
@@ -7507,10 +6595,6 @@
"translation": "Une erreur s'est produite lors de l'affichage du dossier à partir de S3."
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "Le stockage de fichier n'est pas configuré correctement. Veuillez le configurer pour utiliser soit S3 soit le système de fichier local du serveur."
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "Une erreur s'est produite lors de la suppression du dossier à partir du système de stockage local du serveur."
},
@@ -7519,10 +6603,6 @@
"translation": "Une erreur s'est produite lors de la suppression du dossier à partir de S3."
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "Le stockage de fichier n'est pas configuré correctement. Veuillez le configurer pour utiliser soit S3 soit le système de fichier local du serveur."
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "Une erreur s'est produite lors de la suppression du fichier du stockage local du serveur."
},
@@ -7531,38 +6611,6 @@
"translation": "Une erreur s'est produite lors de la suppression du fichier de S3."
},
{
- "id": "utils.i18n.loaded",
- "translation": "Traduction chargées de '%v' vers '%v'"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "Veuillez indiquer une taille positive"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "Aucune licence entreprise disponible"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "Impossible de supprimer le fichier de licence, err=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "Erreur lors du décodage de la licence, err=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "Signature invalide, err=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "Licence signée trop courte"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "Erreur lors de la signature de la licence, err=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "Impossible de définir le HELO"
},
@@ -7579,14 +6627,6 @@
"translation": "Échec de l'authentification auprès du serveur SMTP"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "Impossible d'envoyer la requête HELO au serveur SMTP %v"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "Échec de l'ouverture de connexion auprès du serveur SMTP %v"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "Impossible d'attacher le fichier joint à l'e-mail"
},
@@ -7607,42 +6647,10 @@
"translation": "Impossible d'ajouter les données du message à l'e-mail"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "Envoi de l'e-mail à %v avec comme sujet '%v'"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "Impossible de définir l'adresse de destination"
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "Les paramètres de serveur SMTP ne semblent pas avoir été configurés correctement err=%v détails=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "Les paramètres de serveur SMTP ne semblent pas avoir été configurés correctement err=%v détails=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "Console Administration"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "Autoriser une application"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "Impossible de trouver l'équipe nom=%v, err=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "Réclamer un compte"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "Impossible de trouver l'utilisateur teamid=%v, email=%v, err=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "Impossible de trouver la commande"
},
@@ -7655,42 +6663,6 @@
"translation": "Impossible d'interpréter les données entrantes"
},
{
- "id": "web.create_dir.error",
- "translation": "Échec de la création de l'observateur de dossier %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "Erreur lors de la récupération du profil pour id=%v déconnexion forcée"
- },
- {
- "id": "web.doc.title",
- "translation": "Documentation"
- },
- {
- "id": "web.email_verified.title",
- "translation": "Email vérifié"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "Votre navigateur n'est pas supporté. Veuillez vous mettre à niveau vers l'un des navigateurs suivants :"
},
@@ -7699,12 +6671,8 @@
"translation": "Navigateur non supporté"
},
{
- "id": "web.find_team.title",
- "translation": "Recherche d'équipe"
- },
- {
- "id": "web.header.back",
- "translation": "Précédent"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "Aucun texte indiqué"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "La longueur maximale du texte est de {{.Max}} caractères, la taille reçue est de {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "Utilisateur introuvable"
- },
- {
- "id": "web.init.debug",
- "translation": "Initialisation des routes web"
- },
- {
- "id": "web.login.error",
- "translation": "Équipe introuvable nom=%v, err=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "Connexion"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "Nom d'équipe incorrect"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "Analyse des gabarits sur %v"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "ID de message invalide"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "Le lien de réinitialisation du mot de passe a expiré"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "Le lien de réinitialisation ne semble pas être valide"
- },
- {
- "id": "web.root.home_title",
- "translation": "Accueil"
- },
- {
- "id": "web.root.singup_title",
- "translation": "Inscription"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "Le lien d'inscription a expiré"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "Terminer l'inscription de l'équipe"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "E-mail d'inscription envoyé"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "Le lien d'inscription a expiré"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "Le type d'équipe ne permet pas les invitations ouvertes"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "Terminer l'inscription utilisateur"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "Nom d'équipe incorrect"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "Échec de l'ajout du dossier à l'observateur %v"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "Initialisation des routes de l'API des statuts"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "Initialisation des routes systèmes de l'API WebSocket"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "Initialisation des routes utilisateurs de l'API WebSocket"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "Initialisation des routes de l'API WebSocket webrtc"
}
]
diff --git a/i18n/it.json b/i18n/it.json
index e89b39c78..51cb8dbe4 100644
--- a/i18n/it.json
+++ b/i18n/it.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "Aprile"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "Agosto"
- },
- {
- "id": "December",
- "translation": "Dicembre"
- },
- {
- "id": "February",
- "translation": "Febbraio"
- },
- {
- "id": "January",
- "translation": "Gennaio"
- },
- {
- "id": "July",
- "translation": "Luglio"
- },
- {
- "id": "June",
- "translation": "Giugno"
- },
- {
- "id": "March",
- "translation": "Marzo"
- },
- {
- "id": "May",
- "translation": "Maggio"
- },
- {
- "id": "November",
- "translation": "Novembre"
- },
- {
- "id": "October",
- "translation": "Ottobre"
- },
- {
- "id": "September",
- "translation": "Settembre"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "Errore nella lettura del file di log."
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "Il logo personalizzato non è configurato o supportato su questo server."
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "Il sistema di archiviazione delle immagini non è configurato."
},
{
- "id": "api.admin.init.debug",
- "translation": "Inizializzazione delle API routes di amministrazione."
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "Fine recupero connessione al database."
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "Tentativo di recupero connessione al database."
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "Errore durante la cancellazione del certificato. Assicurati che il file config/{{.Filename}} esista."
},
@@ -92,6 +36,10 @@
"translation": "Errore durante la costruzione dei Service Provider Metadata."
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>La configurazione email di Mattermost è corretta!"
},
@@ -112,14 +60,6 @@
"translation": "Bucket S3 richiesto"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "Endpoint S3 richiesto"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "Region S3 richiesta"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "Lista vuota per il campo 'image' nella richiesta"
},
@@ -128,10 +68,6 @@
"translation": "Nessun file per il campo 'immagine' nella richiesta"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "Il logo personalizzato non è configurato o supportato su questo server"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "Errore durante l'analisi del multipart-form"
},
@@ -144,38 +80,10 @@
"translation": "Impossibile caricare il file. Il file è troppo grande."
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "Impossibile analizzare i modelli del server %v"
- },
- {
- "id": "api.api.render.error",
- "translation": "Errore nella generazione del modello %v err=%v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "Impossibile verificare i permessi utente."
- },
- {
- "id": "api.brand.init.debug",
- "translation": "Inizializzazione delle brand API routes"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v aggiunto al canale da parte di %v"
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "Impossibile trovare il canale"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "Impossibile trovare l'utente da aggiungere"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "Impossibile trovare l'utente"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "Impossibile aggiungere l'utente al canale"
},
@@ -192,30 +100,6 @@
"translation": "Impossibile aggiungere l'utente a questo tipo di canale"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "La creazione e amministrazione di canali privati è limitata all'amministratore di sistema."
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "La creazione e amministrazione di canali privati è limitata all'amministratore di sistema e di gruppo."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "La creazione e amministrazione di Canali Pubblici è limitata all'Amministratore di Sistema."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "La creazione e amministrazione di Canali Pubblici è limitata all'Amministratore di Sistema e di gruppo."
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "Questo canale è stato convertito in un Canale Pubblico e ogni membro del gruppo può farne parte."
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "Questo canale è stato convertito in un Canale Privato."
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "Questo canale predefinito non può essere convertito in un canale privato."
},
@@ -268,50 +152,6 @@
"translation": "Il canale è stato archiviato o eliminato"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "Impossibile archiviare il messaggio %v"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "Errore nell'archiviazione del messaggio"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "Errore nell'eliminazione del webhook in entrata, id=%v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "Errore nell'eliminazione del webhook in uscita, id=%v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "Non si dispone dei permessi necessari"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "Nessun canale con channel_id={{.ChannelId}} nel gruppo con team_id={{.TeamId}}"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "Impossibile effettuare il conteggio dei canali dal database"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "Il canale è stato archiviato o eliminato"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "Errore nell'analisi della lista dei partecipanti"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "Errore nel caricamento del profilo utente id=%v durante il logout"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "Inizializzazione delle API Routes di canale"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "Il canale è già stato eliminato"
},
@@ -340,6 +180,10 @@
"translation": "%v ha lasciato il canale."
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "Errore nell'invio del messaggio di aggiornamento del nome"
},
@@ -380,22 +224,10 @@
"translation": "Impossibile eliminare l'utente dal canale predefinito {{.Channel}}"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "Non si dispone dei permessi necessari "
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v è stato rimosso dal canale."
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "Impossibile rimuovere l'utente."
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "Impossibile trovare l'utente da rimuovere"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "Il canale è stato archiviato o eliminato"
},
@@ -404,10 +236,6 @@
"translation": "Il canale è stato archiviato o eliminato"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "Non si dispone dei permessi necessari"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "Tentativo di esecuzione di un aggiornamento non valido per il canale predefinito {{.Channel}}"
},
@@ -424,26 +252,14 @@
"translation": "Impossibile impostare lo schema del canale perché lo schema fornito non è uno schema di canale."
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "Impossibile calcolare il numero di messaggi non letti per user_id %v e channel_id %v, err=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "Il ruolo fornito è gestito da uno schema e non può essere attribuito direttamente a un membro del gruppo"
},
{
- "id": "api.cluster.init.debug",
- "translation": "Inizializzazione cluster API routes"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "Le integrazioni sono limitate ai soli utenti amministratori."
},
{
- "id": "api.command.delete.app_error",
- "translation": "Permessi inappropriati per eliminare il comando"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "I comandi sono stati disabilitati dall'amministratore di sistema."
},
@@ -472,18 +288,10 @@
"translation": "Il comando per '{{.Trigger}}' non è stato trovato. Per inviare un messaggio iniziante per \"/\" occorre aggiungere uno spazio all'inizio del messaggio."
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "Errore durante il salvataggio della riposta del comando nel canale"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "Nessuno innesco di comando trovato"
},
{
- "id": "api.command.init.debug",
- "translation": "Inizializzazione delle API Routes di amministrazione"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "Manda un email di invito al tuo gruppo Mattermost"
},
@@ -516,18 +324,10 @@
"translation": "Email di invito inviata"
},
{
- "id": "api.command.regen.app_error",
- "translation": "Permessi inappropriati per rigenerare il token del comando"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "Impossibile aggiornare comandi tra gruppi"
},
{
- "id": "api.command.update.app_error",
- "translation": "Permessi inappropriati per aggiornare il comando"
- },
- {
"id": "api.command_away.desc",
"translation": "Imposta lo stato in \"Non al computer\""
},
@@ -568,10 +368,6 @@
"translation": "Errore nell'aggiornamento del canale."
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "Intestazione del canale aggiornata."
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "Errore nel caricamento del canale."
},
@@ -644,10 +440,6 @@
"translation": "Errore nell'aggiornamento del canale."
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "Nome del canale aggiornato."
- },
- {
"id": "api.command_code.desc",
"translation": "Visualizza il testo come un blocco di codice"
},
@@ -696,10 +488,6 @@
"translation": "Non Disturbare è attivo. Non riceverai notifiche desktop o notifiche mobile fino a quando Non Disturbare non verrà disattivato."
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "Impossibile creare /echo post, err=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "Il tempo di ritardo deve essere inferiore a 10000 secondi"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "Impossibile trovare gli utenti: %s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "Si è verificato un errore durante la creazione della lista degli utenti."
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "I messaggi di gruppo sono limitati ad un massimo di {{.MaxUsers}} utenti."
},
@@ -779,18 +559,10 @@
"translation": "I messaggi di gruppo sono limitati ad un minimo di {{.MinUsers}} utenti."
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "Non è stato possibile trovare l'utente"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "messaggio"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "Messaggio consegnato agli utenti."
- },
- {
"id": "api.command_help.desc",
"translation": "Vai alla pagina di aiuto di Mattermost"
},
@@ -875,10 +647,6 @@
"translation": "entra"
},
{
- "id": "api.command_join.success",
- "translation": "Entrato nel canale."
- },
- {
"id": "api.command_kick.name",
"translation": "calcio"
},
@@ -891,14 +659,6 @@
"translation": "Si è verificato un errore durante l'uscita dal canale."
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "Si è verificato un errore durante la generazione della lista dei canali."
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "Impossibile trovare il canale."
- },
- {
"id": "api.command_leave.name",
"translation": "abbandona"
},
@@ -947,10 +707,6 @@
"translation": "@[nome-utente] 'messaggio'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "Si è verificato un errore durante la creazione della lista degli utenti."
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "Non è stato possibile trovare l'utente"
},
@@ -959,10 +715,6 @@
"translation": "messaggio"
},
{
- "id": "api.command_msg.success",
- "translation": "Messaggio inviato."
- },
- {
"id": "api.command_mute.desc",
"translation": "Disattiva le notifiche desktop, email e push per il canale corrente oppure per i canali specificati."
},
@@ -1115,10 +867,6 @@
"translation": "alzatadispalle"
},
{
- "id": "api.compliance.init.debug",
- "translation": "Inizializzazione delle API routes di conformità"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "Il nuovo formato per la configurazione del client non è ancora supportato. Specificare format=old nella query."
},
@@ -1135,14 +883,6 @@
"translation": "Parametro {{.Name}} invalido"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "Sessione invalida err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "Accesso al TeamURL quando non valido. Il TeamURL non dovrebbe essere usato nelle funzioni API i dove sono indipendenti dal team"
- },
- {
"id": "api.context.invalid_token.error",
"translation": "Token di sessione invalido={{.Token}}, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "{{.Name}} non valido o mancante nell'URL della richiesta"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "Pulisci tutte le cache"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "Impossibile aggiornare LastActivityAt per user_id=%v e session_id=%v, err=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v code=%v rid=%v uid=%v ip=%v %v [dettagli: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "L'autenticazione a più fattori è richiesta da questo server."
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "Id gruppo mancante"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "Non si dispone dei permessi necessari"
},
@@ -1179,26 +903,10 @@
"translation": "Sessione invalida o scaduta, ri effettua l accesso."
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "Non hai i permessi di sistema per proseguire"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "La sessione non è OAuth ma il token è presente nella stringa di query"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "Un errore sconosciuto è accaduto. Per favore contatta il supporto."
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "La versione 3 delle API è stata disattivata su questo server. Per favore usare la versione 4 delle API. vedere https://api.mattermost.com per ulteriori dettagli."
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "Inizializzazione delle API routes deprecate"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "Il canale che riceve i job batch di email era pieno. Per favore incrementa EmailBatchingBufferSize."
},
@@ -1207,14 +915,6 @@
"translation": "La spedizione di email programmata è stata disabilitata dall aministratore di sistema"
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "Job di spedizione email avviato. %v utente/i) ha(nno) notifiche in corso."
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "Impossibile determinare il canale della pubblicazione per una notifica email programmata"
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Month}} {{.Day}}"
},
@@ -1235,10 +935,6 @@
"translation": "Notifica da "
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "Impossibile determinare il mittente della pubblicazione per una notifica email programmata"
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "Hai una nuova notifica.",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "Impossibile determinare le preferenze di visualizzazione per una notifica email programmata"
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "Spedizione della notifica email programmata a %v fallita: %v"
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] Nuova notifica per {{.Day}} {{.Month}} {{.Year}}",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "Impossibile trovare il destinatario per la notifica email programmata"
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "Spedizione email programmata in avvio. Controllo di messaggi in corso ogni %v secondi."
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "Impossibile creare l'emoji. Un'altra emoji con lo stesso nome è già presente."
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "Impossibile creare l'emoji. La richiesta è malformata."
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "Permessi insufficienti per creare l'emoji."
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "Impossibile creare l'emoji. La richiesta è malformata."
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "Impossibile creare l'emoji. L'immagine deve essere inferiore a 1MB."
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "Impossibile cancellare le reazioni durante la cancellazione dell'emoji %v"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "Le emoji personalizzate sono state disabilitate dall'amministratore di sistema."
},
@@ -1301,14 +977,6 @@
"translation": "Impossibile leggere il file immagine per l'emoji."
},
{
- "id": "api.emoji.init.debug",
- "translation": "Inizializzazione delle API Routes per le emoji"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "Inizializzazione delle API Routes per le emoji"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "Spazio di archiviazione non configurato correttamente. Configura S3 o il server locale."
},
@@ -1333,12 +1001,12 @@
"translation": "Impossibile creare l'emoji. Si è verificato un errore di codifica dell'immagine GIF."
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "Gli allegati sono stati disabilitati su questo server."
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "I collegamenti pubblici sono stati disabilitati dall'amministratore di sistema"
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "Gli allegati sono stati disabilitati su questo server."
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "Il file non ha un'immagine di anteprima"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "Impossibile ricavare informazioni sul file. Il file deve essere allegato ad una pubblicazione che l'utente attuale possa leggere."
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "Impossibile ottenere informazioni per questo file. Lo storage dei file non è configurato."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Impossibile caricare il file. Lo storage delle immagini non è configurato."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Impossibile caricare il file. Lo storage delle immagini non è configurato."
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "I collegamenti pubblici sono stati disabilitati"
},
@@ -1377,116 +1029,52 @@
"translation": "Impossibile trovare un collegamento pubblico per il file. Il file deve essere allegato ad una pubblicazione che l'utente attuale può leggere."
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "Impossibile decodificare l'immagine errore=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "Impossibile codificare l'immagine come jpeg path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "Impossibile codificare l'immagine come anteprima jpeg path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "Impossibile caricare l'anteprima path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "Impossibile caricare l'anteprima path=%v err=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "Inizializzazione delle API Routes per comandi file"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "Impossibile trovare un canale durante la migrazione della pubblicazione per usare FileInfos, post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "Impossibile trovare un file durante la migrazione della pubblicazione per usare FileInfos, post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "Impossibile ottenere FileInfos per la pubblicazione dopo la migrazione, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "Impossibile ottenere la pubblicazione durante la migrazione per usare FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "Impossible decodificare completamente le info sul file durante la migrazione per usare FileInfos, post_id=%v, filename=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "Migrazione della pubblicazione per usare FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "Nome di file non comune durante la migrazione della pubblicazione per usare FileInfos, post_id=%v, channel_id=%v, user_id=%v, filename=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "Impossibile migrare la pubblicazione per usare FileInfos: campo Filenames vuoto, post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "Pubblicazione già migrata per usare FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "Impossibile salvare la pubblicazione durante la migrazione per usare FileInfos, post_id=%v, file_id=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "Impossibile salvare info sul file durante la migrazione della pubblicazione per usare FileInfos, post_id=%v, file_id=%v, filename=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "Impossibile copiare il file in S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "Impossibile trovare il gruppo per FileInfos, post_id=%v, filenames=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "Impossibile eliminare file da S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "Impossibile trovare i gruppi durante la migrazione della pubblicazione per usare FileInfos, post_id=%v, err=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "Impossibile muovere il file localmente."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "Impossible decifrare il nome file durante la migrazione della pubblicazione per usare FileInfos, post_id=%v, filename=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "Nessun dispositivo selezionato."
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "Spazio di archiviazione non configurato correttamente. Configura S3 o server locale."
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "Si è verificato un errore leggendo dallo storage locale del server"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "Impossibile copiare il file in S3."
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "Si è verificato un errore leggendo dallo storage locale del server"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "Impossibile eliminare file da S3."
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "Si è verificato un errore elencando la cartella dal server locale."
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "Impossibile prendere il file da S3."
+ "id": "api.file.reader.s3.app_error",
+ "translation": "Si è verificato un errore leggendo dallo storage locale del server"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "Impossibile muovere il file localmente."
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Permessi insufficienti per scrivere nel percorso specificato, oppure si è verificato un errore nel controllo."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "File storage non configurato correttamente. Configurare S3 o file server locale."
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Impossibile creare il bucket."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "Impossibile recuperare file da S3"
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Errore durante il controllo dell'esistenza del bucket."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "Si è verificato un errore leggendo dallo storage locale del server"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "Connessione poco stabile verso S3 o minio."
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "Impossibile caricare il file. Il file è troppo grosso."
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "File storage non configurato correttamente. Configurare S3 o file server locale."
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "Si è incontrato un errore scrivendo su S3"
},
@@ -1525,34 +1109,6 @@
"translation": "Si è verificato un errore scrivendo sulllo storage locale del server"
},
{
- "id": "api.general.init.debug",
- "translation": "Inizializzazione delle API Routes generali"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "Errore nell'allegato alla pubblicazione. postId=%v, fileIds=%v, message=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "Errore nel salvataggio della pubblicazione. user=%v, message=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "Impossibile entrare in un gruppo durante l'importazione err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "Si è verificato un errore entrando nel canale di default user_id=%s, team_id=%s, err=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "Errore salvataggio utente. err=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "Impostazione dell email come verificata fallita err=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "I webhook in ingresso sono stati disabilitati dall'amministratore di sistema."
},
@@ -1561,10 +1117,6 @@
"translation": "Nome utente non valido."
},
{
- "id": "api.ldap.init.debug",
- "translation": "Inizializzazione delle LDAP API routes"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "Campo 'licenza' vuoto, richiesto"
},
@@ -1605,30 +1157,6 @@
"translation": "Il nuovo formato per la licenza client non è ancora supportato. Specificare format=old nella query."
},
{
- "id": "api.license.init.debug",
- "translation": "Inizializzazione delle API Routes per comandi licenza"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "Licenza non rimossa correttamente."
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "richiesta non valida: client_id incorretto"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "richiesta non valida: redirect_url mancante o non corretto"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "richiesta non valida: response_type non corretto"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "server_error: Errore nel accedere al database"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "invalid_request: La redirect_uri fornita non corrisponde alla callback_url registrata"
},
@@ -1641,14 +1169,6 @@
"translation": "L'amministratore di sistema ha disabilitato l'OAuth2."
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "Manca una o più info: response_type, client_id, redirect_uri"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "Permessi non validi per cancellare l'App OAuth2"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "richiesta non valida: client_id incorretto"
},
@@ -1705,22 +1225,10 @@
"translation": "invalid_grant: Refresh token non valido"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "Impossibile trovare il codice di autorizzazione per code=%s"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "Inizializzazione delle API Routes per OAUTH"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "Token di stato non valido"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "Permessi non validi per la rigenerazione del Secret dell'App OAuth2"
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "L'amministratore di sistema ha disabilitato il servizio per l'autenticazione OAuth 2.0."
},
@@ -1749,8 +1257,8 @@
"translation": "Il collegamento per l'iscrizione non sembra essere valido"
},
{
- "id": "api.opengraph.init.debug",
- "translation": "Inizializzazione api routes protocollo open graph"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "@{{.Username}} è stato citato, ma non riceverà notifiche in quanto non appartiene più a questo canale."
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "Si è verificato un errore durante l'invio del file, post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "File name errato, scartato, filename=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "Impossibile inviare ad un canale eliminato."
},
@@ -1789,10 +1289,6 @@
"translation": "ChannelId non valido per il parametro RootId"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "Errore durante l'aggiornamento dell'ultima pubblicazione visitata, channel_id=%s, user_id=%s, err=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "Parametro ParentId non valido"
},
@@ -1809,18 +1305,6 @@
"translation": "Errore nel creare la pubblicazione"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "Impossibile eliminare il contrassegno durante l'eliminazione della pubblicazione, err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "Non possiedi i permessi per proseguire con l'operazione"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "Si è verificato un errore durante la cancellazione dei file dalla pubblicazione, post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "@all è stato disabilitato perché il canale ha più di {{.Users}} utenti."
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "Incontrato un errore durante il caricamento dei file per un messaggio di notifica, post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}} immagine inviata: {{.Filenames}}{{.Count}} immagini inviate: {{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "Compilazione della regex di @mention fallita, user_id=%v, err=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "Non si dispone dei permessi necessari"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "Impossibile recuperare i membri del canale channel_id=%v err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "Errore nella creazione della pubblicazione, err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "Evento POST fallito, err=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "Inizializzazione delle API Routes delle pubblicazioni"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "Le anteprime dei collegamenti sono state disabilitate dall'amministratore di sistema."
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "Fallito il recupero di 2 utenti per un messaggio privato channel_id={{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "Impossibile recuperare i membri del canale channel_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "Impossibile salvare le preferenze del messaggio privato user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "Impossibile aggiornare le preferenze del messaggio privato user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "Impossibile caricare il profilo del membro del canale, user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " ha notificato il canale."
},
@@ -1919,26 +1355,6 @@
"translation": " ha commentato una conversazione a cui hai partecipato."
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "Il creatore della pubblicazione non è nel canale della pubblicazione, nessuna notifica inviata post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "Pulizia delle notifiche push a %v con channel_id %v"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "Impossibile caricare i file per la notifica della pubblicazione, post_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "Impossibile caricare i gruppi durante l'invio di un DM cross-team user_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "Nuova citazione"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": " ti ha citato."
},
@@ -1955,30 +1371,10 @@
"translation": "ti ha inviato un messaggio."
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "Impossibile inviare un push device_id={{.DeviceId}}, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}} inviato"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "Errore durante l'update del counter delle citazioni, post_id=%v channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "Non è stato possibile trovare la pubblicazione o il commento all'aggiornamento."
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "Non si dispone dei permessi necessari"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "La modifica delle pubblicazione è stata disabilitata. Chiedere all'amministratore maggiori informazioni."
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "Già cancellato id={{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "Impossibile recuperare la pubblicazione"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "Impossibile recuperare le preferenze dalla richiesta"
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "Impossibile cancellare preferenze per altro utente"
- },
- {
- "id": "api.preference.init.debug",
- "translation": "Inizializzazione API Routes per le preferenze"
- },
- {
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "Impossibile recuperare le preferenze dalla richiesta"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "Impossibile settare preferenze per altri utenti"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "Impossibile cancellare la reazione, l'ID del canale non corrisponde all'ID della pubblicazione nell'URL"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "Inizializzazione api routes delle reazioni"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "Impossibile caricare le reazioni, l'ID del canale non corrisponde all'ID della pubblicazione nell'URL"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "Reazione non valida."
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "Impossibile salvare la reazione, l'ID del canale non corrisponde all'ID della pubblicazione nell'URL"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "Non puoi salvare le reazioni di un altro utente."
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "Impossibile caricare la pubblicazione: errore durante l'invio dell'evento websocket per la reazione"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "La tua licenza attuale non supporta i permessi avanzati."
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "Il certificato non è stato salvato correttamente."
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "Impossibile elencare i gruppo per lo schema poiché lo schema fornito non è uno scheda di gruppo."
},
{
- "id": "api.server.new_server.init.info",
- "translation": "Inizializzazione del server..."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "Impossibile inoltrare la porta 80 alla porta 443 mentre si è in ascolto sulla porta %s: disabilitare l'inoltro da 80 a 443 se si utilizza un server proxy"
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "Server in ascolto su %v"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "RateLimiter abilitato"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "RateLimitSettings non configurato correttamente usando VaryByHeader e disabilitando VaryByRemoteAddr"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "Impossibile inizializzare il deposito di memoria per il rate limiting. Controllare l'impostazione MemoryStoreSize."
},
@@ -2095,22 +1455,6 @@
"translation": "Errore nel avvio del server, err:%v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "Avvio del Server..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "Errore nell avvio del server "
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "Server fermato"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "Arresto Server..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "L'Integrazione/Slack-Bot-User con email {{.Email}} e password {{.Password}} è stata importata.\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "Impossibile importare il canale Slack {{.DisplayName}}.\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Slack Import: Impossibile importare il canale Slack: %s."
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "Il canale Slack {{.DisplayName}} è già esistente come canale Mattermost. Entrambi i canali sono stati uniti.\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Slack Import: Si è verificato un errore durante l'associazione dei file ad un messaggio, post_id=%s, file_ids=%v, err=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Slack Import: I messaggi dei Slack-Bot non possono essere importati."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Slack Import: Impossibile importare i messaggi del Bot in quanto l'utente Bot non esiste."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Slack Import: Impossibile importare il messaggio, nessun commento trovato."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Slack Import: Impossibile importare il messaggio, campo utente mancante."
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Slack Import: Impossibile importare il messaggio del Bot, campo BotId mancante."
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Slack Import: Impossibile importare il messaggio, tipo non supportato: post_type=%v, post_subtype=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Slack Import: impossibile importare il file {{.FIleId}}, file mancante dall'archivio di esportazione Slack."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Importazione Slack: Impossibile allegare il file alla pubblicazione poiché non è presente la sezione \"file\" nell'esportazione di Slack."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Slack Import: Impossibile aprire il file {{.FileId}} dall'archivio di esportazione Slack: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Slack Import: Un errore si è verificato durante l'upload del file {{.FileId}}: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Slack Import: Impossibile aggiungere il messaggio come utente Slack %v: l'utente non esiste in Mattermost."
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Slack Import: Impossibile importare il messaggio, il campo utente è mancante."
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\nUtente creato:\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "L'utente {{.Username}} non ha un indirizzo email impostato nell'esportazione Slack. L'eMail {{.Email}} verrà usata come segnaposto. L'utente dovrebbe aggiornare il proprio indirizzo email una volta eseguito l'accesso al sistema.\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "L'utente {{.Username}} non ha un indirizzo email impostato nell'esportazione Slack. L'eMail {{.Email}} verrà usata come segnaposto. L'utente dovrebbe aggiornare il proprio indirizzo email una volta eseguito l'accesso al sistema."
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "Impossibile importare l'utente: {{.Username}}.\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Importazione Slack: Impossibile compilare il !channel, corrispondenza per l'espressione regolare del canale Slack {{.ChannelName}} (id={{.ChannelID}})."
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Slack Import: Errore nel timestamp."
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Importazione Slack: Impossibile compilare la @mention, corrispondenza dell'espressione regolare per l'utente Slack {{.Username}} (id={{.UserID}})."
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Importazione Slack: Impossibile disattivare l'account utente usato per il bot."
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Log di importazione da Slack\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "Impossibile aprire l'archivio ZIP di esportazione Slack.\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Slack Import: Errore durante l'analisi di alcuni canali Slack. L'importazione potrebbe continuare senza problemi."
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Slack Import: Errore durante l'analisi di alcune pubblicazioni Slack. L'importazione potrebbe continuare senza problemi."
- },
- {
- "id": "api.status.init.debug",
- "translation": "Inizializzazione API Routes per lo stato"
- },
- {
- "id": "api.status.init.debug",
- "translation": "Inizializzazione API Routes per lo stato"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "Impossibile aggiornare LastActivityAt per user_id=%v e session_id=%v, err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "Impossibile salvare lo stato per user_id=%v, err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "Utente non trovato"
},
{
- "id": "api.system.go_routines",
- "translation": "Il numero di goroutines è oltre la soglia ottimale %v di %v"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v aggiunto al gruppo da parte di %v."
},
@@ -2307,32 +1547,16 @@
"translation": "Parametro necessario per aggiungere l'utente al gruppo."
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "L'iscrizione al gruppo con email è disabilitata."
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "L'accesso con email è disabilitato."
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "Il collegamento per l'iscrizione è scaduto"
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "L'URL non è disponibile. Provane un altro."
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "Errore durante l' invio di un email in emailTeams err=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "L'invito non è valido a causa del fatto che il gruppo non è aperto."
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "Solo un amministratore del gruppo può importare dati."
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "Richiesta mal formata: campo filesize non presente."
},
{
- "id": "api.team.init.debug",
- "translation": "Inizializzazione API Routes del gruppo"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "amministratore"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "Questa persona è già nel tuo gruppo"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "I seguenti indirizzi email non appartengono ad un dominio accettato: {{.Addresses}}. Contattare l'amministratore di sistema per maggiori dettagli."
},
@@ -2387,22 +1599,6 @@
"translation": "Nessuno da invitare."
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "L'invito di nuovi utenti nel gruppo è limitato all'Amministratore di Sistema."
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "L'invito di nuovi utenti nel gruppo è limitato all'Amministratore di Sistema e del gruppo."
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "Invio email di invito fallito err=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "invio invito a %v %v"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "La creazione di gruppo è stata disabilitata. Chiedi al tuo amministratore per maggiori informazioni."
},
@@ -2427,14 +1623,6 @@
"translation": "Questo canale è stato spostato in questo gruppo da %v."
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "Tentativo di eliminazione permanente del gruppo %v id=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "Gruppo eliminato permanentemente %v id=%v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "Si è verificato un errore recuperando il gruppo"
},
@@ -2491,10 +1679,6 @@
"translation": "Impossibile salvare l'icona del gruppo"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "L'iscrizione al gruppo con email è disabilitata."
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "Si è verificato un errore aggiornando l'icona del gruppo"
},
@@ -2503,10 +1687,6 @@
"translation": "L'utente indicato non è membro del gruppo specificato."
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "Non si dispone dei permessi necessari"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "La licenza non supporta l'aggiornamento dello schema del gruppo"
},
@@ -2515,10 +1695,6 @@
"translation": "Impossibile attribuire lo schema al gruppo poiché lo schema fornito non è uno schema di gruppo."
},
{
- "id": "api.templates.channel_name.group",
- "translation": "Messaggio di gruppo"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "Hai disattivato il tuo account in {{ .SiteURL }}.<br>Se questa operazione non è stata fatta da te o desideri riattivare il tuo account, contatta l'amministratore di sistema."
},
@@ -2571,22 +1747,6 @@
"translation": "Spedito da "
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "La tua richiesta di ricerca di gruppo associati alla tua email ha dato il seguente risultato:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "Non è stato trovato nessun gruppo per la email fornita."
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "Ricerca gruppi"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "I gruppi di {{ .SiteName }}"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "Entra nel gruppo"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] Il tuo metodo di autenticazione è stato aggiornato"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "Imposta il tuo gruppo"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }} è il posto per tutte le comunicazioni del tuo gruppo, ricercabili e diponibili ovunque.<br>Potrai avere il meglio da {{ .SiteName }} quando il gruppo sarà in costante comunicazione--Inizia subito."
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "Grazie per aver creato un gruppo!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "{{ .SiteName }} Impostazione del gruppo"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>I TUOI ACCOUNT DUPLICATI SONO STATI AGGIORNATI</h3>Il server Mattermost è stato aggiornato alla versione 3.0 che permette di usare un singolo account per più gruppi.<br/><br/>Stai ricevendo questa mail perché il processo di upgrade ha rilevato che più account usano il tuo stesso indirizzo email in questo server.<br/><br/>I seguenti aggiornamenti sono stati eseguiti: <br/><br/>{{if .EmailChanged}}- L'account duplicato per l'account su `/{{.TeamName}}` è stato cambiato in `{{.Email}}`. In caso di login con email e password, usa il nuovo indirizzo email.<br/><br/>{{end}}{{if .UsernameChanged }}- L'account duplicato per il gruppo `/{{.TeamName}}` è stato cambiato in `{{.Username}}` per evitare confusione con gli altri account.<br/><br/>{{end}} AZIONI CONSIGLIATE: <br/><br/>E' consigliato effettuare il login nei tuoi gruppi usati da questo account duplicato e aggiungere il tuo account primario al gruppo e ad ogni canale pubblico e privato di cui vuoi continuare l'utilizzo. <br/><br/>Questo darà al tuo account primario accesso alla storia di ogni canale pubblico e privato. L'accesso alla storia dei messaggi diretti è accessibile usando le credenziali dell'account. <br/><br/>PER MAGGIORI INFORMAZIONI: <br/><br/>Per maggiori informazioni sull'upgrade di Mattermost 3.0 visita <a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] Cambiamenti al tuo account per l'upgrade a Mattermost 3.0"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "Un token di accesso è stato aggiunto al tuo account su {{ .SiteURL }}. Può essere utilizzato per accedere a {{.SiteName}} con il tuo account.<br>Se questa operazione non l'hai fatta tu, contatta l'amministratore di sistema."
},
@@ -2787,10 +1923,6 @@
"translation": "Stato invalido"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "Stato invalido; nome del gruppo mancante"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "Token di accesso mancante"
},
@@ -2839,10 +1971,6 @@
"translation": "E' già presente un account associato a questo indirizzo email per l'accesso con un altro servizio diverso da {{.Service}}. Effettua login via {{.Auth}}."
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "Questo account {{.Service}} è gia stato usato per iscriversi"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "Impossibile creare l'utente dall'oggetto {{.Service}}"
},
@@ -2871,10 +1999,6 @@
"translation": "Creazione degli utenti disabilitata."
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "Si è verificato un errore entrando nel canale di default user_id=%s, team_id=%s, err=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "Id invito mancante."
},
@@ -2887,10 +2011,6 @@
"translation": "Questo server non supporta la registrazione pubblica. Contatta un amministratore per ricevere un invito."
},
{
- "id": "api.user.create_user.save.error",
- "translation": "Impossibile salvare l'utente err=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "L'iscrizione al gruppo con email è disabilitata."
},
@@ -2903,22 +2023,14 @@
"translation": "Il collegamento per l'iscrizione non sembra essere valido"
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "Nome gruppo non valido"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "Errore durante il salvataggio delle preferenze del tutorial, err=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "Impostazione dell email come verificata fallita err=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "AD/LDAP non è disponibile su questo server"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "MFA non è configurato o supportato su questo server"
},
@@ -2927,18 +2039,10 @@
"translation": "OAuth Service Provider non supportato"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "Errore nel caricamento del profilo utente id=%v uscita forzata"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "Impossibile trovare l'immagine del profilo utente, utente non trovato."
},
{
- "id": "api.user.init.debug",
- "translation": "Inizializzazione API Routes per l'utente"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "AD/LDAP non è disponibile su questo server"
},
@@ -2951,6 +2055,14 @@
"translation": "Il campo password non può essere bianco"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Tentativo di eseguire il login utilizzando la funzione sperimentale ClientSideCert senza fornire un valido certificato"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Tentativo di utilizzare la funzione sperimentale ClientSideCertEnable senza una licenza enterprise valida"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "Login fallito perchè il tuo account è stato disattivato. Per favore contatta il tuo amministratore."
},
@@ -2959,18 +2071,10 @@
"translation": "User ID o password non corretta."
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "Fornire l'ID utente oppure il nome del gruppo e l'email dell'utente"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "Login fallito: l'indirizzo email non è stato verificato"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "Revoka della sessionId=%v per l'utente userId=%v, effettua login con lo stesso deviceId"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "Per favore accedi usando {{.AuthService}}"
},
@@ -2983,18 +2087,6 @@
"translation": "Impossibile leggere i dati di autenticazione dall'oggetto {{.Service}}"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "Il campo password non può essere vuoto"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "AD/LDAP non è abilitato su questo server"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "ID necessario"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "AD/LDAP non è disponibile su questo server"
},
@@ -3003,16 +2095,12 @@
"translation": "Aggiornamento password fallito perchè contesto user_id non coincide con user id"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "Tentativo di eliminazione permanente del gruppo %v id=%v"
- },
- {
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "Account %v id=%v eliminato"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "Hai eliminato %v che è un amministratore di sistema. Devi settare un altro account di amministratore di sistema usando la riga di comando."
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "Non è possibile cambiare la password per account SSO (Single Sign-On)"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "Provando a resettare la password per l'utente su un gruppo sbagliato."
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "SAML 2.0 non configurato o non supportato su questo server."
},
@@ -3055,12 +2139,12 @@
"translation": "Invio email di verifica per il cambio email fallita"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "Invio email per la verifica dell'update della password fallito"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "Impossibile trovare un account con questo indirizzo."
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "Invio email per la verifica dell'update della password fallito"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "Invio email di benvenuto fallito"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "Non è possibile modificare lo stato di attivazione degli account SSO. Vanno modificati sul server SSO."
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "Non puoi disattivare il tuo account perché questa operazione non è abilitata. Contatta l'Amministratore di Sistema."
},
@@ -3131,26 +2211,6 @@
"translation": "Aggiornamento password fallito perchè è impossibile trovare un account valido"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "Deve esserci almeno un admin attivo"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "Non possiedi i permessi per proseguire con l'operazione"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "E richiesto il ruolo di amministratore di sistema per questa azione"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "Il ruolo di amministratore può essere impostato solo da un altro amministratore di sistema"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "E richiesto il grado di amministratore di ruppo per questa azione"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "Lista vuota per il campo 'image' nella richiesta"
},
@@ -3195,40 +2255,28 @@
"translation": "Il collegamento per verificare l'email è errato."
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "Avvio di %v hub websocket"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "chiusura delle connessioni hub websocket"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "errore connessione websocket: %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "Fallito l'aggiornamento della connessione websocket"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "Inizializzazione API Routes dei websocket"
- },
- {
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [dettagli: %v]"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "errore di routing websocket: seq=%v uid=%v %v [dettagli: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "team hub fermato per teamId=%v"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "I webhooks in uscita sono stati disabilitati dall'amministratore di sistema."
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "Almeno una tra trigger_words o channel_id deve essere configurata"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "I webook in ingresso sono stati disabilitati dall'amministratore di sistema."
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "Permessi inappropriati per eliminare il webhook in ingresso"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "Outgoing webhooks sono stati disabilitati dall'amministratore di sistema."
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "Permessi inappropriati per eliminare il webhook in uscita"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "Webhook in ingresso ricevuto. Contenuto="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "Impossibile leggere il contenuto del webhook in ingresso."
- },
- {
"id": "api.webhook.incoming.error",
"translation": "Impossibile decodificare la richiesta multipart del webhook in ingresso."
},
{
- "id": "api.webhook.init.debug",
- "translation": "Inizializzazione API Routes dei webhook"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "Permessi inappropriati per rigenerare il token del webhook in uscita"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "Impossibile aggiornare webook tra gruppi"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "I webhook in ingresso sono stati disabilitati dall'amministratore di sistema."
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "Permessi inappropriati per aggiornare il webhook in ingresso"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "I webhook in uscita sono stati disabilitati dall'amministratore di sistema."
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "I webhooks dallo stesso canale non possono avere gli stessi URL innesco/callback."
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "I webhook in uscita possono essere aggiornati solo per canali pubblici."
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "Permessi inappropriati per aggiornare un webhook in uscita."
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "Almeno una tra trigger_words o channel_id deve essere configurata"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "WebRTC non è abilitato su questo server."
},
{
- "id": "api.webrtc.init.debug",
- "translation": "Inizializzazione API Routes di WebRTC"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "Incontrato un errore durante la registrazione del token WebRTC"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "Sessione invalida err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "Parametro {{.Name}} non valido"
},
@@ -3367,6 +2351,10 @@
"translation": "%s ha aggiornato il titolo del canale a: %s"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "Errore di lettura del file dati di importazione."
},
@@ -3375,6 +2363,18 @@
"translation": "Decodifica JSON della riga fallita."
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Cannot set a channel to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Channel must be assigned to a Channel-scoped scheme."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "Errore di importazione del canale. Il gruppo di nome \"{{.TeamName}}\" non è stato trovato."
},
@@ -3431,6 +2431,10 @@
"translation": "La riga di dati da importare è di tipo \"post\" ma l'oggetto post è nullo."
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "La riga di dati da importare è di tipo \"channel\" ma l'oggetto channel è nullo."
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "La riga di dati da importare è di tipo \"team\" ma l'oggetto gruppo è nullo."
},
@@ -3459,12 +2463,28 @@
"translation": "Errore di importazione della pubblicazione. L'utente chiamato \"{{.TeamName}}\" non è stato trovato."
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "The bulk importer cannot change the scope of an already-existing scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Cannot set a team to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Team must be assigned to a Team-scoped scheme."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "Errore durante l'importazione dei membri del canale. Impossibile salvare le preferenze."
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "Il campo create_at del canale, se presente, non deve essere zero."
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "Lo scopo del canale è troppo lungo."
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for channel."
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "Manca una proprietà richiesta del canale: gruppo"
},
@@ -3639,12 +2663,44 @@
"translation": "Proprietà della risposta mancante: User."
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "Il campo allowed_domains del gruppo è troppo lungo."
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "Descrizione invalida"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "Nome visualizzato invalido"
+ },
+ {
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "Invalid permission on role."
+ },
+ {
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "Nome utente non valido."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "Descrizione invalida"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "Nome visualizzato invalido"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "Nome utente non valido."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "Scheme scope is required."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "Unknown scheme scope."
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "Il campo create_at del gruppo, se presente, non deve essere zero."
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "The wrong roles were provided for a scheme with this scope."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "Il nome del gruppo contiene parole riservate."
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for team."
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "Il tipo di gruppo non è valido."
},
@@ -3739,8 +2799,8 @@
"translation": "Proprietà scatena notifiche canale non valida per l'utente."
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "Proprietà scatena notifiche commento non valida per l'utente."
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "Proprietà stato notifiche push non valida per l'utente."
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "La Password ha una lunghezza non valida."
},
@@ -3875,10 +2939,6 @@
"translation": "Impossibile disattivare il plugin"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "Impossibile eliminare lo stato del plugin."
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "I plugin sono disattivati. Controllare i log per ulteriori informazioni."
},
@@ -3891,8 +2951,8 @@
"translation": "Rilevato errore sul filesystem"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "Impossibile trovare i plugin attivi"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "Questo gruppo ha raggiunto il limite massimo di utenti ammessi. Contatta il tuo amministratore di sistema per innalzare il limite."
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "Errore durante la deserializzazione del file di configurazione della Timezone file={{.Filename}}, err={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "Il file di configurazione della Timezone non esiste file={{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "Errore durante la lettura del file di configurazione della Timezone file={{.Filename}}, err={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "Token mancante o non valido"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "Capacità di creare nuovi canali messaggio di gruppo"
},
@@ -3979,6 +3063,22 @@
"translation": "Crea Messaggio di Gruppo"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "Capacità di pubblicare in canali pubblici"
},
@@ -3987,12 +3087,28 @@
"translation": "Pubblicare in Canali Pubblici"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "Possibilità di creare nuovi gruppi"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "Creare gruppi"
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "Crea un Token di Accesso personale"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "Possibilità di gestire i lavori"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "Gestione lavori"
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "Gestire ruoli del gruppo"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "Capacità di leggere canali pubblici"
},
@@ -4035,6 +3383,30 @@
"translation": "Genera un Token di Accesso personale"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "Possibilità di revocare i Token di accesso personale"
},
@@ -4059,6 +3431,62 @@
"translation": "Usare comandi slash"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "Un ruolo con il permesso di pubblicare in qualsiasi canale pubblico, privato o diretto del sistema"
},
@@ -4083,6 +3511,14 @@
"translation": "Token di Accesso personale"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "Un ruolo con il permesso di pubblicare in qualsiasi canale pubblico o privato del gruppo"
},
@@ -4099,96 +3535,108 @@
"translation": "Pubblicazione in Canali Pubblici"
},
{
- "id": "cli.license.critical",
- "translation": "Questa opzione richiede una licenza Enterprise Edition valida. Per favore contatta il tuo Amministratore di Sistema."
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "Impossibile decodificare immagine."
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "Impossibile decodificare configurazione immagine."
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "Impossibile codificare immagine come PNG."
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "Impossibile aprire l'immagine."
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "Impossibile salvare l'immagine"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "Impossibile aprire l'immagine. Immagine troppo larga."
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "La configurazione cluster è cambiata per l'id={{.id}}. Il cluster può diventare instabile ed è richiesto un riavvio. Per assicurarsi che il cluster sia configurato correttamente eseguire un riavvio immediatamente."
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "Invio cluster fallito a `%v` detail=%v, extra=%v, retry number=%v"
+ "id": "cli.license.critical",
+ "translation": "Questa opzione richiede una licenza Enterprise Edition valida. Per favore contatta il tuo Amministratore di Sistema."
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "Invio cluster fallimmento finale a `%v` detail=%v, extra=%v, retry number=%v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "Rilevata potenziale versione non compatibile di clustering con %v"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "Rilevata potenziale configurazione non compatibile di clustering con %v"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "La configurazione cluster è cambiata per l'id={{.id}}. Il cluster può diventare instabile ed è richiesto un riavvio. Per assicurarsi che il cluster sia configurato correttamente eseguire un riavvio immediatamente."
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "La funzionalità cluster non è abilitata per la licenza attuale. Contattare l'amministratore di sistema chiedendo di aggiornare la licenza enterprise."
+ "id": "ent.cluster.save_config.error",
+ "translation": "La console di Sistema è configurata in sola lettura quando l'Alta Disponibilità è attiva a meno che il parametro ReadOnlyConfig non sia disattivato nel file di configurazione."
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "Ping cluster fallito con hostname=%v su=%v con id=%v"
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "Unknown output format {{.ExportType}}"
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "Ping cluster riuscito con hostname=%v su=%v con id=%v self=%v"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Unable to copy the attachment into the zip file."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "La console di Sistema è configurata in sola lettura quando l'Alta Disponibilità è attiva a meno che il parametro ReadOnlyConfig non sia disattivato nel file di configurazione."
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Unable to add attachment to the CSV export."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "Comunicazione cluster internodo è in ascolto su %v con hostname=%v id=%v"
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Unable to create temporary CSV export file."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "Comunicazione cluster internodo in arresto su %v con hostname=%v id=%v"
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Unable to add header to the CSV export."
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "Funzionalità non conforme alla licenza disponibile. Per favore contatta il tuo amministratore di sistema informandolo di aggiornare la licenza enterprise."
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Unable to add metadata file to the zip file."
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "Esportazione di conformità fallita per l'attività '{{.JobName}}' in '{{.FilePath}}'"
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "Esportazione di conformità ultimata per attività '{{.JobName}}' esportati {{.Count}} record in '{{.FilePath}}'"
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "Funzionalità non conforme alla licenza disponibile. Per favore contatta il tuo amministratore di sistema informandolo di aggiornare la licenza enterprise."
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "Allerta esportazione di conformità per l'attività '{{.JobName}} troppe righe ritornate limitato a 30,000 in '{{.FilePath}}'"
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "Esportazione di conformita fallita per l'attività '{{.JobName}}' in '{{.FilePath}}'"
+ "id": "ent.compliance.run_failed.error",
+ "translation": "Esportazione di conformità fallita per l'attività '{{.JobName}}' in '{{.FilePath}}'"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "Impossibile creare un indice Elasticsearch"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "Impossibile stabilire se esiste un indice Elasticsearch"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "Impossibile impostare la mappe degli indici di Elasticsearch"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "Impossibile cancellare l'indice ElasticSearch"
},
@@ -4272,7 +3712,7 @@
},
{
"id": "ent.elasticsearch.search_posts.parse_matches_failed",
- "translation": "Failed to parse search result matches"
+ "translation": "Errore di conversione dei risultati della ricerca"
},
{
"id": "ent.elasticsearch.search_posts.search_failed",
@@ -4287,18 +3727,6 @@
"translation": "Impossibile creare il processore massivo Elasticsearch"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "Impossibile creare il processore massivo Elasticsearch"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "Impossibile salvare le impostazioni dell'index Elasticsearch"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "Impossibile avviare il processore massivo Elasticsearch"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "Impossibile avviare il processore massivo Elasticsearch"
},
@@ -4319,10 +3747,6 @@
"translation": "L'URL o il nome utente del server Elasticsearch è cambiato. Reinserire la password di Elasticsearch per provare la connessione."
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "Le limitazioni sugli emoji personalizzati non sono abilitate per la licenza attuale. Contattare l'amministratore di sistema chiedendo di aggiornare la licenza enterprise."
- },
- {
"id": "ent.ldap.create_fail",
"translation": "Impossibile creare l'utente LDAP."
},
@@ -4355,10 +3779,6 @@
"translation": "Impossibile connettersi al server AD/LDAP"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "Credenziali valide ma impossibile creare utente."
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "L'account AD/LDAP fornito non ha i permessi per utilizzare questo server Mattermos. Chiedere all'amministratore di sistema di controllare il filtro utente AD/LDAP."
},
@@ -4367,40 +3787,16 @@
"translation": "Utente non registrato sul server AD/LDAP"
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "L'utente Mattermost è stato aggiornato dal server AD/LDAP."
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "Il lavoro di sincronizzazione LDAP è fallito"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "Impossibile creare il lavoro di sincronizzazione LDAP"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "Sincronizzazione AD/LDAP completata"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "Impossibile recuperare tutti gli utenti usando AD/LDAP"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "Filtro AD/LDAP non valido"
- },
- {
- "id": "ent.message_export.generic.license.error",
- "translation": "La licenza non supporta la funzione Esporta Messaggi."
- },
- {
- "id": "ent.metrics.starting.info",
- "translation": "Il server di metrica e profilazione ascolta su %v"
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.metrics.stopping.info",
- "translation": "Il server di metrica e profilazione è in arresto su %v"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "Filtro AD/LDAP non valido"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "Si è verificato un errore di codifica della richiesta all'Identity Provider. Contattare l'amministratore di sistema."
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "Si è verificato un errore di codifica della richiesta firmata all'Identity Provider. Contattare l'amministratore di sistema."
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "Si è verificato un errore di configurazione del fornitore del servizio SAML, err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "Il login SAML non ha avuto successo perché non è stata trovata la chiave privata del fornitore del servizio. Contattare l'amministratore di sistema."
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "Il file del Certificato pubblico del Service Provider non è stato trovato. Contattare l'amministratore di sistema."
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "Il login SAML non ha avuto successo perché la risposta dell'Identity Provider non è crittografata. Contattare l'amministratore di sistema."
},
@@ -4527,8 +3915,12 @@
"translation": "SAML 2.0 non configurato o non supportato su questo server."
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "Impossibile aggiornare l'utente SAML esistente. Si permette ugualmente l'accesso. err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "Impossibile impostare lo stato del lavoro in errore"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "Impossibile trovare il canale: %v, %v possibilità tentate"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "Impossibile recuperare i canali"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "Creazione utente e gruppo"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "Impossibile analizzare l'URL"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "Settagio per test manuale..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "Nessun uid nell'URL"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "Prova manualmente auto link"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "Impossibile recuperare canali"
},
@@ -4575,50 +3947,6 @@
"translation": "Bollettino di Sicurezza di Mattermost"
},
{
- "id": "mattermost.config_file",
- "translation": "Caricato file di configurazione da %v"
- },
- {
- "id": "mattermost.current_version",
- "translation": "La versione corrente è %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "Abilitazione Enterprise: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "Per sbloccare le funzioni enterprise è necessario un codice licenza ricevuto da https://mattermost.com."
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "Recupero delle informazioni del bollettino di sicurezza fallita"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "Lettura dei dettagli del bollettino di sicurezza fallita"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "Controllo per aggiornamenti di sicurezza di Mattermost"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "Impossibile recuperare informazione sugli aggiornamenti di sicurezza da Mattermost."
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "Invio bollettino di sicurezza per %v a %v"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "Impossibile recuperare informazione sugli aggiornamenti di sicurezza da Mattermost."
- },
- {
- "id": "mattermost.working_dir",
- "translation": "La cartella di lavoro corrente è %v"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "Migrazione fallita a causa di dati di progresso non validi."
},
@@ -4707,10 +4035,6 @@
"translation": "ID non valido"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "Nome non valido"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "Scopo non valido"
},
@@ -4731,10 +4055,6 @@
"translation": "Valore email della notifica non valido"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "Valore silenzioso non valido"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "Livello di notifica non valido"
},
@@ -4743,10 +4063,6 @@
"translation": "Livello di notifica push non valido"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "Ruolo non valido"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "Livello di marcamento non letti invalido"
},
@@ -4755,30 +4071,6 @@
"translation": "Id utente non valido"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "Id canale non valido"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "Ora di ingresso non valida"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "Ora di uscita non valida"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "Email utente non valida"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "Id utente non valido"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "Impossibile analizzare i dati in ingresso"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "E' stato riscontrato un errore durante la connessione al server"
},
@@ -4803,8 +4095,8 @@
"translation": "Parametro gruppo mancante"
},
{
- "id": "model.client.login.app_error",
- "translation": "I token di autenticazione non corrispondono"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "Impossibile scrivere la richiesta"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "Errore nello scrivere l'id canale nel form multipart"
},
@@ -4847,10 +4147,30 @@
"translation": "Impossibile costruire la richiesta multipart"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "CreateAt deve essere impostato"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Hostname deve essere impostato"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "ID non valido"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "LastPingAt deve essere impostato"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "ClusterName deve essere impostato"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Type deve essere impostato"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "Creato alle deve essere un tempo valido"
},
@@ -4951,6 +4271,10 @@
"translation": "A deve essere più grand di Da"
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Consenti i cookie per le richieste ai sottodomini richiede l'impostazione di SiteURL"
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "Opzioni proxy immagine atmos/camo non valide nelle impostazione del servizio. Dev'essere una chiave condivisa."
},
@@ -4995,10 +4319,6 @@
"translation": "La coda di indicizzazione in tempo reale di Elasticsearch deve contenere almeno 1 elemento"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "La Password di Elastic Search deve essere fornita quando l'indicizzazione Elastic Search è abilitata."
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "L'impostazione PostsAggregatorJobStartTime di Elasticsearch deve essere un'ora in formato \"hh:mm\""
},
@@ -5007,10 +4327,6 @@
"translation": "Il timeout per le richieste di Elasticsearch deve essere almeno di 1 secondo."
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "Il nome utente Elastic Search deve essere fornito quando l'indicizzazione Elastic Search è abilitata."
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "Dimensione buffer spedizione programmata email. Deve essere zero o un numero positivo."
},
@@ -5023,10 +4339,6 @@
"translation": "Content type delle notifiche email non valido. Deve essere 'completo' oppure 'generico'."
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "Password reset salt non valido per le impostazioni email. Deve essere maggiore o uguale a 32 caratteri."
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "Salt invito non valido per le impostazioni email. Deve essere maggiore o uguale a 32 caratteri."
},
@@ -5043,34 +4355,10 @@
"translation": "Nome driver non valido per le impostazioni file. Deve essere 'local' o 'amazons3'"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "Altezza anteprima non valido per le impostazioni file. Deve essere zero o un numero positivo."
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "Larghezza anteprima non valida per le impostazioni file. Deve essere un numero positivo."
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "Altezza profilo non valida. Deve essere un numero positivo."
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "Larghezza profilo non valida. Deve essere un numero positivo."
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "Salt per il collegamento pubblico non valido per le impostazioni file. Deve essere maggiore o uguale a 32 caratteri."
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "Altezza anteprima non valida per le impostazioni file. Deve essere un numero positivo."
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "Larghezza antemprima non valida per le impostazioni file. Deve essere un numero positivo."
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "Canali non letti del gruppo non validi per le impostazioni del servizio. Dev'essere 'disabled', 'default_on' oppure 'default_off'."
},
@@ -5083,30 +4371,14 @@
"translation": "Il campo AD/LDAP \"BaseDN\" è richiesto."
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "Il campo AD/LDAP \"Bind Password\" è richiesto."
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "Il campo AD/LDAP \"Bind Username\" è richiesto."
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "Il campo AD/LDAP \"Email Attribute\" è richiesto."
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "Il campo AD/LDAP \"First Name Attribute\" è richiesto."
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "Il campo AD/LDAP \"ID Attribute\" è richiesto."
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "Il campo AD/LDAP \"Last Name Attribute\" è richiesto."
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "Il campo AD/LDAP \"Login ID Attribute\" è richiesto."
},
@@ -5115,14 +4387,6 @@
"translation": "Valore non valido: dimensione massima pagina."
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Manca un campo AD/LDAP richiesto."
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Manca un campo AD/LDAP richiesto."
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "Impostazione di sicurezza connessione AD/LDAP non valida. Deve essere '','TLS', or 'STARTTLS'"
},
@@ -5191,18 +4455,6 @@
"translation": "ExportFormat del lavoro di esportazione messaggi deve essere 'actianve' oppure 'globalrelay'"
},
{
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "ExportFormat del lavoro di esportazione messaggi deve essere 'actianve' oppure 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "Lavoro esportazione messaggi il valore FileLocation deve essere una cartella accessibile in scrittura in cui verranno salvati i dati esportati"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "Lavoro esportazione messaggi il valore FileLocation deve essere una sottocartella di FileSettings.Directory"
- },
- {
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
"translation": "La variabile ExportFormat del lavoro di esportazione messaggi è impostata su 'globalrelay', ma l'impostazione GlobalRelaySettings manca"
},
@@ -5223,18 +4475,10 @@
"translation": "mpostazione GlobalRelaySettings del lavoro di esportazione messaggio. SmtpUsername dev'essere impostato"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "GlobalRelayEmailAddress del lavoro di esportazione messaggi deve essere un indirizzo email valido"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "Lunghezza minima password deve essere un numero intero maggiore o uguale a {{.MinLength}} e minore o uguale a {{.MaxLength}}."
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "Lunghezza massima password deve essere maggiore o uguale alla lunghezza minima password."
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "Dimensione allocazione memoria non valida per le impostazioni di limitazione della velocità. Deve essere un numero positivo"
},
@@ -5367,10 +4611,6 @@
"translation": "Creato alle deve essere un periodo di tempo valido"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "Id creatore non valido"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "Id emoji non valido"
},
@@ -5383,10 +4623,38 @@
"translation": "Aggiornato alle deve essere un orario valido"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "Impossibile decodificare la gif."
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "Id canale non valido"
},
@@ -5411,6 +4679,10 @@
"translation": "ID non valido"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "Impossibile analizzare i dati in ingresso"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "ID gruppo non valido"
},
@@ -5443,6 +4715,14 @@
"translation": "Tipo lavoro non valido"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "App id non valido"
},
@@ -5491,6 +4771,10 @@
"translation": "Id canale non valido"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "Creato alle deve essere un tempo valido"
},
@@ -5543,14 +4827,6 @@
"translation": "Chiave non valida, deve essere più lunga di {{.Min}} e al massimo {{.Mac}} caratteri."
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "Chiave non valida, deve essere più lunga di {{.Min}} e al massimo {{.Mac}} caratteri."
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "ID plugin non valido, deve essere più lungo di {{.Min}} e al massimo{{.Max}} caratteri."
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "ID plugin non valido, deve essere più lungo di {{.Min}} e al massimo{{.Max}} caratteri."
},
@@ -5699,10 +4975,6 @@
"translation": "Identificativo URL non valido"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "Ruolo non valido"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "ID gruppo non valido"
},
@@ -5719,130 +4991,18 @@
"translation": "Token non valido."
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "Dati di autorizzazione invalidi"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "Utente non valido, password e dati autenticazione non possono essere entrambi impostati"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "Utente non valido, i dati autenticazione devono essere impostati con un tipo autenticazione"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "Creato alle deve essere un tempo valido"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "Email invalida"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "Nome non valido"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "Id utente non valido"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "Cognome non valido"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "Soprannome invalido"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "Impossibile impostare una password con più di 72 caratteri a causa delle limitazioni di bcrypt."
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "Posizione non valida: non deve essere maggiore di 128 caratteri."
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "La tua password deve contenere almeno {{.Min}} caratteri."
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno una lettera minuscola."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno una lettera minuscola ed un numero."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno un carattere minuscolo, un numero e da almeno un simbolo (es.: \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno una lettera minuscola e da almeno un simbolo (es.: \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno una lettera minuscola e da almeno una lettera maiuscola."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno una lettera minuscola, almeno una lettera maiuscola e da almeno un numero."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno una lettera minuscola, almeno una lettera maiuscola, almeno un numero ed almeno un simbolo (es.: \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno una lettera minuscola, almeno una lettera maiuscola, e da almeno un simbolo (es.: \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno un numero."
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno un numero ed almeno un simbolo (es.: \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno un simbolo (es.: \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno una lettera maiuscola."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno una lettera minuscola e da almeno un numero."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno una lettera maiuscola, almeno un numero, e da almeno un simbolo (es.: \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "La tua password deve contenere almeno {{.Min}} caratteri e deve essere composta da almeno una lettera maiuscola e da almeno un simbolo (es.: \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "ID gruppo non valido"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "Aggiornato alle deve essere un tempo valido"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "Nome utente non valido"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "Descrizione non valida, lunghezza massima consentita di 255 caratteri"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "Token di accesso invalido"
},
@@ -5855,6 +5015,10 @@
"translation": "impossibile decodificare"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "I Termini del Servizio di GitLab sono stati aggiornati. Per favore visita gitlab.com per accettarli e poi eseguire il login su Mattermost."
},
@@ -5863,26 +5027,6 @@
"translation": "Errore nella chiamata al plugin RPC"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "Impossibile modificare la colonna con tipo %v"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "Controllo indice fallito %v"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "Chiusura SqlStore"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "Controllo se la colonna esiste fallita a causa di un driver mancante"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "FromDb: Impossibile convertire EncryptStringMap a *string"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "FromDb: Impossibile convertire StringArray a *string"
},
@@ -5895,82 +5039,6 @@
"translation": "FromDb: Impossibile convertire StringMap a *string"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "Creazione colonna fallita %v"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "Creazione della colonna fallita a causa di un driver mancante"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "Fallita creazione indice a causa di driver amncanti"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "Errore nella creazione tabelle nel database: %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "Impossibile creare il driver per lo specifico dialetto"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "Impossibile creare il driver per lo specifico dialetto %v"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "MAC non corretto per il cifrario inserito"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "Recupero della lunghezza massima della colonna fallito %v"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "Impossibile aprire la connessione SQL %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "Più di 1 funzionalità di lettura in replica disabilitata dalla licenza in uso. Per favore contatta il tuo amministratore di sistema informandolo di aggiornare la licenza enterprise."
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "Rimozione indice fallita %v"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "Impossibile rinominare la colonna %v"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "La versione dello schema per il database %v sembra essere datata"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "Tentativo di aggiornamento dello schema del database alla versione %v"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "La versione dello schema del database %v non è più supportata. Questo server Mattermost supporta gli aggiornamenti automatici dalla versione di schema %v alla versione di schema %v. I downgrade non sono supportati. Per favore aggiornare manualmente alla versione %v prima di procedere"
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "crittogramma breve"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "Impossibile ottenere il tipo di dato per la colonna %s dalla tabella %s: %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "testo cifrario troppo corto"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "Lo schema del database è stato aggiornato alla versione %v"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "Errore riscontrato nel trovare gli audit"
},
@@ -5999,16 +5067,24 @@
"translation": "Impossibile recuperare il conteggio dei canali"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "Impossibile controllare i permessi"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "Impossibile controllare i permessi"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "Impossibile controllare i permessi"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "Nessun canale trovato"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "Non è stato possibile trovare il canale eliminato"
},
@@ -6067,10 +5151,6 @@
"translation": "Nessun canale eliminato esistente con quel nome"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "Non è stato possibile ottenere maggiori informazioni per i membri del canale"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "Non è stato possibile ottenere il canale per la pubblicazione specificato"
},
@@ -6231,10 +5311,6 @@
"translation": "Riscontrato un errore nella ricerca dei canali"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "Non è stato possibile impostare la data dell'ultima visualizzazione"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "Non è possibile aggiornare il canale"
},
@@ -6259,14 +5335,6 @@
"translation": "Riscontrato un errore nel aggiornamento il membro del canale"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "Impossibile recuperare i record"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "Impossibile trovare gli utenti del canale per il momento specificato"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "Impossibile trovare gli utenti del canale durante il momento specificato"
},
@@ -6275,10 +5343,6 @@
"translation": "Impossibile registrare la cronologia del membro del canale"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "Impossibile registrare la cronologia del membro del canale. Nessun record di ingresso trovato"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "Impossibile registrare la cronologia del membro del canale. Errore durante l'aggiornamento del record d'ingresso esistente"
},
@@ -6287,6 +5351,30 @@
"translation": "Impossibile cancellare i record"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Impossibile salvare la riga ClusterDiscovery"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "Impossibile eliminare"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "Impossibile controllare se esiste"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Impossibile elaborare le righe cercate"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Impossibile salvare la riga ClusterDiscovery"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Impossibile aggiornare l'ultimo ping a"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "Impossibile contare comandi"
},
@@ -6411,10 +5499,6 @@
"translation": "Non è stato possibile salvare le informazioni sul file"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "Non è stato possibile salvare o aggiornare le informazioni sul file"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "Non è possibile cancellare il lavoro"
},
@@ -6567,10 +5651,6 @@
"translation": "Impossibile salvare o aggiornare il valore della chiave del plugin"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "Impossibile salvare o aggiornare il valore della chiave del plugin a causa di un vincolo su valore univoco"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "Impossibile recuperare il conteggio delle pubblicazioni"
},
@@ -6583,6 +5663,10 @@
"translation": "Impossibile recuperare il conteggio degli utenti con pubblicazioni"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "Non è possibile cancellare la pubblicazione"
},
@@ -6591,6 +5675,10 @@
"translation": "Impossibile recuperare la pubblicazione"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "Impossibile recuperare la pubblicazione genitore per il canale"
},
@@ -6643,10 +5731,6 @@
"translation": "Si è verifcato un errore durante la cancellazione delle pubblicazioni"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "Si è verifcato un errore durante la cancellazione delle pubblicazioni"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "Non è stato possibile eliminare le pubblicazioni del canale"
},
@@ -6663,14 +5747,6 @@
"translation": "Impossibile determinare la dimensione massima supportata per le pubblicazioni"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message supporta al massimo %d caratteri (%d bytes)"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "Nessuna implementazione trovata per determinare la dimensione massima supportata per le pubblicazioni"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "Non è stato possibile salvare la pubblicazione"
},
@@ -6683,10 +5759,6 @@
"translation": "La ricerca è stata disabilitata per questo server. Per piacere contatta il tuo Amministratore di Sistema."
},
{
- "id": "store.sql_post.search.warn",
- "translation": "Errore nell'interrogazione durante la ricerca delle pubblicazioni: %v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "Non è stato possibile aggiornare la pubblicazione"
},
@@ -6751,6 +5823,10 @@
"translation": "Non è stato possibile aggiornare le preferenze"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "Impossibile aprire la transazione durante l'eliminazione della reazione"
},
@@ -6759,20 +5835,12 @@
"translation": "Impossibile completare la transazione durante l'eliminazione della reazione"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "Impossibile eliminare la reazione"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "Impossibile eliminare le reazioni con il nome emoji fornito"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "Impossibile recuperare le reazione con il nome emoji fornito"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "Impossibile aggiornare la pubblicazione. HasReactions durante la rimozione delle reazioni post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "Impossibile salvare la reazione"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "Impossibile cancellare il ruolo"
},
@@ -6823,10 +5903,6 @@
"translation": "Il ruolo non è valido"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "Il ruolo non è valido"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "Impossibile aprire la transazione per salvare il ruolo"
},
@@ -6843,10 +5919,6 @@
"translation": "Impossibile cancellare i ruoli appartenenti a questo schema"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "Impossibile cancellare lo schema poiché è in uso da 1 o più gruppi o canali"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "Impossibile cancellare lo schema"
},
@@ -6895,10 +5967,6 @@
"translation": "Impossibile effettuare il conteggio delle sessioni"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "Errore riscontrato durante l'eliminazione delle sessioni utente scadute"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "Errore riscontrato nel trovare la sessione"
},
@@ -6907,10 +5975,6 @@
"translation": "Errore riscontrato durante la ricerca delle sessioni utente"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "Pulizia delle sessioni fallito in getSessions err=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "Non è stato possibile rimuovere tutte le sessioni per l'utente"
},
@@ -6927,10 +5991,6 @@
"translation": "Impossibile salvare la sessione"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "Pulizia delle sessioni fallito in Salva err=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "Impossibile aggiornare la sessione esistente"
},
@@ -6983,6 +6043,10 @@
"translation": "Riscontrato un errore durante l'aggiornamento dello stato"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "Riscontrato un errore nel recupero delle proprietà del sistema"
},
@@ -6991,10 +6055,6 @@
"translation": "Non è stato possibile trovare la variabile di sistema."
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "Non è stato possibile trovare la versione del database"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "Impossibile eliminare definitivamente questa voce dalla tabella di sistema"
},
@@ -7011,6 +6071,26 @@
"translation": "Non è stato possibile effettuare il conteggio dei gruppi"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "Non è possibile trovare il gruppo esistente"
},
@@ -7063,10 +6143,6 @@
"translation": "Impossibile recuperare i membri del gruppo"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "Errore riscontrato durante il recupero dei gruppi"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "Non è stato possibile recuperare i messaggi non letti dei gruppi"
},
@@ -7151,6 +6227,14 @@
"translation": "Non è possibile aggiornare il nome gruppo"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "Impossibile effettuare il conteggio degli utenti inattivi"
},
@@ -7163,12 +6247,28 @@
"translation": "Impossibile recuperare il numero di utenti unici"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "Errore riscontrato nel trovare l'account"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "Errore riscontrato durante la ricerca di tutti gli account che utilizzano il tipo di autenticazione specificato."
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
+ },
+ {
+ "id": "store.sql_user.get.app_error",
+ "translation": "Errore riscontrato nel trovare l'account"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "Non è stato possibile ottenere il numero di messaggi per l'utente ed il canale"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "Impossibile migrare User.ThemeProps nella tabelle delle preferenze %v"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "Non è stato possibile trovare l'utente."
},
@@ -7271,6 +6367,10 @@
"translation": "Esiste già un account con quel nome utente. Per favore contatta il tuo Amministratore."
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "Non è stato possibile aggiornare l'account"
},
@@ -7311,18 +6411,10 @@
"translation": "Non è stato possibile aggiornare failed_attempts"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "Non è stato possibile aggiornare last_activity_at"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "Non è stato possibile aggiornare update_at"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "Non è stato possibile aggiornare last_ping_at"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "Errore riscontrato durante l'aggiornamento dello stato MFA dell'utente"
},
@@ -7335,6 +6427,10 @@
"translation": "Non è stato possibile aggiornare la password utente"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "Impossibile aggiornare il campo verifica email"
},
@@ -7367,6 +6463,18 @@
"translation": "Si è verificato un errore durante la ricerca dei token di accesso personali"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "Non è stato possibile effettuare il conteggio dei webhook in ingresso"
},
@@ -7459,18 +6567,10 @@
"translation": "Errore durante la decodifica del file di configurazione={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "Errore durante il recupero del file di configurazione={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "Errore durante l'apertura del file di configurazione={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "Errore durante la validazione del file di configurazione={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "Si è verificato un errore durante il salvataggio del file in {{.Filename}}"
},
@@ -7487,18 +6587,6 @@
"translation": "Impossibile caricare il file di configurazione: DefaultServerLocale deve essere una lingua supportata. Impostazione di DefaultServerLocale a en come valore predefinito."
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "Impossibile caricare il file di configurazione: AvailableLocales deve includere DefaultClientLocale"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "Metriche non inizializzate"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "Spazio di archiviazione non configurato correttamente. Configura S3 o il server locale."
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "Si è verificato un errore elencando la cartella dal server locale."
},
@@ -7507,10 +6595,6 @@
"translation": "Si è verificato un errore elencando la cartella da S3."
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "Spazio di archiviazione non configurato correttamente. Configura S3 o il server locale."
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "Si è verificato un errore cancellando la cartella dal server locale."
},
@@ -7519,10 +6603,6 @@
"translation": "Si è verificato un errore cancellando la cartella da S3."
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "Spazio di archiviazione non configurato correttamente. Configura S3 o il server locale."
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "Si è verificato un errore cancellando il file dal server locale."
},
@@ -7531,38 +6611,6 @@
"translation": "Si è verificato un errore cancellando il file da S3."
},
{
- "id": "utils.i18n.loaded",
- "translation": "Traduzioni di sistema caricare per '%v' da '%v'"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "Deve fornire una dimensione positiva"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "Nessuna licenza enterprise valida trovata"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "Impossibile rimuovere il file di licenza, err=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "Errore riscontrato durante la decodifica della licenza, err=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "Firma non valida, err=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "La licenza firmata non è abbastanza lunga"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "Riscontrato errore durante la firma della licenza, err=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "Impossibile impostare HELO"
},
@@ -7579,14 +6627,6 @@
"translation": "Impossibile autenticarsi sul server SMTP"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "Impossibile impostare HELO per il server SMTP %v"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "Impossibile aprire una connessione al server SMTP %v"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "Impossibile aggiungere l'allegato all'email"
},
@@ -7607,42 +6647,10 @@
"translation": "Impossibile aggiungere informazioni al messaggio email"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "invio del messaggio email a %v con oggetto '%v'"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "Errore durante l'impostazione del campo \"Indirizzo Destinatario\""
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "Le impostazioni del server SMTP non sembrano essere state impostate correttamente err=%v dettagli=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "Le impostazioni del server SMTP non sembrano essere state impostate correttamente err=%v dettagli=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "Console Amministratore"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "Autorizzazione Applicazione"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "Impossibile trovare il nome gruppo=%v, err=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "Reclama Account"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "Impossibile trovare utente teamid=%v, email=%v, err=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "Impossibile trovare il comando"
},
@@ -7655,42 +6663,6 @@
"translation": "Impossibile analizzare i dati in ingresso"
},
{
- "id": "web.create_dir.error",
- "translation": "Impossibile creare osservatore cartella %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "Errore nel caricamento del profilo utente id=%v logout forzato"
- },
- {
- "id": "web.doc.title",
- "translation": "Documentazione"
- },
- {
- "id": "web.email_verified.title",
- "translation": "Email Verificata"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "Il tuo browser non è supportate. Per favore aggiornalo o utilizza uno dei seguenti browser:"
},
@@ -7699,12 +6671,8 @@
"translation": "Browser non supportato"
},
{
- "id": "web.find_team.title",
- "translation": "Trova gruppo"
- },
- {
- "id": "web.header.back",
- "translation": "Indietro"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "Nessun testo specificato"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "La dimensione massima del testo è {{.Max}} caratteri, la dimensione attuale è {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "Non è stato possibile trovare l'utente"
- },
- {
- "id": "web.init.debug",
- "translation": "Inizializzazione delle api routes di amministrazione"
- },
- {
- "id": "web.login.error",
- "translation": "Impossibile trovare il nome gruppo=%v, err=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "Accesso"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "Nome gruppo non valido"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "Analisi dei template del server: %v"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "ID pubblicazione non valido"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "Il collegamento per il reset della password è scaduto"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "Il collegamento per il reset sembra non essere valido"
- },
- {
- "id": "web.root.home_title",
- "translation": "Casa"
- },
- {
- "id": "web.root.singup_title",
- "translation": "Iscrizione"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "Il collegamento per l'iscrizione è scaduto"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "Completa l'iscrizione al gruppo"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "Email Iscrizione Inviata"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "Il collegamento per l'iscrizione è scaduto"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "La tipologia del gruppo non ammette inviti aperti"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "Completa Iscrizione Utente"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "Nome gruppo non valido"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "Impossibile aggiungere cartella all'osservatore %v"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "Inizializzazione API Routes per lo stato"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "Inizializzazione API Routes dei websocket di sistema"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "Inizializzazione API Routes dei websocket utente"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "Inizializzazione API Routes webrtc"
}
]
diff --git a/i18n/ja.json b/i18n/ja.json
index 9b921c780..5cd903f76 100644
--- a/i18n/ja.json
+++ b/i18n/ja.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "4月"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "8月"
- },
- {
- "id": "December",
- "translation": "12月"
- },
- {
- "id": "February",
- "translation": "2月"
- },
- {
- "id": "January",
- "translation": "1月"
- },
- {
- "id": "July",
- "translation": "7月"
- },
- {
- "id": "June",
- "translation": "6月"
- },
- {
- "id": "March",
- "translation": "3月"
- },
- {
- "id": "May",
- "translation": "5月"
- },
- {
- "id": "November",
- "translation": "11月"
- },
- {
- "id": "October",
- "translation": "10月"
- },
- {
- "id": "September",
- "translation": "9月"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "ログファイルの読み込み中にエラーが発生しました。"
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "独自ブランディングは設定されていないか、このサーバーではサポートされていません。"
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "画像ストレージは設定されていません。"
},
{
- "id": "api.admin.init.debug",
- "translation": "管理者APIルートを初期化しています。"
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "データベース接続の再利用が完了しました。"
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "データベース接続を再利用しようとしています。"
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "証明書を削除する際にエラーが発生しました。config/{{.Filename}}にファイルが存在することを確認してください、"
},
@@ -92,6 +36,10 @@
"translation": "サービスプロバイダーのメタデータを構築中にエラーが発生しました。"
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>あなたのMattermostの電子メールアドレスは正しく設定されています!"
},
@@ -112,14 +60,6 @@
"translation": "S3バケット名が必要です"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "S3エンドポイントが必要です"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "S3リージョンが必要です"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "リクエストの'image'以下の配列が空です"
},
@@ -128,10 +68,6 @@
"translation": "リクエストの'image'以下にファイルがありません"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "独自ブランディングは設定されていないか、このサーバーではサポートされていません"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "マルチパートフォームを解析できません"
},
@@ -144,38 +80,10 @@
"translation": "画像ファイルをアップロードできません。ファイルが大き過ぎます。"
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "サーバーテンプレート%vを読み込めませんでした"
- },
- {
- "id": "api.api.render.error",
- "translation": "テンプレート%vの表示中にエラーが発生しました err=%v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "権限を確認するユーザーを取得できません。"
- },
- {
- "id": "api.brand.init.debug",
- "translation": "ブランドAPIルートを初期化しています"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v は %v によってチャンネルに追加されました。"
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "チャンネルが見付かりませんでした"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "追加しようとしているユーザーが見付かりませんでした"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "追加中のユーザーが見付かりませんでした"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "ユーザーをチャンネルに追加できませんでした"
},
@@ -192,30 +100,6 @@
"translation": "この種類のチャンネルにはユーザーを追加することはできません"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "非公開チャンネルの作成と管理は、システム管理者のみが行えます。"
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "非公開チャンネルの作成と管理は、チーム管理者かシステム管理者のみが行えます。"
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "公開チャンネルの作成と管理は、システム管理者しかできません。"
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "公開チャンネルの作成と管理は、チーム管理者かシステム管理者しかできません。"
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "このチャンネルは公開チャンネルに変更されたため、全てのチームメンバーが参加できるようになりました。"
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "このチャンネルは非公開チャンネルに変更されました。"
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "このデフォルトチャンネルは非公開チャンネルに変更できません。"
},
@@ -268,50 +152,6 @@
"translation": "チャンネルはアーカイブされているか削除されています"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "アーカイブメッセージ%vを投稿できませんでした"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "アーカイブメッサージを送信できませんでした"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "内向きのウェブフックを削除する際にエラーが発生しました id=%v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "外向きのウェブフックを削除する際にエラーが発生しました id=%v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "あなたには必要な権限が付与されていません"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "team_id={{.TeamId}}のチームに、channel_id={{.ChannelId}}のチャンネルがありません"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "データベースからチャンネル数を取得できませんでした"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "チャンネルがアーカイブされているか削除されています"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "メンバーの限界を読み取れませんでした"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "id=%vのユーザーのプロフィールを取得できません。強制的にログアウトします"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "チャンネルAPIルートを初期化しています"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "チャンネルは既に削除されています"
},
@@ -340,6 +180,10 @@
"translation": "%v がチャンネルから脱退しました。"
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "表示名更新メッセージを投稿できませんでした"
},
@@ -380,22 +224,10 @@
"translation": "デフォルトのチャンネル{{.Channel}}から脱退することはできません"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "あなたには必要な権限が付与されていません"
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v はチャンネルから削除されました。"
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "ユーザを削除できません。"
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "削除しようとしているユーザーが見付かりませんでした"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "チャンネルはアーカイブされているか削除されています"
},
@@ -404,10 +236,6 @@
"translation": "チャンネルはアーカイブされているか削除されています"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "あなたには必要な権限が付与されていません"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "デフォルトのチャンネル{{.Channel}}に不正な更新をしようとしました"
},
@@ -424,26 +252,14 @@
"translation": "与えられたスキームがチャンネルスキームでないため、チャンネルへスキームを設定できません。"
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "未読数を取得できませんでした user_id=%v and channel_id=%v, err=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "与えられた役割はスキームによって管理されているため、チームメンバーへ直接適用することはできません。"
},
{
- "id": "api.cluster.init.debug",
- "translation": "クラスターAPIルートを初期化しています"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "統合機能は管理者のみ実行可能です。"
},
{
- "id": "api.command.delete.app_error",
- "translation": "コマンドの削除に必要な権限が付与されていません"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "コマンドがシステム管理者によって無効化されています。"
},
@@ -472,18 +288,10 @@
"translation": "'{{.Trigger}}'がトリガーのコマンドが見つかりませんでした。\"/\"で始まるメッセージを送信するには、メッセージの最初にスペースを加えてみてください。"
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "コマンドのレスポンスをチャンネルに保存する際にエラーが発生しました"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "コマンドのトリガーが見付かりません"
},
{
- "id": "api.command.init.debug",
- "translation": "コマンドAPIルートを初期化しています"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "あなたのMattermostチームに招待の電子メールを送る"
},
@@ -516,18 +324,10 @@
"translation": "招待の電子メールを送信しました"
},
{
- "id": "api.command.regen.app_error",
- "translation": "コマンドトークンを再生成するために必要な権限が付与されていません"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "他チームのコマンドは更新できません"
},
{
- "id": "api.command.update.app_error",
- "translation": "コマンドの更新に必要な権限が付与されていません"
- },
- {
"id": "api.command_away.desc",
"translation": "離席状態に設定する"
},
@@ -568,10 +368,6 @@
"translation": "現在のチャンネルを更新する際にエラーが発生しました。"
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "チャンネルヘッダーは正常に更新されました。"
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "現在のチャンネルを取得する際にエラーが発生しました。"
},
@@ -644,10 +440,6 @@
"translation": "現在のチャンネルを更新する際にエラーが発生しました。"
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "チャンネル名は正常に更新されました。"
- },
- {
"id": "api.command_code.desc",
"translation": "テキストをコードブロックとして表示する"
},
@@ -696,10 +488,6 @@
"translation": "取り込み中 が有効です。オフにするまでデスクトップ通知やモバイルプッシュ通知を受け取らなくなります。"
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "/echoを投稿することができません err=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "遅延時間は10000秒より短く設定してください"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "ユーザーが見付かりませんでした: %s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "ユーザー一覧を作成中にエラーが発生しました。"
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "グループメッセージは最大で{{.MaxUsers}}ユーザーに制限されています。"
},
@@ -779,18 +559,10 @@
"translation": "グループメッセージは最小で{{.MinUsers}}ユーザーに制限されています。"
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "ユーザーが見付かりませんでした"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "メッセージ"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "ユーザーにメッセージを送信しました。"
- },
- {
"id": "api.command_help.desc",
"translation": "Mattermostヘルプページを開く"
},
@@ -875,10 +647,6 @@
"translation": "参加する"
},
{
- "id": "api.command_join.success",
- "translation": "チャンネルに参加しました。"
- },
- {
"id": "api.command_kick.name",
"translation": "退出"
},
@@ -891,14 +659,6 @@
"translation": "チャンネルを脱退する際にエラーが発生しました。"
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "チャンネル一覧を作成中にエラーが発生しました。"
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "チャンネルが見付かりません。"
- },
- {
"id": "api.command_leave.name",
"translation": "脱退"
},
@@ -947,10 +707,6 @@
"translation": "@[ユーザー名] 'メッセージ'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "ユーザー覧を作成中にエラーが発生しました。"
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "ユーザーが見付かりませんでした"
},
@@ -959,10 +715,6 @@
"translation": "メッセージ"
},
{
- "id": "api.command_msg.success",
- "translation": "ユーザーにメッセージを送信しました。"
- },
- {
"id": "api.command_mute.desc",
"translation": "現在のチャンネル、もしくは指定された [チャンネル] のデスクトップ、電子メール、プッシュ通知をオフにする。"
},
@@ -1115,10 +867,6 @@
"translation": "shrug"
},
{
- "id": "api.compliance.init.debug",
- "translation": "コンプライアンスAPIルートを初期化しています"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "クライアントの設定で新しい形式がまだサポートされていません。クエリー文字列に format=old を指定してください。"
},
@@ -1135,14 +883,6 @@
"translation": "不正な{{.Name}}パラメーターです"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "無効なセッション err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "チームURLが不正なタイミングでアクセスされました。チームURLはAPI関数内またはチームと関係のない文脈で使用することはできません"
- },
- {
"id": "api.context.invalid_token.error",
"translation": "無効なセッショントークン={{.Token}}, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "リクエストURLの{{.Name}}が存在しないか不正です"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "全てのキャッシュを破棄しています"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "LastActivityAtを更新できませんでした user_id=%v、session_id=%v、err=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v code=%v rid=%v uid=%v ip=%v %v [詳細: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "このサーバーでは多要素認証が必要です。"
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "チームIDが見付かりません"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "あなたには必要な権限が付与されていません"
},
@@ -1179,26 +903,10 @@
"translation": "不正または期限切れのセッションです。ログインし直してください。"
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "あなたには必要な権限が付与されていません(システム)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "セッションはOAuthではありませんがクエリー文字列でトークンが渡されました"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "詳細不明なエラーが発生しました。サポートに問い合わせしてください。"
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "APIバージョン3はこのサーバーでは無効化されています。APIバージョン4を使用してください。詳しくは https://api.mattermost.com を参照してください。"
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "非推奨APIルートを初期化しています"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "電子メールバッチ処理のジョブを受け取るチャンネルがいっぱいです。EmailBatchingBufferSizeを増やしてください。"
},
@@ -1207,14 +915,6 @@
"translation": "電子メールバッチ処理はシステム管理者によって無効にされています"
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "電子メールのバッチジョブが稼働中です。%vユーザーはまだ通知を保留されています。"
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "バッチ処理された電子メール通知について、投稿があったチャンネルが見付かりません"
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Month}} {{.Day}}"
},
@@ -1235,10 +935,6 @@
"translation": "通知 from "
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "バッチ処理された電子メールについて、投稿の投稿者が見付かりません"
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "新しい通知があります。{{.Count}} の新しい通知があります。",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "バッチ処理された電子メール通知の宛先の表示設定が見つかりませんでした"
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "%v へバッチ処理された電子メール通知を送信できませんでした: %v"
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] {{.Month}} {{.Day}}, {{.Year}} の新着通知[{{.SiteName}}] {{.Month}} {{.Day}}, {{.Year}} の新着通知",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "バッチ処理された電子メール通知の宛先が見つかりませんでした"
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "電子メールのバッチジョブが開始されました。%v秒ごとに保留されている電子メールを確認します。"
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "絵文字を作成できません。同じ名前を持つ他の絵文字が既に存在しています。"
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "絵文字を作成できません。リクエストを理解できません。"
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "絵文字の作成に必要な権限が付与されていません"
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "絵文字を作成できません。リクエストを理解できません。"
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "絵文字を作成できません。画像サイズは1MB未満でなければなりません。"
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "絵文字名 %v の絵文字を削除する際にリアクションを削除できません"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "カスタム絵文字はシステム管理者によって無効化されています。"
},
@@ -1301,14 +977,6 @@
"translation": "絵文字の画像ファイルを読み込めません。"
},
{
- "id": "api.emoji.init.debug",
- "translation": "絵文字APIルートを初期化しています"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "絵文字APIルートを初期化しています"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "ファイルストレージが正しく設定されていません。S3またはローカルサーバーファイルストレージを設定してください。"
},
@@ -1333,12 +1001,12 @@
"translation": "絵文字を作成できません。GIF画像をエンコードする際にエラーが発生しました。"
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "このサーバーではファイル添付が無効になっています。"
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "公開リンクはシステム管理者によって無効にされています"
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "このサーバーではファイル添付が無効になっています。"
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "このファイルにはサムネイル画像がありません"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "ファイルの情報を取得できません。ファイルは現在のユーザーが読むことができる投稿に添付されている必要があります。"
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "ファイルの情報を取得できません。ファイルストレージが設定されていません。"
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "ファイルを取得できません。画像ストレージが設定されていません。"
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "ファイルを取得できません。画像ストレージが設定されていません。"
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "公開リンクが無効化されています"
},
@@ -1377,116 +1029,52 @@
"translation": "ファイルの公開リンクを取得できません。ファイルは現在のユーザーが読むことができる投稿に添付されている必要があります。"
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "画像をデコードできません err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "画像をjpegとしてエンコードできません path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "画像をプレビューjpgとしてエンコードできません path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "プレビューをアップロードできません path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "サムネイルをアップロードできません path=%v err=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "ファイルAPIルートを初期化しています"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "FileInfosを利用した投稿へ移行する際にチャンネルを取得できませんでした post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "FileInfosを利用した投稿に移行する際にファイルが見付かりませんでした post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "移行後の投稿のFileInfosが取得できませんでした post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "FileInfosの利用へ移行する際に投稿を取得できませんでした post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "FileInfosを利用した投稿に移行する際にファイル情報を完全にデコードできませんでした post_id=%v, filename=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "FileInfosを利用した投稿へ移行しています post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "FileInfosを利用した投稿に移行する際に一般的でないファイル名が見付かりました post_id=%v, channel_id=%v, user_id=%v, filename=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "ファイル名欄が空のため、FileInfosを利用した投稿へ移行できませんでした post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "投稿はすでにFileInfosを利用した形式へ移行されています post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "FileInfosを利用した投稿に移行する際に投稿を保存できませんでした post_id=%v, file_id=%v, path=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "S3内でファイルをコピーできませんでした。"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "FileInfosを利用した投稿に移行する際にファイル情報を保存できませんでした post_id=%v, file_id=%v, filename=%v, err=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "ファイルをS3から削除できません。"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "FileInfosのチームが見付かりませんでした post_id=%v, filenames=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "ローカルでファイルを移動できません。"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "FileInfosを利用した投稿に移行する際にチームを取得できませんでした post_id=%v, err=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "ファイルドライバーが選択されていません。"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "FileInfosを利用した投稿に移行する際にファイル名を解読できませんでした post_id=%v, filename=%v"
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "ローカルサーバーファイルストレージからの読み込みに失敗しました"
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "ファイルストレージが正しく設定されていません。S3またはローカルサーバーファイルストレージを設定してください。"
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "S3ストレージからの読み込みに失敗しました"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "S3内でファイルをコピーできませんでした。"
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "ローカルサーバーファイルストレージの読み込み開始に失敗しました。"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "ファイルをS3から削除できません。"
+ "id": "api.file.reader.s3.app_error",
+ "translation": "S3ストレージからの読み込み開始に失敗しました"
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "ファイルをS3から取得できません。"
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "指定されたパスへの権限が無いか、もしくはその他のエラーが発生しました。"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "ローカルでファイルを移動できません。"
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "バケットを作成できません。"
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "ファイルストレージが正しく設定されていません。S3またはローカルサーバーファイルストレージを設定してください。"
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "バケットが存在するかのチェックでエラーが発生しました。"
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "ファイルをS3から取得できません"
- },
- {
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "ローカルサーバーストレージからの読み込みに失敗しました"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "S3もしくはminioへ接続できません。"
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "画像ファイルをアップロードできません。ファイルが大き過ぎます。"
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "ファイルストレージが正しく設定されていません。S3またはローカルサーバーファイルストレージを設定してください。"
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "S3への書き込みでエラーが発生しました"
},
@@ -1525,34 +1109,6 @@
"translation": "ローカルサーバーストレージへの書き込みに失敗しました"
},
{
- "id": "api.general.init.debug",
- "translation": "全般APIルートを初期化しています"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "投稿へのファイル添付エラー。 postId=%v, fileIds=%v, message=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "投稿の保存エラー user=%v, message=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "インポートする際にチームに参加できませんでした err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "デフォルトのチャンネルへの参加に問題が発生しました usewr_id=%s, team_id=%s, err=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "ユーザーの保存エラー err=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "電子メールを確認済みに設定できませんでした err=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "内向きのウェブフックはシステム管理者によって無効にされています。"
},
@@ -1561,10 +1117,6 @@
"translation": "不正なユーザー名です。"
},
{
- "id": "api.ldap.init.debug",
- "translation": "LDAP APIルートを初期化しています"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "リクエストの'license'配列が空です"
},
@@ -1605,30 +1157,6 @@
"translation": "クライアントのライセンスで新しい形式がまだサポートされていません。クエリー文字列に format=old を指定してください。"
},
{
- "id": "api.license.init.debug",
- "translation": "ライセンスAPIルートを初期化しています"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "ライセンスが正常に削除できませんでした。"
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "不正なリクエスト: client_idが不正です"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "不正なリクエスト: redirect_uriが存在しないか不正です"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "不正なリクエスト: response_typeが不正です"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "サーバーエラー: データベースのアクセスでエラーが発生しました"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "不正なリクエスト: 指定されたredirect_uriが登録されたcallback_urlと一致しません"
},
@@ -1641,14 +1169,6 @@
"translation": "システム管理者はOAuth2サービスプロバイダーを無効にしています。"
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "response_type、client_id、redirect_uriのうち1つ以上が不足しています"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "OAuth2アプリケーションの削除に必要な権限が付与されていません"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "不正なリクエスト: client_idが不正です"
},
@@ -1705,22 +1225,10 @@
"translation": "不正な権限付与: 不正なリフレッシュトークンです"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "code=%sの認証コードが見付かりません"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "OAuth APIルートを初期化しています"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "不正な状態トークン"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "OAuth2アプリケーションの秘密情報の再生成に必要な権限が付与されていません"
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "システム管理者はOAuth2サービスプロバイダーを無効にしています。"
},
@@ -1749,8 +1257,8 @@
"translation": "利用登録リンクが不正です"
},
{
- "id": "api.opengraph.init.debug",
- "translation": "オープングラフプロトコルのAPIルートを初期化しています"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "@{{.Usernames}}についての投稿が行われましたが、彼らはこのチャンネルには属していないため通知を受け取ることができませんでした。"
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "投稿へファイルを添付する際にエラーが発生しました post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "不正なファイル名は使えません filename=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "削除済みのチャンネルには投稿できません。"
},
@@ -1789,10 +1289,6 @@
"translation": "RootIdパラメーターのChannelIdが不正です"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "最新の閲覧を更新できませんでした channel_id=%s, user_id=%s, err=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "ParentIdパラメーターが不正です"
},
@@ -1809,18 +1305,6 @@
"translation": "投稿を作成できません"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "投稿を削除する際に、フラグの付いた投稿の設定を削除できません。err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "あなたには必要な権限が付与されていません"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "投稿のファイルを削除する際にエラーが発生しました post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "チャンネルに{{.Users}}以上のユーザーがいるため@allは無効化されています。"
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "通知メッセージのファイルを取得する際にエラーが発生しました post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}} 画像送信: {{.Filenames}}{{.Count}} 画像送信: {{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "@mentionの正規表現をコンパイルできませんでした user_id=%v, err=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "あなたには必要な権限が付与されていません"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "チャンネルの参加者が取得できませんでした channel_id=%v err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "返信の投稿を作成できませんでした err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "POSTイベントが失敗しました err=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "投稿APIルートを初期化しています"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "リンクプレビュー機能はシステム管理者によって無効にされています。"
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "ダイレクトチャンネルの2人のメンバーを取得できませんでした channel_id={{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "チャンネルのメンバーを取得できません channel_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "ダイレクトチャンネルの設定を保存できませんでした user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "ダイレクトチャンネルの設定を更新できませんでした user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "チャンネルメンバーのプロフィールを取得できませんでした user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " がチャンネルへ通知しました。"
},
@@ -1919,26 +1355,6 @@
"translation": " があなたが参加しているスレッドへのコメントしました。"
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "その投稿の作成者がチャンネルにいないため、通知は送信されませんでした post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "%vへのプッシュ通知をクリアーしています(channel_id %v)"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "投稿通知のファイルの取得に失敗しました post_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "チームを横断したダイレクトメッセージを送信する際に、チームを取得できませんでした user_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "あなたについての新しい投稿"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": " があなたについての投稿を行いました。"
},
@@ -1955,30 +1371,10 @@
"translation": "あなたへメッセージを送信しました。"
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "プッシュ通知を送信出来ませんでした device_id={{.DeviceId}}, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}}を送信しました"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "あなたについての投稿数を更新できませんでした post_id=%v on channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "更新すべき投稿またはコメントが見付かりません。"
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "あなたには必要な権限が付与されていません"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "投稿を編集する機能は無効になっています。詳細はシステム管理者に問い合わせてください。"
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "既に削除されたIDです id={{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "投稿を取得できません"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "リクエストから設定をデコードできません"
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "他のユーザーの設定は削除できません"
- },
- {
- "id": "api.preference.init.debug",
- "translation": "設定APIルートを初期化しています"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "リクエストから設定をデコードできません"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "他のユーザーの設定は変更できません"
- },
- {
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "チャンネルIDがURL内の投稿IDと一致しないためリアクションを削除できませんでした"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "リアクションAPIルートを初期化しています"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "チャンネルIDがURL内の投稿IDと一致しないためリアクションを取得できませんでした"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "リアクションが正しくありません。"
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "チャンネルIDがURL内の投稿IDと一致しないためリアクションを保存できませんでした"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "他のユーザーのリアクションを保存することはできません。"
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "リアクションに対するウェブソケットイベントを送信する際に、投稿を取得することができませんでした"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "現在のライセンスは高度な権限をサポートしていません。"
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "証明書が正常に保存されませんでした。"
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "与えられたスキームがチームスキームではないため、チームを取得できませんでした。"
},
{
- "id": "api.server.new_server.init.info",
- "translation": "サーバーを初期化しています…"
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "ポート %s で接続待ちをしているため、ポート80へのアクセスをポート443へ転送できません: プロキシサーバーを使用している場合、Forward80To443を無効にしてください"
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "サーバーは%vで接続待ちです"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "投稿頻度制限が有効です"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "投稿頻度制限が正しく設定されていません。VaryByHeaderを使いVaryByRemoteAddrを無効にしてください"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "投稿頻度制限のメモリー保存が初期化されていません。MemoryStoreSizeの設定を確認してください。"
},
@@ -2095,22 +1455,6 @@
"translation": "サーバー開始時にエラーになりました err:%v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "サーバーを開始しています…"
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "サーバー開始時にエラーになりました"
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "サーバーを停止しました"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "サーバーを停止しています…"
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "電子メールアドレス {{.Email}} と パスワード {{.Password}} を持つ 統合機能/SlackBot のユーザーがインポートされました。\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "Slackチャンネル {{.DisplayName}} をインポートできませんでした。\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Slackインポート: Slackチャンネルをインポートできませんでした: %s。"
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "Slackチャンネル {{.DisplayName}} は有効なMattermostのチャンネルとして既に存在しています。両方のチャンネルがマージされます。\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Slackインポート: メッセージにファイルを添付する際にエラーが発生しました post_id=%s, file_ids=%v, err=%v。"
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Slackインポート: SlackBotメッセージは、まだインポートされていません。"
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Slackインポート: Botユーザーが存在しないため、Botメッセージをインポートできませんでした。"
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Slackインポート: コメントが無いため、メッセージをインポートできませんでした。"
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Slackインポート: userフィールドが存在しないため、メッセージをインポートできませんでした。"
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Slackインポート: BotIdフィールドが存在しないため、Botメッセージをインポートできませんでした。"
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Slackインポート: typeがサポートされていないため、メッセージをインポートできませんでした: post_type=%v, post_subtype=%v。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Slackインポート: Slackからエクスポートしたzipファイルにファイルが存在しないため、 {{.FileId}} のファイルをインポートできませんでした。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Slackインポート: Slackエクスポートに \"file\" セクションが存在しないため、投稿にファイルを添付できませんでした。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Slackインポート: Slackエクスポートから {{.FileId}} のファイルを開けませんでした: {{.Error}}。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Slackインポート: {{.FileId}} のファイルをアップロードする際にエラーが発生しました: {{.Error}}。"
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Slackインポート: MattermostにSlackユーザー %v が存在しないため、メッセージを追加できませんでした。"
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Slackインポート: userフィールドが存在しないため、メッセージをインポートできませんでした。"
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\n ユーザーが作成されました:\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "Slackエクスポートにユーザー {{.Username}} の電子メールアドレスが存在しません。プレースホルダーとして {{.Email}} が利用されます。システムにログインした時、そのユーザーは電子メールアドレスを更新する必要があります。\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "Slackインポート: Slackエクスポートにユーザー {{.Username}} の電子メールアドレスが存在しません。プレイスホルダーとして {{.Email}} が利用されます。システムにログインした時、そのユーザーは電子メールアドレスを更新する必要があります。"
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "Slackユーザーをインポートできません: {{.Username}}\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Slackインポート: Slackチャンネル {{.ChannelName}} (id={{.ChannelID}}) の正規表現にマッチする!channelをコンパイルできませんでした。"
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Slackインポート: 不正なタイムスタンプが検出されました。"
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Slackインポート: Slackユーザー {{.Username}} (id={{.UserID}})の正規表現とマッチする@mentionをコンパイルできませんでした。"
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Slackインポート: Botに使われるユーザーアカウントを無効にできませんでした。"
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Mattermost Slackインポートログ\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "Slackエクスポートのzipファイルを開けませんでした。\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Slackインポート: Slackチャンネルを解析する際にエラーが発生しました。インポート自体は動作している可能性があります。"
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Slackインポート: Slack投稿を解析する際にエラーが発生しました。インポート自体は動作している可能性があります。"
- },
- {
- "id": "api.status.init.debug",
- "translation": "状態APIルートを初期化しています"
- },
- {
- "id": "api.status.init.debug",
- "translation": "状態APIルートを初期化しています"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "LastActivityAtを更新できませんでした user_id=%v、session_id=%v、err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "状態を保存できませんでした user_id=%v、err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "ユーザーが見付かりません"
},
{
- "id": "api.system.go_routines",
- "translation": "動作中のgoroutineの数が正常動作の上限を超えています %v / %v"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v は %v によってチームに追加されました"
},
@@ -2307,32 +1547,16 @@
"translation": "チームにユーザーを追加するにはパラメーターが必要です。"
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "電子メールによるチームへの利用登録は無効です。"
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "電子メールによるチームへの利用登録は無効です。"
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "利用登録リンクは有効期限が切れています"
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "このURLは利用できません。他のURLを試してみてください。"
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "emailTeamsで電子メール送る際にエラーが発生しました err=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "誰でも招待できるチームではないので、招待機能は無効です。"
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "チーム管理者のみがデータをインポートできます。"
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "不正なリクエスト: ファイルサイズ項目が存在しません。"
},
{
- "id": "api.team.init.debug",
- "translation": "チームAPIルートを初期化しています"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "管理者"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "この人は既にあなたのチームのメンバーです"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "以下の電子メールアドレスのドメインは許可されていません: {{.Addresses}}。詳細についてはシステム管理者に問い合わせてください。"
},
@@ -2387,22 +1599,6 @@
"translation": "誰も招待しません。"
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "新しいユーザーをチームに招待できるのは、システム管理者だけです。"
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "新しいユーザーをチームに招待できるのは、チーム管理者とシステム管理者だけです。"
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "招待の電子メールを送信できませんでした err=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "%vに招待状を送ってます %v"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "チームを新規作成する機能は無効になっています。詳細はシステム管理者に問い合わせてください。"
},
@@ -2427,14 +1623,6 @@
"translation": "このチャンネルは %v からこのチームへ移動されました。"
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "チーム%vを完全に削除しようとしています id=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "チーム%vを完全に削除しました id=%v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "チームの取得中にエラーが発生しました"
},
@@ -2491,10 +1679,6 @@
"translation": "チームアイコンを保存できませんでした"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "電子メールによるチームへの利用登録は無効です。"
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "チームアイコンの取得中にエラーが発生しました"
},
@@ -2503,10 +1687,6 @@
"translation": "指定されたユーザーは指定されたチームに所属していません。"
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "あなたには必要な権限が付与されていません"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "ライセンスがチームのスキームの更新をサポートしていません"
},
@@ -2515,10 +1695,6 @@
"translation": "与えられたスキームがチームスキームではないため、チームへスキームを設定できません。"
},
{
- "id": "api.templates.channel_name.group",
- "translation": "グループメッセージ"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "{{ .SiteURL }}のアカウントを無効化しました。<br>あなたが変更したのでなければ、システム管理者に問い合わせてください。"
},
@@ -2571,22 +1747,6 @@
"translation": "送信者: "
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "あなたの電子メールアドレスに紐付くチームへのリクエストは以下の通りです:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "指定された電子メールアドレスに紐付くチームは見付かりません。"
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "チームを探しています"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "あなたの参加する{{ .SiteName }}チーム"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "チームに参加する"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] あなたのパスワードが更新されました"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "チームをセットアップする"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }}は全てのチームのコミュニケーションの場所であり検索可能でどこからでも利用可能です。<br>チームがコミュニケーションをし続ける限り{{ .SiteName }}から様々なものを得られるでしょう。コミュニケーションしましょう。"
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "チームを作成いただきありがとうございます!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "{{ .SiteName }}チームのセットアップ"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>重複していたアカウントが更新されました</h3>利用しているMattermostサーバーがバージョン3.0に更新され、1つのアカウントを複数のチームで利用できるようになりました。<br/><br/>サーバー上の他のアカウントと同じメールアドレス・ユーザー名が使用されていることを検知したため、このメールでお知らせしています。<br/><br/>アカウントは次の通りに更新されました: <br/><br/>{{if .EmailChanged }}- メールアドレスが重複していた`/{{.TeamName}}`チームのアカウントのメールアドレスは`{{.Email}}`に変更されました。 メールアドレスとパスワードをログインに使用している場合は、この新しいメールアドレスを使用してください。<br/><br/>{{end}}{{if .UsernameChanged }}- ユーザー名が重複していた`/{{.TeamName}}`チームのアカウントのユーザー名は`{{.Username}}`に変更されました。<br/><br/>{{end}} 推奨される操作: <br/><br/>重複していたアカウントを利用してチームへログインし、メインのアカウントをチームとチャンネルに追加することを推奨します。<br/><br/>メインのアカウントで全てのチャンネルの履歴を閲覧することが出来ます。ダイレクトメッセージの履歴は、重複していたアカウントでログインすることで閲覧することが出来ます。<br/><br/>追加情報: <br/><br/>Mattermost 3.0への更新に関する情報は、次のURLよりご確認ください: <a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] Mattermost 3.0アップデートのためのあなたのアカウントの変更"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "パーソナルアクセストークンが {{ .SiteURL }} のあなたのアカウントに追加されました。あなたのアカウントで {{.SiteName}} へアクセスするために利用することができます。<br>この変更があなたによって行われたものでない場合、システム管理者に連絡してください。"
},
@@ -2787,10 +1923,6 @@
"translation": "不正な状態"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "状態が不正です; チーム名がありません"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "アクセストークンがありません"
},
@@ -2839,10 +1971,6 @@
"translation": "{{.Service}}以外のサインイン方法を使ってその電子メールアドレスを関連付けられたアカウントが既に存在します。{{.Auth}}でサインインしてください。"
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "この{{.Service}}アカウントは、既に利用登録済みです"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "{{.Service}}ユーザーオブジェクトからユーザーを作成できませんでした"
},
@@ -2871,10 +1999,6 @@
"translation": "ユーザーの作成は無効です。"
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "デフォルトのチャンネルへの参加に問題が発生しました user_id=%s, team_id=%s, err=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "招待IDが存在しません。"
},
@@ -2887,10 +2011,6 @@
"translation": "このサーバーは誰でも自由に利用登録できるように設定されていません。システム管理者に招待してもらってください。"
},
{
- "id": "api.user.create_user.save.error",
- "translation": "ユーザーを保存できませんでした err=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "電子メールによるチームへの利用登録は無効です。"
},
@@ -2903,22 +2023,14 @@
"translation": "利用登録リンクが不正です"
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "不正なチーム名です"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "チュートリアルの設定を保存する際にエラーが発生しました err=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "電子メールを確認済みに設定できませんでした err=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "このサーバーではAD/LDAPは利用できません"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "このサーバーでは、多要素認証は設定されていないか利用できません"
},
@@ -2927,18 +2039,10 @@
"translation": "サポートされていないOAuthサービスプロバイダーです"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "id=%vのユーザーのプロフィールを取得できません。強制的にログアウトします"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "ユーザーが見付からないため、プロフィール画像を取得できませんでした。"
},
{
- "id": "api.user.init.debug",
- "translation": "ユーザーAPIルートを初期化しています"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "このサーバーではAD/LDAPは利用できません"
},
@@ -2951,6 +2055,14 @@
"translation": "パスワード欄は空欄にできません"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "有効な証明書が無い状態で、実験的な機能である ClientSideCert でのサインインを試みました"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "有効なエンタープライズライセンスが無い状態で、実験的な機能である ClientSideCertEnable の使用を試みています"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "あなたのアカウントが無効化されているためログインできませんでした。 システム管理者に連絡してください。"
},
@@ -2959,18 +2071,10 @@
"translation": "ユーザーIDまたはパスワードが間違っています。"
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "ユーザーIDまたはチーム名と電子メールのいずれかを入力しなければなりません"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "電子メールアドレスが確認できていないためログインできません"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "userId=%vのsessionId=%vを無効化しました。同じデバイスIDでログインし直してください"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "{{.AuthService}}を使ってサインインしてください"
},
@@ -2983,18 +2087,6 @@
"translation": "{{.Service}}ユーザーオブジェクトの認証データを読み込めません"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "パスワード欄は空欄にできません"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "AD/LDAPはこのサーバーでは有効化されていません"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "IDが必要です"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "このサーバーではAD/LDAPは利用できません"
},
@@ -3003,16 +2095,12 @@
"translation": "user_idが一致しないためパスワードを更新できません"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "チーム%vを完全に削除しようとしています id=%v"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "チーム%vを完全に削除しました id=%v"
- },
- {
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "あなたの削除しようとしている%vはシステム管理者です。削除した場合、コマンドラインツールを使って他のアカウントをシステム管理者に設定する必要があります。"
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "シングルサインオンのパスワードを初期化することはできません"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "間違ったチームでユーザーのパスワードを初期化しようとしています。"
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "SAML 2.0 は、このサーバーでは設定されていないかサポートされていません。"
},
@@ -3055,12 +2139,12 @@
"translation": "電子メールアドレス変更確認の電子メールを送信できませんでした"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "パスワード更新の電子メールを送信できませんでした"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "そのアドレスを持ったアカウントが見付かりませんでした"
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "パスワード更新の電子メールを送信できませんでした"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "歓迎の電子メールを送信できませんでした"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "シングルサインオンアカウントのアクティベーション状態を変更することはできません。シングルサインオンサーバーを通じて変更してください。"
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "この機能は有効でないため、あなた自身を無効化することはできません。システム管理者に連絡してください。"
},
@@ -3131,26 +2211,6 @@
"translation": "有効なアカウントが見付からないためパスワードを更新できませんでした"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "少なくとも1人のシステム管理者が必要です"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "あなたには必要な権限が付与されていません"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "この操作には、システム管理者の役割が必要です"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "システム管理者の役割は、他のシステム管理者だけが設定できます"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "この操作には、チーム管理者の役割が必要です"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "リクエストの'image'以下の配列が空です"
},
@@ -3195,40 +2255,28 @@
"translation": "不正な電子メール確認リンクです。"
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "%v ウェブソケットハブを開始しています"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "ウェブソケットハブの接続が停止しています"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "ウェブソケット接続エラー: %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "ウェブソケット接続をアップグレードできませんでした"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "ウェブソケットAPIルートを初期化しています"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [詳細: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "ウェブソケットルーティングエラー: seq=%v uid=%v %v [詳細: %v]"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "teamId=%v用のチームハブを停止しています"
- },
- {
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "外向きのウェブフックはシステム管理者によって無効にされています。"
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "trigger_wordsまたはchannel_idを設定してください"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "内向きのウェブフックはシステム管理者によって無効にされています。"
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "内向きのウェブフックを削除するのに十分な権限が付与されていません"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "外向きのウェブフックはシステム管理者によって無効にされています。"
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "外向きのウェブフックを削除するのに十分な権限が付与されていません"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "内向きのウェブフックを受信。内容="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "内向きのウェブフックのペイロードを読み込めませんでした。"
- },
- {
"id": "api.webhook.incoming.error",
"translation": "内向きのウェブフックのマルチパートペイロードをデコードできませんでした。"
},
{
- "id": "api.webhook.init.debug",
- "translation": "ウェブフックAPIルートを初期化しています"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "外向きのウェブフックトークンを再生成するのに十分な権限が付与されていません"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "他チームのウェブフックは更新できません"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "内向きのウェブフックはシステム管理者によって無効にされています。"
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "内向きのウェブフックを更新するのに十分な権限が付与されていません"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "外向きのウェブフックはシステム管理者によって無効にされています。"
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "同一のチャンネルからの外向きのウェブフックには、同一のトリガーワード/コールバックURLを指定できません。"
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "外向きのウェブフックは、公開チャンネルに対してのみ更新できます。"
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "外向きのウェブフックを更新するのに十分な権限が付与されていません"
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "trigger_wordsまたはchannel_idを設定してください"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "WebRTCはこのサーバーでは有効化されていません。"
},
{
- "id": "api.webrtc.init.debug",
- "translation": "WebRTC APIルートを初期化しています"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "WebRTCトークンを登録する際にエラーが発生しました"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "無効なセッション err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "不正な{{.Name}}パラメーターです"
},
@@ -3367,6 +2351,10 @@
"translation": "%s がチャンネルの目的を %s に更新しました"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "インポートデータファイルの読み込み中にエラーが発生しました。"
},
@@ -3375,6 +2363,18 @@
"translation": "JSONをデコードできませんでした。"
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "削除されたスキームを使用するようチャンネルに設定することはできません。"
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "チャンネルはチャンネル向けスキーマに割り当てられていなければなりません。"
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "チャンネルのインポート中にエラーが発生しました。 名前 \"{{.TeamName}}\" のチームが見つかりません。"
},
@@ -3431,6 +2431,10 @@
"translation": "インポートデータに \"post\" という型がありましたが、その投稿のオブジェクトがnullでした。"
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "インポートデータに \"scheme\" という行がありましたが、そのスキームのオブジェクトがnullでした。"
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "インポートデータに \"team\" という型がありましたが、そのチームのオブジェクトがnullでした。"
},
@@ -3459,12 +2463,28 @@
"translation": "投稿のインポート中にエラーが発生しました。 名前 \"{{.Username}}\" のユーザーが見つかりません。"
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "一括インポート処理は、既に存在するスキームのスコープを変更できません。"
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "削除されたスキームを使用するようチームに設定することはできません。"
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "チームはチーム向けのスキームに割り当てられていなければなりません。"
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "チャンネルメンバーシップのインポートでエラーが発生しました。設定を保存できませんでした。"
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "チャンネル作成日時には0を設定できません。"
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "チャンネルの目的が長すぎます。"
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "チャンネル向けのスキーム名が不正です。"
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "必須のチャンネル設定値 team が存在しません。"
},
@@ -3639,12 +2663,44 @@
"translation": "必須の返信設定値 User が存在しません。"
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "チームの許可されたドメインが長すぎます。"
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "役割の説明が不正です。"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "役割の表示名が不正です。"
+ },
+ {
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "権限もしくは役割が不正です。"
+ },
+ {
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "役割の名前が不正です。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "スキームの説明が不正です。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "スキームの表示名が不正です。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "スキームの名前が不正です。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "スキームのスコープが必要です。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "不明なスキームのスコープです。"
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "チームの作成日時には0を設定できません。"
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "このスコープのスキームに誤った役割が与えられました。"
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "チーム名が予約語を含んでいます。"
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "チーム向けのスキームの名前が不正です。"
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "チームの種類が正しくありません。"
},
@@ -3739,8 +2799,8 @@
"translation": "ユーザーのチャンネル通知トリガーの設定が不正です。"
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "ユーザーのコメント通知トリガーの設定が不正です。"
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "ユーザーのモバイルプッシュ通知ステータスの設定が不正です。"
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "ユーザーのパスワードの長さが不正です。"
},
@@ -3875,10 +2939,6 @@
"translation": "プラグインを無効化できませんでした"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "プラグインステータスの状態を削除できませんでした。"
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "プラグインは無効化されています。詳しくはログを確認してください。"
},
@@ -3891,8 +2951,8 @@
"translation": "filesystemエラーが発生しました"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "有効なプラグインを取得できませんでした"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "このチームは登録ユーザー数の上限に達しました。システム管理者に上限値を上げるよう依頼してください。"
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "タイムゾーン設定をデシリアライズできませんでした file={{.Filename}}, err={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "タイムゾーン設定ファイルが存在しません file={{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "タイムゾーン設定が読み込めませんでした file={{.Filename}}, err={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "トークンが存在しないか不正です"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "新しいグループメッセージチャンネルを作成できるようにする"
},
@@ -3979,6 +3063,22 @@
"translation": "グループメッセージを作成する"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "公開チャンネルへの投稿を作成できるようにする"
},
@@ -3987,12 +3087,28 @@
"translation": "公開チャンネルへの投稿作成"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "新しいチームを作成できるようにする"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "チームを作成する"
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "パーソナルアクセストークンを作成する"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "ジョブを管理できるようにする"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "ジョブ管理"
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "チームの役割を管理する"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "公開チャンネルを読めるようにする"
},
@@ -4035,6 +3383,30 @@
"translation": "パーソナルアクセストークンを読み取る"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "パーソナルアクセストークンを破棄できるようにする"
},
@@ -4059,6 +3431,62 @@
"translation": "スラッシュコマンドを使用する"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "システム上のすべての公開・非公開・ダイレクトチャンネルへ投稿する権限を持つ役割です"
},
@@ -4083,6 +3511,14 @@
"translation": "パーソナルアクセストークン"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "システム上のすべての公開・非公開チャンネルへ投稿する権限を持つ役割です"
},
@@ -4099,96 +3535,108 @@
"translation": "公開チャンネルへの投稿"
},
{
- "id": "cli.license.critical",
- "translation": "この機能はEnterprise Editionへのアップグレードとライセンスキーを要求しています。システム管理者に連絡してください。"
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "画像をデコードできません。"
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "画像設定をデコードできません。"
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "画像をPNGとしてデコードできません。"
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "画像を開くことができません。"
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "画像を保存できません"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "画像を開けません。画像が大き過ぎます。"
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "id={{ .id }} のクラスター設定が変更されました。 このクラスターは不安定になる可能性があるため再起動が必要です。 このクラスターを正常に設定するため、すぐにローリングリスタートを実施してください。"
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "クラスターが`%v`で失敗を送信しました detail=%v, extra=%v, retry number=%v"
+ "id": "cli.license.critical",
+ "translation": "この機能はEnterprise Editionへのアップグレードとライセンスキーを要求しています。システム管理者に連絡してください。"
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "クラスターが`%v`で最後の失敗を送信しました detail=%v, extra=%v, retry number=%v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "潜在的な互換性のないバージョンが%vのクラスター化で検出されました"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "潜在的な互換性のない設定が%vのクラスター化で検出されました"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "id={{ .id }} のクラスター設定が変更されました。 このクラスターは不安定になる可能性があるため再起動が必要です。 このクラスターを正常に設定するため、すぐにローリングリスタートを実施してください。"
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "クラスター化機能が現在のライセンスでは無効になっています。システム管理者にエンタープライズライセンスをアップグレードするように連絡してください。"
+ "id": "ent.cluster.save_config.error",
+ "translation": "高可用モードが有効な場合、設定ファイルのReadOnlyConfigが無効でない限りシステムコンソールは読み取り専用です"
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "id=%vのホスト名=%v on=%vのクラスターから応答がありません"
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "不明な出力フォーマット {{.ExportType}}"
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "id=%v self=%vのホスト名=%v on=%vのクラスターから応答がありました"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "添付ファイルをzipファイルにコピーできません。"
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "高可用モードが有効な場合、設定ファイルのReadOnlyConfigが無効でない限りシステムコンソールは読み取り専用です"
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "添付ファイルをCSVエクスポートに追加できません。"
},
{
- "id": "ent.cluster.starting.info",
- "translation": "クラスターノード間の通信はホスト名=%v、id=%vの%vで接続待ちです"
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "一時的なCSVエクスポートファイルを作成できません。"
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "クラスターノード間の通信をホスト名=%v、id=%vの%vで停止しています"
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "ヘッダーをCSVエクスポートに追加できません。"
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "コンプライアンス機能が現在のライセンスでは無効になっています。システム管理者にエンタープライズライセンスをアップグレードするように連絡してください。"
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "メタデータファイルをzipファイルに追加できません。"
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "コンプライアンスエクスポートが失敗しました。パス='{{.FilePath}}'、ジョブ='{{.JobName}}'"
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "コンプライアンスエクスポートは'{{.JobName}}'ジョブで完了しました。{{.Count}}件のレコードが'{{.FilePath}}'にエクスポートされました。"
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "コンプライアンスエクスポートの'{{.JobName}}'ジョブにおける警告: '{{.FilePath}}'において、列数が多過ぎるため30,000にまでエクスポートされます。"
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "コンプライアンスエクスポートが開始されました ジョブ='{{.JobName}}'、ファイル='{{.FilePath}}'"
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "コンプライアンス機能が現在のライセンスでは無効になっています。システム管理者にエンタープライズライセンスをアップグレードするように連絡してください。"
+ },
+ {
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.run_failed.error",
+ "translation": "コンプライアンスエクスポートが失敗しました。パス='{{.FilePath}}'、ジョブ='{{.JobName}}'"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "Elasticsearchのインデックスを作成できませんでした"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "Elasticsearchインデックスの存在を確認できませんでした"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "Elasticsearchインデックスのマッピングを設定できませんでした"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "Elasticsearchのインデックスを削除できませんでした"
},
@@ -4272,7 +3712,7 @@
},
{
"id": "ent.elasticsearch.search_posts.parse_matches_failed",
- "translation": "Failed to parse search result matches"
+ "translation": "検索結果の解析に失敗しました"
},
{
"id": "ent.elasticsearch.search_posts.search_failed",
@@ -4287,18 +3727,6 @@
"translation": "Elasticsearch Bulk Processorを生成することが出来ませんでした"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "Elasticsearch Bulk Processorを生成することが出来ませんでした"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "Elasticsearchインデックス設定を設定できませんでした"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "Elasticsearch Bulk Processorを開始することが出来ませんでした"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "Elasticsearch Bulk Processorを開始することが出来ませんでした"
},
@@ -4319,10 +3747,6 @@
"translation": "ElasticsearchサーバーのURLかユーザー名が変更されました。接続をテストするためにElasticsearchのパスワードを再度入力してください。"
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "カスタム絵文字の制限機能が現在のライセンスでは無効になっています。システム管理者にエンタープライズライセンスをアップグレードするように連絡してください。"
- },
- {
"id": "ent.ldap.create_fail",
"translation": "LDAPユーザーを作成できません。"
},
@@ -4355,10 +3779,6 @@
"translation": "AD/LDAPサーバーに接続できません"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "認証情報は有効ですが、ユーザーを作成できません。"
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "あなたのAD/LDAPアカウントにはMattermostサーバを利用する権限がありません。システム管理者にAD/LDAPのユーザーフィルターをチェックするよう依頼してください。"
},
@@ -4367,40 +3787,16 @@
"translation": "ユーザーがAD/LDAPサーバーに登録されていません"
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "MattermostユーザーはAD/LDAPサーバーによってアップデートされました。"
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "同期ジョブが失敗したためLDAP同期ワーカーが失敗しました"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "LDAP同期ワーカーが同期ジョブを作成できませんでした"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "AD/LDAPの同期が完了しました"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "AD/LDAPを使っている全てのユーザーを取得できません"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "不正なAD/LDAPフィルターです"
- },
- {
- "id": "ent.message_export.generic.license.error",
- "translation": "ライセンスはメッセージのエクスポートをサポートしていません。"
- },
- {
- "id": "ent.metrics.starting.info",
- "translation": "メトリクスとプロファイリングのサーバーは%vで接続待ちです"
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.metrics.stopping.info",
- "translation": "%v のメトリクスとプロファイリング用のサーバーは停止しています"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "不正なAD/LDAPフィルターです"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "認証プロバイダーへのリクエストをエンコードする際にエラーが発生しました。システム管理者に連絡してください。"
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "認証プロバイダーへのサイン済みリクエストをエンコードする際にエラーが発生しました。システム管理者に連絡してください。"
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "SAMLサービスプロバイダーを設定する際にエラーが発生しました。err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "SAMLログインは、サービスプロバイダーの秘密鍵が見付からないため失敗しました。システム管理者に連絡してください。"
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "サービスプロバイダーの公開証明書ファイルが見付かりません。システム管理者に連絡してください。"
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "SAMLログインは、認証プロバイダーのレスポンスが暗号化されていないため失敗しました。システム管理者に連絡してください。"
},
@@ -4527,8 +3915,12 @@
"translation": "SAML 2.0 は、このサーバーでは設定されていないかサポートされていません。"
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "既存のSAMLユーザーをアップデートすることはできません。ログインは有効です。err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "ジョブの状態をエラーに設定できませんでした"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "チャンネルが見付かりません: %v、%vではありませんか"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "チャンネルが取得できません"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "ユーザーとチームを作成しています"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "URLを解析できません"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "手動テストをセットアップ中です…"
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "URLにuidがありません"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "手動の自動リンクテスト"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "チャンネルが取得できません"
},
@@ -4575,50 +3947,6 @@
"translation": "Mattermostセキュリティー通知"
},
{
- "id": "mattermost.config_file",
- "translation": "%vから設定ファイルを読み込んでいます"
- },
- {
- "id": "mattermost.current_version",
- "translation": "現在のバージョンは%v (%v/%v/%v/%v)です"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "エンタープライズが有効: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "エンタープライズ版の機能を利用するには https://mattermost.com から取得できるライセンスキーが必要です。"
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "セキュリティー通知の詳細が取得できませんでした"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "セキュリティー通知の詳細が読み込めませんでした"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "Mattermostからのセキュリティーアップデートを確認中です"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "Mattermostからのセキュリティーアップデート情報が取得できませんでした"
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "%vのセキュリティー通知を%vに送っています"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "Mattermostからのセキュリティーアップデート情報に関してシステム管理者を取得できません"
- },
- {
- "id": "mattermost.working_dir",
- "translation": "現在のワーキングディレクトリーは%vです"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "不正な進捗データのため移行に失敗しました。"
},
@@ -4707,10 +4035,6 @@
"translation": "不正なIDです"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "不当な名前です"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "不正な目的です"
},
@@ -4731,10 +4055,6 @@
"translation": "電子メール通知の設定値が不正です"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "不正なミュートに関する値です"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "不正な通知レベルです"
},
@@ -4743,10 +4063,6 @@
"translation": "プッシュ通知のレベルが不正です"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "不正な役割です"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "不正な未読マークレベルです"
},
@@ -4755,30 +4071,6 @@
"translation": "不正なユーザーIDです"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "不正なチャンネルIDです"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "不正な参加日時です"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "不正な脱退日時です"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "不正なユーザー電子メールです"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "不正なユーザーIDです"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "外部からのデータを解析できません"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "サーバーに接続中にエラーになりました"
},
@@ -4803,8 +4095,8 @@
"translation": "チームパラメータがありません"
},
{
- "id": "model.client.login.app_error",
- "translation": "認証トークンが一致しません"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "リクエストを書き込めません"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "チャンネルIDをマルチパートフォームに書き込む際にエラーが発生しました"
},
@@ -4847,10 +4147,30 @@
"translation": "マルチパートリクエストを構築できませんでした"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "CreateAt が設定されていなければなりません"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Hostname が設定されていなければなりません"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "不正なIDです"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "LastPingAt が設定されていなければなりません"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "ClusterName が設定されていなければなりません"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Type が設定されていなければなりません"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "作成日時は有効な時刻にしてください"
},
@@ -4951,6 +4271,10 @@
"translation": "有効終了は有効開始の後でなくてはいけません"
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "サブドメインに対するクッキーを許可するには サイトURL の設定が必要です。"
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "atmos/camo 画像プロキシの設定が不正です。共有キーを設定する必要があります。"
},
@@ -4995,10 +4319,6 @@
"translation": "Elasticsearchライブインデックス処理バッチのサイズは1以上でなければなりません"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "Elastic Searchインデックスが有効な場合、Elastic Searchパスワード設定は必須です。"
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "ElasticsearchのPostsAggregatorJobStartTime設定は \"hh:mm\" の形式でなくてはなりません"
},
@@ -5007,10 +4327,6 @@
"translation": "Elasticsearchリクエストタイムアウトは1秒以上でなくてはなりません。"
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "Elastic Searchインデックスが有効な場合、Elastic Searchユーザー名設定は必須です。"
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "電子メール設定の電子メールバッチ処理バッファーサイズが不正です。 ゼロ以上の数を指定してください。"
},
@@ -5023,10 +4339,6 @@
"translation": "電子メール設定の電子メール通知内容の種別が不正です。'full' か 'generic' のどちらか一つでなければなりません。"
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "電子メールの設定におけるパスワードを初期化するためのソルトが不正です。32文字以上でなくてはいけません。"
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "電子メール設定のソルトが不正です。32文字以上にしてください。"
},
@@ -5043,34 +4355,10 @@
"translation": "ファイル設定のドライバー名が不正です。'local'または'amazons3'にしてください"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "ファイル設定のプレビューの高さが不正です。 ゼロ以上の数を指定してください。"
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "ファイル設定のプレビューの幅が不正です。ゼロ以上の数を指定してください。"
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "ファイル設定のプロフィールの高さが不正です。ゼロ以上の数を指定してください。"
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "ファイル設定のプロフィールの幅が不正です。ゼロ以上の数を指定してください。"
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "ファイル設定の公開リンクのソルトが不正です。32文字以上にしてください。"
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "ファイル設定のサムネイルの高さが不正です。ゼロ以上の数を指定してください。"
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "ファイル設定のサムネイルの幅が不正です。ゼロ以上の数を指定してください。"
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "未読チャンネルのグループ化設定が不正です。'disabled', 'default_on', 'default_off'のいずれかでなくてはなりません。"
},
@@ -5083,30 +4371,14 @@
"translation": "AD/LDAP項目 \"ベースDN\" は必須です。"
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "AD/LDAP項目 \"バインドパスワード\" は必須です。"
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "AD/LDAP項目 \"バインドユーザー名\" は必須です。"
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "AD/LDAP項目 \"電子メール属性\" は必須です。"
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "AD/LDAP項目 \"名前(ファーストネーム)の属性\" は必須です。"
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "AD/LDAP項目 \"ID属性\" は必須です。"
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "AD/LDAP項目 \"苗字(ラストネーム)の属性\" は必須です。"
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "AD/LDAP項目 \"ログインID属性\" は必須です。"
},
@@ -5115,14 +4387,6 @@
"translation": "最大ページサイズの値が不正です。"
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "必要なAD/LDAP項目がありません。"
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "必要なAD/LDAP項目がありません。"
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "AD/LDAP設定の接続セキュリティーが不正です。 'TLS'か'STARTTLS'にしてください"
},
@@ -5188,19 +4452,7 @@
},
{
"id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "メッセージエクスポート処理の ExportFormat は 'actiance' か 'globalrelay' のいずれかでなくてはなりません"
- },
- {
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "メッセージエクスポート処理の ExportFormat は 'actiance' か 'globalrelay' のいずれかでなくてはなりません"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "メッセーエクスポート処理の FileLocation はエクスポートデータが書き込まれる書き込み可能なディレクトリでなくてはなりません"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "メッセージエクスポート処理の FileLocation は FileSettings.Directory のサブディレクトリでなくてはなりません"
+ "translation": "メッセージエクスポート処理の ExportFormat は 'actiance'、'csv'、'globalrelay' のいずれかでなくてはなりません"
},
{
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
@@ -5223,18 +4475,10 @@
"translation": "メッセージエクスポート処理のGlobalRelaySettings.SmtpUsernameが設定されていなくてはなりません。"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "メッセージエクスポート処理の GlobalRelayEmailAddress には有効な電子メールアドレスが設定されていなくてはなりません"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "最小パスワード長さは、{{.MinLength}}以上、{{.MaxLength}}以下に設定してください。"
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "最大パスワード長さは、最小パスワード長さ以上に設定してください、"
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "投稿頻度設定のメモリー保存サイズが不正です。正の数を指定してください。"
},
@@ -5367,10 +4611,6 @@
"translation": "作成日時は有効な時刻にしてください"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "不正なcreator idです"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "不正な絵文字IDです"
},
@@ -5383,10 +4623,38 @@
"translation": "更新日時は有効な時刻にしてください"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "GIFをデコードできません"
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "不正なチャンネルIDです"
},
@@ -5411,6 +4679,10 @@
"translation": "不正なIDです"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "内向きのデータを解析できません"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "不正なチームIDです"
},
@@ -5443,6 +4715,14 @@
"translation": "不正なジョブ形式です"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "不正なアプリケーションIDです"
},
@@ -5491,6 +4771,10 @@
"translation": "不正なチャンネルIDです"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "作成日時は有効な時刻にしてください"
},
@@ -5543,14 +4827,6 @@
"translation": "不正なキーです。{{.Min}}文字以上 {{.Max}}文字以下でなくてはなりません。"
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "不正なキーです。{{.Min}}文字以上 {{.Max}}文字以下でなくてはなりません。"
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "不正なプラグインIDです。{{.Min}}文字以上 {{.Max}}文字以下でなくてはなりません。"
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "不正なプラグインIDです。{{.Min}}文字以上 {{.Max}}文字以下でなくてはなりません。"
},
@@ -5699,10 +4975,6 @@
"translation": "不正なURL識別子です"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "不正な役割です"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "不正なチームIDです"
},
@@ -5719,130 +4991,18 @@
"translation": "不正なトークンです。"
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "不正な認証データです"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "不正なユーザーです。パスワードと認証データは両方は指定できません"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "不正なユーザーです。認証データは認証形式と一緒に設定してください"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "作成日時は有効な時刻にしてください"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "不正な電子メールアドレスです"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "不正な名前(ファーストネーム)です"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "不正なユーザーIDです"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "不正な苗字です"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "不正なニックネームです"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "bcryptの制限により72文字以上のパスワードを設定できません"
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "不正な役職: 128文字以下でなければなりません。"
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "パスワードは{{.Min}}文字以上に設定してください。"
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字は英小文字にしてください。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字ずつの英小文字と数字を含めてください。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字ずつの英小文字と数字、記号(例: \"~!@#$%^&*()\")を含めてください。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字ずつの英小文字と記号(例: \"~!@#$%^&*()\")を含めてください。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字ずつ英小文字と英大文字を含めてください。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字ずつの英小文字と英大文字、数字を含めてください。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字ずつの英大文字と数字、記号(例: \"~!@#$%^&*()\")を含めてください。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字ずつの英小文字と英大文字、記号(例: \"~!@#$%^&*()\")を含めてください。"
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字は数字にしてください。"
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字ずつの数字、記号(例: \"~!@#$%^&*()\")を含めてください。"
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字は記号(例: \"~!@#$%^&*()\")にしてください。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字は英大文字にしてください。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字ずつの英大文字と数字を含めてください。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字ずつの英大文字と数字、記号(例: \"~!@#$%^&*()\")を含めてください。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "パスワードは少なくとも{{.Min}}文字以上に設定してください。少なくとも1文字ずつの英大文字と記号(例: \"~!@#$%^&*()\")を含めてください。"
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "不正なチームIDです"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "更新日時は有効な時刻にしてください"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "不正なユーザー名です"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "不正な説明です。255文字以内にしてください。"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "不正なアクセストークンです"
},
@@ -5855,6 +5015,10 @@
"translation": "デコードできませんでした"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "GitLabの使用条件が更新されました。gitlab.comで新しい使用条件に同意してから、もう一度Mattermostへログインしてみてください。"
},
@@ -5863,26 +5027,6 @@
"translation": "プラグインRPC呼出エラー"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "列形式%vを変更できませんでした"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "インデックス%vを確認できませんでした"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "SqlStoreを閉じています"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "ドライバーがなかったので列が存在するか確認できませんでした"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "FromDb: EncryptStringMapを*stringに変換できません"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "FromDb: StringArrayを*stringに変換できません"
},
@@ -5895,82 +5039,6 @@
"translation": "FromDb: StringMapを*stringに変換できません"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "%v列が作成できませんでした"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "ドライバーが不足しているため列の作成ができませんでした"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "ドライバーが不足しているためインデックスが作成できませんでした"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "データベーステーブルを作成できません: %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "方言特有のドライバーが作成できませんでした"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "方言特有のドライバー%vが作成できませんでした"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "与えられたciphertextに対するMACが正しくありません"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "列%vの最大長を取得できませんでした"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "SQL接続%vを開けませんでした"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "現在のライセンスでは、2以上のレプリカ機能は無効になっています。システム管理者にエンタープライズライセンスをアップグレードするように連絡してください。"
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "インデックス%vを削除できませんでした"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "列%vの名前を変更できませんでした"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "%vのデータベーススキーマのバージョンは古くなっています"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "データベーススキームのバージョンを%vにアップグレードしようとしています"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "データベーススキーマのバージョン %v はもうサポートされていません。このMattermostサーバーはスキーマバージョン %v から %v への自動アップグレードをサポートしています。ダウングレードはサポートされていません。続ける前に少なくともバージョン %v までは手動でアップグレードしてください。"
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "短いciphertextです"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "列%s(テーブル%s)のデータ形式を取得できません: %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "ciphertextが短過ぎます"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "データベーススキーマはバージョン%vにアップグレードされました"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "監査データを探す際にエラーが発生しました"
},
@@ -5999,16 +5067,24 @@
"translation": "チャンネル形式数を取得できませんでした"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "権限を確認できませんでした"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "権限を確認できませんでした"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "権限を確認できませんっでした"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "チャンネルが見付かりませんでした"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "削除されたチャンネルが見付かりませんでした"
},
@@ -6067,10 +5151,6 @@
"translation": "その名前を持つ削除されたチャンネルは存在しません"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "チャンネルメンバーに関する追加の情報を取得できませんでした"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "その投稿のチャンネルが取得できませんでした"
},
@@ -6231,10 +5311,6 @@
"translation": "チャンネルを検索する際にエラーが発生しました"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "最終閲覧日時を更新できませんでした"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "チャンネルが更新できませんでした"
},
@@ -6259,14 +5335,6 @@
"translation": "チャンネルのメンバーを更新する際にエラーが発生しました"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "記録を取得できませんでした"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "指定日時のチャンネル内ユーザーを取得できませんでした"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "指定日時内のチャンネル内ユーザーを取得できませんでした"
},
@@ -6275,10 +5343,6 @@
"translation": "チャンネルメンバーの履歴を記録できませんでした"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "チャンネルメンバーの履歴を記録できませんでした。参加記録が見つかりません"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "チャンネルメンバーの履歴を記録できませんでした。既存の参加記録を更新できませんでした"
},
@@ -6287,6 +5351,30 @@
"translation": "記録を破棄できませんでした"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "ClusterDiscovery 行の保存に失敗しました"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "削除に失敗しました"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "存在確認に失敗ました"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "すべての discovery 行の取得に失敗しました"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "ClusterDiscovery 行の保存に失敗しました"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "最終確認日時の更新に失敗しました"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "コマンド数を数えられませんでした"
},
@@ -6411,10 +5499,6 @@
"translation": "ファイル情報を保存できませんでした"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "ファイル情報を保存、または更新できませんでした"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "ジョブを削除できませんでした"
},
@@ -6567,10 +5651,6 @@
"translation": "プラグインのキーを保存、更新できませんでした"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "一意名制約に違反するため、プラグインのキーを保存、更新できませんでした"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "投稿数を取得できませんでした"
},
@@ -6583,6 +5663,10 @@
"translation": "投稿したユーザー数を取得できませんでした"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "投稿を削除できませんでした"
},
@@ -6591,6 +5675,10 @@
"translation": "投稿を取得できませんでした"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "チャンネルの親に当たる投稿を取得できませんでした"
},
@@ -6643,10 +5731,6 @@
"translation": "投稿バッチを完全に削除する際にエラーが発生しました"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "投稿バッチを完全に削除する際にエラーが発生しました"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "チャンネルの投稿を削除できませんでした"
},
@@ -6663,14 +5747,6 @@
"translation": "投稿サイズの最大値を定義できません"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message は最大 %d 文字(%d バイト)をサポートしています"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "投稿サイズの最大値の定義が見つかりませんでした"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "投稿を保存できませんでした"
},
@@ -6683,10 +5759,6 @@
"translation": "このサーバーでは検索が無効になっています。システム管理者に問い合わせてください。"
},
{
- "id": "store.sql_post.search.warn",
- "translation": "投稿検索時のクエリエラー: %v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "投稿を更新できませんでした"
},
@@ -6751,6 +5823,10 @@
"translation": "設定を更新できませんでした"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "リアクションの削除中はトランザクションを開けません"
},
@@ -6759,20 +5835,12 @@
"translation": "リアクションの削除中はトランザクションをコミットできません"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "リアクションを削除できません"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "指定された絵文字名のリアクションは削除できません"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "指定された絵文字名のリアクションを取得できません"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "リアクションの削除中にPost.HasReactionsは更新できません post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "リアクションを保存できません"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "役割を削除できませんでした"
},
@@ -6823,10 +5903,6 @@
"translation": "役割が不正です。"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "役割が不正です。"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "役割を保存するためのトランザクションを開ませんでした"
},
@@ -6843,10 +5919,6 @@
"translation": "このスキームに属する役割を削除できませんでした"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "一つ以上のチームもしくはチャンネルから使用されているため、スキームを削除できませんでした"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "スキームを削除できませんでした"
},
@@ -6895,10 +5967,6 @@
"translation": "セッション数を取得できませんでした"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "期限切れユーザーセッションを削除する際にエラーが発生しました"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "セッションを探す際にエラーが発生しました"
},
@@ -6907,10 +5975,6 @@
"translation": "ユーザーセッションを探す際にエラーが発生しました"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "getSessionsのセッションをクリーンアップできませんでした err=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "ユーザーの全てのセッションを削除できませんでした"
},
@@ -6927,10 +5991,6 @@
"translation": "セッションを保存できませんでした"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "保存する際のセッションをクリーンアップできませんでした err=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "既存のセッションを更新できません"
},
@@ -6983,6 +6043,10 @@
"translation": "状態を更新する際にエラーが発生しました"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "システム設定値を探す際にエラーが発生しました"
},
@@ -6991,10 +6055,6 @@
"translation": "システム変数が見付かりません。"
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "データベースのバージョンを取得できませんでした"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "システムテーブルのエントリーを完全に削除できませんでした"
},
@@ -7011,6 +6071,26 @@
"translation": "チーム数を取得できませんでした"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "チームが見付かりませんでした"
},
@@ -7063,10 +6143,6 @@
"translation": "チームのメンバーが取得できませんでした"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "チームを検索中に問題が発生しました"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "チームの未読メッセージを取得できませんでした"
},
@@ -7151,6 +6227,14 @@
"translation": "チーム名を更新できませんでした"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "無効なユーザー数を取得できませんでした"
},
@@ -7163,12 +6247,28 @@
"translation": "重複なしのユーザー数を取得できませんでした"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "アカウントを探す際にエラーが発生しました"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "特定の認証形式を使う全てのアカウントを抽出する際にエラーが発生しました。"
+ "id": "store.sql_user.get.app_error",
+ "translation": "アカウントを探す際にエラーが発生しました"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "ユーザーとチャンネルの未読のメッセージ数を取得できませんでした"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "User.ThemePropsをPreferenceテーブル %v に移行できませんでした"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "ユーザーが見付かりませんでした。"
},
@@ -7271,6 +6367,10 @@
"translation": "このユーザー名を使ったアカウントは既に存在しています。システム管理者に連絡してください。"
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "アカウントを更新できませんでした"
},
@@ -7311,18 +6411,10 @@
"translation": "failed_attemptsを更新できませんでした"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "last_activity_atを更新できませんでした"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "update_atを更新できませんでした"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "last_ping_atを更新できませんでした"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "ユーザーの多要素認証の活動状態を更新できませんでした"
},
@@ -7335,6 +6427,10 @@
"translation": "ユーザーのパスワードを更新できませんでした"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "電子メールアドレスの確認欄を更新できません"
},
@@ -7367,6 +6463,18 @@
"translation": "アクセストークンを探す際にエラーが発生しました"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "内向きのウェブフック数を取得できませんでした"
},
@@ -7459,18 +6567,10 @@
"translation": "設定値をデコードできません file={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "設定情報を取得できません file={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "設定ファイルを開けません file={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "設定ファイルの形式が不正です file={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "ファイルを{{.Filename}}に保存中にエラーが発生しました"
},
@@ -7487,18 +6587,6 @@
"translation": "Mattermost設定ファイルを読み込めませんでした: DefaultServerLocaleはサポートされている言語の一つでなければなりません。デフォルト値としてDefaultServerLocaleに en を設定しました。"
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "mattermostの設定ファイルをロードできませんでした: AvailableLocales はDefaultClientLocaleを含んでいなければなりません"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "解析は初期化されていません"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "ファイルストレージが正しく設定されていません。S3またはローカルサーバーファイルストレージを設定してください。"
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "ローカルサーバーストレージのディレクトリ一覧表示に失敗しました。"
},
@@ -7507,10 +6595,6 @@
"translation": "S3のディレクトリ一覧表示に失敗しました。"
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "ファイルストレージが正しく設定されていません。S3またはローカルサーバーファイルストレージを設定してください。"
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "ローカルサーバーストレージからのディレクトリ削除に失敗しました。"
},
@@ -7519,10 +6603,6 @@
"translation": "S3からのディレクトリ削除に失敗しました。"
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "ファイルストレージが正しく設定されていません。S3またはローカルサーバーファイルストレージを設定してください。"
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "ローカルサーバーファイルストレージからのファイル削除に失敗しました。"
},
@@ -7531,38 +6611,6 @@
"translation": "S3からのファイル削除に失敗しました。"
},
{
- "id": "utils.i18n.loaded",
- "translation": "'%v'用のシステム翻訳を'%v'から読み込みました"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "サイズは正の数でなくてはいけません"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "有効なエンタープライズライセンスが見付かりません"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "ライセンスファイルを削除できません err=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "ライセンスをデコード中にエラーが発生しました err=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "不正な署名です err=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "署名済みのライセンスが十分に長くありません"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "ライセンスに署名中にエラーが発生しました err=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "HELOを設定できませんでした"
},
@@ -7579,14 +6627,6 @@
"translation": "SMTPサーバーの認証に失敗しました"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "SMTPサーバー %v にHELOを設定できませんでした"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "SMTPサーバー%vに接続できませんでした"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "電子メールへ添付を書き込むことができませんでした"
},
@@ -7607,42 +6647,10 @@
"translation": "電子メールメッセージデータを追加できませんでした"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "%vに件名'%v'で電子メールを送信しています"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "設定エラー \"宛先電子メールアドレス\""
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "SMTPサーバー用の設定が正しくありません err=%v details=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "SMTPサーバー用の設定が正しくありません err=%v details=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "管理コンソール"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "アプリケーションを認証する"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "チームが見付かりませんでした name=%v, err=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "アカウントを要求する"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "ユーザーが見付かりません teamid=%v、email=%v、err=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "コマンドが見付かりません"
},
@@ -7655,42 +6663,6 @@
"translation": "外部からのデータを解析できません"
},
{
- "id": "web.create_dir.error",
- "translation": "ディレクトリーウォッチャーを作成できませんでした %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "id=%vのユーザーのプロフィールを取得できません。強制的にログアウトします"
- },
- {
- "id": "web.doc.title",
- "translation": "説明文書"
- },
- {
- "id": "web.email_verified.title",
- "translation": "電子メールアドレスが確認できました"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "現在使用しているブラウザはサポートされていません。以下のいずれかのブラウザにアップグレードしてください:"
},
@@ -7699,12 +6671,8 @@
"translation": "サポートされていないブラウザ"
},
{
- "id": "web.find_team.title",
- "translation": "チームを探す"
- },
- {
- "id": "web.header.back",
- "translation": "戻る"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "テキストは指定されていません"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "最大文字数は{{.Max}}文字ですが、受け取ったサイズは{{.Actual}}です"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "ユーザーが見付かりません"
- },
- {
- "id": "web.init.debug",
- "translation": "ウェブルートを初期化しています"
- },
- {
- "id": "web.login.error",
- "translation": "チームが見付かりません name=%v, err=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "ログイン"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "不正なチーム名です"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "テンプレート%vを読み直しています"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "不正な投稿IDです"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "パスワード初期化リンクの期限が切れています"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "初期化リンクが不正です"
- },
- {
- "id": "web.root.home_title",
- "translation": "ホーム"
- },
- {
- "id": "web.root.singup_title",
- "translation": "利用登録"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "利用登録リンクの期限が切れています"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "チームの利用登録を完了してください"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "利用登録の電子メールを送信しました"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "利用登録リンクの期限が切れています"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "このチームは誰でも招待できるような形式ではありません"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "ユーザーの利用登録を完了してください"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "不正なチーム名です"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "ウォッチャーにディレクトリーを追加できませんでした %v"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "状態ウェブソケットAPIルートを初期化しています"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "システムウェブソケットAPIルートを初期化しています"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "ユーザーウェブソケットAPIルートを初期化しています"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "WebRTCウェブソケットAPIルートを初期化しています"
}
]
diff --git a/i18n/ko.json b/i18n/ko.json
index bda1363b5..45a074ba0 100644
--- a/i18n/ko.json
+++ b/i18n/ko.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "4월"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "8월"
- },
- {
- "id": "December",
- "translation": "10월"
- },
- {
- "id": "February",
- "translation": "2월"
- },
- {
- "id": "January",
- "translation": "1월"
- },
- {
- "id": "July",
- "translation": "7월"
- },
- {
- "id": "June",
- "translation": "6월"
- },
- {
- "id": "March",
- "translation": "3월"
- },
- {
- "id": "May",
- "translation": "5월"
- },
- {
- "id": "November",
- "translation": "11월"
- },
- {
- "id": "October",
- "translation": "10월"
- },
- {
- "id": "September",
- "translation": "9월"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "로그 파일을 읽는데 오류가 발생했습니다."
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "커스텀 브랜딩을 설정하지 않았거나 서버에서 지원하지 않습니다."
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "이미지 저장소가 설정되지 않았습니다."
},
{
- "id": "api.admin.init.debug",
- "translation": "관리자 API 경로 초기화 중입니다."
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "DB 연결 재사용을 완료했습니다."
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "DB 연결을 재사용하려고 시도 중."
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "증명서 폐기 중 오류가 발생했습니다. config/{{.Filename}} 파일이 있는지 확인하세요."
},
@@ -92,6 +36,10 @@
"translation": "서비스 제공 메타 데이터를 만드는 중 오류가 발생하였습니다."
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/> Mattermost 이메일이 잘 설정된 것 같군요!"
},
@@ -112,14 +60,6 @@
"translation": "S3 버킷이 필요합니다"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "S3 엔드포인트가 필요합니다"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "S3 지역이 필요합니다"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "요청의 'image' 속성에 빈 배열이 전달되었습니다"
},
@@ -128,10 +68,6 @@
"translation": "요청의 'image' 속성 아래에 파일이 없습니다"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "커스텀 브랜딩을 설정하지 않았거나 서버에서 지원하지 않습니다"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "잘못된 multipart form을 파싱할 수 없습니다."
},
@@ -144,38 +80,10 @@
"translation": "용량이 커서 파일을 업로드 할 수 없습니다."
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "서버 템플릿 %v 를 파싱하는데 실패하였습니다"
- },
- {
- "id": "api.api.render.error",
- "translation": "템플릿 %v 를 렌더링하는 도중 다음 오류가 발생하였습니다: %v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "권한을 확인하기 위한 사용자 정보를 가져올 수 없습니다."
- },
- {
- "id": "api.brand.init.debug",
- "translation": "명령어 API 경로 초기화 중"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v 이/가 %v에 의해 채널에 추가되었습니다"
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "채널을 찾는 데 실패하였습니다"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "추가할 사용자를 찾는 데 실패하였습니다"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "추가를 요청한 사용자를 찾는 데 실패하였습니다"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "사용자를 채널에 추가하는 데 실패하였습니다"
},
@@ -192,30 +100,6 @@
"translation": "이 유형의 채널엔 사용자를 추가할 수 없습니다"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "공개 채널의 생성 및 관리는 시스템 관리자 권한이 필요합니다."
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "비공개 채널 생성 및 관리 권한은 팀 관리자 및 시스템 관리자에게만 주어집니다."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "공개 채널 생성, 관리는 시스템 관리자 권한이 필요합니다."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "공개 채널 생성, 관리는 팀 관리자 또는 시스템 관리자 권한이 필요합니다."
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "이 채널은 공개 채널로 전환되어 모든 팀원이 들어올 수 있습니다."
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "이 채널은 비공개 채널로 변경되었습니다."
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "이 기본 채널은 전용 채널로 변환할 수 없습니다."
},
@@ -268,50 +152,6 @@
"translation": "채널이 보존 처리 혹은 삭제되었습니다"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "아카이브 메시지 %v 를 포스트 하는 데 실패하였습니다"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "아카이브 메시지를 보내는 데 실패했습니다"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "Incoming webhook을 삭제하는 중 오류가 발생하였습니다. id=%v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "Outgoing webhook을 삭제하는 중 오류가 발생하였습니다. id=%v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "작업을 할 수 있는 권한이 없습니다"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "team_id={{.TeamId}} 팀에 channel_id={{.ChannelId}} 채널이 없습니다"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "채널의 갯수를 데이터베이스에서 가져오지 못했습니다"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "채널이 보존 처리 혹은 삭제되었습니다"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "최대 멤버 수를 파싱하는 데 실패하였습니다"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "강제 로그아웃 중 id=%v 유저 프로필을 가져오는 중 오류가 발생했습니다"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "채널 API 경로 초기화 중"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "채널이 이미 삭제되었습니다"
},
@@ -340,6 +180,10 @@
"translation": "%v 가 채널을 떠났습니다."
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "displayname 업데이트 메시지 등록 실패"
},
@@ -380,22 +224,10 @@
"translation": "기본 채널로부터는 사용자를 강퇴할 수 없음 {{.Channel}}"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "작업을 할 수 있는 권한이 없습니다."
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v 가 채널에서 제거되었습니다."
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "사용자를 제거할 수 없습니다."
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "제거할 사용자를 찾는 데 실패하였습니다"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "채널이 보존 처리 혹은 삭제되었습니다"
},
@@ -404,10 +236,6 @@
"translation": "채널이 보존 처리 혹은 삭제되었습니다"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "작업을 할 수 있는 권한이 없습니다."
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "기본 채널 {{.Channel}}에 적절하지 않은 갱신을 시도했습니다"
},
@@ -424,26 +252,14 @@
"translation": "Unable to set the scheme to the channel because the supplied scheme is not a channel scheme."
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "읽지 않은 메시지 갯수를 가져오지 못했습니다. user_id=%v and channel_id=%v, err=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "The provided role is managed by a Scheme and therefore cannot be applied directly to a Team Member"
},
{
- "id": "api.cluster.init.debug",
- "translation": "클러스터 API 경로 초기화 중"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "연동은 관리자만 사용할 수 있습니다."
},
{
- "id": "api.command.delete.app_error",
- "translation": "삭제 명령 권한 없음"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "시스템 관리자가 비활성화한 명령입니다."
},
@@ -472,18 +288,10 @@
"translation": "'{{.Trigger}}' 트리거에 실행되는 커맨드를 찾지 못했습니다. \"/\"로 시작하는 메시지를 보내려면 메시지 시작 부분에 빈 공간을 추가하십시오."
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "채널에 명령어 응답을 저장하는 중 오류가 발생했습니다"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "명령어 트리거를 찾을 수 없습니다"
},
{
- "id": "api.command.init.debug",
- "translation": "명령어 API 경로 초기화 중"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "여러분의 Mattermost 팀에게 초대 메일을 보내기"
},
@@ -516,18 +324,10 @@
"translation": "초대 이메일을 보냈습니다"
},
{
- "id": "api.command.regen.app_error",
- "translation": "명령어 토큰을 재생성할 권한 없음"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "팀들간의 명령어를 업데이트 할 수 없음"
},
{
- "id": "api.command.update.app_error",
- "translation": "명령어 업데이트 권한 없음"
- },
- {
"id": "api.command_away.desc",
"translation": "현재 상태를 자리비움으로 설정합니다."
},
@@ -568,10 +368,6 @@
"translation": "현재 채널의 업데이트에 실패하였습니다."
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "채널 머릿말이 성공적으로 업데이트되었습니다."
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "채널 조회 중 오류가 발생하였습니다."
},
@@ -644,10 +440,6 @@
"translation": "현재 채널의 업데이트에 실패하였습니다."
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "채널이름이 성공적으로 업데이트되었습니다."
- },
- {
"id": "api.command_code.desc",
"translation": "텍스트를 코드 블록으로 표시합니다."
},
@@ -696,10 +488,6 @@
"translation": "방해 금지 모드가 활성화되었습니다. 방해 금지 모드가 비활성화 될 때 까지 데스크탑이나 모바일 푸시 알림을 받지 못합니다."
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "/echo 글을 생성할 수 없습니다, err=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "딜레이는 10000초보다 작아야 합니다"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "사용자를 찾을 수 없습니다: %s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "사용자 조회 중 오류가 발생하였습니다."
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "그룹 메시지는 최대 {{.MaxUsers}}명으로 제한되어 있습니다."
},
@@ -779,18 +559,10 @@
"translation": "그룹 메시지는 최소 {{.MaxUsers}}명으로 제한되어 있습니다."
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "해당 사용자를 찾을 수 없습니다."
- },
- {
"id": "api.command_groupmsg.name",
"translation": "메시지"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "메세지를 보낸 사용자 목록"
- },
- {
"id": "api.command_help.desc",
"translation": "Mattermost 도움말 페이지 열기"
},
@@ -875,10 +647,6 @@
"translation": "참가"
},
{
- "id": "api.command_join.success",
- "translation": "참가한 채널"
- },
- {
"id": "api.command_kick.name",
"translation": "킥"
},
@@ -891,14 +659,6 @@
"translation": "채널에서 나가는 중 오류가 발생했습니다."
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "채널 목록을 조회하는 중 오류가 발생하였습니다."
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "해당 채널을 찾을 수 없습니다"
- },
- {
"id": "api.command_leave.name",
"translation": "떠나기"
},
@@ -947,10 +707,6 @@
"translation": "@[유저이름] '메세지'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "사용자 제거 중 오류가 발생하였습니다."
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "사용자를 찾을 수 없습니다"
},
@@ -959,10 +715,6 @@
"translation": "메시지"
},
{
- "id": "api.command_msg.success",
- "translation": "메세지를 보낸 유저."
- },
- {
"id": "api.command_mute.desc",
"translation": "지정된 현재 채널 또는[채널]에 대해 데스크 톱, 이메일 및 푸시 알림 기능을 해제합니다."
},
@@ -1115,10 +867,6 @@
"translation": "shrug"
},
{
- "id": "api.compliance.init.debug",
- "translation": "API 경로 초기화 중"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "사용자 설정을 위한 새로운 형식은 아직 지원되지 않습니다. 명령문에서 format=old 를 명시해 주세요."
},
@@ -1135,14 +883,6 @@
"translation": "적절하지 않은 {{.Name}} 파라미터"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "잘못된 세션 err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "올바르지 않은 상황에서 팀 URL에 접근했습니다. 팀 URL은 API 함수 또는 팀과 무관한 곳에서 사용되어서는 안 됩니다."
- },
- {
"id": "api.context.invalid_token.error",
"translation": "잘못된 세션 token={{.Token}}, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "요청 URL에서 {{.Name}} 변수가 없거나 잘못됨"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "캐시 전체 삭제 중"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "LastActivityAt 업데이트에 실패했습니다. user_id=%v and session_id=%v, err=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v code=%v rid=%v uid=%v ip=%v %v [details: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "이 서버에는 다단계 인증이 요구됩니다."
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "팀 ID 없음"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "작업을 할 수 있는 권한이 없습니다"
},
@@ -1179,26 +903,10 @@
"translation": "잘못되거나 만료된 세션입니다, 다시 로그인 해주세요."
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "작업을 할 수 있는 권한이 없습니다 (시스템)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "OAuth 세션이 아님에도 쿼리 문자열에 토큰이 제공되었습니다"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "알 수 없는 오류가 발생했습니다. 지원 서비스에 연락하시기 바랍니다."
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "API 버전 3은 이 서버에서 비활성화 되어 있습니다. API 버전 4를 이용하십시오. 자세한 내용은 다음을 참고하세요 : https://api.mattermost.com "
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "삭제 API 경로 초기화 중"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "이메일 배치 작업을 받는 채널이 가득 찼습니다. EmailBatchingBufferSize를 늘려주세요."
},
@@ -1207,14 +915,6 @@
"translation": "시스템 관리자가 이메일 배치 기능을 비활성화 했습니다."
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "이메일 배치 작업이 실행됐습니다. 아직 사용자 %v명의 알림이 남아있습니다."
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "배치된 이메일 알림 대상 글의 채널을 찾을 수 없습니다."
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Month}} {{.Day}}"
},
@@ -1235,10 +935,6 @@
"translation": "로부터 공지"
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "배치된 이메일 알림 대상 글의 작성자를 찾을 수 없습니다."
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "새 알림이 있습니다.{{.Count}}개의 새 알림이 있습니다.",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "배치된 이메일 알림 수신자의 화면 설정을 확인할 수 없습니다."
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "%v: %v에 배치성 알림 이메일을 보내는데 실패하였습니다."
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] 새 알림 {{.Month}} {{.Day}}, {{.Year}}",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "배치된 이메일 알림의 수신자를 찾을 수 없습니다."
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "이메일 배치 작업을 시작합니다. 매 %v초마다 남은 이메일을 확인하세요."
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "이모티콘을 생성할 수 없습니다. 같은 이름을 가진 다른 이모티콘이 이미 있습니다."
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "이모티콘을 생성할 수 없습니다. 요청을 이해할 수 없습니다."
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "이모티콘을 생성할 권한이 없습니다."
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "이모티콘을 생성할 수 없습니다. 요청을 이해할 수 없습니다."
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "이모티콘을 생성할 수 없습니다. 이미지 용량은 1MB 미만이어야 합니다."
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "%v 이모티콘을 지우는 중에는 리액션을 삭제할 수 없음"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "시스템 관리자에 의해 사용자 이모티콘 기능이 비활성화 되어 있습니다."
},
@@ -1301,14 +977,6 @@
"translation": "이모티콘 이미지 파일을 읽을 수 없습니다."
},
{
- "id": "api.emoji.init.debug",
- "translation": "이모티콘 API 경로 초기화 중"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "이모티콘 API 경로 초기화 중"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "파일 저장소가 제대로 설정되지 않았습니다. S3나 로컬 서버 파일 저장소를 설정해주세요."
},
@@ -1333,12 +1001,12 @@
"translation": "이모지를 만들 수 없습니다. GIF 인코딩 중 오류가 발생했습니다."
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "이 서버는 파일 첨부가 비활성화 되어 있습니다."
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "시스템 관리자가 개인 링크들 저장을 할 수 없도록 했습니다."
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "이 서버는 파일 첨부가 비활성화 되어 있습니다."
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "파일 썸네일 이미지가 없습니다."
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "파일의 정보를 가져올 수 없습니다. 파일에 현재 유저가 읽을 수 있는 정보가 작성되어야 합니다."
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "파일 정보를 가져올 수 없습니다. 이미지 저장소를 설정하세요."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "파일을 가져올 수 없습니다. 이미지 저장소가 설정되지 않았습니다."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "파일을 가져올 수 없습니다. 이미지 저장소가 설정되지 않았습니다."
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "공개 링크가 비활성화되어 있습니다."
},
@@ -1377,116 +1029,52 @@
"translation": "파일의 공개링크를 가져올 수 없습니다. 파일에 현재 유저가 읽을 수 있는 설명이 작성되어야 합니다."
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "이미지를 디코딩 할 수 없습니다 err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "JPEG 포맷처럼 이미지를 인코딩할 수 없습니다. path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "미리보기 JPG로 이미지를 인코드할 수 없습니다. path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "미리보기를 업로드할 수 없습니다. path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "썸네일을 업로드할 수 없습니다. path=%v err=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "파일 API 경로 초기화 중"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "FileInfos를 사용하기위한 게시글을 마이그레이션할 때 채널을 가져올 수 없습니다. post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "FIleInfos를 사용하기 위해 게시글을 마이그레이션 할 때 파일을 찾을 수 없습니다. post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "마이그레이션 후 게시글을 위한 FileInfos를 가져올 수 없습니다. post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "FileInfos를 사용하기 위해 마이그레이션할 때 게시글을 가져올 수 없습니다, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "FileInfos를 사용하기위해 게시글을 마이그레이션할 때 파일 정보를 완벽하게 디코드할 수 없습니다, post_id=%v, filename=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "FilesInfos를 사용하기 위해 게시글을 마이그레이션 중입니다, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "FileInfos를 사용하기 위해 게시글을 마이그레이션 할 때 특이한 파일명을 찾았습니다, post_id=%v, channel_id=%v, user_id=%v, filename=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "Filenames 필드가 공란일 때 Fileinfos를 사용하기 위한 게시글 마이그레이션 할 수 없습니다, post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "이 게시글을 이미 FileInfos를 사용하기 위한 마이그레이션이 되어있습니다, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "FileInfos를 사용하기 위해 게시글을 마이그레이션 할 때 게시글을 저장할 수 없습니다, post_id=%v, file_id=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "FIleInfos를 사용하기 위해 게시글을 마이그레이션 할 때 파일을 저장할 수 없습니다, post_id=%v, filename=%v, path=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "S3 내에서 파일을 복사 할 수 없습니다."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "FileInfos에 대한 팀을 찾을 수 없습니다, post_id=%v, filenames=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "S3으로부터 파일을 지울 수 없습니다."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "FileInfos를 사용하기 위한 마이그레이션할 때 팀들을 가져올 수 없습니다, post_id=%v, err=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "파일을 근처로 이동할 수 없습니다."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "FileInfos를 사용하기위해 게시글을 마이그레이션할 때 파일 정보를 완벽하게 디코드할 수 없습니다, post_id=%v, filename=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "No file driver selected."
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "파일 저장소가 제대로 설정되지 않았습니다. S3이나 개인 서버 파일 저장소를 설정해주세요."
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "로컬 서버 저장소를 읽는 도중 에러가 발생했습니다."
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "S3 내에서 파일을 복사 할 수 없습니다."
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "로컬 서버 저장소를 읽는 도중 에러가 발생했습니다."
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "S3으로부터 파일을 지울 수 없습니다."
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "로컬 서버 저장소를 읽는 도중 에러가 발생했습니다."
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "S3으로부터 파일을 가져올 수 없습니다."
+ "id": "api.file.reader.s3.app_error",
+ "translation": "로컬 서버 저장소를 읽는 도중 에러가 발생했습니다."
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "파일을 근처로 이동할 수 없습니다."
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Don't have permissions to write to local path specified or other error."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "파일 저장소가 제대로 설정되지 않았습니다. S3이나 로컬 서버 파일 저장소를 설정해주세요."
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Unable to create bucket."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "S3에 있는 파일을 가져올 수 없습니다."
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Error checking if bucket exists."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "로컬 서버 저장소를 읽는 도중 에러가 발생했습니다."
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "Bad connection to S3 or minio."
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "파일을 업로드할 수 없습니다. 파일이 너무 큽니다."
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "파일 저장소가 제대로 설정되지 않았습니다. S3이나 로컬 서버 파일 저장소를 설정해주세요."
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "S3에 쓰기를 실패했습니다."
},
@@ -1525,34 +1109,6 @@
"translation": "로컬 서버 저장소에 쓰는 도중 에러가 발생했습니다."
},
{
- "id": "api.general.init.debug",
- "translation": "일반 API 경로 초기화 중"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "게시물을 첨부할 때 오류가 발생했습니다. postId=%v, FileIds=%v, message=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "글 저장 오류. 사용자=%v, 메시지=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "가져온 사용자를 팀에 추가할 수 없습니다. err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "기본 채널에 참여하는데 실패했습니다. 사용자 ID=%s, 팀 ID=%s, 에러=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "유저를 저장하는데 오류가 발생했습니다. err=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "확인된 이메일로 설정하는데 실패했습니다. err=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "시스템 관리자 권한으로 Incoming webhooks를 설정해야 합니다."
},
@@ -1561,10 +1117,6 @@
"translation": "유효하지 않은 사용자 이름"
},
{
- "id": "api.ldap.init.debug",
- "translation": "LDAP API 경로 초기화 중"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "'license' 아래에 비어있는 배열이 있습니다."
},
@@ -1605,30 +1157,6 @@
"translation": "클라이언트 라이선스를 위한 새로운 형식은 아직 지원하지 않습니다. 명령문에서 format=old 를 명시해 주세요."
},
{
- "id": "api.license.init.debug",
- "translation": "라이선스 API 경로 초기화 중"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "라이센스가 제대로 삭제되지 않았습니다."
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "invalid_request: 잘못된 client_id"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "잘못된_요청: 잘못된 redirect_url 이거나 입력되지 않음."
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "invalid_request: 잘못된 response_type"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "server_error: 데이터베이스에 접근할때 오류가 발생했습니다."
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "invalid_request: 받은 redirect_url이 등록된 callback_url과 일치하지 않습니다."
},
@@ -1641,14 +1169,6 @@
"translation": "OAuth2 서비스 제공자가 시스템 관리자에 의해 종료되었습니다."
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "response_type, client_id, redirect_uri 중 하나 이상이 누락되었습니다."
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "OAuth2 App 삭제를 위한 부적합한 권한"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "invalid_request: 잘못된 client_id"
},
@@ -1705,22 +1225,10 @@
"translation": "invalid_grant: 잘못된 refresh 토큰"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "권한코드(auth code) code=%s 을(를) 찾을 수 없습니다."
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "OAuth API 경로 초기화 중"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "상태 토큰이 잘못되었습니다."
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "OAuth2 앱의 Secret를 재생성하기에 부적절한 권한 입니다."
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "OAuth2 서비스 제공자가 시스템 관리자에 의해 종료되었습니다."
},
@@ -1749,8 +1257,8 @@
"translation": "유효하지 않은 가입 링크입니다."
},
{
- "id": "api.opengraph.init.debug",
- "translation": "Open graph 프로토콜 API 경로 초기화하기"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "@{{.Username}} 에게 메시지는 전달했지만, 이 채널에 속하지 않기 때문에 알림을 받지 못했습니다."
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "게시글에 파일을 등록하는 동안 에러가 발생되었습니다, post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "잘못된 파일 이름은 사용할 수 없습니다, filename=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "삭제된 채널에 등록할 수 없습니다."
},
@@ -1789,10 +1289,6 @@
"translation": "루트 아이디 매개변수의 잘못된 채널 아이디입니다."
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "마지막으로 본 시간을 업데이트 할 수 없습니다, channel_id=%s, user_id=%s, err=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "잘못된 ParentId 매개변수입니다"
},
@@ -1809,18 +1305,6 @@
"translation": "포스트 만드는 중 오류"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "중요 메시지로 지정된 글을 삭제할 수 없습니다. err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "작업을 할 수 있는 권한이 없습니다"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "게시글에 대한 파일을 삭제할 때 에러가 발생되었습니다, post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "채널에 사용자가 {{.Users}}명이상 있기 때문에 @all이 비활성화 되었습니다."
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "알림 메세지에 대한 파일을 가져올 때 에러가 발생되었습니다, post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}}개 이미지 발송됨: {{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "@mention 정규 표현식을 컴파일 할 수 없습니다 user_id=%v, err=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "작업을 할 수 있는 권한이 없습니다"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "채널의 참가자를 얻을 수 없습니다, channel_id=%v err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "회신 게시물 생성에 실패했습니다. err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "이벤트 POST 실패. err=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "post API 경로 초기화 중"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "시스템 관리자 권한으로 Link previews를 활성화시키세요."
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "개인 메시지 채널에 2명의 사용자를 가져오는데 실패했습니다. 채널 아이디={{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "채널 구성원들을 가져올 수 없습니다. channel_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "직접 대화 채널을 구성하는데 실패했습니다 user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "개인 메시지 채널의 속성을 변경하지 못했습니다. user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "채널 회원의 프로필 사진을 불러올 수 없습니다. user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " notified the channel."
},
@@ -1919,26 +1355,6 @@
"translation": " commented on a thread you participated in."
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "포스트 작성자가 해당 포스트를 게시한 채널에 존재하지 않습니다, 알림을 보내지 않았습니다 post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "채널 ID %v 에 있는 %v 에게 전달한 푸쉬 메시지 삭제 중"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "게시글 알림에 대한 파일을 가져오는데 실패했습니다, post_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "타 팀 사용자 (user_id=%v) 에게 DM 발송 중 팀 정보 조회 실패, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "신규 메시지"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": "~에서 메시지 전송"
},
@@ -1955,30 +1371,10 @@
"translation": "sent you a message."
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "device_id={{.DeviceId}} 에 푸쉬 전달 실패, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}} 보냄"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "멘션 수 변경 실패, post_id=%v channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "기존 글을 찾을 수 없습니다."
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "작업을 할 수 있는 권한이 없습니다."
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "게시 수정이 불가합니다. 시스템 관리자에게 문의하세요."
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "이미 지워짐. ID={{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "내용을 가져올수 없습니다."
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "요청으로부터 기본 설정을 불러올 수 없습니다."
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "다른 사용자의 기본 설정을 삭제할 수 없습니다."
- },
- {
- "id": "api.preference.init.debug",
- "translation": "설정 API 경로 초기화 중"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "요청으로부터 기본 설정을 불러올 수 없습니다."
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "다른 사용자의 기본 설정을 저장할 수 없습니다."
- },
- {
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "URL에 있는 채널 ID 가 게시글 ID 와 맞지 않기 때문에 리액션 삭제 실패"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "리액션 API 경로 초기화 중"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "URL 에서 채널 ID와 게시글 ID가 맞지 않아서 리액션 조회 실패"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "리액션이 유효하지 않습니다."
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "URL 에서 채널 ID와 게시글 ID가 맞지 않아서 리액션 저장 실패"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "타 사용자에 대한 리액션 저장을 할 수 없습니다."
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "리액션에 대한 웹소켓 이벤트 발송 중 게시글 조회 실패"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "지금 라이선스는 고급 퍼미션을 지원하지 않습니다."
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "증명서가 정상적으로 저장되지 않았습니다."
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "Unable to get the teams for scheme because the supplied scheme is not a team scheme."
},
{
- "id": "api.server.new_server.init.info",
- "translation": "서버를 초기화 중입니다."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "%s 포트에서 수신하는 중, 포트 80에서 포트 443으로 전환하지 못했습니다. 프록시 서버 사용 중인 경우 Forward80To443 옵션을 비활성화 해 주세요."
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "Server is listening on %v"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "RateLimiter가 활성화 되었습니다."
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "RateLimitSettings not configured properly using VaryByHeader and disabling VaryByRemoteAddr"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "메모리 스토어의 속도 제한을 초기화할 수 없습니다. MemoryStoreSize 설정 세팅을 확인하십시오."
},
@@ -2095,22 +1455,6 @@
"translation": "서버 시작중 오류, err:%v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "서버 시작 중..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "서버를 시작하는 중 오류가 발생"
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "서버가 정지됐습니다."
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "서버를 정지하는 중..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "The Integration/Slack Bot user with email {{.Email}} and password {{.Password}} has been imported.\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "Unable to import Slack channel {{.DisplayName}}.\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Slack Import: Unable to import Slack channel: %s."
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "The Slack channel {{.DisplayName}} already exists as an active Mattermost channel. Both channels have been merged.\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Slack Import: An error occurred when attaching files to a message, post_id=%s, file_ids=%v, err=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Slack Import: Slack bot messages cannot be imported yet."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Slack Import: Unable to import the bot message as the bot user does not exist."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Slack Import: Unable to import the message as it has no comments."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Slack Import: Unable to import the message as the user field is missing."
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Slack Import: Unable to import bot message as the BotId field is missing."
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Slack Import: Unable to import the message as its type is not supported: post_type=%v, post_subtype=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Slack Import: Unable to import file {{.FileId}} as the file is missing from the Slack export zip file."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Slack Import: Unable to attach the file to the post as the latter has no \"file\" section present in Slack export."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Slack Import: Unable to open the file {{.FileId}} from the Slack export: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Slack Import: An error occurred when uploading file {{.FileId}}: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Slack Import: Unable to add the message as the Slack user %v does not exist in Mattermost."
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Slack Import: Unable to import the message as the user field is missing."
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\n 사용자 생성됨\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "User {{.Username}} does not have an email address in the Slack export. Used {{.Email}} as a placeholder. The user should update their email address once logged in to the system.\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "Slack Import: User {{.Username}} does not have an email address in the Slack export. Used {{.Email}} as a placeholder. The user should update their email address once logged in to the system."
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "불러올 수 없는 사용자: {{.Username}}\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Slack Import: Unable to compile the !channel, matching regular expression for the Slack channel {{.ChannelName}} (id={{.ChannelID}})."
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Slack Import: Bad timestamp detected."
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Slack Import: Unable to compile the @mention, matching regular expression for the Slack user {{.Username}} (id={{.UserID}})."
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Slack Import: Unable to deactivate the user account used for the bot."
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Slack에서 가져오기 Log\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "Unable to open the Slack export zip file.\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Slack Import: Error occurred when parsing some Slack channels. Import may work anyway."
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Slack Import: Error occurred when parsing some Slack posts. Import may work anyway."
- },
- {
- "id": "api.status.init.debug",
- "translation": "상태 API 루트를 초기화 중"
- },
- {
- "id": "api.status.init.debug",
- "translation": "상태 API 루트를 초기화 중"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "LastActivityAt 업데이트에 실패했습니다. user_id=%v and session_id=%v, err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "Failed to save status for user_id=%v, err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "User not found"
},
{
- "id": "api.system.go_routines",
- "translation": "The number of running goroutines is over the health threshold %v of %v"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v 이/가 %v에 의해 채널에 추가되었습니다"
},
@@ -2307,32 +1547,16 @@
"translation": "Parameter required to add user to team."
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "이메일을 통한 팀 가입이 비활성화 되어있습니다."
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "이메일을 통한 팀 가입이 비활성화 되어있습니다."
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "가입 링크가 만료되었습니다."
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "유효하지 않는 URL 입니다. 변경 후 다시 시도해주세요."
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "이메일 발송 중에 오류가 발생했습니다. err=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "Invite is invalid because this is not an open team."
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "데이터를 불러오려면 팀 관리자 권한이 필요합니다."
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "Malformed request: filesize field is not present."
},
{
- "id": "api.team.init.debug",
- "translation": "팀 API 경로 초기화 중"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "관리자"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "이미 팀에 가입되어 있는 사용자입니다."
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "The following email addresses do not belong to an accepted domain: {{.Addresses}}. Please contact your System Administrator for details."
},
@@ -2387,22 +1599,6 @@
"translation": "초대된 인원이 없습니다."
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "팀에 새로운 사용자를 초대하는 권한은 시스템 관리자로 제한됩니다."
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "팀에 새로운 사용자를 초대하는 권한은 팀/시스템 관리자로 제한됩니다."
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "초대 메일 발송을 실패했습니다. err=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "%v %v 에 초대를 보냈습니다."
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "새로운 팀을 생성할 수 없습니다. 시스템 관리자에게 문의해보세요."
},
@@ -2427,14 +1623,6 @@
"translation": "This channel has been moved to this team from %v."
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "Attempting to permanently delete team %v id=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "팀이 완전히 삭제되었습니다. %v id=%v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "An error occurred getting the team"
},
@@ -2491,10 +1679,6 @@
"translation": "Could not save team icon"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "이메일을 통한 팀 가입이 비활성화 되어있습니다."
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "An error occurred updating the team icon"
},
@@ -2503,10 +1687,6 @@
"translation": "지정된 사용자는 지정된 팀의 멤버가 아닙니다."
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "작업을 할 수 있는 권한이 없습니다"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "License does not support updating a team's scheme"
},
@@ -2515,10 +1695,6 @@
"translation": "Unable to set the scheme to the team because the supplied scheme is not a team scheme."
},
{
- "id": "api.templates.channel_name.group",
- "translation": "그룹 메세지"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "You deactivated your account on {{ .SiteURL }}.<br>If this change wasn't initiated by you or you want to reactivate your account, contact your system administrator."
},
@@ -2571,22 +1747,6 @@
"translation": "발신: "
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "Your request to find teams associated with your email found the following:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "주어진 이메일에 대한 팀을 찾을 수 없습니다."
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "팀 찾기"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "{{ .SiteName }} 팀"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "팀 참여하기"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] Your sign-in method has been updated"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "팀 설정하기"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }} is one place for all your team communication, searchable and available anywhere.<br>You'll get more out of {{ .SiteName }} when your team is in constant communication--let's get them on board."
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "팀이 성공적으로 생성되었습니다!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "{{ .SiteName }} 팀 설정"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>YOUR DUPLICATE ACCOUNTS HAVE BEEN UPDATED</h3>Your Mattermost server is being upgraded to Version 3.0, which lets you use a single account across multiple teams.<br/><br/>You are receiving this email because the upgrade process has detected your account had the same email or username as other accounts on the server.<br/><br/>The following updates have been made: <br/><br/>{{if .EmailChanged }}- The duplicate email of an account on the `/{{.TeamName}}` team was changed to `{{.Email}}`. You will need to use email and password to login, you can use this new email address for login.<br/><br/>{{end}}{{if .UsernameChanged }}- The duplicate username of an account on the team site `/{{.TeamName}}` has been changed to `{{.Username}}` to avoid confusion with other accounts.<br/><br/>{{end}} RECOMMENDED ACTION: <br/><br/>It is recommended that you login to your teams used by your duplicate accounts and add your primary account to the team and any public channels and private groups which you wish to continue using. <br/><br/>This gives your primary account access to all public channel and private group history. You can continue to access the direct message history of your duplicate accounts by logging in with their credentials. <br/><br/>FOR MORE INFORMATION: <br/><br/>For more information on the upgrade to Mattermost 3.0 please see: <a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] Mattermost 3.0 업그레이드를 위해 계정을 변경하세요."
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "A personal access token was added to your account on {{ .SiteURL }}. They can be used to access {{.SiteName}} with your account.<br>If this change wasn't initiated by you, please contact your system administrator."
},
@@ -2787,10 +1923,6 @@
"translation": "올바르지 않은 상태"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "올바르지 않은 상태; 팀 이름이 없습니다."
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "접근 토큰이 없습니다."
},
@@ -2839,10 +1971,6 @@
"translation": "There is already an account associated with that email address using a sign in method other than {{.Service}}. Please sign in using {{.Auth}}."
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "This {{.Service}} account has already been used to sign up"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "Could not create user out of {{.Service}} user object"
},
@@ -2871,10 +1999,6 @@
"translation": "User creation is disabled."
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "기본 채널에 참여하는데 실패했습니다. user_id=%s, team_id=%s, err=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "Missing Invite Id."
},
@@ -2887,10 +2011,6 @@
"translation": "This server does not allow open signups. Please speak with your Administrator to receive an invitation."
},
{
- "id": "api.user.create_user.save.error",
- "translation": "사용자를 저장할 수 없습니다. err=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "이메일을 통한 팀 가입이 비활성화 되어있습니다."
},
@@ -2903,22 +2023,14 @@
"translation": "유효하지 않은 가입 링크입니다."
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "올바르지 않은 팀 이름"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "Encountered error saving tutorial preference, err=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "이메일 검증을 실패했습니다. err=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "이 서버에서 AD/LDAP을 사용할 수 없습니다."
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "MFA 토큰이 설정되지 않았거나 유효하지 않습니다."
},
@@ -2927,18 +2039,10 @@
"translation": "Unsupported OAuth service provider"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "id=%v 강제 로그아웃 중 유저 프로필을 가져오다가 오류가 발생했습니다"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "Unable to get profile image, user not found."
},
{
- "id": "api.user.init.debug",
- "translation": "사용자 API 경로 초기화 중"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "이 서버에서 AD/LDAP을 사용할 수 없습니다."
},
@@ -2951,6 +2055,14 @@
"translation": "비밀번호를 입력하세요."
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Attempted to sign in using the experimental feature ClientSideCert without providing a valid certificate"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Attempt to use the experimental feature ClientSideCertEnable without a valid enterprise license"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "Login failed because your account has been set to inactive. Please contact an administrator."
},
@@ -2959,18 +2071,10 @@
"translation": "User ID or password incorrect."
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "Must provide either user ID, or team name and user email"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "검증되지 않은 이메일입니다."
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "Revoking sessionId=%v for userId=%v re-login with same device Id"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "Please sign in using {{.AuthService}}"
},
@@ -2983,18 +2087,6 @@
"translation": "Could not parse auth data out of {{.Service}} user object"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "비밀번호를 입력하세요."
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "이 서버에서 AD/LDAP이 활성화되지 않았습니다."
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "ID가 필요합니다."
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "이 서버에서 LDAP을 사용할 수 없습니다."
},
@@ -3003,16 +2095,12 @@
"translation": "Update password failed because context user_id did not match provided user's id"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "Attempting to permanently delete account %v id=%v"
- },
- {
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "계정이 완전히 삭제되었습니다. %v id=%v"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "You are deleting %v that is a system administrator. You may need to set another account as the system administrator using the command line tools."
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "SSO 계정의 비밀번호를 재설정 할 수 없습니다."
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "잘못된 팀 유저에 대해 비밀번호 초기화를 시도했습니다."
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "SAML이 설정되지 않았거나 서버에서 지원하지 않습니다"
},
@@ -3055,12 +2139,12 @@
"translation": "이메일 변경 확인 메일을 발송하지 못하였습니다."
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "비밀번호 변경 알림 메일을 발송하지 못하였습니다."
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "We couldn’t find an account with that address."
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "비밀번호 변경 알림 메일을 발송하지 못하였습니다."
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "가입 환영 메일을 발송하지 못하였습니다."
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "You can not modify the activation status of LDAP accounts. Please modify through the LDAP server."
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "You cannot deactivate yourself because this feature is not enabled. Please contact your System Administrator."
},
@@ -3131,26 +2211,6 @@
"translation": "해당 계정을 찾지 못해 비밀번호를 변경할 수 없습니다."
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "최소 한 명의 관리자가 필요합니다."
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "작업을 할 수 있는 권한이 없습니다"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "이 작업은 시스템 관리자 권한이 필요합니다."
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "시스템 관리자 권한은 시스템 관리자만 설정할 수 있습니다."
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "이 작업은 팀 관리자 권한이 필요합니다."
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "요청의 'image' 배열이 비어있습니다."
},
@@ -3195,40 +2255,28 @@
"translation": "잘못된 이메일 검증 링크입니다."
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "%v 웹소켓 허브를 실행합니다."
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "웹소켓 허브 커넥션들을 중단합니다."
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "웹소켓 연결 오류: %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "웹소켓 연결을 업그레이드 하는 데 실패했습니다."
},
{
- "id": "api.web_socket.init.debug",
- "translation": "웹소켓 API 경로 초기화 중"
- },
- {
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [details: %v]"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "websocket routing error: seq=%v uid=%v %v [details: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "team hub stopping for teamId=%v"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "Outgoing webhook은 관리자가 사용할 수 없게 설정했습니다."
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "Either trigger_words or channel_id must be set"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "Incoming webhook은 관리자가 사용할 수 없게 설정했습니다."
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "Incoming webhook을 삭제할 권한이 없습니다"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "Outgoing webhook은 관리자가 사용할 수 없게 설정했습니다."
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "Outcoming webhook을 삭제할 권한이 없습니다"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "Incoming webhook 수신. 내용="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "Incoming webhook의 payload를 읽을 수 없습니다."
- },
- {
"id": "api.webhook.incoming.error",
"translation": "Could not decode the multipart payload of incoming webhook."
},
{
- "id": "api.webhook.init.debug",
- "translation": "webhook API 경로 초기화 중"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "Outgoing webhook 토큰을 재생성할 권한이 없습니다"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "팀들간의 명령어를 업데이트 할 수 없음"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "Incoming webhook은 관리자가 사용할 수 없게 설정했습니다."
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "Incoming webhook을 삭제할 권한이 없습니다"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "Outgoing webhook은 관리자가 사용할 수 없게 설정했습니다."
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "같은 채널에서 나가는 outgoing webhook들은 동일한 발동 단어/콜백 URL을 가질 수 없습니다."
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "Outgoing webhook은 공개 채널에만 생성할 수 있습니다."
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "Outgoing webhook을 생성할 권한이 없습니다."
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "Either trigger_words or channel_id must be set"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "이 서버에서 WebRTC를 사용할 수 없습니다."
},
{
- "id": "api.webrtc.init.debug",
- "translation": "WebRTC API 경로 초기화 중"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "WebRTC 토큰 등록 중에 에러가 발생하였습니다."
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "잘못된 세션 err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "적절하지 않은 {{.Name}} 파라미터"
},
@@ -3367,6 +2351,10 @@
"translation": "%s이(가) 채널 헤더를 %s로 갱신했습니다"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "Error reading import data file."
},
@@ -3375,6 +2363,18 @@
"translation": "JSON decode of line failed."
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Cannot set a channel to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Channel must be assigned to a Channel-scoped scheme."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "Error importing channel. Team with name \"{{.TeamName}}\" could not be found."
},
@@ -3431,6 +2431,10 @@
"translation": "Import data line has type \"post\" but the post object is null."
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "Import data line has type \"scheme\" but the scheme object is null."
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "Import data line has type \"team\" but the team object is null."
},
@@ -3459,12 +2463,28 @@
"translation": "Error importing post. User with username \"{{.Username}}\" could not be found."
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "The bulk importer cannot change the scope of an already-existing scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Cannot set a team to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Team must be assigned to a Team-scoped scheme."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "Error importing user channel memberships. Failed to save preferences."
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "Channel create_at must not be zero if provided."
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "Channel purpose is too long."
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for channel."
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "Missing required channel property: team"
},
@@ -3639,12 +2663,44 @@
"translation": "Missing required Reply property: User."
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "Team allowed_domains is too long."
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "잘못된 설명"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "잘못된 표시명"
+ },
+ {
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "Invalid permission on role."
+ },
+ {
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "유효하지 않은 사용자 이름"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "잘못된 설명"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "잘못된 표시명"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "유효하지 않은 사용자 이름"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "Scheme scope is required."
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "Team create_at must not be zero if provided."
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "Unknown scheme scope."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "The wrong roles were provided for a scheme with this scope."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "Team name contains reserved words."
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for team."
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "Team type is not valid."
},
@@ -3739,8 +2799,8 @@
"translation": "Invalid Channel Trigger Notify Prop for user."
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "Invalid Comment Trigger Notify Prop for user."
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "Invalid Mobile Push Status Notify Prop for user."
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "User Password has invalid length."
},
@@ -3875,10 +2939,6 @@
"translation": "Unable to deactivate plugin"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "Unable to delete plugin status state."
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "Plugins have been disabled. Please check your logs for details."
},
@@ -3891,8 +2951,8 @@
"translation": "Encountered filesystem error"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "Unable to get active plugins"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "This team has reached the maximum number of allowed accounts. Contact your systems administrator to set a higher limit."
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "Failed to deserialize Timezone config file={{.Filename}}, err={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "Timezone config file does not exists file={{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "Failed to read Timezone config file={{.Filename}}, err={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "Invalid or missing token"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "Ability to create new group message channels"
},
@@ -3979,6 +3063,22 @@
"translation": "Create Group Message"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "Ability to create posts in public channels"
},
@@ -3987,12 +3087,28 @@
"translation": "Create Posts in Public Channels"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "Ability to create new teams"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "Create Teams"
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "Create Personal Access Token"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "Ability to manage jobs"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "Manage Jobs"
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "Manage Team Roles"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "Ability to read public channels"
},
@@ -4035,6 +3383,30 @@
"translation": "Read Personal Access Tokens"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "Ability to revoke personal access tokens"
},
@@ -4059,6 +3431,62 @@
"translation": "슬래시 명령어 사용"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "A role with the permission to post in any public, private or direct channel on the system"
},
@@ -4083,6 +3511,14 @@
"translation": "Personal Access Token"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "A role with the permission to post in any public or private channel on the team"
},
@@ -4099,96 +3535,108 @@
"translation": "Post in Public Channels"
},
{
- "id": "cli.license.critical",
- "translation": "Feature requires an upgrade to Enterprise Edition and the inclusion of a license key. Please contact your System Administrator."
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "이미지를 불러올 수 없습니다."
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "이미지 구성을 불러올 수 없습니다."
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "이미지를 PNG로 저장할 수 없습니다."
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "이미지를 열 수 없습니다."
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "이미지를 저장할 수 없습니다."
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "이미지가 너무 커서 열 수 없습니다."
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "Cluster configuration has changed for id={{ .id }}. The cluster may become unstable and a restart is required. To ensure the cluster is configured correctly you should perform a rolling restart immediately."
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
+ },
+ {
+ "id": "cli.license.critical",
+ "translation": "Feature requires an upgrade to Enterprise Edition and the inclusion of a license key. Please contact your System Administrator."
+ },
+ {
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "Cluster send failed at `%v` detail=%v, extra=%v, retry number=%v"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "Cluster send final fail at `%v` detail=%v, extra=%v, retry number=%v"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "Cluster configuration has changed for id={{ .id }}. The cluster may become unstable and a restart is required. To ensure the cluster is configured correctly you should perform a rolling restart immediately."
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "클러스터링에서 잠재적으로 호환되지 않는 버전 %v가 탐지되었습니다."
+ "id": "ent.cluster.save_config.error",
+ "translation": "System Console is set to read-only when High Availability is enabled unless ReadOnlyConfig is disabled in the configuration file."
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "클러스터 구성환경에서 함께 쓸수 없을 수도 있는 설정이 발견되었습니다. %v"
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "Unknown output format {{.ExportType}}"
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "클러스터링 기능을 활성화 하려면 엔터프라이즈 라이센스가 필요합니다. 시스템 관리자에게 업그레이드를 문의해보세요."
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Unable to copy the attachment into the zip file."
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "Cluster ping failed with hostname=%v on=%v with id=%v"
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Unable to add attachment to the CSV export."
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "Cluster ping successful with hostname=%v on=%v with id=%v self=%v"
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Unable to create temporary CSV export file."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "System Console is set to read-only when High Availability is enabled unless ReadOnlyConfig is disabled in the configuration file."
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Unable to add header to the CSV export."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "Cluster internode communication is listening on %v with hostname=%v id=%v"
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Unable to add metadata file to the zip file."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "Cluster internode communication is stopping on %v with hostname=%v id=%v"
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "Compliance 기능을 활성화 하려면 엔터프라이즈 라이센스가 필요합니다. 시스템 관리자에게 업그레이드를 문의해보세요."
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "Compliance export failed for job '{{.JobName}}' at '{{.FilePath}}'"
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "Compliance export finished for job '{{.JobName}}' exported {{.Count}} records to '{{.FilePath}}'"
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "Compliance export warning for job '{{.JobName}}' too many rows returned truncating to 30,000 at '{{.FilePath}}'"
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "Compliance 기능을 활성화 하려면 엔터프라이즈 라이센스가 필요합니다. 시스템 관리자에게 업그레이드를 문의해보세요."
+ },
+ {
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "Compliance export started for job '{{.JobName}}' at '{{.FilePath}}'"
+ "id": "ent.compliance.run_failed.error",
+ "translation": "Compliance export failed for job '{{.JobName}}' at '{{.FilePath}}'"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "Failed to create Elasticsearch index"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "Failed to establish whether Elasticsearch index exists"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "Failed to setup Elasticsearch index mapping"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "Failed to delete Elasticsearch index"
},
@@ -4287,18 +3727,6 @@
"translation": "Failed to create Elasticsearch bulk processor"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "Failed to create Elasticsearch bulk processor"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "Failed to set Elasticsearch index settings"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "Failed to start Elasticsearch bulk processor"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "Failed to start Elasticsearch bulk processor"
},
@@ -4319,10 +3747,6 @@
"translation": "The Elasticsearch Server URL or Username has changed. Please re-enter the Elasticsearch password to test connection."
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "사용자 정의 이모티콘 제한을 활성화 하려면 엔터프라이즈 라이센스가 필요합니다. 시스템 관리자에게 업그레이드를 문의해보세요."
- },
- {
"id": "ent.ldap.create_fail",
"translation": "Unable to create LDAP user."
},
@@ -4355,10 +3779,6 @@
"translation": "AD/LDAP 서버에 연결할 수 없습니다."
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "인증서는유효하지만 사용자를 생성할 수 없습니다."
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "AD/LDAP 계정이 Mattermost 서버를 사용하기 위한 권한이 없습니다. 시스템 관리자에게 AD/LDAP 사용자 필터 확인을 문의해보세요."
},
@@ -4367,40 +3787,16 @@
"translation": "사용자가 AD/LDAP 서버에 등록되어 있지 않습니다."
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "Mattermost 사용자가 AD/LDAP 서버에 의해 변경되었습니다."
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "LDAP sync worker failed due to the sync job failing"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "LDAP sync worker failed to create the sync job"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "AD/LDAP 동기화 완료"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "AD/LDAP에서 사용자를 불러올 수 없습니다."
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "잘못된 AD/LDAP 필터"
- },
- {
- "id": "ent.message_export.generic.license.error",
- "translation": "License does not support Message Export."
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.metrics.starting.info",
- "translation": "Metrics and profiling server is listening on %v"
- },
- {
- "id": "ent.metrics.stopping.info",
- "translation": "Metrics and profiling server is stopping on %v"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "잘못된 AD/LDAP 필터"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "An error occurred while encoding the request for the Identity Provider. Please contact your System Administrator."
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "An error occurred while encoding the signed request for the Identity Provider. Please contact your System Administrator."
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "An error occurred while configuring SAML Service Provider, err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "SAML login was unsuccessful because the Service Provider Private Key was not found. Please contact your System Administrator."
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "Service Provider Public Certificate File was not found. Please contact your System Administrator."
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "SAML login was unsuccessful as the Identity Provider response is not encrypted. Please contact your System Administrator."
},
@@ -4527,8 +3915,12 @@
"translation": "SAML이 설정되지 않았거나 서버에서 지원하지 않습니다"
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "Unable to update existing SAML user. Allowing login anyway. err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "Failed to set job status to error"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "Could not find channel: %v, %v possibilites searched"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "채널을 가져올 수 없습니다."
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "팀과 사용자 생성"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "URL을 파싱할 수 없습니다."
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "수동 테스트 설정 중..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "URL에 uid가 없습니다."
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "Manual Auto Link Test"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "채널을 불러올 수 없습니다."
},
@@ -4575,50 +3947,6 @@
"translation": "Mattermost Security Bulletin"
},
{
- "id": "mattermost.config_file",
- "translation": "설정 파일을 불러왔습니다. %v"
- },
- {
- "id": "mattermost.current_version",
- "translation": "현재 버전: %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "엔터프라이즈 기능 활성화: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "License key from https://mattermost.com required to unlock enterprise features."
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "Failed to get security bulletin details"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "Failed to read security bulletin details"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "Mattermost 에서 보안 업데이트 점검하기"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "Failed to get security update information from Mattermost."
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "Sending security bulletin for %v to %v"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "Failed to get system admins for security update information from Mattermost."
- },
- {
- "id": "mattermost.working_dir",
- "translation": "현재 작업 디렉토리는 %v입니다."
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "Migration failed due to invalid progress data."
},
@@ -4707,10 +4035,6 @@
"translation": "잘못된 ID"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "잘못된 이름"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "Invalid purpose"
},
@@ -4731,10 +4055,6 @@
"translation": "Invalid email notification value"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "Invalid muting value"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "Invalid notify level"
},
@@ -4743,10 +4063,6 @@
"translation": "Invalid push notification level"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "잘못된 권한"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "Invalid mark unread level"
},
@@ -4755,30 +4071,6 @@
"translation": "잘못된 사용자 ID"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "Invalid channel id"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "잘못된 형식"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "Invalid leave time"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "잘못된 사용자 ID"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "잘못된 사용자 ID"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "Unable to parse incoming data"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "We encountered an error while connecting to the server"
},
@@ -4803,8 +4095,8 @@
"translation": "Missing team parameter"
},
{
- "id": "model.client.login.app_error",
- "translation": "Authentication tokens didn't match"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "Unable to write request"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "Error writing channel id to multipart form"
},
@@ -4847,10 +4147,30 @@
"translation": "Unable to build multipart request"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "CreateAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Hostname must be set"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "잘못된 ID"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "LastPingAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "ClusterName must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Type must be set"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "Create at must be a valid time"
},
@@ -4951,6 +4271,10 @@
"translation": "To must be greater than From"
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Allowing cookies for subdomains requires SiteURL to be set."
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "Invalid atmos/camo image proxy options for service settings. Must be set to your shared key."
},
@@ -4995,10 +4319,6 @@
"translation": "Elasticsearch Live Indexing Batch Size must be at least 1"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "Elastic Search Password setting must be provided when Elastic Search indexing is enabled."
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "Elasticsearch PostsAggregatorJobStartTime setting must be a time in the format \"hh:mm\""
},
@@ -5007,10 +4327,6 @@
"translation": "Elasticsearch Request Timeout must be at least 1 second."
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "Elastic Search Username setting must be provided when Elastic Search indexing is enabled."
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "Invalid email batching buffer size for email settings. Must be zero or a positive number."
},
@@ -5023,10 +4339,6 @@
"translation": "Invalid email notification contents type for email settings. Must be one of either 'full' or 'generic'."
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "Invalid password reset salt for email settings. Must be 32 chars or more."
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "Invalid invite salt for email settings. Must be 32 chars or more."
},
@@ -5043,34 +4355,10 @@
"translation": "Invalid driver name for file settings. Must be 'local' or 'amazons3'"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "파일 설정에 대해 옳바르지 않은 미리보기 높이 값입니다. 0이거나 양수여야 합니다."
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "파일 세팅에 대한 잘못된 미리보기 너비 값입니다. 0보다 큰 값이여야 합니다."
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "파일 세팅에 대해 잘못된 프로파일 높이 값입니다. 0보다 큰 값이여야 합니다."
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "잘못된 파일 최대 용량 설정입니다. 0보다 큰 값이여야 합니다."
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "Invalid public link salt for file settings. Must be 32 chars or more."
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "파일 세팅에 대한 잘못된 썸네일 높이 값입니다. 0보다 큰 값이여야 합니다."
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "파일 세팅에 대한 잘못된 썸네일 너비값입니다. 0보다 큰 값이여야 합니다."
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "Invalid group unread channels for service settings. Must be 'disabled', 'default_on', or 'default_off'."
},
@@ -5083,30 +4371,14 @@
"translation": "AD/LDAP의 \"BaseDN\" 항목이 필요합니다."
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "AD/LDAP의 \"Bind Password\" 항목이 필요합니다."
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "AD/LDAP의 \"Bind Username\" 항목이 필요합니다."
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "AD/LDAP의 \"Email Attribute\" 항목이 필요합니다."
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "AD/LDAP의 \"First Name Attribute\" 항목이 필요합니다."
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "AD/LDAP의 \"ID Attribute\" 항목이 필요합니다."
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "AD/LDAP의 \"Last Name Attribute\" 항목이 필요합니다."
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "AD/LDAP의 \"ID Attribute\" 항목이 필요합니다."
},
@@ -5115,14 +4387,6 @@
"translation": "Invalid max page size value."
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "필수 필드인 AD/LDAP가 비어있습니다."
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "필수 필드인 AD/LDAP가 비어있습니다."
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "LDAP 세팅을 위한 잘못된 Connection Security입니다. '', 'TLS', 'STARTTLS' 중 하나여야 합니다."
},
@@ -5188,19 +4452,7 @@
},
{
"id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "Message export job ExportFormat must be one of either 'actiance' or 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "Message export job ExportFormat must be one of either 'actiance' or 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "Message export job FileLocation must be a writable directory that export data will be written to"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "Message export job FileLocation must be a sub-directory of FileSettings.Directory"
+ "translation": "Message export job ExportFormat must be one of 'actiance', 'csv' or 'globalrelay'"
},
{
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
@@ -5223,18 +4475,10 @@
"translation": "Message export job GlobalRelaySettings.SmtpUsername must be set"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "Message export job GlobalRelayEmailAddress must be set to a valid email address"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "Minimum password length must be a whole number greater than or equal to {{.MinLength}} and less than or equal to {{.MaxLength}}."
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "Maximum password length must be greater than or equal to minimum password length."
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "Invalid memory store size for rate limit settings. Must be a positive number"
},
@@ -5367,10 +4611,6 @@
"translation": "Create at must be a valid time"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "잘못된 제출자 ID"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "잘못된 이모티콘 ID"
},
@@ -5383,10 +4623,38 @@
"translation": "Update at must be a valid time"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "Could not decode gif."
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "Invalid channel id"
},
@@ -5411,6 +4679,10 @@
"translation": "잘못된 Id"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "Unable to parse incoming data"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "잘못된 팀 ID"
},
@@ -5443,6 +4715,14 @@
"translation": "잘못된 형식"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "잘못된 앱 ID"
},
@@ -5491,6 +4771,10 @@
"translation": "Invalid channel id"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "Create at must be a valid time"
},
@@ -5543,14 +4827,6 @@
"translation": "Invalid key, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "Invalid key, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "Invalid plugin ID, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "Invalid plugin ID, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
},
@@ -5699,10 +4975,6 @@
"translation": "올바르지 않은 주소 식별자"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "잘못된 역할입니다."
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "잘못된 팀 ID"
},
@@ -5719,130 +4991,18 @@
"translation": "잘못된 토큰"
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "잘못된 인증 데이터입니다."
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "Invalid user, password and auth data cannot both be set"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "Invalid user, auth data must be set with auth type"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "Create at must be a valid time"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "Invalid email"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "잘못된 이름입니다."
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "잘못된 유저 아이디입니다."
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "잘못된 성(Last name)입니다."
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "잘못된 닉네임입니다."
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "Unable to set a password over 72 characters due to the limitations of bcrypt."
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "Invalid position: must not be longer than 128 characters."
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "Your password must contain at least {{.Min}} characters."
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one lowercase letter."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one lowercase letter and at least one number."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one lowercase letter, at least one number, and at least one symbol (e.g. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one lowercase letter and at least one symbol (e.g. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one lowercase letter and at least one uppercase letter."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one lowercase letter, at least one uppercase letter, and at least one number."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one lowercase letter, at least one uppercase letter, at least one number, and at least one symbol (e.g. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one lowercase letter, at least one uppercase letter, and at least one symbol (e.g. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one number."
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one number and at least one symbol (e.g. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one symbol (e.g. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one uppercase letter."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one uppercase letter and at least one number."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one uppercase letter, at least one number, and at least one symbol (e.g. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "Your password must contain at least {{.Min}} characters made up of at least one uppercase letter and at least one symbol (e.g. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "잘못된 팀 ID"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "Update at must be a valid time"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "잘못된 유저이름입니다."
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "Invalid description, must be 255 or less characters"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "잘못된 접근 토큰입니다."
},
@@ -5855,6 +5015,10 @@
"translation": "could not decode"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "GitLab's Terms of Service have updated. Please go to gitlab.com to accept them and then try logging into Mattermost again."
},
@@ -5863,26 +5027,6 @@
"translation": "Error invoking plugin RPC"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "Failed to alter column type %v"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "Failed to check index %v"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "Closing SqlStore"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "Failed to check if column exists because of missing driver"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "FromDb: Unable to convert EncryptStringMap to *string"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "FromDb: Unable to convert StringArray to *string"
},
@@ -5895,82 +5039,6 @@
"translation": "FromDb: Unable to convert StringMap to *string"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "Failed to create column %v"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "Failed to create column because of missing driver"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "Failed to create index because of missing driver"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "Error creating database tables: %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "Failed to create dialect specific driver"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "Failed to create dialect specific driver %v"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "Incorrect MAC for the given ciphertext"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "Failed to get max length of column %v"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "Failed to open sql connection %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "현재 라이센스로는 1개 이상의 읽기 복제가 기능적으로 비활성화 되어있습니다. 엔터프라이즈 라이센스의 업그레이드에 대해 시스템 관리자에게 문의하십시오."
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "Failed to remove index %v"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "Failed to rename column %v"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "The database schema version of %v appears to be out of date"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "Attempting to upgrade the database schema version to %v"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "Database schema version %v is no longer supported. This Mattermost server supports automatic upgrades from schema version %v through schema version %v. Downgrades are not supported. Please manually upgrade to at least version %v before continuing"
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "short ciphertext"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "Failed to get data type for column %s from table %s: %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "ciphertext too short"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "The database schema has been upgraded to version %v"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "We encountered an error finding the audits"
},
@@ -5999,16 +5067,24 @@
"translation": "채널을 찾을 수 없습니다"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "권한을 확인할 수 없었습니다."
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "권한을 확인할 수 없었습니다."
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "권한을 확인할 수 없었습니다."
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "No channel found"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "존재하는 채널을 찾지 못했습니다."
},
@@ -6067,10 +5151,6 @@
"translation": "No deleted channel exists with that name"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "We couldn't get the extra info for channel members"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "We couldn't get the channel for the given post"
},
@@ -6231,10 +5311,6 @@
"translation": "We encountered an error updating the channel"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "We couldn't set the last viewed at time"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "채널을 찾을 수 없습니다"
},
@@ -6259,14 +5335,6 @@
"translation": "We encountered an error updating the channel member"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "Failed to get records"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "Failed to get users in channel at specified time"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "Failed to get users in channel during specified time period"
},
@@ -6275,10 +5343,6 @@
"translation": "Failed to record channel member history"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "Failed to record channel member history. No existing join record found"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "Failed to record channel member history. Failed to update existing join record"
},
@@ -6287,6 +5351,30 @@
"translation": "Failed to purge records"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "Failed to delete"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "Failed to check if table exists %v"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Failed to get all discovery rows"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Failed to update last ping at"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "채널을 찾을 수 없습니다"
},
@@ -6411,10 +5499,6 @@
"translation": "We couldn't save the file info"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "We couldn't save or update the file info"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "채널을 찾을 수 없습니다"
},
@@ -6567,10 +5651,6 @@
"translation": "Could not save or update plugin key value"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "Could not save or update plugin key value due to unique constraint violation"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "We couldn't get post counts"
},
@@ -6583,6 +5663,10 @@
"translation": "We couldn't get user counts with posts"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "채널을 찾을 수 없습니다"
},
@@ -6591,6 +5675,10 @@
"translation": "채널을 찾을 수 없습니다"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "We couldn't get the parent post for the channel"
},
@@ -6643,10 +5731,6 @@
"translation": "We encountered an error permanently deleting the batch of posts"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "We encountered an error permanently deleting the batch of posts"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "채널을 삭제하지 못했습니다."
},
@@ -6663,14 +5747,6 @@
"translation": "We couldn't determine the maximum supported post size"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message supports at most %d characters (%d bytes)"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "No implementation found to determine the maximum supported post size"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "채널을 찾을 수 없습니다"
},
@@ -6683,10 +5759,6 @@
"translation": "Searching has been disabled on this server. Please contact your System Administrator."
},
{
- "id": "store.sql_post.search.warn",
- "translation": "Query error searching posts: %v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "채널을 찾을 수 없습니다"
},
@@ -6751,6 +5823,10 @@
"translation": "채널을 찾을 수 없습니다"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "Unable to open transaction while deleting reaction"
},
@@ -6759,20 +5835,12 @@
"translation": "Unable to commit transaction while deleting reaction"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "Unable to delete reaction"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "Unable to delete reactions with the given emoji name"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "Unable to get reactions with the given emoji name"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "Unable to update Post.HasReactions while removing reactions post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "Unable to save reaction"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "Unable to delete the role"
},
@@ -6823,10 +5903,6 @@
"translation": "The role was not valid"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "The role was not valid"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "Failed to open the transaction to save the role"
},
@@ -6843,10 +5919,6 @@
"translation": "Unable to delete the roles belonging to this scheme"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "Unable to delete the scheme as it in use by 1 or more teams or channels"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "Unable to delete the scheme"
},
@@ -6895,10 +5967,6 @@
"translation": "채널을 찾을 수 없습니다"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "We encountered an error while deleting expired user sessions"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "We encountered an error finding the session"
},
@@ -6907,10 +5975,6 @@
"translation": "We encountered an error while finding user sessions"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "Failed to cleanup sessions in getSessions err=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "We couldn't remove all the sessions for the user"
},
@@ -6927,10 +5991,6 @@
"translation": "채널을 찾을 수 없습니다"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "Failed to cleanup sessions in Save err=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "Cannot update existing session"
},
@@ -6983,6 +6043,10 @@
"translation": "Encountered an error updating the status"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "We encountered an error finding the system properties"
},
@@ -6991,10 +6055,6 @@
"translation": "We couldn't find the system variable."
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "We couldn't get the database version"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "We could not permanently delete the system table entry"
},
@@ -7011,6 +6071,26 @@
"translation": "채널을 찾을 수 없습니다"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "채널을 찾을 수 없습니다"
},
@@ -7063,10 +6143,6 @@
"translation": "채널을 찾을 수 없습니다"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "We encountered a problem when looking up teams"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "We couldn't get the teams unread messages"
},
@@ -7151,6 +6227,14 @@
"translation": "채널을 찾을 수 없습니다"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "채널을 찾을 수 없습니다"
},
@@ -7163,12 +6247,28 @@
"translation": "채널을 찾을 수 없습니다"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "We encountered an error finding the account"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "We encountered an error trying to find all the accounts using a specific authentication type."
+ "id": "store.sql_user.get.app_error",
+ "translation": "We encountered an error finding the account"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "We could not get the unread message count for the user"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "Failed to migrate User.ThemeProps to Preferences table %v"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "사용자를 찾을 수 없습니다"
},
@@ -7271,6 +6367,10 @@
"translation": "An account with that username already exists. Please contact your Administrator."
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "채널을 찾을 수 없습니다"
},
@@ -7311,18 +6411,10 @@
"translation": "We couldn't update the failed_attempts"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "We couldn't update the last_activity_at"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "update_at 필드를 업데이트 할 수 없습니다"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "We couldn't update the last_ping_at"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "We encountered an error updating the user's MFA active status"
},
@@ -7335,6 +6427,10 @@
"translation": "We couldn't update the user password"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "Unable to update verify email field"
},
@@ -7367,6 +6463,18 @@
"translation": "We encountered an error finding the access token"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "Incoming webhook 갯수를 셀 수 없었습니다"
},
@@ -7459,18 +6567,10 @@
"translation": "Error decoding config file={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "Error getting config info file={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "Error opening config file={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "Error validating config file={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "An error occurred while saving the file to {{.Filename}}"
},
@@ -7487,18 +6587,6 @@
"translation": "Unable to load mattermost configuration file: DefaultServerLocale must be one of the supported locales. Setting DefaultServerLocale to en as default value."
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "Unable to load mattermost configuration file: AvailableLocales must include DefaultClientLocale"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "분석기가 초기화되지 않았습니다"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "파일 저장소가 제대로 설정되지 않았습니다. S3나 로컬 서버 파일 저장소를 설정해주세요."
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "로컬 서버 저장소를 읽는 도중 에러가 발생했습니다."
},
@@ -7507,10 +6595,6 @@
"translation": "Encountered an error listing directory from S3."
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "파일 저장소가 제대로 설정되지 않았습니다. S3나 로컬 서버 파일 저장소를 설정해주세요."
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "로컬 서버 저장소를 읽는 도중 에러가 발생했습니다."
},
@@ -7519,10 +6603,6 @@
"translation": "Encountered an error removing directory from S3."
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "파일 저장소가 제대로 설정되지 않았습니다. S3나 로컬 서버 파일 저장소를 설정해주세요."
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "로컬 서버 저장소를 읽는 도중 에러가 발생했습니다."
},
@@ -7531,38 +6611,6 @@
"translation": "Encountered an error removing file from S3."
},
{
- "id": "utils.i18n.loaded",
- "translation": "Loaded system translations for '%v' from '%v'"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "Must provide a positive size"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "No valid enterprise license found"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "Unable to remove license file, err=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "Encountered error decoding license, err=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "Invalid signature, err=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "Signed license not long enough"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "Encountered error signing license, err=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "Failed to set HELO"
},
@@ -7579,14 +6627,6 @@
"translation": "Failed to authenticate on SMTP server"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "Failed to to set the HELO to SMTP server %v"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "Failed to open a connection to SMTP server %v"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "Failed to write attachment to email"
},
@@ -7607,42 +6647,10 @@
"translation": "Failed to add email messsage data"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "sending mail to %v with subject of '%v'"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "Error setting \"To Address\""
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "SMTP server settings do not appear to be configured properly err=%v details=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "SMTP server settings do not appear to be configured properly err=%v details=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "관리자 도구"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "애플리케이션 인증하기"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "Couldn't find team name=%v, err=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "Claim Account"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "Couldn't find user teamid=%v, email=%v, err=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "채널을 찾을 수 없습니다"
},
@@ -7655,42 +6663,6 @@
"translation": "Unable to parse incoming data"
},
{
- "id": "web.create_dir.error",
- "translation": "Failed to create directory watcher %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "강제 로그아웃 중 id=%v 유저 프로필을 가져오는 중 오류가 발생했습니다"
- },
- {
- "id": "web.doc.title",
- "translation": "문서"
- },
- {
- "id": "web.email_verified.title",
- "translation": "이메일 검증됨"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "Your current browser is not supported. Please upgrade to one of the following browsers:"
},
@@ -7699,12 +6671,8 @@
"translation": "Unsupported Browser"
},
{
- "id": "web.find_team.title",
- "translation": "팀 찾기"
- },
- {
- "id": "web.header.back",
- "translation": "돌아가기"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "지정된 텍스트가 없습니다."
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "Maximum text length is {{.Max}} characters, received size is {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "채널을 찾을 수 없습니다"
- },
- {
- "id": "web.init.debug",
- "translation": "웹 경로 초기화 중"
- },
- {
- "id": "web.login.error",
- "translation": "Couldn't find team name=%v, err=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "로그인"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "올바르지 않은 형식"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "%v에서 서버 템플릿 파싱중"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "잘못된 글 ID"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "비밀번호 재설정 링크가 만료되었습니다."
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "유효하지 않은 재설정 링크입니다."
- },
- {
- "id": "web.root.home_title",
- "translation": "홈"
- },
- {
- "id": "web.root.singup_title",
- "translation": "가입"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "가입 링크가 만료되었습니다."
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "Complete Team Sign Up"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "Signup Email Sent"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "가입 링크가 만료되었습니다."
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "The team type doesn't allow open invites"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "Complete User Sign Up"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "올바르지 않은 형식"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "Failed to add directory to watcher %v"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "상태 API 루트를 초기화 중"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "웹소켓 API 경로 초기화 중"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "웹소켓 API 경로 초기화 중"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "웹소켓 API 경로 초기화 중"
}
]
diff --git a/i18n/nl.json b/i18n/nl.json
index f2a11101e..2b7a79ea5 100644
--- a/i18n/nl.json
+++ b/i18n/nl.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "April"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "Augustus"
- },
- {
- "id": "December",
- "translation": "December"
- },
- {
- "id": "February",
- "translation": "Februari"
- },
- {
- "id": "January",
- "translation": "Januari"
- },
- {
- "id": "July",
- "translation": "Juli"
- },
- {
- "id": "June",
- "translation": "Juni"
- },
- {
- "id": "March",
- "translation": "Maart"
- },
- {
- "id": "May",
- "translation": "Mei"
- },
- {
- "id": "November",
- "translation": "November"
- },
- {
- "id": "October",
- "translation": "Oktober"
- },
- {
- "id": "September",
- "translation": "September"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "Fout bij lezen van logbestand."
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "Personalisatie is niet ondersteund of niet geconfigureerd op deze server."
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "Afbeeldingenopslag is niet geconfigureerd."
},
{
- "id": "api.admin.init.debug",
- "translation": "Initialisatie van de admin API routes."
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "Klaar met herstarten van de databaseverbinding."
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "Proberen om de databaseverbinding te herstarten."
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "Er is een fout opgetreden bij het verwijderen van het certificaat. Controleer dat het bestand config/{{.Filename}} bestaat."
},
@@ -92,6 +36,10 @@
"translation": "Er is een fout opgetreden tijdens het opzetten van Service Provider Metadata."
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>Mail voor Mattermost lijkt goed geconfigureerd te zijn!"
},
@@ -112,14 +60,6 @@
"translation": "S3 Bucket is required"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "S3 Endpoint is required"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "S3 Region is required"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "Lege array bij 'image' in aanvraag"
},
@@ -128,10 +68,6 @@
"translation": "Geen bestand bij 'image' in aanvraag"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "Personaliseren is niet geconfigureerd, of niet ondersteund op deze server"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "Kan het 'multipart'-formulier niet verwerken"
},
@@ -144,38 +80,10 @@
"translation": "Kan bestand niet uploaden. Bestand is te groot."
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "Verwerken van server-template %v is mislukt"
- },
- {
- "id": "api.api.render.error",
- "translation": "Template kan niet gerenderd worden %v, fout=%v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "Niet mogelijk om de rechten te controleren."
- },
- {
- "id": "api.brand.init.debug",
- "translation": "Initialisatie van de opdracht API routes"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v is door %v aan het kanaal toegevoegd."
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "Kan het kanaal niet vinden"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "Gebruiker om toe te voegen kon niet gevonden worden"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "Kan de gebruiker, die het toevoegen heeft gedaan, niet vinden"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "Kan de gebruiker niet aan het kanaal toevoegen"
},
@@ -192,30 +100,6 @@
"translation": "Kan geen gebruikers toevoegen aan dit soort kanaal"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "Alleen systeembeheerders mogen privékanalen beheren en aanmaken."
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "Alleen team- en systeembeheerders mogen privékanalen beheren en aanmaken."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "Alleen systeembeheerders mogen publieke kanalen beheren en aanmaken."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "Alleen team- en systeembeheerders mogen publieke kanalen beheren en aanmaken."
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "Dit kanaal is omgezet naar een publiek kanaal en is open voor ieder teamlid."
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "This kanaal is omgezet naar een privékanaal."
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "This default channel cannot be converted into a private channel."
},
@@ -268,50 +152,6 @@
"translation": "Het kanaal is gearchiveerd of verwijderd"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "Het plaatsen van het archiveerbericht %v is mislukt"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "Het archiveerbericht kan niet verstuurd worden"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "Fout opgetreden tijdens het verwijderen van de binnenkomende webhook, id=%v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "Fout opgetreden tijdens het verwijderen van de uitgaande webhook, id=%v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "U beschikt niet over de juiste rechten"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "Er is geen kanaal met channel_id={{.ChannelId}} in het team met team_id={{.TeamId}}"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "Kan kanaalstatistieken niet uit de database halen"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "Het kanaal is gearchiveerd of verwijderd"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "Kan het maximale aantal leden niet verwerken"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "Probleem bij het ophalen van het gebruikersprofiel voor id=%v, uitloggen geforceerd"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "Initialisatie van de kanaal API routes"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "Channel is already deleted"
},
@@ -340,6 +180,10 @@
"translation": "%v heeft het kanaal verlaten."
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "Fout bij het weergeven van het bericht over de bijgewerkte weergavenaam"
},
@@ -380,22 +224,10 @@
"translation": "Kan het standaardkanaal {{.Channel}} niet verlaten"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "U beschikt niet over juiste de rechten "
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v was verwijdert van het kanaal."
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "Kan de gebruiker niet verwijderen."
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "Gebruiker om te verwijderen kon niet gevonden worden"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "Het kanaal is gearchiveerd of verwijderd"
},
@@ -404,10 +236,6 @@
"translation": "Het kanaal is gearchiveerd of verwijderd"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "U beschikt niet over juiste de rechten"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "Een ongeldige bijwerkings-poging van het standaard kanaal {{.Channel}} is geprobeerd"
},
@@ -424,26 +252,14 @@
"translation": "Unable to set the scheme to the channel because the supplied scheme is not a channel scheme."
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "Onmogelijk om het aantal ongelezen bericht op te halen voor user_id=%v en channel_id=%v, err=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "The provided role is managed by a Scheme and therefore cannot be applied directly to a Team Member"
},
{
- "id": "api.cluster.init.debug",
- "translation": "Initialisatie van de gebruikers api"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "Intergratie is beperkt voor alleen beheerders."
},
{
- "id": "api.command.delete.app_error",
- "translation": "Onjuiste rechten voor het wissen van de opdracht"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "Deze opdrachten zijn uitgeschakeld door de beheerder."
},
@@ -472,18 +288,10 @@
"translation": "Command with a trigger of '{{.Trigger}}' not found. To send a message beginning with \"/\", try adding an empty space at the beginning of the message."
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "Er is een fout opgetreden tijdens het opslaan van het opdracht antwoord in het kanaal"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "Geen opdracht activeer-woorden gevonden"
},
{
- "id": "api.command.init.debug",
- "translation": "Initialisatie van de opdracht API routes"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "Stuur een email uitnodiging naar jouw Mattermost team"
},
@@ -516,18 +324,10 @@
"translation": "Email uitnodiging(en) verstuurd"
},
{
- "id": "api.command.regen.app_error",
- "translation": "Ongeldige rechten om commando tokens opnieuw te genereren"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "Fout bij het bijwerken van commando's voor meerdere teams"
},
{
- "id": "api.command.update.app_error",
- "translation": "Onjuiste rechten voor het wissen van de opdracht"
- },
- {
"id": "api.command_away.desc",
"translation": "Stel uw status in naar afwezig"
},
@@ -568,10 +368,6 @@
"translation": "Error to update the current channel."
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "Channel header successfully updated."
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "Error to retrieve the current channel."
},
@@ -644,10 +440,6 @@
"translation": "Error to update the current channel."
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "Channel name successfully updated."
- },
- {
"id": "api.command_code.desc",
"translation": "Display text as a code block"
},
@@ -696,10 +488,6 @@
"translation": "Do Not Disturb is enabled. You will not receive desktop or mobile push notifications until Do Not Disturb is turned off."
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "Bericht /echo kan niet gemaakt worden, fout=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "Wachttijden moeten kleiner dan 10000 seconden zijn"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "De gebruiker kan niet gevonden worden"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "Er is een fout opgetreden tijdens het ophalen van de lijst van gebruikers."
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "Group messages are limited to a maximum of {{.MaxUsers}} users."
},
@@ -779,18 +559,10 @@
"translation": "Group messages are limited to a minimum of {{.MinUsers}} users."
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "De gebruiker kan niet gevonden worden"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "bericht"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "Bericht verzonden."
- },
- {
"id": "api.command_help.desc",
"translation": "Open the Mattermost help page"
},
@@ -875,10 +647,6 @@
"translation": "Deelnemen"
},
{
- "id": "api.command_join.success",
- "translation": "Deelnemen aan het kanaal."
- },
- {
"id": "api.command_kick.name",
"translation": "kick"
},
@@ -891,14 +659,6 @@
"translation": "Er is een fout opgetreden tijdens het deelnemen aan het kanaal."
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "Er is een fout opgetreden tijdens het ophalen van de kanalen."
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "Het kanaal kon niet gevonden worden"
- },
- {
"id": "api.command_leave.name",
"translation": "leave"
},
@@ -947,10 +707,6 @@
"translation": "@[username] 'bericht'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "Er is een fout opgetreden tijdens het ophalen van de lijst van gebruikers."
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "De gebruiker kan niet gevonden worden"
},
@@ -959,10 +715,6 @@
"translation": "bericht"
},
{
- "id": "api.command_msg.success",
- "translation": "Bericht verzonden."
- },
- {
"id": "api.command_mute.desc",
"translation": "Turns off desktop, email and push notifications for the current channel or the [channel] specified."
},
@@ -1115,10 +867,6 @@
"translation": "ophalen"
},
{
- "id": "api.compliance.init.debug",
- "translation": "Initialisatie van de opdracht API routes"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "New format for the client configuration is not supported yet. Please specify format=old in the query string."
},
@@ -1135,14 +883,6 @@
"translation": "Ongeldig {{.Name}} parameter"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "Invalid session err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "De benaderde Team URL is niet geldig. Team URL moet niet gebruikt worden bij api aanroepen die team onafhankelijk zijn"
- },
- {
"id": "api.context.invalid_token.error",
"translation": "Invalid session token={{.Token}}, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "Invalid or missing {{.Name}} parameter in request URL"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "Purging all caches"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "Kan de laatste activiteit voor gebruiker met user_id=%v en sessie_id=%v niet bijwerkten met fout=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v code=%v rid=%v uid=%v ip=%v %v [details: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "Multi-factor authentication is required on this server."
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "Missing Team Id"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "U beschikt niet over juiste de rechten"
},
@@ -1179,26 +903,10 @@
"translation": "Ongeldige of verlopen sessie. Graag opnieuw inloggen."
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "U beschikt niet over de juiste rechten (systeem)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "Sessie is niet OAuth, maar token was doorgegeven in de query string"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "Een onbekende fout is opgetreden. Neem contact op met support."
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "API version 3 has been disabled on this server. Please use API version 4. See https://api.mattermost.com for details."
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "Initialisatie van de opdracht API routes"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "Kanaal voor e-mail batch taken was vol. Verhoog a.u.b. de EmailBatchingBufferSize"
},
@@ -1207,14 +915,6 @@
"translation": "Bulk emails zijn uitgeschakeld door de systeembeheerder"
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "Bulk emails job heeft gelopen. %v gebruiker(s) hebben notificaties in afwachting."
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "Kon kanaal niet vinden voor bericht van e-mail notificatie."
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Month}} {{.Day}}"
},
@@ -1235,10 +935,6 @@
"translation": "Notification from "
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "Kon de verzender van bericht voor batch email notificatie niet vinden."
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "You have a new notification.",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "Kon de scherm voorkeuren van ontvanger van het batch email notificatie niet vinden."
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "Verzenden van batch e-mail notificatie naar %v: %v was gefaald."
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] Nieuwe Notificatie voor {{.Month}} {{.Day}}, {{.Year}}",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "Kon de ontvanger voor batch email notificatie niet vinden."
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "Bulk email job is gestart. Controleren van wachtende e-mails iedere %v secondes."
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "Kan emoji niet aanmaken. Er bestaat al een emoji met dezelfde naam."
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "Kan emoji niet aanmaken. Fout tijdens het uitlezen van verzoek."
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "Onjuiste rechten voor het aanmaken van een emoji."
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "Kan emoji niet aanmaken. Fout tijdens het uitlezen van verzoek."
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "Kon emoji niet aanmaken. Afbeelding moet minstens 1MB groot zijn."
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "Unable to delete reactions when deleting emoji with emoji name %v"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "Aangepaste emoji zijn uitgeschakeld door de beheerder."
},
@@ -1301,14 +977,6 @@
"translation": "Kon plaatje niet lezen voor emoji"
},
{
- "id": "api.emoji.init.debug",
- "translation": "Initialiseer emoji API routes"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "Initialiseer emoji API routes"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "Bestand opslag is niet goed geconfigureerd. Configureer S3 of lokale bestandsopslag."
},
@@ -1333,12 +1001,12 @@
"translation": "Unable to create emoji. An error occurred when trying to encode the GIF image."
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "File attachments have been disabled on this server."
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "Publieke links zijn uitgeschakeld door de systeembeheerder"
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "File attachments have been disabled on this server."
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "Bestand heeft geen miniatuur afbeelding"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "Kon bestand info niet ophalen. Bestand moet bijgevoegd zijn aan een bericht dat kan worden gelezen door de huidige gebruiker."
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "Kan bestand info niet ophalen. Afbeeldings opslag is niet geconfigureerd."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Kan bestand niet ophalen. Afbeeldings opslag is niet geconfigureerd."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Kan bestand niet ophalen. Afbeeldings opslag is niet geconfigureerd."
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "Publieke links zijn uitgeschakeld"
},
@@ -1377,116 +1029,52 @@
"translation": "Kon publieke link voor bestand niet ophalen. Bestand moet bijgevoegd zijn aan een bericht dat kan worden gelezen door de huidige gebruiker. "
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "De afbeelding kon niet gedecodeerd worden err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "Niet mogelijk om afbeelding te coderen als jpeg path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "Niet mogelijk om afbeelding te coderen als voorvertoning jpg path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "Niet mogelijk om voorvertoning te uploaden path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "Niet mogelijk om miniatuur te uploaden path=%v err=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "Initialisatie bestand API routes"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "Niet mogelijk om kanaal te krijgen wanneer een bericht gemigreerd word met FileInfos, post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "Niet mogelijk om bestand te vinden wanneer een bericht gemigreerd word met FileInfos, post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "Niet mogelijk om FileInfos te krijgen nadat een bericht gemigreerd is, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "Niet mogelijk om bericht te krijgen wanneer een bericht gemigreerd word met FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "Niet mogelijk om bestand te vinden wanneer een bericht gemigreerd word met FileInfos, post_id=%v, filename=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "Migreren van bericht naar FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "Found an unusual filename when migrating post to use FileInfos, post_id=%v, channel_id=%v, user_id=%v, filename=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "Unable to migrate post to use FileInfos with an empty Filenames field, post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "Post already migrated to use FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "Niet mogelijk om bestand te vinden wanneer een bericht gemigreerd word met FileInfos, post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "Niet mogelijk om bestand te vinden wanneer een bericht gemigreerd word met FileInfos, post_id=%v, filename=%v, path=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "Unable to copy file within S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "Unable to find team for FileInfos, post_id=%v, filenames=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "Kan bestand niet verwijderen van S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "Niet mogelijk om bericht te krijgen wanneer een bericht gemigreerd word met FileInfos, post_id=%v, err=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "Kan lokaal bestand niet verplaatsen."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "Niet mogelijk om bericht te krijgen wanneer een bericht gemigreerd word met FileInfos, post_id=%v, err=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "No file driver selected."
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "Bestand opslag is niet goed geconfigueerd. Configureer of S3 of lokale bestands opslag."
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "Er is een fout opgetreden bij het lezen van een bestand uit lokale opslag"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "Unable to copy file within S3."
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "Er is een fout opgetreden bij het lezen van een bestand uit lokale opslag"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "Kan bestand niet verwijderen van S3."
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "Er is een fout opgetreden bij het lezen van een bestand uit lokale opslag"
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "Kan bestand niet ophalen van S3."
+ "id": "api.file.reader.s3.app_error",
+ "translation": "Er is een fout opgetreden bij het lezen van een bestand uit lokale opslag"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "Kan lokaal bestand niet verplaatsen."
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Don't have permissions to write to local path specified or other error."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "Bestand opslag is niet goed geconfigueerd. Configureer of S3 of lokale bestands opslag."
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Unable to create bucket."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "Kan bestand niet ophalen van S3"
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Error checking if bucket exists."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "Er is een fout opgetreden bij het lezen van een bestand uit lokale opslag"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "Bad connection to S3 or minio."
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "Kan bestand niet uploaden. Bestand is te groot."
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "Bestand opslag is niet goed geconfigueerd. Configureer of S3 of lokale bestands opslag."
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "Er is een probleem opgetreden tijdens het schrijven naar S3"
},
@@ -1525,34 +1109,6 @@
"translation": "Er is een probleem opgetreden tijdens het schrijven naar lokale opslag"
},
{
- "id": "api.general.init.debug",
- "translation": "Initialisatie van algemene api routes"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "Error attaching files to post. postId=%v, fileIds=%v, message=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "Fout bij het opslaan van bericht. user=%v, bericht=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "Er trad een fout op bij join team tijdens de import err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "Er is een fout opgetreden tijdens het deelnemen aan de standaard kanalen user_id=%s, team_id=%s, fout=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "Fout tijdens opslaan. Fout=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "Fout tijdens het instellen van e-mail verificatie. Fout=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "Commando's zijn uitgeschakeld door de beheerder."
},
@@ -1561,10 +1117,6 @@
"translation": "Ongeldige gebruikersnaam"
},
{
- "id": "api.ldap.init.debug",
- "translation": "Initialisatie bestand API routes"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "Lege data bij 'license' in aanvraag"
},
@@ -1605,30 +1157,6 @@
"translation": "New format for the client license is not supported yet. Please specify format=old in the query string."
},
{
- "id": "api.license.init.debug",
- "translation": "Initialisatie van licentie API routes"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "Licentie is niet goed verwijderd."
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "ongeldige aanvraag: Verkeerde client_id"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "ongeldige aanvraag: Missende of foute redirect_uri"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "ongeldige aanvraag: Verkeerd antwoord type"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "server fout: Kan database niet benaderen"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "ongeldige aanvraag: De opgegeven redirect_uri komt niet overeen met de geregistreerde callback_url"
},
@@ -1641,14 +1169,6 @@
"translation": "De systeembeheerder heeft de OAuth2 Service Provider uitgeschakeld."
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "Mist een of meerdere elementen uit: response_type, client_id of redirect_uri"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "Onvoldoende rechten voor het verwijderen van de OAuth2 applicatie"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "ongeldige aanvraag: Verkeerd client_id"
},
@@ -1705,22 +1225,10 @@
"translation": "invalid_grant: Verkeerd refresh token"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "Kan de auth code niet vinde voor code=%s"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "Initialisatie van de oauth api"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "Invalid state token"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "Onvoldoende rechten voor het hergenereren van de OAuth2 Applicatie Secret"
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "De systeembeheerder heeft de OAuth2 Service Provider uitgeschakeld."
},
@@ -1749,8 +1257,8 @@
"translation": "De aanmeld link is niet geldig"
},
{
- "id": "api.opengraph.init.debug",
- "translation": "Initializing open graph protocol api routes"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "{{.Username}} zijn genoemd, maar ze hebben geen notificatie gekregen, omdat ze niet deelnemen aan dit kanaal."
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "Een fout trad op bij het bijvoegen van de bestanden bij bericht, post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "Ongeldige bestandsnaam, bestandsnaam=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "Kan niet plaatsen in verwijdert kanaal."
},
@@ -1789,10 +1289,6 @@
"translation": "Ongeldig ChannelId voor RootId parameter"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "Er is een probleem upgetreden tijdens het updaten van de laatste getoond, channel_id=%s, user_id=%s, fout=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "Ongeldig ParentId parameter"
},
@@ -1809,18 +1305,6 @@
"translation": "Fout bij het aanmaken van bericht"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "Niet mogelijk om gemarkeerde berichten te verwijderen bij verwijderen van bericht, err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "U beschikt niet over juiste de rechten"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "Er gebeurde een fout bij het verwijderen van de bestanden van het bericht, post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "@all has been disabled because the channel has more than {{.Users}} users."
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "Een fout trad op bij het ophalen van de bestanden voor het notificatiebericht, post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}} afbeelding verzonden: {{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "Verwerken van de reguliere expressie voor notificatie (@notificatie) is mislukt, user_id=%v, fout=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "U beschikt niet over de juiste rechten"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "Ophalen van de deelnemers van het kanaal is mislukt. channel_id=%v, fout=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "Het creeren van een response bericht is mislukt. fout=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "Gebeurtenis POST is mislukt, fout=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "Initialisatie van de berichten API routes"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "Publieke links zijn uitgeschakeld door de systeembeheerder"
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "Het is niet gelukt om de 2 deelnemers op te halen van een direct kanaal. channel_id=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "Het is mislukt om de deelnemers van een kanaal op te halen. channel_id=%v, fout=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "Het opslaan van een de instellingen van een direct kanaal is mislukt. user_id=%v, other_user_id=%v, fout=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "Het bijwerken van de voorkeuren van een direct kanaal is mislukt. user_id=%v, other_user_id=%v, fout=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "Niet mogelijk om profiel voor kanaal lid op te halen, user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " notified the channel."
},
@@ -1919,26 +1355,6 @@
"translation": " commented on a thread you participated in."
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "Post creator not in channel for the post, no notification sent post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "Verwijderen van push notificatie aan %v met kanaal_id %v"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "Bestanden voor de berichtmelding post_id=%v, err=%v konden niet worden opgehaald "
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "Mislukt om teams op te halen bij versturen van cross-team DM user_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "Nieuwe notificatie"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": " vermeld u in "
},
@@ -1955,30 +1371,10 @@
"translation": "sent you a message."
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "Failed to send push device_id={{.DeviceId}}, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}} verstuurd"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "Kon het aantal vermeldingen niet bijwerken, post_id=%v channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "We kunnen geen bestaand bericht of commentaar vinden om bij te werken."
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "U beschikt niet over de juiste rechten"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "Teams aanmaken is uitgeschakeld. Neem contact op met systeem beheerder voor details."
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "Is reeds verwijderd id={{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "Bericht kan niet opgehaald worden"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "Kan de voorkeuren niet decoderen uit de aanvraag"
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "Kan de voorkeuren voor een andere gebruiker niet verwijderen"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.init.debug",
- "translation": "Initialisatie van de voorkeurs API routes"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "Kan de voorkeuren niet decoderen uit de aanvraag"
- },
- {
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "Kan de voorkeuren voor een andere gebruiker niet zetten"
- },
- {
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "Failed to delete reaction because channel ID does not match post ID in the URL"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "Initialisatie van de reactie API routes"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "Failed to get reactions because channel ID does not match post ID in the URL"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "Reaction is not valid."
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "Failed to save reaction because channel ID does not match post ID in the URL"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "You cannot save reaction for the other user."
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "Failed to get post when sending websocket event for reaction"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "Your current license does not support advanced permissions."
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "Certificaat is niet correct opgeslagen."
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "Unable to get the teams for scheme because the supplied scheme is not a team scheme."
},
{
- "id": "api.server.new_server.init.info",
- "translation": "Server is aan het initialiseren..."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "Cannot forward port 80 to port 443 while listening on port %s: disable Forward80To443 if using a proxy server"
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "Server luisterd op %v"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "RateLimiter is ingeschakeld"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "RateLimitSettings niet goed geconfigureerd met behulp van inschakelen VaryByHeader en uitschakelen VaryByRemoteAddr"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "Kon de geheugenopslag limitatie niet laden. Controleer uw MemoryStoreSize configuratie instellingen. "
},
@@ -2095,22 +1455,6 @@
"translation": "Fout bij het starten van de server, fout:%v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "Server wordt gestart..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "Fout bij het starten van de server "
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "Server is gestopt"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "Server wordt gestopt..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "The Integration/Slack Bot user with email {{.Email}} and password {{.Password}} has been imported.\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "Unable to import Slack channel {{.DisplayName}}.\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Slack Import: Unable to import Slack channel: %s."
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "The Slack channel {{.DisplayName}} already exists as an active Mattermost channel. Both channels have been merged.\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Slack Import: An error occurred when attaching files to a message, post_id=%s, file_ids=%v, err=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Slack Import: Slack bot messages cannot be imported yet."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Slack Import: Unable to import the bot message as the bot user does not exist."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Slack Import: Unable to import the message as it has no comments."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Slack Import: Unable to import the message as the user field is missing."
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Slack Import: Unable to import bot message as the BotId field is missing."
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Slack Import: Unable to import the message as its type is not supported: post_type=%v, post_subtype=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Slack Import: Unable to import file {{.FileId}} as the file is missing from the Slack export zip file."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Slack Import: Unable to attach the file to the post as the latter has no \"file\" section present in Slack export."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Slack Import: Unable to open the file {{.FileId}} from the Slack export: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Slack Import: An error occurred when uploading file {{.FileId}}: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Slack Import: Unable to add the message as the Slack user %v does not exist in Mattermost."
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Slack Import: Unable to import the message as the user field is missing."
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\n Gebruikers aangemaakt\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "User {{.Username}} does not have an email address in the Slack export. Used {{.Email}} as a placeholder. The user should update their email address once logged in to the system.\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "Slack Import: User {{.Username}} does not have an email address in the Slack export. Used {{.Email}} as a placeholder. The user should update their email address once logged in to the system."
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "Kan gebruiker niet importeren: {{.Username}}\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Slack Import: Unable to compile the !channel, matching regular expression for the Slack channel {{.ChannelName}} (id={{.ChannelID}})."
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Slack Import: Bad timestamp detected."
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Slack Import: Unable to compile the @mention, matching regular expression for the Slack user {{.Username}} (id={{.UserID}})."
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Slack Import: Unable to deactivate the user account used for the bot."
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Mattermost Slack importeer log\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "Unable to open the Slack export zip file.\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Slack Import: Error occurred when parsing some Slack channels. Import may work anyway."
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Slack Import: Error occurred when parsing some Slack posts. Import may work anyway."
- },
- {
- "id": "api.status.init.debug",
- "translation": "Het initialiseren van status api routes"
- },
- {
- "id": "api.status.init.debug",
- "translation": "Het initialiseren van status api routes"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "Niet gelukt om te updaten LastActivity voor user_id=%v en session)id=%v, err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "Niet gelukt op te slaan, de status voor user_id=%v, err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "User not found"
},
{
- "id": "api.system.go_routines",
- "translation": "The number of running goroutines is over the health threshold %v of %v"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v is door %v aan het kanaal toegevoegd"
},
@@ -2307,32 +1547,16 @@
"translation": "Parameter required to add user to team."
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "Team aanmelden met e-mail is uitgeschakeld."
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "Team aanmelden met e-mail is uitgeschakeld."
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "De aanmeld link is verlopen"
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "Deze URL is niet beschikbaar. Probeer een andere."
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "Er is een fout opgetreden tijdens het versturen van een Team e-mail, fout=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "De uitnodiging is ongeldig, omdat dit geen open team is."
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "Alleen een team beheerder kan data importeren."
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "Malformed request: filesize field is not present."
},
{
- "id": "api.team.init.debug",
- "translation": "Initialisatie van de team api"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "Beheerder"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "Deze persoon zit al in het team"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "The following email addresses do not belong to an accepted domain: {{.Addresses}}. Please contact your System Administrator for details."
},
@@ -2387,22 +1599,6 @@
"translation": "Niemand om uit te nodigen."
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "Uitnodigen van nieuwe gebruikers bij een team is alleen voor Systeem Administrators"
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "Uitnodigen van nieuwe gebruikers bij een team is alleen voor Team en Systeem Administrators "
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "Uitnodigings e-mail kon niet verstuurd worden, fout=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "uitnodiging versturen naar %v %v"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "Teams aanmaken is uitgeschakeld. Neem contact op met systeem beheerder voor details."
},
@@ -2427,14 +1623,6 @@
"translation": "This channel has been moved to this team from %v."
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "Poging om team %v permanent te verwijderen, id=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "Team %v is permanent verwijderd, id=%v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "An error occurred getting the team"
},
@@ -2491,10 +1679,6 @@
"translation": "Could not save team icon"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "Team aanmelding via e-mail is uitgeschakeld."
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "An error occurred updating the team icon"
},
@@ -2503,10 +1687,6 @@
"translation": "Specified user is not a member of specified team."
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "U beschikt niet over de juiste rechten"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "License does not support updating a team's scheme"
},
@@ -2515,10 +1695,6 @@
"translation": "Unable to set the scheme to the team because the supplied scheme is not a team scheme."
},
{
- "id": "api.templates.channel_name.group",
- "translation": "Group Message"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "You deactivated your account on {{ .SiteURL }}.<br>If this change wasn't initiated by you or you want to reactivate your account, contact your system administrator."
},
@@ -2571,22 +1747,6 @@
"translation": "Verzonden door "
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "We hebben volgende teams gevonden die gekoppeld zijn met je e-mailadres:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "We konden geen teams vinden met dit e-mailadres."
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "Teams zoeken"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "Uw {{ .SiteName }} Teams"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "Lid worden van team"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] Your sign-in method has been updated"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "Stel uw team in"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }} is een plaats voor al uw team communicatie. doorzoekbaar en overal beschikbaar.<br>U haalt meer uit {{ .SiteName }} wanneer uw team in constante communicatie is. Probeer ze mee te krijgen."
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "Bedankt om een team aan te maken!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "{{ .SiteName }} Team configuratie"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>UW DUBBELE ACCOUNTS ZIJN BIJGEWERKT</h3>Uw Mattermost server wordt geüpgraded naar versie 3.0, die toelaat om één account te gebruiken voor verschillende teams.<br/><br/>U krijgt deze email omdat het upgrade proces gedetecteerd heeft dat uw account dezelfde email of gebruikersnaam heeft als voor andere accounts op deze server.<br/><br/>De volgende bijwerkingen zijn gemaakt: <br/><br/>{{if .EmailChanged }}- De dubbele email van een account op het `/{{.TeamName}}` team is veranderd naar `{{.Email}}`. Indien u email en wachtwoord gebruikt om in te loggen kunt bovenstaand email adres gebruiken.<br/><br/>{{end}}{{if .UsernameChanged }}- De dubbele gebruikersnaam van van een account op de team site `/{{.TeamName}}` is veranderd naar `{{.Username}}` om verwarring met andere accounts te voorkomen.<br/><br/>{{end}} AANGERADEN ACTIE: <br/><br/>Het is aangeraden dat u inlogt in uw team die gebruikt zijn door de dubbele accounts en uw primair account aan het team en alle publieke kanalen toevoegt die u wilt blijven gebruiken. <br/><br/>Dit geeft uw primair account toegang tot alle publieke kanalen en de privé groepshistoriek. U kunt uw dubbele accounts blijven gebruiken om de privé berichten historiek te lezen door in te loggen met de oude inloggevens. <br/><br/>VOOR MEER INFORMATIE: <br/><br/>Voor meer informatie over de upgrade naar Mattermost 3.0: <a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] Veranderingen aan uw account voor de Mattermost 3.0 Upgrade"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "A personal access token was added to your account on {{ .SiteURL }}. They can be used to access {{.SiteName}} with your account.<br>If this change wasn't initiated by you, please contact your system administrator."
},
@@ -2787,10 +1923,6 @@
"translation": "Ongeldige status"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "Ongeldige status; team naam mist"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "Toegangs token mist"
},
@@ -2839,10 +1971,6 @@
"translation": "Er is al een account verbonden aan dit email adres met een andere inlog methode als {{.Service}}. Log in bij {{.Auth}}."
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "Dit {{.Service}} account wordt al gebruikt om in te loggen"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "Kan geen gebruiker creeeren voor service {{.Service}}"
},
@@ -2871,10 +1999,6 @@
"translation": "User creation is disabled."
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "Er is een fout opgetreden tijdens het deelnemen aan de standaard kanalen user_id=%s, team_id=%s, fout=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "Missing Invite Id."
},
@@ -2887,10 +2011,6 @@
"translation": "Deze server staat zelf aanmelden niet toe. Neem contact op met uw systeembeheerder voor een uitnodiging."
},
{
- "id": "api.user.create_user.save.error",
- "translation": "Kan de gebruiker niet opslaan, fout=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "Team aanmelden met e-mail is uitgeschakeld."
},
@@ -2903,22 +2023,14 @@
"translation": "De aanmeld link is niet geldig"
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "Ongeldige team naam"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "Er is een fout opgetreden bij het opslaan van de uitleg voorkeuren, fout=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "Fout tijdens het instellen van e-mail verificatie, Fout=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "AD/LDAP is niet beschikbaar op deze server"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "'MFA' is niet geconfigeerd of beschikbaar op deze server"
},
@@ -2927,18 +2039,10 @@
"translation": "Ongeldige OAuth service provider"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "Probleem bij het ophalen van het gebruikersprofiel voor id=%v, uitlog actie geforceerd"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "Unable to get profile image, user not found."
},
{
- "id": "api.user.init.debug",
- "translation": "Initialisatie van de gebruikers api"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "AS/LDAP is niet beschikbaar op deze server"
},
@@ -2951,6 +2055,14 @@
"translation": "Wachtwoord veld kan niet leeg zijn"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Attempted to sign in using the experimental feature ClientSideCert without providing a valid certificate"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Attempt to use the experimental feature ClientSideCertEnable without a valid enterprise license"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "Inloggen in niet mogelijk, omdat het account uitgeschakeld is. Neem contact op met een beheerder."
},
@@ -2959,18 +2071,10 @@
"translation": "Gebuikersnaam or wachtwoord incorrect."
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "Must provide either user ID, or team name and user email"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "Inloggen is niet gelukt, omdat het e-mail adres nog niet geverifieerd is"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "Sessie is ongeldige verklaard, sessionId=%v voor userId=%v, log opnieuw in vanaf het zelfde apparaat Id"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "Log a.u.b. in via {{.AuthService}}"
},
@@ -2983,18 +2087,6 @@
"translation": "Kan data niet verwerken voor authenticatie via {{.Service}}"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "Wachtwoord veld is verplicht"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "AD/LDAP is niet beschikbaar op deze server"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "Een ID is verplicht"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "AD/LDAP is niet beschikbaar op deze server"
},
@@ -3003,16 +2095,12 @@
"translation": "Het bijwerken van het wachtwoord is niet gelukt, want de de context user_id kwam niet overeen met de opgegeven user id"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "Poging om account %v permanent te verwijderen,id=%v"
- },
- {
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "Account %v is permanent verwijderd id=%v"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "U verwijdert %v, die de rol van systeembeheerder heeft. U moet mogelijk een ander account als beheerder aanwijzen via de opdrachtregel tools."
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "Kan het wachtwoord niet resetten voor SSO accounts"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "Een poging om een wachtwoord te resetten voor het verkeerde team."
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "SAML wordt niet ondersteund, of is niet geconfigureerd op deze server."
},
@@ -3055,12 +2139,12 @@
"translation": "Email verificatie aanpassings mail kon niet verstuurd worden, fout=%v"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "De e-mail voor het bijwerken van het wachtwoord kon niet verstuurd worden, fout=%v"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "We kunnen geen account vinden met dat adres."
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "De e-mail voor het bijwerken van het wachtwoord kon niet verstuurd worden, fout=%v"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "Welkomst mail kon niet verstuurd worden, fout=%v"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "Je kan niet de activatie status veranderen van AD/LDAP account. Wijzig dit via de AD/LDAP server."
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "You cannot deactivate yourself because this feature is not enabled. Please contact your System Administrator."
},
@@ -3131,26 +2211,6 @@
"translation": "Wachtwoord bijwerken is mislukt, want er is geen geldig account gevonden"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "Er moet minstens een actieve beheerder zijn"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "U beschikt niet over de juiste rechten"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "De systeembeheerder rol is nodig voor deze actie"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "De beheerder rol kan alleen door een andere beheerder worden ingeschakeld"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "De team beheerder rol is nodig voor deze actie"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "Lege data bij 'licentie' in aanvraag"
},
@@ -3195,40 +2255,28 @@
"translation": "Ongeldige e-mail verificatie link."
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "Starting %v websocket hubs"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "stopping websocket hub connections"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "websocket verbindings fout: %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "Upgraden naar websocket verbinding is mislukt"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "Initialisatie van de websocket api"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [details: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "websocket routeringsfout: seq=%v uid=%v %v [details: %v]"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "Team hub word gestopt voor teamId=%v"
- },
- {
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "Uitgaande webhooks zijn uitgeschakeld door de beheerder."
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "Ofwel trigger_words of channel_id moet worden geconfigueerd"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "Commando's zijn uitgeschakeld door de beheerder."
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "Onjuiste rechten voor het verwijderen van de webhook opdracht"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "Uitgaande webhooks zijn uitgeschakeld door de beheerder."
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "Onjuiste rechten voor het verwijderen van de uitgaande webhook opdracht"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "Inkomende webhook ontvangen. Content="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "Kan inhoud van inkomende webhook niet lezen."
- },
- {
"id": "api.webhook.incoming.error",
"translation": "Could not decode the multipart payload of incoming webhook."
},
{
- "id": "api.webhook.init.debug",
- "translation": "Initialisatie van de webhook api"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "Ongeldige rechten om tokens voor uitgaande webhooks opnieuw te genereren"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "Fout bij het bijwerken van commando's voor meerdere teams"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "Commando's zijn uitgeschakeld door de beheerder."
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "Onjuiste rechten voor het verwijderen van de webhook opdracht"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "Uitgaande webhooks zijn uitgeschakeld door de beheerder."
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "Uitgaande webhooks van hetzelfde kanaal kunnen niet dezelfde trigger-woorden/callback URL's hebben."
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "Uitgaande webhooks kunnen alleen aan publieke kanalen gekoppeld worden."
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "Onjuiste rechten voor het aanmaken van een uitgaande webhook."
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "Ofwel trigger_words of channel_id moet worden geconfigueerd"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "WebRTC is niet ingeschakeld op deze server."
},
{
- "id": "api.webrtc.init.debug",
- "translation": "Initialisatie van de WebRTC api routes"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "We encountered an error trying to register the WebRTC Token"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "Invalid session err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "Ongeldige {{.Name}} parameter"
},
@@ -3367,6 +2351,10 @@
"translation": "%s heeft de kanaalkoptekst bijgewerkt naar: %s"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "Error reading import data file."
},
@@ -3375,6 +2363,18 @@
"translation": "JSON decode of line failed."
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Cannot set a channel to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Channel must be assigned to a Channel-scoped scheme."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "Error importing channel. Team with name \"{{.TeamName}}\" could not be found."
},
@@ -3431,6 +2431,10 @@
"translation": "Geimporteerde lijn met type \"user\", maar het \"user\" object is null."
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "Geimporteerde lijn met type \"user\", maar het \"user\" object is null."
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "Geimporteerde lijn met type \"user\", maar het \"user\" object is null."
},
@@ -3459,12 +2463,28 @@
"translation": "Error importing post. User with username \"{{.Username}}\" could not be found."
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "The bulk importer cannot change the scope of an already-existing scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Cannot set a team to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Team must be assigned to a Team-scoped scheme."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "Error importing user channel memberships. Failed to save preferences."
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "Kanaaleigenschap create_at mag niet 0 zijn indien opgegeven."
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "Channel purpose is too long."
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for channel."
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "Mist vereiste team kenmerk: naam."
},
@@ -3639,12 +2663,44 @@
"translation": "Mist vereiste team kenmerk: naam."
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "Team allowed_domains is too long."
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "Ongeldige beschrijving"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "Ongeldige weergave naam"
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "Kanaaleigenschap create_at mag niet 0 zijn indien opgegeven."
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "Invalid permission on role."
+ },
+ {
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "Ongeldige gebruikersnaam"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "Ongeldige beschrijving"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "Ongeldige weergave naam"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "Ongeldige gebruikersnaam"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "Scheme scope is required."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "Unknown scheme scope."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "The wrong roles were provided for a scheme with this scope."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "Team name contains reserved words."
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for team."
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "Team type is not valid."
},
@@ -3739,8 +2799,8 @@
"translation": "Invalid Channel Trigger Notify Prop for user."
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "Invalid Comment Trigger Notify Prop for user."
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "Invalid Mobile Push Status Notify Prop for user."
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "User Password has invalid length."
},
@@ -3875,10 +2939,6 @@
"translation": "Unable to deactivate plugin"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "Unable to delete plugin status state."
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "Plugins have been disabled. Please check your logs for details."
},
@@ -3891,8 +2951,8 @@
"translation": "Encountered filesystem error"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "Unable to get active plugins"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "Het maximaal aantal leden voor dit team is bereikt. Neem contact op met de beheerder voor een hoger limiet."
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "Failed to deserialize Timezone config file={{.Filename}}, err={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "Timezone config file does not exists file={{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "Failed to read Timezone config file={{.Filename}}, err={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "Invalid or missing token"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "Ability to create new group message channels"
},
@@ -3979,6 +3063,22 @@
"translation": "Create Group Message"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "Ability to create posts in public channels"
},
@@ -3987,12 +3087,28 @@
"translation": "Create Posts in Public Channels"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "Ability to create new teams"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "Create Teams"
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "Create Personal Access Token"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "Ability to manage jobs"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "Manage Jobs"
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "Manage Team Roles"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "Ability to read public channels"
},
@@ -4035,6 +3383,30 @@
"translation": "Read Personal Access Tokens"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "Ability to revoke personal access tokens"
},
@@ -4059,6 +3431,62 @@
"translation": "Gebruik Slash Commando's"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "A role with the permission to post in any public, private or direct channel on the system"
},
@@ -4083,6 +3511,14 @@
"translation": "Personal Access Token"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "A role with the permission to post in any public or private channel on the team"
},
@@ -4099,96 +3535,108 @@
"translation": "Post in Public Channels"
},
{
- "id": "cli.license.critical",
- "translation": "Feature requires an upgrade to Enterprise Edition and the inclusion of a license key. Please contact your System Administrator."
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "De afbeelding kon niet gedecodeerd worden."
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "De configuratie van de afbeelding kon niet gedecodeerd worden."
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "De afbeelding kon niet worden omgezit in PNG formaat."
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "Kan de afbeelding niet openen."
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "Afbeelding kon niet worden opgeslagen"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "Kan de afbeelding niet openen. Afbeelding is te groot."
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "Cluster configuration has changed for id={{ .id }}. The cluster may become unstable and a restart is required. To ensure the cluster is configured correctly you should perform a rolling restart immediately."
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "Cluster verstuurde mislukte poging op `%v` detail=%v, extra=%v, retry number=%v"
+ "id": "cli.license.critical",
+ "translation": "Feature requires an upgrade to Enterprise Edition and the inclusion of a license key. Please contact your System Administrator."
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "Cluster verzond laatste mislukte poging op `%v` detail=%v, extra=%v, retry number=%v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "Potentieel incompatibel versie gedetecteerd voor clustering met %v"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "Potentieel incompatibel configuratie gedetecteerd voor clusteren met %v "
+ "id": "ent.cluster.config_changed.info",
+ "translation": "Cluster configuration has changed for id={{ .id }}. The cluster may become unstable and a restart is required. To ensure the cluster is configured correctly you should perform a rolling restart immediately."
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "Clustering functionaliteit is uitgeschakeld met de huidige licentie. Neem contact op met de beheerder voor een upgrade van de licentie."
+ "id": "ent.cluster.save_config.error",
+ "translation": "System Console is set to read-only when High Availability is enabled unless ReadOnlyConfig is disabled in the configuration file."
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "Cluster ping gefaald bij hostname=%v op=%v met id=%v"
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "Unknown output format {{.ExportType}}"
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "Cluster ping success met hostnaam=%v op=%v met id=%v self=%v"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Unable to copy the attachment into the zip file."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "System Console is set to read-only when High Availability is enabled unless ReadOnlyConfig is disabled in the configuration file."
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Unable to add attachment to the CSV export."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "Cluster internode communicatie luistert op %v met hostnaam=%v id=%v "
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Unable to create temporary CSV export file."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "Cluster internode communicatie is aan het stoppen op %v met hostnaam=%v id=%v"
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Unable to add header to the CSV export."
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "Compliance functionaliteit is uitgeschakeld met de huidige licentie. Neem contact op met de beheerder voor een upgrade van de licentie."
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Unable to add metadata file to the zip file."
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "Compliance export is mislukt voor raak '{{.JobName}}' naar '{{.FilePath}}'"
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "Compliance export voor taak '{{.JobName}}' is afgerond. {{.Count}} Record zijn geschreven naar '{{.FilePath}}'"
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "Compliance export is mislukt voor taak '{{.JobName}}', er zijn meer dan 30.000 regels voor bestand '{{.FilePath}}'"
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "Compliance export is mislukt voor taak '{{.JobName}}' naar '{{.FilePath}}'"
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "Compliance functionaliteit is uitgeschakeld met de huidige licentie. Neem contact op met de beheerder voor een upgrade van de licentie."
+ },
+ {
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.run_failed.error",
+ "translation": "Compliance export is mislukt voor raak '{{.JobName}}' naar '{{.FilePath}}'"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "Failed to create Elasticsearch index"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "Failed to establish whether Elasticsearch index exists"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "Failed to setup Elasticsearch index mapping"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "Failed to delete Elasticsearch index"
},
@@ -4287,18 +3727,6 @@
"translation": "Failed to create Elasticsearch bulk processor"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "Failed to create Elasticsearch bulk processor"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "Failed to set Elasticsearch index settings"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "Failed to start Elasticsearch bulk processor"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "Failed to start Elasticsearch bulk processor"
},
@@ -4319,10 +3747,6 @@
"translation": "The Elasticsearch Server URL or Username has changed. Please re-enter the Elasticsearch password to test connection."
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "Aangepaste emoji restricties is uitgeschakeld vanwege de huidige licentie. Neem contact op met de beheerder voor een upgrade van de licentie."
- },
- {
"id": "ent.ldap.create_fail",
"translation": "Unable to create LDAP user."
},
@@ -4355,10 +3779,6 @@
"translation": "Kan niet verbinden met de AD/LDAP server"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "Geldig wachtwoord, maar kan de gebruiker niet aanmaken."
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "Je AD/LDAP account heeft niet de juiste permissies om van deze Mattermost server gebruik te maken. Vraag je Systeembeheerder om het AD/LDAP gebruikersfilter te controleren."
},
@@ -4367,40 +3787,16 @@
"translation": "Gebruiker is niet bekend op de AD/LDAP server"
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "Mattermost gebruiker is bijgewerkt door de AD/LDAP server."
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "LDAP sync worker failed due to the sync job failing"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "LDAP sync worker failed to create the sync job"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "AD/LDAP Synchronisatie voltooid"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "Niet mogelijk alle gebruikers te krijgen via AD/LDAP"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "Ongeldig AD/LDAP filter"
- },
- {
- "id": "ent.message_export.generic.license.error",
- "translation": "License does not support Message Export."
- },
- {
- "id": "ent.metrics.starting.info",
- "translation": "Metrics and profiling server is listening on %v"
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.metrics.stopping.info",
- "translation": "Metrics and profiling server is stopping on %v"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "Ongeldig AD/LDAP filter"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "Er is een fout opgetreden tijdens het versleutelen van de aanvraag richting de Identity Provider. Neem contact op met de beheerder. "
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "Er is een fout opgetreden tijdens het versleutelen van de getekende aanvraag richting de Identity Provider. Neem contact op met de beheerder."
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "Er is een fout opgetreden tijdens het configureren van de SAML Service Provider, err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "SAML aanmelding is mislukt vanwege het ontbreken van de Service Provider Private Key. Neem contact op met de beheerder."
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "Service Provider Publiek Cetificaat bestand was niet gevonden. Neem contact op met jouw Systeem Beheerder."
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "SAML aanmelding is mislukt omdat de communicatie met de Identity Provider niet versleuteld is . Neem contact op met de beheerder."
},
@@ -4527,8 +3915,12 @@
"translation": "SAML wordt niet ondersteund, of is niet geconfigureerd op deze server."
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "Kon bestaande SAML gebruiker niet bijwerken. Inloggen toch toestaan. err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "Failed to set job status to error"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "Kan het kanaal %v niet vinden, %v mogelijkheden doorzocht"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "Kan de kanalen niet ophalen"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "Aanmaken gebruikers en team"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "Kan URL niet vewerken"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "Klaarzetten om handmatig te testen..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "Geen uid in de url"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "Handmatige test voor automatisch linken"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "Kan de kanalen niet ophalen"
},
@@ -4575,50 +3947,6 @@
"translation": "Mattermost beveiligings bulletin"
},
{
- "id": "mattermost.config_file",
- "translation": "Config ingelezen uit bestand %v"
- },
- {
- "id": "mattermost.current_version",
- "translation": "Huidige versie is %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "Enterprise ingeschaked: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "License key from https://mattermost.com required to unlock enterprise features."
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "Kan de details van het security bulletin niet ophalen"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "Kan de details van het security bulletin niet inlezen"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "Controle op beveiligings-bijwerkingen van Mattermost"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "Kan geen beveiligings-bijwerking informatie van Mattermost ophalen."
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "Versturen beveiligings bulletin voor %v naar %v"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "Kan systeembeheerder niet vinden voor de beveiligings-bijwerkingen informatie van Mattermost."
- },
- {
- "id": "mattermost.working_dir",
- "translation": "Huidige werk directory is %v"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "Migration failed due to invalid progress data."
},
@@ -4707,10 +4035,6 @@
"translation": "Ongeldig Id"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "Ongeldige naam"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "Ongeldig doel"
},
@@ -4731,10 +4055,6 @@
"translation": "Invalid email notification value"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "Invalid muting value"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "Ongeldig waarschuwings nivo"
},
@@ -4743,10 +4063,6 @@
"translation": "Invalid push notification level"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "Ongeldige rol"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "Ongeldige markering ongelezen nivo"
},
@@ -4755,30 +4071,6 @@
"translation": "Ongeldige gebruikers id"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "Ongeldig kanaal id"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "Ongeldige type"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "Invalid leave time"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "Ongeldige gebruikers id"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "Ongeldige gebruikers id"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "Kan binnenkomende data niet verwerken"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "Er is een probleem opgetreden tijdens het verbinden met de server"
},
@@ -4803,8 +4095,8 @@
"translation": "Missing team parameter"
},
{
- "id": "model.client.login.app_error",
- "translation": "Authenticatie tokens komen niet overeen"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "Fout bij het schrijven van verzoek"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "Error writing channel id to multipart form"
},
@@ -4847,10 +4147,30 @@
"translation": "Unable to build multipart request"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "CreateAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Hostname must be set"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "Ongeldig Id"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "LastPingAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "ClusterName must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Type must be set"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "Aangemaakt op moet een geldige tijd zijn"
},
@@ -4951,6 +4271,10 @@
"translation": "Tot en met, moet later zijn dan Vanaf"
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Allowing cookies for subdomains requires SiteURL to be set."
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "Invalid atmos/camo image proxy options for service settings. Must be set to your shared key."
},
@@ -4995,10 +4319,6 @@
"translation": "Elasticsearch Live Indexing Batch Size must be at least 1"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "Elastic Search Username instelling moet ingevuld zijn wanneer Elastic Search indexing is ingeschakeld."
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "Elasticsearch PostsAggregatorJobStartTime setting must be a time in the format \"hh:mm\""
},
@@ -5007,10 +4327,6 @@
"translation": "Elasticsearch Request Timeout must be at least 1 second."
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "Elastic Search Username instelling moet ingevuld zijn wanneer Elastic Search indexing is ingeschakeld."
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "Verkeerde buffer grootte bij bulk email instellingen. Moet 0 zijn of een positief nummer."
},
@@ -5023,10 +4339,6 @@
"translation": "Invalid email notification contents type for email settings. Must be one of either 'full' or 'generic'."
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "Ongeldige 'salt' voor wachtwoord reset e-mail instellingen. De salt moet 32 of meer karakters hebben."
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "Ongeldige 'salt' voor uitnodigings e-mail instellingen. De salt moet 32 of meer karakters hebben."
},
@@ -5043,34 +4355,10 @@
"translation": "Ongeldige stuurprogramma voor bestand instellingen. Deze moet 'lokaal' of 'amazons3' zijn"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "Ongeldige voorvertonings-hoogte voor bestand instellingen. Moet 0 of groter zijn."
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "Ongeldige voorvertonings breedte voor bestand instellingen. Moet een getal groter dan 0 zijn."
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "Ongeldige profiel hoogte bij bestands instellingen. Moet groter dan 0 zijn."
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "Ongeldige profiel breedte bij bestands instellingen. Moet een positief nummer zijn."
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "Ongeldige publieke 'salt' bij bestands instellingen. De salt moet 32 of meer karakters hebben."
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "Ongeldige voorvertonings hoogte bij bestands instellingen. Moet een getal groter dan 0 zijn."
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "Ongeldige voorvertonings breedte bij bestands instellingen. Moet een getal groter dan 0 zijn."
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "Invalid group unread channels for service settings. Must be 'disabled', 'default_on', or 'default_off'."
},
@@ -5083,30 +4371,14 @@
"translation": "AD/LDAP veld \"BaseDN\" is verplicht."
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "AD/LDAP veld \"Bind Password\" is verplicht"
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "AD/LDAP veld \"Bind Username\" is verplicht."
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "AD/LDAP veld \"Email Attribute\" is verplicht."
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "AD/LDAP veld \"First Name Attribute\" is verplicht."
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "AD/LDAP veld \"ID Attribute\" is verplicht."
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "AD/LDAP veld \"Last Name Attribute\" is verplicht."
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "AD/LDAP veld \"ID Attribute\" is verplicht."
},
@@ -5115,14 +4387,6 @@
"translation": "Ongeldige max page size waarde."
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Verplicht AD/LDAP veld is niet ingevuld."
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Verplicht AD/LDAP veld is niet ingevuld."
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "Ongeldige verbindings instelling bij AD/LDAP instellingen. Keuze uit; '', 'TLS' of 'STARTTLS'"
},
@@ -5188,19 +4452,7 @@
},
{
"id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "Message export job ExportFormat must be one of either 'actiance' or 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "Message export job ExportFormat must be one of either 'actiance' or 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "Message export job FileLocation must be a writable directory that export data will be written to"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "Message export job FileLocation must be a sub-directory of FileSettings.Directory"
+ "translation": "Message export job ExportFormat must be one of 'actiance', 'csv' or 'globalrelay'"
},
{
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
@@ -5223,18 +4475,10 @@
"translation": "Message export job GlobalRelaySettings.SmtpUsername must be set"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "Message export job GlobalRelayEmailAddress must be set to a valid email address"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "Wachtwoord moet een lengte hebben van minimaal {{.MinLength}} en/of maximaal {{.MaxLength}}"
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "Maximale lengte van wachtwoord moet groter of gelijk zijn aan minimale lengte."
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "Ongeldige 'geheugen opslag' bij frequentie beperings instellingen. Moet een getal groter dan 0 zijn"
},
@@ -5367,10 +4611,6 @@
"translation": "Aangemaakt op moet een geldige tijd zijn"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "Ongeldig aanmaak id"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "Ongeldig emoji id"
},
@@ -5383,10 +4623,38 @@
"translation": "Bijgewerkt op moet een geldige tijd zijn"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "Kan gif niet decoderen."
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "Ongeldig kanaal id"
},
@@ -5411,6 +4679,10 @@
"translation": "Ongeldig Id"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "Kan binnenkomende data niet verwerken"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "Ongeldig team id"
},
@@ -5443,6 +4715,14 @@
"translation": "Ongeldige type"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "Ongeldig app id"
},
@@ -5491,6 +4771,10 @@
"translation": "Ongeldig kanaal id"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "Aangemaakt op moet een geldige tijd zijn"
},
@@ -5543,14 +4827,6 @@
"translation": "Invalid key, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "Invalid key, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "Invalid plugin ID, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "Invalid plugin ID, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
},
@@ -5699,10 +4975,6 @@
"translation": "Ongeldige URL 'identifier'"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "Ongeldige rol"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "Ongeldig team id"
},
@@ -5719,130 +4991,18 @@
"translation": "Ongeldig token"
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "Ongeldige auth data"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "Ongeldige gebruiker, wachtwoord en auth data kunnen niet beide ingesteld zijn"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "Ongeldige gebruiker, auth data moet ingesteld zijn met auth type"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "Aangemaakt op moet een geldige tijd zijn"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "Ongeldige e-mail"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "Ongeldige voornaam"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "Ongeldig gebruikers id"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "Ongeldige achternaam"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "Ongeldige bijnaam"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "Unable to set a password over 72 characters due to the limitations of bcrypt."
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "Invalid position: must not be longer than 128 characters."
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters bestaan."
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters en minimaal 1 kleine letter bestaan."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters bestaan en minimaal 1 kleine letter en 1 cijfer bevatten"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters bestaan en minimaal 1 kleine letter, 1 cijfer en 1 symbol bevatten (bijv. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters bestaan en minimaal 1 kleine letter met 1 symbool uit bijv. \"~!@#$%^&*()\" bevatten."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters bestaan en minimaal 1 kleine letter en 1 hoofdletter bevatten."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters bestaan en minimaal 1 kleine letter, 1 hoofdletter en 1 cijfer bevatten"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters bestaan en minimaal 1 kleine letter, 1 hoofdletter, 1 cijfer en 1 symbol bevatten (bijv. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters bestaan en minimaal 1 kleine letter, 1 hoofdletter en 1 symbol bevatten (bijv. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "Je wachtwoord moet minimaal {{.Min}} karakters bevatten en met minimaal 1 cijfer."
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "Je wachtwoord moet minimaal {{.Min}} karakters bevatten en met minimaal 1 cijfer en 1 karakter (bv. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "Je wachtwoord moet minimaal {{.Min}} karakters bevatten en met minimaal 1 karakter (bv. \"~!@#$%^&*()\"). "
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters bestaan en minimaal 1 hoofdletter bevatten."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters bestaan en minimaal 1 hoofdletter en 1 cijfer."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "Je wachtwoord moet minimaal {{.Min}} karakters bevatten en met minimaal 1 hoofdletter, minimaal 1 cijfer en minimaal een karakter (bv. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "Het wachtwoord moet minimaal uit {{.Min}} karakters bestaan en minimaal 1 hoofdletter en 1 symbol bevatten (bijv. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "Ongeldig team id"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "Het veld 'bijgewerkt op' moet een geldige tijd zijn"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "Ongeldige gebruikersnaam"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "Invalid description, must be 255 or less characters"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "Ongeldig toegangs token"
},
@@ -5855,6 +5015,10 @@
"translation": "kan niet decoderen"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "GitLab's Terms of Service have updated. Please go to gitlab.com to accept them and then try logging into Mattermost again."
},
@@ -5863,26 +5027,6 @@
"translation": "Error invoking plugin RPC"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "Fout tijdens het aanpassen van kolom type %v"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "Fout bij het controleren van de index %v"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "Afsluiten van Sql opslag"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "Stuurprogramma mist bij het controleren of de kolom bestaat"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "FromDb: Kan EncryptStringMap niet naar *string omzetten"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "FromDb: Kan StringArray niet naar *string omzetten"
},
@@ -5895,82 +5039,6 @@
"translation": "FromDb: Kan StringMap niet naar *string omzetten"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "Fout bij het aanmaken van kolom %v"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "Stuurprogramma mist bij het aanmaken van de kolom"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "Stuurprogramma mist bij het aanmaken van een index"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "Fout bij het aanmaken van database tabellen: %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "Fout bij het aanmaken van dialect specifiek stuurprogramma"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "Fout bij het maken van dialect specifiek stuurprogramma %v"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "Ongeldige MAC voor de opgegeven encryptietext"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "Fout bij het bepalen van de maximale lengte van kolom %v"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "Fout bij het openen van de sql verbinding %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "Ondersteuning voor meer dan 1 lees replica is uitgeschakeld met de huidige licentie. Neem contact op met de systeembeheerder voor een upgrade van de licentie."
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "Fout bij het verwijderen van index %v"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "Fout bij het hernoemen van kolom %v"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "Database schema versie %v lijkt niet bijgewerkt te zijn"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "Poging om de database schema te upgraden naar versie %v"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "Database schema version %v is no longer supported. This Mattermost server supports automatic upgrades from schema version %v through schema version %v. Downgrades are not supported. Please manually upgrade to at least version %v before continuing"
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "Korte encryptietext"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "Fout bij het ophalen van data type voor kolom %s uit tabel %s: %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "encryptietext is te kort"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "Database schema is geupgrade naar versie %v"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "Er is een fout gevonden bij het zoeken naar de audit data"
},
@@ -5999,16 +5067,24 @@
"translation": "We kunnen de kanalen typen niet tellen"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "De permissies kunnen niet gecontroleerd worden"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "De permissies kunnen niet gecontroleerd worden"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "De permissies kunnen niet gecontroleerd worden"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "No channel found"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "Het kanaal kon niet gevonden worden"
},
@@ -6067,10 +5151,6 @@
"translation": "No deleted channel exists with that name"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "We kunnen de extra info niet ophalen voor de kanaal leden"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "We couldn't get the channel for the given post"
},
@@ -6231,10 +5311,6 @@
"translation": "Er is een fout opgetreden tijdens het bijwerken van het kanaal"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "De laatst bekeken tijd kon niet worden bijgewerkt"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "Het kanaal kan niet bijgewerkt worden"
},
@@ -6259,14 +5335,6 @@
"translation": "Er is een probleem opgetreden tijdens het bijwerken van de kanaal leden"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "Failed to get records"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "Failed to get users in channel at specified time"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "Failed to get users in channel during specified time period"
},
@@ -6275,10 +5343,6 @@
"translation": "Failed to record channel member history"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "Failed to record channel member history. No existing join record found"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "Failed to record channel member history. Failed to update existing join record"
},
@@ -6287,6 +5351,30 @@
"translation": "Failed to purge records"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "Failed to delete"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "Fout bij controle of de tabel bestaat %v"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Failed to get all discovery rows"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Failed to update last ping at"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "We kunnen de opdrachten niet tellen"
},
@@ -6411,10 +5499,6 @@
"translation": "We konden de bestandsinfo niet opslaan"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "We konden de bestandsinfo niet opslaan"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "Het bericht kan niet verwijderd worden"
},
@@ -6567,10 +5651,6 @@
"translation": "Could not save or update plugin key value"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "Could not save or update plugin key value due to unique constraint violation"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "We kunnen het aantal geplaatste berichten niet tellen"
},
@@ -6583,6 +5663,10 @@
"translation": "We kunnen de aantallen berichten per gebruiker niet tellen"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "Het bericht kan niet verwijderd worden"
},
@@ -6591,6 +5675,10 @@
"translation": "Het bericht kan niet opgehaald worden"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "We kunnen het startbericht voor het kanaal niet ophalen"
},
@@ -6643,10 +5731,6 @@
"translation": "We encountered an error permanently deleting the batch of posts"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "We encountered an error permanently deleting the batch of posts"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "Het kanaal kan niet verwijderd worden"
},
@@ -6663,14 +5747,6 @@
"translation": "We couldn't determine the maximum supported post size"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message supports at most %d characters (%d bytes)"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "No implementation found to determine the maximum supported post size"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "We kunnen het bericht niet opslaan"
},
@@ -6683,10 +5759,6 @@
"translation": "Searching has been disabled on this server. Please contact your System Administrator."
},
{
- "id": "store.sql_post.search.warn",
- "translation": "Query error searching posts: %v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "Het bericht kan niet worden bijgewerkt"
},
@@ -6751,6 +5823,10 @@
"translation": "De instelling kan niet bijgewerkt worden"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "Unable to open transaction while deleting reaction"
},
@@ -6759,20 +5835,12 @@
"translation": "Unable to commit transaction while deleting reaction"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "Unable to delete reaction"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "Unable to delete reactions with the given emoji name"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "Unable to get reactions with the given emoji name"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "Unable to update Post.HasReactions while removing reactions post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "Unable to save reaction"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "Unable to delete the role"
},
@@ -6823,10 +5903,6 @@
"translation": "The role was not valid"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "The role was not valid"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "Failed to open the transaction to save the role"
},
@@ -6843,10 +5919,6 @@
"translation": "Unable to delete the roles belonging to this scheme"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "Unable to delete the scheme as it in use by 1 or more teams or channels"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "Unable to delete the scheme"
},
@@ -6895,10 +5967,6 @@
"translation": "Het aantal sessies kan niet geteld worden"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "Er is een probleem opgetreden tijdens het verwijderen van verlopen gebruikers sessies"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "Er is een fout opgetreden bij het zoeken naar de sessie"
},
@@ -6907,10 +5975,6 @@
"translation": "Er is een probleem opgestreden tijdens het opzoeken van de gebruikers sessie"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "Fout bij het opruimen van sessies in getSessions fout=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "Niet alle gebruikers sessie kunnen verwijderd worden voor de gebruiker"
},
@@ -6927,10 +5991,6 @@
"translation": "De sessie kan niet worden opgeslagen"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "Fout bij het opruimten van de sessies in 'Save' fout=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "Kan de huidige sessie niet bijwerken"
},
@@ -6983,6 +6043,10 @@
"translation": "Er is een fout opgetreden tijdens het bijwerken van de status"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "Er is een probleem opgetreden tijdens het zoeken van de systeem instellingen"
},
@@ -6991,10 +6055,6 @@
"translation": "De systeem variabele kan niet gevonden worden."
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "We konden de database versie niet ophalen"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "We could not permanently delete the system table entry"
},
@@ -7011,6 +6071,26 @@
"translation": "Het aantal teams kan niet geteld worden"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "Het bestaande team kan niet gevonden worden"
},
@@ -7063,10 +6143,6 @@
"translation": "We kunnen de teamleden niet ophalen"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "Er is een probleem geconstateerd bij het opzoeken van de teams"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "We couldn't get the teams unread messages"
},
@@ -7151,6 +6227,14 @@
"translation": "De teamnaam kan niet bijgewerkt worden"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "De gebruikers kunnen niet geteld worden"
},
@@ -7163,12 +6247,28 @@
"translation": "We kunnen het aantal unieke gebruikers niet tellen"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "Er is een fout opgestreden bij het opzoeken van het account"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "Er is een probleem opgetreden om de accounts te vinden op basis van specifiek authenticatie type."
+ "id": "store.sql_user.get.app_error",
+ "translation": "Er is een fout opgestreden bij het opzoeken van het account"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "Het aantal ongelezen berichten voor de gebruiker en kanaal kan niet geteld worden"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "Mislukt om de gebruiker te migreren. ThemeProps naar Voorkeuren tabel %v"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "De gebruiker kan niet gevonden worden"
},
@@ -7271,6 +6367,10 @@
"translation": "Een account met die gebruikersnaam bestaat al. Neem contact op met de systeembeheerder."
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "Het account kan niet bijgewerkt worden"
},
@@ -7311,18 +6411,10 @@
"translation": "Het aantal mislukte pogingen (failed_attempts) kan niet bijgewerkt worden"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "De laatste activiteit (last_activity_at) kan niet bijgewerkt worden"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "Laatste bijwerk moment (update_at) kan niet bijgewerkt worden"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "De 'last_ping_at' kan niet bijgewerkt worden"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "Er is een probleem opgetreden tijdens het bijwerken van de MFA status van de gebruiker"
},
@@ -7335,6 +6427,10 @@
"translation": "Het wachtwoord van de gebruiker kan niet bijgewerkt worden"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "Het verificatie e-mail adres kan niet bijgewerkt worden"
},
@@ -7367,6 +6463,18 @@
"translation": "Er is een probleem opgetreden bij het ophalen van het access token"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "Het aantal binnenkomende webhooks kan niet geteld worden"
},
@@ -7459,18 +6567,10 @@
"translation": "Fout bij het decoderen van de config. Bestand={{.Filename}}, fout={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "Fout bij het ophalen van de config info. Bestand={{.Filename}}, fout={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "Fout bij het openen van het config bestand {{.Filename}}, fout={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "Fout bij het valideren van het config bestand {{.Filename}}, fout={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "Er is ee probleem opgetreden bij het opslaan van het bestand in {{.Filename}}"
},
@@ -7487,18 +6587,6 @@
"translation": "Unable to load mattermost configuration file: DefaultServerLocale must be one of the supported locales. Setting DefaultServerLocale to en as default value."
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "Unable to load mattermost configuration file: AvailableLocales must include DefaultClientLocale"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "Analytics niet geïnitialiseerd"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "Bestand opslag is niet goed geconfigureerd. Configureer S3 of lokale bestandsopslag."
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "Er is een fout opgetreden bij het lezen van een bestand uit lokale opslag"
},
@@ -7507,10 +6595,6 @@
"translation": "Encountered an error listing directory from S3."
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "Bestand opslag is niet goed geconfigureerd. Configureer S3 of lokale bestandsopslag."
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "Er is een fout opgetreden bij het lezen van een bestand uit lokale opslag"
},
@@ -7519,10 +6603,6 @@
"translation": "Encountered an error removing directory from S3."
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "Bestand opslag is niet goed geconfigureerd. Configureer S3 of lokale bestandsopslag."
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "Er is een fout opgetreden bij het lezen van een bestand uit lokale opslag"
},
@@ -7531,38 +6611,6 @@
"translation": "Encountered an error removing file from S3."
},
{
- "id": "utils.i18n.loaded",
- "translation": "Systeem vertaling ingelezen voor '%v' uit '%v'"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "Er moet een positieve maat opgegeven worden"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "Geen geldige enterprise licentie gevonden"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "Licentie bestand kan niet verwijderd word, fout=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "Er is een probleem opgetreden tijdens het decoderen van de licentie, fout=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "Ongeldige ondertekening, fout=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "Ondertekende licentie is niet lang genoeg"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "Er is een probleem opgetreden tijdens het ondertekenen van de licentie, fout=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "Failed to set HELO"
},
@@ -7579,14 +6627,6 @@
"translation": "Kan niet authenticeren bij de SMTP server"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "Failed to to set the HELO to SMTP server %v"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "Kan geen verbinding opzetten naa de SMTP server, fout=%v"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "Failed to write attachment to email"
},
@@ -7607,42 +6647,10 @@
"translation": "Kan geen e-mail bericht toevoegen"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "Mail verstuurd naar %v, met als onderwerp '%v'"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "Error setting \"To Address\""
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "De SMTP server instellingen lijken verkeerd geconfigureerd te zijn. Fout=%v, details=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "De SMTP server instellingen lijken verkeerd geconfigureerd te zijn. Fout=%v, details=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "Beheerder Console"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "Authoriseer Applicaties"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "Kan heat team niet vinden, naam=%v, fout=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "Claim een account"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "Kan de gebruiker niet vinden, teamid=%v, email=%v, fout=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "Het kanaal kan niet gevonden worden"
},
@@ -7655,42 +6663,6 @@
"translation": "Kan binnenkomende data niet verwerken"
},
{
- "id": "web.create_dir.error",
- "translation": "Toevoegen van een directory om te controleren is mislukt %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "Probleem bij het ophalen van het gebruikersprofiel voor id=%v, uitlog actie geforceerd"
- },
- {
- "id": "web.doc.title",
- "translation": "Documentatie"
- },
- {
- "id": "web.email_verified.title",
- "translation": "E-mail geverifieerd"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "Your current browser is not supported. Please upgrade to one of the following browsers:"
},
@@ -7699,12 +6671,8 @@
"translation": "Unsupported Browser"
},
{
- "id": "web.find_team.title",
- "translation": "Zoek een Team"
- },
- {
- "id": "web.header.back",
- "translation": "Terug"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "Geen tekst gespecifieerd"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "Maximum text length is {{.Max}} characters, received size is {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "De gebruiker kan niet gevonden worden"
- },
- {
- "id": "web.init.debug",
- "translation": "Initialisatie web api"
- },
- {
- "id": "web.login.error",
- "translation": "Kan het team niet vinden, naam=%v, fout=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "Aanmelden"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "Ongeldige team naam"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "Server template aan het verwerken voor %v"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "Ongeldige bericht ID"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "De wachtwoord reset link is niet meer geldig"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "De reset link is niet geldig"
- },
- {
- "id": "web.root.home_title",
- "translation": "Start"
- },
- {
- "id": "web.root.singup_title",
- "translation": "Aanmelden"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "De aanmeld link is verlopen"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "Team aanmelden afronden"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "Aanmeld e-mail is verstuurd"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "De aanmeld link is verlopen"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "Het team type staat open uitnodiging niet toe"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "Gebruikers aanmelden afronden"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "Ongeldige team naam"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "Toevoegen van een directory om te controleren is mislukt %v"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "Het initialiseren van status api routes"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "Initialisatie van de websocket api"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "Initialisatie van de websocket api"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "Initialisatie van de websocket api"
}
]
diff --git a/i18n/pl.json b/i18n/pl.json
index e9335e449..034a317e6 100644
--- a/i18n/pl.json
+++ b/i18n/pl.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "Kwiecień"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "sierpień"
- },
- {
- "id": "December",
- "translation": "grudzień"
- },
- {
- "id": "February",
- "translation": "luty"
- },
- {
- "id": "January",
- "translation": "styczeń"
- },
- {
- "id": "July",
- "translation": "lipiec"
- },
- {
- "id": "June",
- "translation": "czerwiec"
- },
- {
- "id": "March",
- "translation": "marzec"
- },
- {
- "id": "May",
- "translation": "maj"
- },
- {
- "id": "November",
- "translation": "listopad"
- },
- {
- "id": "October",
- "translation": "październik"
- },
- {
- "id": "September",
- "translation": "wrzesień"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "Błąd podczas odczytywania pliku dziennika."
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "Własna marka nie została skonfigurowana lub nie jest wspierana na tym serwerze"
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "Przechowywanie obrazów nie zostało skonfigurowane."
},
{
- "id": "api.admin.init.debug",
- "translation": "Inicjalizowanie tras API administracyjnego"
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "Ukończono wznawianie połączenia do bazy danych."
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "Próba wznowienia połączenia do bazy danych."
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "Podczas usuwania certyfikatu wystąpił błąd. Upewnij się, że istnieje plik config/{{.Filename}}."
},
@@ -92,6 +36,10 @@
"translation": "Wystąpił błąd podczas budowania metadanych dostawcy usługi (Service Provider Metadata)."
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>Wygląda na to, że e-mail w Mattermost został skonfigurowany poprawnie!"
},
@@ -112,14 +60,6 @@
"translation": "S3 Bucket is required"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "S3 Endpoint is required"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "S3 Region is required"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "Pusta tablica w kluczu 'image' w żądaniu"
},
@@ -128,10 +68,6 @@
"translation": "Brak pliku w polu 'image' w żądaniu"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "Własna marka nie została skonfigurowana lub nie jest wspierana na tym serwerze"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "Nie udało się przetworzyć wieloczęściowego formularza"
},
@@ -144,38 +80,10 @@
"translation": "Nie udało się wgrać obrazu. Plik jest zbyt duży."
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "Nie udało się przetworzyć szablonów serwera w %v"
- },
- {
- "id": "api.api.render.error",
- "translation": "Błąd w trakcie renderowania szablonu %v błąd=%v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "Nie udało się uzyskać użytkownika do sprawdzania uprawnień."
- },
- {
- "id": "api.brand.init.debug",
- "translation": "Inicjalizowanie markowych tras API"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v został dodany do kanału przez %v"
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "Nie udało się znaleźć kanału"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "Nie odnaleziono użytkownika do dodania"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "Nie odnaleziono użytkownika, który dodaje"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "Nie udało się dodać użytkownika do kanału"
},
@@ -192,30 +100,6 @@
"translation": "Nie można dodać użytkownika do kanału tego typu"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "Zarządzanie i tworzenie kanałów prywatnych jest dostępne tylko dla administratorów systemu."
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "Zarządzanie i tworzenie kanałów prywatnych jest dostępne tylko dla administratorów systemu i zespołów."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "Zarządzanie i tworzenie kanałów publicznych jest dostępne tylko dla administratorów systemu."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "Zarządzanie i tworzenie kanałów publicznych jest dostępne tylko dla administratorów systemu i zespołów."
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "This channel has been converted to a Public Channel and can be joined by any team member."
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "This channel has been converted to a Private Channel."
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "This default channel cannot be converted into a private channel."
},
@@ -268,50 +152,6 @@
"translation": "Kanał został zarchiwizowany lub usunięty"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "Nie udało się opublikować archiwalnej wiadomości %v"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "Nie udało się wysłać archiwalnej wiadomości"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "Napotkano błąd podczas usuwania przychodzącego webhooka, id=%v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "Napotkano błąd podczas usuwania wychodzącego webhooka, id=%v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "Brak wymaganych uprawnień"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "Nie ma ani jednego kanału z channel_id={{.ChannelId}} dla zespołu z team_id={{.TeamId}}"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "Nie można pobrać liczników kanału z bazy danych"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "Kanał został zarchiwizowany lub usunięty"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "Nie udało się przetworzyć limitu członków"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "Błąd w trakcie pobierania profilu użytkowników dla id=%v wymusza wylogowanie"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "Inicjalizowanie tras API kanału"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "Kanał jest już usunięty"
},
@@ -340,6 +180,10 @@
"translation": "%v opuszcza kanał."
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "Nie udało się wysłać wiadomości aktualizującej wyświetlaną nazwę"
},
@@ -380,22 +224,10 @@
"translation": "Nie można usunąć użytkownika z domyślnego kanału {{.Channel}}"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "Brak odpowiednik uprawnień "
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v został usunięty z kanału."
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "Nie można usunąć użytkownika."
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "Nie znaleziono użytkownika do usunięcia"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "Kanał został zarchiwizowany lub usunięty"
},
@@ -404,10 +236,6 @@
"translation": "Kanał został zarchiwizowany lub usunięty"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "Brak odpowiednich uprawnień"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "Próbowano wykonać nieprawidłową aktualizację domyślnego kanału {{.Channel}}"
},
@@ -424,26 +252,14 @@
"translation": "Unable to set the scheme to the channel because the supplied scheme is not a channel scheme."
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "Nie można pobrać liczby nieprzeczytanych wiadomości dla użytkownika o id=%v i kanału=%v, błąd=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "The provided role is managed by a Scheme and therefore cannot be applied directly to a Team Member"
},
{
- "id": "api.cluster.init.debug",
- "translation": "Inicjowanie klastra tras API"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "Integracje zostały ograniczone tylko dla administratorów."
},
{
- "id": "api.command.delete.app_error",
- "translation": "Nieprawidłowe uprawnienia do usunięcia polecenia"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "Polecenia zostały wyłączone przez administratora systemu."
},
@@ -472,18 +288,10 @@
"translation": "Polecenie z przełącznikiem '{{.Trigger}}' nie zostało znalezione. Aby wysłać wiadomość z \"/\" naciśnij spację na początku wiadomości."
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "Błąd podczas zapisywania do kanału odpowiedzi polecenia"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "Nie odnaleziono wyzwalacza polecenia"
},
{
- "id": "api.command.init.debug",
- "translation": "Inicjalizowanie tras API poleceń"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "Wyślij email z zaproszeniem do Twojego zespołu Mattermost"
},
@@ -516,18 +324,10 @@
"translation": "Emaile z zaproszeniami zostały wysłane"
},
{
- "id": "api.command.regen.app_error",
- "translation": "Nieprawidłowe uprawnienia do regeneracji tokenu polecenia"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "Nie można zaktualizować poleceń pomiędzy zespołami"
},
{
- "id": "api.command.update.app_error",
- "translation": "Nieprawidłowe uprawnienia do zaktualizowania polecenia"
- },
- {
"id": "api.command_away.desc",
"translation": "Zmień swój stan na \"Zaraz wracam\"."
},
@@ -568,10 +368,6 @@
"translation": "Błąd aktualizacji bieżącego kanału."
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "Nagłówek kanału zaktualizowany poprawnie"
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "Błąd pobierania aktualnego kanału."
},
@@ -644,10 +440,6 @@
"translation": "Błąd aktualizacji bieżącego kanału."
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "Nazwa kanału zaktualizowana poprawnie."
- },
- {
"id": "api.command_code.desc",
"translation": "Wyświetl tekst jako blok kodu."
},
@@ -696,10 +488,6 @@
"translation": "Tryb \"Nie przeszkadzać\" jest włączony. Nie będziesz otrzymywać powiadomień na komputerze ani powiadomień push na urządzeniach mobilnych do czasu jego wyłączenia."
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "Nie można utworzyć wiadomości /echo, błąd=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "Opóźnienia muszą wynosić mniej niż 10000 sekund"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "Nie odnaleziono użytkownika: %s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "Wystąpił błąd podczas generowania listy użytkowników."
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "Wiadomości grupowe są ograniczone do maksymalnie {{.MaxUsers}} użytkowników."
},
@@ -779,18 +559,10 @@
"translation": "Wiadomości grupowe są ograniczone do minimum {{.MinUsers}} użytkowników."
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "Nie odnaleziono użytkownika"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "wiadomość"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "Odbiorcy wiadomości."
- },
- {
"id": "api.command_help.desc",
"translation": "Otwórz stronę pomocy Mattermost"
},
@@ -875,10 +647,6 @@
"translation": "dołącz"
},
{
- "id": "api.command_join.success",
- "translation": "Dołączono do kanału."
- },
- {
"id": "api.command_kick.name",
"translation": "kick"
},
@@ -891,14 +659,6 @@
"translation": "Wystąpił błąd podczas wychodzenia z kanału."
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "Wystąpił błąd podczas wyświetlania kanałów."
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "Nie odnaleziono kanału"
- },
- {
"id": "api.command_leave.name",
"translation": "opuść"
},
@@ -947,10 +707,6 @@
"translation": "@[username] 'message'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "Wystąpił błąd podczas generowania listy użytkowników."
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "Nie odnaleziono użytkownika"
},
@@ -959,10 +715,6 @@
"translation": "wiadomość"
},
{
- "id": "api.command_msg.success",
- "translation": "Odbiorca wiadomości."
- },
- {
"id": "api.command_mute.desc",
"translation": "Turns off desktop, email and push notifications for the current channel or the [channel] specified."
},
@@ -1115,10 +867,6 @@
"translation": "wzruszenie ramionami"
},
{
- "id": "api.compliance.init.debug",
- "translation": "Inicjalizowanie spełnionych tras API"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "Nowy format konfiguracji klienta nie jest jeszcze wspierany. Proszę podać format=old w ciągu znaków zapytania."
},
@@ -1135,14 +883,6 @@
"translation": "Nieprawidłowy parametr {{.Name}}"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "Nieprawidłowa sesja err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "Otwarto niepoprawny adres URL zespołu. Adres URL zespołu nie powinien być używany w funkcjach API, ani tych niezależnych od zespołu"
- },
- {
"id": "api.context.invalid_token.error",
"translation": "Nieprawidłowy identyfikator sesji={{.Token}}, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "Nieprawidłowy lub brak {{.Nazwa}} parametr w adresie URL żądania"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "Wszystkie pamięci podręczne są czyszczone"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "Nie udało się zaktualizować pola LastActivityAt dla user_id=%v i session_id=%v, err=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v code=%v rid=%v uid=%v ip=%v %v [szczegóły: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "Uwierzytelnienie wieloskładnikowe jest wymagane na tym serwerze."
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "Brak identyfikatora zespołu"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "Brak wymaganych uprawnień"
},
@@ -1179,26 +903,10 @@
"translation": "Niepoprawna sesja, proszę zalogować się ponownie."
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "Brak odpowiednich uprawnień (system)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "Sesja nie jest typu OAuth ale _query string_ zawiera token"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "Wystąpił nieznany błąd. Prosimy o kontakt z pomocą techniczną."
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "API w wersji 3 zostało wyłączone na tym serwerze. Użyj API w wersji 4. Odwiedź https://api.mattermost.com w celu uzyskania szczegółowych informacji."
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "Inicjalizowanie przestarzałych tras API"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "Kanał odbierania automatycznych maili jest zapełniony. Proszę zwiększyć EmailBatchingBufferSize."
},
@@ -1207,14 +915,6 @@
"translation": "Masowa wysyłka maili została wyłączona przez administratora systemu."
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "Zadanie wysyłania emaili zakończyło się. %v użytkowników wciąż oczekuje na powiadomienia."
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "Nie można znaleźć kanału wiadomości dla masowych powiadomień e-mail."
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Month}} {{.Day}}"
},
@@ -1235,10 +935,6 @@
"translation": "Powiadomienie od "
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "Nie można znaleźć nadawcy wiadomości dla masowych powiadomień e-mail"
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "Masz nowe powiadomienie.",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "Nie można znaleźć preferencji wyświetlania odbiorcy dla masowych powiadomień email"
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "Nie udało się wysłać powiadomień email do %v: %v"
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "Nowe powiadomienie [{{.SiteName}}] z {{.Month}} {{.Day}}, {{.Year}}",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "Nie można znaleźć odbiorcy dla masowych powiadomień email"
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "Rozpoczynanie masowej wysyłki email. Sprawdzanie oczekujących emaili co %v sekund."
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "Nie można utworzyć emoji. Inne emoji o tej samej nazwie już istnieje."
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "Nie można utworzyć emoji. Nie rozpoznano żądania."
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "Nieodpowiednie uprawnienia do utworzenia emoji"
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "Nie można utworzyć emoji. Nie rozpoznano żądania."
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "Nie można utworzyć emoji. Obraz musi być mniejszy niż 1 MB."
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "Nie można usunąć reakcji podczas usuwania emoji o nazwie %v"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "Niestandardowe emoji zostały wyłączone przez administratora systemu."
},
@@ -1301,14 +977,6 @@
"translation": "Nie można odczytać pliku obrazu dla emoji."
},
{
- "id": "api.emoji.init.debug",
- "translation": "Inicjowanie tras API dla emoji"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "Inicjowanie tras API dla emoji"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "Magazyn plików nie został poprawnie skonfigurowany. Proszę skonfigurować usługę S3 lub lokalny magazyn plików."
},
@@ -1333,12 +1001,12 @@
"translation": "Nie można utworzyć emoji. Wystąpił błąd podczas kodowania obrazu GIF."
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "Dodawanie załączników na tym serwerze jest zablokowane."
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "Linki publiczne zostały wyłączone przez administratora systemu."
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "Dodawanie załączników na tym serwerze jest zablokowane."
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "Plik nie posiada miniatury"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "Nie można pobrać informacji o pliku. Plik musi być załączony do wiadomości, którą możesz przeczytać."
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "Nie można pobrać informacji o pliku. Przechowywanie plików nie jest skonfigurowane."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Nie można pobrać pliku. Przechowywanie obrazów nie jest skonfigurowane."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Nie można pobrać pliku. Przechowywanie obrazów nie jest skonfigurowane."
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "linki wyłączone"
},
@@ -1377,116 +1029,52 @@
"translation": "Nie można uzyskać publicznego łącza do pliku. Plik musi być załączony do wiadomości, którą możesz odczytać."
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "Nie można zdekodować konfiguracji obrazka err=%v."
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "Nie można zakodować pliku jpeg położenie=%v błąd=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "Nie można zakodować pliku podglądu ścieżka=%v błąd=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "Nie można przesłać podglądu ścieżka=%v błąd=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "Nie można przesłać miniatury ścieżka=%v błąd=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "Inicjalizowaine tras wywołań API"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "Nie można pobrać kanału podczas migracji wiadomości aby używały FileInfos, post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "Nie można znaleźć pliku podczas migracji wiadomości aby używały FileInfos, post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "Nie można pobrać FileInfo dla wiadomości po migracji, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "Nie można pobrać kanału podczas migracji wiadomości aby używały FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "Nie można pobrać informacji o pliku podczas migracji wiadomości aby używały FileInfos, post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "Migrowanie wiadomości do użycia z FileInfo, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "Napotkano nietypową nazwę pliku podczas migracji wiadomości do użycia z FileInfo, post_id=%v, channel_id=%v, user_id=%v, filename=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "Nie można zmigrować wiadomości do użycia z FileInfo z pustym polem Filenames, post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "Wiadomość została już zmigrowana do użycia z FileInfo, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "Nie można zapisać wiadomości podczas migracji wiadomości do formatu używającego FileInfos, post_id=%v, file_id=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "Nie można pobrać kanału podczas migracji wiadomości aby używały FileInfos, post_id=%v, file_id=%v, filename=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "Nie można skopiować pliku w S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "Nie można odnaleźć zespołu dla FileInfo, post_id=%v, filenames=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "Nie można skasować pliku z usługi S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "Nie można pobrać kanału podczas migracji wiadomości aby używały FileInfos, post_id=%v, err=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "Nie można przenieść pliku lokalnie."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "Nie można pobrać kanału podczas migracji wiadomości aby używały FileInfos, post_id=%v, filename=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "No file driver selected."
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "Magazyn plików nie został poprawnie skonfigurowany. Proszę skonfigurować usługę S3 lub lokalny magazyn plików."
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "Napotkano błąd podczas odczytu z lokalnego magazynu"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "Nie można skopiować pliku w S3."
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "Napotkano błąd podczas odczytu z lokalnego magazynu"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "Nie można skasować pliku z usługi S3."
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "Napotkano błąd podczas odczytu z lokalnego magazynu"
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "Nie można pobrać pliku z usługi S3."
+ "id": "api.file.reader.s3.app_error",
+ "translation": "Napotkano błąd podczas odczytu z lokalnego magazynu"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "Nie można przenieść pliku lokalnie."
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Don't have permissions to write to local path specified or other error."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "Magazyn plików nie jest poprawnie skonfigurowany. Proszę skonfigurować usługę S3 lub lokalny magazyn plików."
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Unable to create bucket."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "Nie można pobrać pliku z usługi S3"
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Error checking if bucket exists."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "Napotkano błąd podczas odczytu z lokalnego magazynu"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "Bad connection to S3 or minio."
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "Nie można wgrać pliku. Plik jest zbyt duży."
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "Magazyn plików nie jest skonfigurowany. Proszę skonfigurować usługę S3 lub lokalny magazyn plików."
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "Napotkano błąd podczas zapisu do usługi S3"
},
@@ -1525,34 +1109,6 @@
"translation": "Napotkano błąd podczas zapisu do lokalnego magazynu"
},
{
- "id": "api.general.init.debug",
- "translation": "Inicjalizowaine głównych wywołań API"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "Błąd podczas załączania pliku do wiadomości. postId=%v, fileIds=%v, message=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "Błąd podczas zapisu posta. user=%v, message=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "Nie udało się dołączy do zespołu w trakcie importu err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "Napotkano problem podczas dołączania do domyślnych kanałów user_id=%s, team_id=%s, err=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "Błąd podczas zapisu użytkownika. err=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "Nie udało się oznaczyć emaila jako zweryfikowanego err=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "Przychodzące webhooki zostały wyłączone przez administratora systemu."
},
@@ -1561,10 +1117,6 @@
"translation": "Niepoprawna nazwa użytkownika."
},
{
- "id": "api.ldap.init.debug",
- "translation": "Inicjalizowaine tras LDAP API"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "Pusta tablica w kluczu 'license' w żądaniu"
},
@@ -1605,30 +1157,6 @@
"translation": "Nowy format licencji klienta nie jest jeszcze wspierany. Proszę podać format=old w ciągu znaków zapytania."
},
{
- "id": "api.license.init.debug",
- "translation": "Inicjalizowaine wywołań licencji API"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "Licencja nie została poprawnie usunięta."
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "invalid_request: Niepoprawny client_id"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "invalid_request: Brak lub niepoprawny redirect_uri"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "invalid_request: Niepoprawny response_type"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "server_error: Błąd w trakcie dostępu do bazy danych"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "invalid_request: Podany redirect_uri nie pasuje do zarejestrowanego callback_url"
},
@@ -1641,14 +1169,6 @@
"translation": "Administrator systemu wyłączył dostęp do usługi OAuth2."
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "Brakuje jednego lub kilku parametrów z response_type, client_id, lub redirect_uri"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "Brak uprawnień do usunięcia aplikacji OAuth 2.0"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "invalid_request: Niepoprawny client_id"
},
@@ -1705,22 +1225,10 @@
"translation": "invalid_grant: Nieprawidłowy token"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "Nie udało się odnaleźć kodu autoryzacyjnego dla code=%s"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "Inicjalizowaine wywołań OAuth API"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "Nieprawidłowy token statusu"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "Nieodpowiednie uprawnienia aby odtworzyć prywany klucz aplikacji OAuth2 "
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "Administrator systemu wyłączył usługę OAuth 2.0."
},
@@ -1749,8 +1257,8 @@
"translation": "Łącze rejestracji wydaje się być niepoprawne."
},
{
- "id": "api.opengraph.init.debug",
- "translation": "Inicjalizacja tras protokołów otwartego grafu API"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "Wspomniano o użytkowniku {{.Username}}, ale nie otrzymał powiadomienia ponieważ nie należy do tego kanału."
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "Wystąpił błąd podczas dołączania plików do wiadomości, post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "Odrzucono nieprawidłową nazwę pliku, filename=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "Nie można utworzyć wiadomości na usuniętym kanale."
},
@@ -1789,10 +1289,6 @@
"translation": "Nieprawidłowy ChannelId dla parametru RootId"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "Napotkano błąd podczas aktualizowania ostatnio oglądanych, channel_id=%s, user_id=%s, err=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "Nieprawidłowy parametr ParentId"
},
@@ -1809,18 +1305,6 @@
"translation": "Błąd podczas tworzenia postu"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "Nie można usunąć preferencji oznaczonego postu podczas usuwania postu, err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "Nie posiadasz odpowiednich uprawnień"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "Wystąpił błąd podczas usuwania plików z wiadomości, post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "@all zostało zablokowane ponieważ kanał ma więcej niż {{.Users}} użytkowników."
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "Napotkano błąd podczas odczytywania plików dla wiadomości powiadomienia, post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}} plik wysłany: {{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "Nie udało się skompilować wyrażenia regularnego @mention user_id=%v, err=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "Nie posiadasz odpowiednich uprawnień"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "Nie udało się pobrać członków kanału channel_id=%v err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "Nie udało się utworzyć wiadomości odpowiedzi, err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "Nie udało się wysłać żądania POST dla zdarzenia, err=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "Inicjalizowanie tras api wiadomości"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "Podgląd linków został wyłączony przez administratora systemu."
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "Nie udało się pobrać 2 członków dla bezpośredniego kanału channel_id={{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "Nie udało się pobrać członków kanału channel_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "Nie udało się zapisać bezpośrednich ustawień kanału user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "Nie udało się zaktualizować bezpośrednich ustawień kanału user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "Nie można uzyskać profilu dla członka kanału, user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " notified the channel."
},
@@ -1919,26 +1355,6 @@
"translation": " commented on a thread you participated in."
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "Autor wiadomości nie znajduje się w kanale dla tej wiadomości. Powiadomienie nie zostało wysłane post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "Czyszczenie aktywnych powiadomień dla %v z channel_id %v"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "Nie udało się odczytać plików dla wiadomości powiadomienia post_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "Nie udało się uzyskać zespołów podczas wysyłania wiadomości między zespołami user_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "Wspomniano o Tobie"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": "wspomniał cię"
},
@@ -1955,30 +1371,10 @@
"translation": "sent you a message."
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "Nie udało się wysłać push na device_id={{.DeviceId}}, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "wysłano {{.Prefix}} {{.Filenames}}"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "Nie udało się zaktualizować ilości wspomnień nazwy użytkownika dla user_id=%v w channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "Nie udało nam się odnaleźć istniejącej wiadomości lub komentarza do zaktualizowania."
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "Nie posiadasz odpowiednich uprawnień"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "Edycja postów została wyłączona. Proszę, skontaktuj się z administratorem systemu, aby poznać szczegóły."
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "Już skasowana id={{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "Nie można pobrać wiadomości"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "Nie można zdekodować preferencji z żądania"
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "Nie można usunąć preferencji dla innego użytkownika"
- },
- {
- "id": "api.preference.init.debug",
- "translation": "Inicjalizowanie tras api preferencji"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "Nie można zdekodować preferencji z żądania"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "Nie można ustawić preferencji dla innego użytkownika"
- },
- {
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "Nie udało się usunąc reakcji ponieważ ID kanału nie zgadza się z ID wiadomości w adresie URL"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "Inicjalizowanie tras api reakcji"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "Nie udało się pobrać reakcji ponieważ ID kanału nie zgadza się z ID wiadomości w adresie URL"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "Niepoprawna wartość reakcji."
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "Nie udało się zapisać reakcji ponieważ ID kanału nie zgadza się z ID wiadomości w adresie URL "
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "Nie możesz zapisać reakcji dla innego użytkownika."
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "Nie udało się odczytać wiadomości przy wysyłaniu wydarzenia websocket dla reakcji"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "Your current license does not support advanced permissions."
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "Certyfikat nie zapisał się poprawnie."
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "Unable to get the teams for scheme because the supplied scheme is not a team scheme."
},
{
- "id": "api.server.new_server.init.info",
- "translation": "Inicjalizowanie serwera..."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "Cannot forward port 80 to port 443 while listening on port %s: disable Forward80To443 if using a proxy server"
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "Serwer nasłuchuje na %v"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "RateLimiter jest włączony"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "RateLimitSettings nie zostały poprawnie skonfigurowane z użyciem VaryByHeader i przy wyłączonym VaryByRemoteAddr"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "Nie można zainicjalizować magazynu pamięci dla ograniczania użycia. Sprawdź ustawienie MemoryStoreSize w konfiguracji."
},
@@ -2095,22 +1455,6 @@
"translation": "Błąd podczas uruchamiania serwera, err:%v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "Uruchamianie serwera..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "Błąd podczas uruchamiania serwera"
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "Serwer zatrzymany"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "Zatrzymywanie serwera..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "Użytkownik Integracji / Slack Bot z adresem e-mail {{.Email}} i hasłem {{.Password}} został zaimportowany.\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "Nie można zaimportować kanału Slacka {{.DisplayName}}.\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Slack Import: Nie można zaimportować kanału Slacka: %s."
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "Kanał Slacka {{.DisplayName}} już istnieje jako aktywny kanał Mattermost. Kanały zostały połączone.\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Slack Import: Wystąpił błąd podczas dołączania plików do wiadomości, post_id=%s, file_ids=%v, err=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Slack Import: Wiadomości bota Slacka nie mogą być jeszcze zaimportowane."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Slack Import: Nie można zaimportować wiadomości bota, ponieważ nie istnieje użytkownik bota."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Slack Import: Nie można zaimportować wiadomości, ponieważ nie ma ona żadnych komentarzy."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Slack Import: Nie można zaimportować wiadomości, ponieważ brakuje pola użytkownika."
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Slack Import: Nie można zaimportować wiadomości bota, ponieważ brakuje pola BotId."
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Slack Import: Nie można zaimportować wiadomości, ponieważ jej typ nie jest wspierany: post_type=%v, post_subtype=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Slack Import: Nie można zaimportować pliku {{.FileId}} ponieważ tego pliku brakuje w wyeksportowanym ze Slacka pliku zip."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Slack Import: Nie można załączyć pliku do wiadomości, ponieważ wiadomość nie zawiera sekcji \"plik\" w eksporcie Slacka."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Slack Import: Nie można otworzyć pliku {{.FileId}} z eksportu Slacka: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Slack Import: Wystąpił błąd podczas wysyłania pliku {{.FileId}}: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Slack Import: Nie można dodać wiadomości, ponieważ użytkownik Slacka %v nie istnieje w Mattermost."
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Slack Import: Nie można zaimportować wiadomości, ponieważ brakuje pola użytkownika."
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\nUtworzeni użytkownicy:\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "Użytkownik {{.Username}} nie ma adresu e-mail w eksporcie Slacka. Użyto {{.Email}} jako placeholdera. Użytkownik powinien zaktualizować adres po zalogowaniu.\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "Slack Import: Użytkownik {{.Username}} nie posiada adresu email w Slack export. Użyto zastępczo {{.Email}}. Użytkownik powinien zaktualizować swój adres email po zalogowaniu do systemu."
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "Nie można zaimportować użytkownika: {{.Username}}.\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Slack Import: Nie można sakompilować !channel, pasującego do regular expressions dla kanału Slacka {{.ChannelName}} (id={{.ChannelID}})."
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Slack Import: Wykryto nieprawidłowy timestamp."
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Slack Import: Nie można skompilować @mention, pasującej do regular expressions dla kanału Slacka {{.ChannelName}} (id={{.ChannelID}})."
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Slack Import: Nie można zdezaktywować konta użytkownika używanego przez bota."
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Dziennik importu z Slack do Mattermost\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "Nie można otworzyć pliku zip z eksportem Slacka.\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Slack Import: Wystąpił błąd parsowania kanałów Slacka. Import może działać pomimo tego."
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Slack Import: Wystąpił błąd parsowania postów Slacka. Import może działać pomimo tego."
- },
- {
- "id": "api.status.init.debug",
- "translation": "Inicjalizacja tras dla API statusu"
- },
- {
- "id": "api.status.init.debug",
- "translation": "Inicjalizacja tras dla API statusu"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "Nie udało się zaktualizować pola LastActivityAt dla user_id=%v i session_id=%v, err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "Nie udało się zapisać stanu dla user_id=%v, err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "Nie znaleziono użytkownika"
},
{
- "id": "api.system.go_routines",
- "translation": "Numer działających procesów go jest powyżej zdrowego poziomu %v z %v"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v został dodany do kanału przez %v"
},
@@ -2307,32 +1547,16 @@
"translation": "Parametr wymagany aby dodać użytkownika do zespołu."
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "Zapisy do zespołu za pomocą email są wyłączone."
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "Zapisy do zespołu za pomocą email są wyłączone."
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "Odnośnik zapisu jest przeterminowany"
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "Ten adres URL jest niedostępny. Proszę wybrać inny."
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "Wystąpił błąd podczas wysyłania wiadomości e-mail w emailTeams err=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "Zaproszenie jest nieprawidłowe ponieważ zespół nie jest otwarty."
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "Tylko administrator zespołu może importować dane."
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "Nieprawidłowe zapytanie: pole rozmiaru pliku nie istnieje."
},
{
- "id": "api.team.init.debug",
- "translation": "Inicjalizowanie tras API zespołów"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "administrator"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "Ta osoba jest już w twoim zespole"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "Następujące adresy e-mail nie należą do akceptowanej domeny: {{.Addresses}}. Skontaktuj się z administratorem systemu, by dowiedzieć się więcej."
},
@@ -2387,22 +1599,6 @@
"translation": "Nie ma nikogo do zaproszenia."
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "Zapraszanie nowych użytkowników do zespołu jest ograniczone do administratorów systemu."
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "Zapraszanie nowych użytkowników do zespołu ogranicza się do administratorów systemu i zespołu."
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "Nie udało się pomyślnie wysłać emaila z zaproszeniem err=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "wysyłanie zaproszenia do %v %v"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "Tworzenie zespołu zostało wyłączone. Proszę, skontaktuj się z administratorem systemu, aby poznać szczegóły."
},
@@ -2427,14 +1623,6 @@
"translation": "This channel has been moved to this team from %v."
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "Próba trwałego usunięcia zespołu %v ID=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "Trwałe usuwanie zespołu %v id=%v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "An error occurred getting the team"
},
@@ -2491,10 +1679,6 @@
"translation": "Could not save team icon"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "Zapisy do zespołu za pomocą email są wyłączone."
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "An error occurred updating the team icon"
},
@@ -2503,10 +1687,6 @@
"translation": "Wskazany użytkownik nie jest członkiem określonego zespołu."
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "Brak wymaganych uprawnień"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "License does not support updating a team's scheme"
},
@@ -2515,10 +1695,6 @@
"translation": "Unable to set the scheme to the team because the supplied scheme is not a team scheme."
},
{
- "id": "api.templates.channel_name.group",
- "translation": "Wiadomość grupowa"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "You deactivated your account on {{ .SiteURL }}.<br>If this change wasn't initiated by you or you want to reactivate your account, contact your system administrator."
},
@@ -2571,22 +1747,6 @@
"translation": "Wysłane przez"
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "Znaleziono następujące zespoły powiązane z twoim adresem email:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "Nie znaleziono zespołów dla podanego adresu email."
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "Znajdowanie zespołu"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "Zespoły z {{ .SiteName }}"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "Dołącz zespół"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] Twoja metoda logowania została zaktualizowana"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "Ustawienia Twojego zespołu"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }} jest zintegrowanym, przeszukiwalnym i dostępnym wszędzie miejscem do komunikacji dla Twojego zespołu.<br> Uzyskasz jeszcze więcej z {{ .SiteName }} jeśli Twoja grupa będzie w stałym kontakcie - zachęćmy ich do tego."
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "Dziękuję za stworzenie zespołu!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "{{ .SiteName }} Ustawienia zespołu"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>TWOJE ZDUPLIKOWANE KONTA ZOSTAŁY ZAKTUALIZOWANE</h3>Twój serwer Mattermost jest aktualizowany do wersji 3.0, która pozwala na użycie jednego konta w ramach wielu zespołów.<br/><br/>Otrzymujesz tą wiadomość ponieważ proces aktualizacyjny wykrył, że Twoje konto posiada ten sam adres email lub nazwę użytkownika jak inne konta na tym serwerze.<br/><br/>Następujące zmiany zostały wprowadzone: <br/><br/>{{if .EmailChanged }}- Zduplikowany email konta w zespole `/{{.TeamName}} został zmieniony na `{{.Email}}`. Ten nowy adres email może zostać użyty do logowania.<br/><br/>{{end}}{{if .UsernameChanged }}- Zduplikowana nazwa użytkownika konta na stronie zespołu `/{{.TeamName}}` została zmieniona na `{{.Username}}` aby uniknąć pomyłki z innymi kontami.<br/><br/>{{end}} REKOMENDOWANE DZIAŁANIE: <br/><br/>Polecamy zalogować się do swoich zespołów w których używane były zduplikowane konta i dodać swoje główne konto zarówno do nich jak i wszelkich publicznych kanałów i prywatnych grup które będą dalej używane.<br/><br/>Daje to dostęp dla głównego konta do historii wszystkich publicznych kanałów oraz historii prywatnych grup. Możesz dalej sięgać do historii bezpośrednich wiadomości swoich zduplikowanych kont logując się na nie za pomocą przypisanym im danych logowania.<br/><br/>ABY DOWIEDZIEĆ SIĘ WIĘCEJ: <br/><br/>Aby dowiedzieć się więcej o aktualizacji Mattermost 3.0 przejdź do: <a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] Zmiany na twoim koncie w po aktualizacji Mattermost 3.0"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "Osobisty token dostępu został dodany do twojego konta na {{ .SiteURL }}. Można ich użyć by logować się na {{.SiteName}} przy użyciu twojego konta.<br>Jeżeli ta zmiana nie została dokonana przez ciebie, skontaktuj się z administratorem systemu."
},
@@ -2787,10 +1923,6 @@
"translation": "Niepoprawny stan"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "Niepoprawny stan; brakuje nazwy zespołu"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "Brakuje tokena dostępu"
},
@@ -2839,10 +1971,6 @@
"translation": "Istnieje już konto z takim adresem email używające innej metody logowania niż {{.Service}}. Zaloguj się używając {{.Auth}}."
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "To konto {{.Service}} zostało już użyte do rejestracji"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "Nie udało się utworzyć konta z obiektu użytkownika {{.Service}}"
},
@@ -2871,10 +1999,6 @@
"translation": "Tworzenie użytkowników jest wyłączone."
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "Wystąpił problem podczas dołączania do domyślnych kanalów user_id=%s, team_id=%s, err=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "Brak identyfikatora zaproszenia."
},
@@ -2887,10 +2011,6 @@
"translation": "Ten serwer nie zezwala na otwartą rejestrację. Skontaktuj się ze swoim administratorem aby otrzymać zaproszenie."
},
{
- "id": "api.user.create_user.save.error",
- "translation": "Nie udało się zapisac użytkownika user err=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "Rejestracja użytkowników za pomocą adresów email jest wyłączona."
},
@@ -2903,22 +2023,14 @@
"translation": "Link rejestracyjny wydaje się być niepoprawny"
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "Niepoprawna nazwa zespołu"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "Wystąpił błąd podczas zapisywania preferencji samouczka, err=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "Nie udało się oznaczyć emaila jako zweryfikowanego err=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "AD/LDAP nie jest dostępne na tym serwerze"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "MFA nie zostało skonfigurowane lub nie jest dostępne na tym serwerze"
},
@@ -2927,18 +2039,10 @@
"translation": "Niewspierany usługodawca OAuth"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "Błąd w trakcie pobierania profilu użytkowników dla id=%v wymusza wylogowanie"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "Unable to get profile image, user not found."
},
{
- "id": "api.user.init.debug",
- "translation": "Inicjowanie tras api użytkownika"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "AD/LDAP nie jest dostępne na tym serwerze"
},
@@ -2951,6 +2055,14 @@
"translation": "Pole hasła nie może być puste"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Attempted to sign in using the experimental feature ClientSideCert without providing a valid certificate"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Attempt to use the experimental feature ClientSideCertEnable without a valid enterprise license"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "Logowanie nie powiodło się ponieważ Twoje konto zostało dezaktywowane. Skontaktuj się z administratorem."
},
@@ -2959,18 +2071,10 @@
"translation": "Identyfikator użytkownika lub hasło są nieprawidłowe."
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "Należy podać nazwę użytkownika lub nazwę zespołu i adres e-mail"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "Logowanie nie powiodło się ponieważ adres email nie został zweryfikowany"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "Unieważnianie sessionId=%v for userId=%v zaloguj się ponownie z tym samym id rządzenia"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "Zaloguj się używając {{.AuthService}}"
},
@@ -2983,18 +2087,6 @@
"translation": "Nie można przetworzyć danych logowania z obiektu użytkownika {{.Service}}"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "Pole hasła nie może być puste"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "AD/LDAP nie jest włączone na tym serwerze"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "Potrzebny identyfikator"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "AD/LDAP nie jest dostępne na tym serwerze"
},
@@ -3003,16 +2095,12 @@
"translation": "Zmiana hasła nie powiodła się ponieważ context user_id nie odpowiada podanemu identyfikatorowi użytkownika"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "Próba trwałego usunięcia konta %v ID=%v"
- },
- {
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "Trwale usunięto konto %v id=%v"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "Usuwasz %v który jest administratorem systemu. Może być konieczne ustawienie innego konta jako administratora systemu za pomocą wiersza poleceń."
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "Nie można zrestartować hasła dla konta SSO"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "Podjęto próbę resetowania hasła dla użytkownika w złym zespole."
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "Użycie SAML 2.0 nie zostało skonfigurowane lub nie jest wspierane na tym serwerze."
},
@@ -3055,12 +2139,12 @@
"translation": "Nie udało się pomyślnie wysłać emaila z weryfikacją zmiany adresu email"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "Nie udało się pomyślnie wysłać emaila ze zmianą hasła"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "Nie znaleźliśmy konta o takim adresie."
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "Nie udało się pomyślnie wysłać emaila ze zmianą hasła"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "Nie udało się pomyślnie wysłać emaila powitalnego"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "Nie możesz zmieniać stanu aktywacji kont SSO. Proszę je zmodyfikować przez serwer SSO."
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "You cannot deactivate yourself because this feature is not enabled. Please contact your System Administrator."
},
@@ -3131,26 +2211,6 @@
"translation": "Zmiana hasła nie powiodła się ponieważ nie mogliśmy znaleźć poprawnego konta"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "Musi być co najmniej jeden aktywny administrator"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "Nie posiadasz wymaganych uprawnień"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "Aby wykonać tę czynność wymagana jest rola administratora systemu"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "Rola administratora systemu można zostać ustawiona tylko przez innego administratora"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "Aby wykonać tę czynność wymagana jest rola administratora zespołu"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "Pusta tablica w kluczu 'image' w żądaniu"
},
@@ -3195,40 +2255,28 @@
"translation": "Zły link weryfikacyjny."
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "Startuję %v hubów websocket"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "zatrzymywanie połączeń huba websocket"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "Błąd połączenia websocket: %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "Nie udało się zaktualizować połączenia websocket"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "Inicjowanie tras websocket API"
- },
- {
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [szczegóły: %v]"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "błąd routingu websocketów: seq=%v uid=%v %v [szczegóły: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "Zatrzymywanie koncentratora zespołu dla teamId=%v"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "Wychodzące webhooki zostały wyłączone przez administratora systemu."
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "Należy uzupełnić trigger_words lub channel_id"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "Przychodzące webhooki zostały wyłączone przez administratora systemu."
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "Nieodpowiednie uprawnienia do usunięcia przychodzącego webhooka"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "Wychodzące webhooki zostały wyłączone przez administratora systemu."
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "Nieodpowiednie uprawnienia do usunięcia wychodzącego webhooka"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "Otrzymano przychodzący webhook. Zawartość="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "Nie można odczytać zawartości przychodzącego webhook."
- },
- {
"id": "api.webhook.incoming.error",
"translation": "Could not decode the multipart payload of incoming webhook."
},
{
- "id": "api.webhook.init.debug",
- "translation": "Inicjalizowanie tras API webhooków"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "Nieodpowiednie uprawnienia do regeneracji tokenu wychodzącego webhooka"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "Nie można zaktualizować webhookow pomiędzy zespołami"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "Przychodzące webhooki zostały wyłączone przez administratora systemu."
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "Nieodpowiednie uprawnienia do usunięcia przychodzącego webhooka"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "Wychodzące webhooki zostały wyłączone przez administratora systemu."
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "Wychodzące webhooki z tego samego kanału nie mogą mieć tych samych słów wyzwalających/URLi callback"
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "Wychodzące webhooki mogą być utworzone tylko dla kanałów publicznych"
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "Nieodpowiednie uprawnienia do utworzenia wychodzącego webhooka"
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "Należy uzupełnić trigger_words lub channel_id"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "WebRTC nie jest dostępne na tym serwerze."
},
{
- "id": "api.webrtc.init.debug",
- "translation": "Inicjalizowanie tras api WebRTC"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "Napotkaliśmy błąd podczas próby rejestracji tokenu WebRTC"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "Nieprawidłowa sesja err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "Nieprawidłowy parametr {{.Name}}"
},
@@ -3367,6 +2351,10 @@
"translation": "%s zmienił cel kanału na %s"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "Błąd podczas odczytywania danych z zaimportowanego pliku."
},
@@ -3375,6 +2363,18 @@
"translation": "Dekodowanie linii JSON nie powiodło się."
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Cannot set a channel to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Channel must be assigned to a Channel-scoped scheme."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "Błąd podczas importowania kanału. Zespół o nazwie \"{{.TeamName}}\" nie został odnaleziony."
},
@@ -3431,6 +2431,10 @@
"translation": "Dane wejściowe mają typ \"post\" ale obiekt post jest null."
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "Dane wejściowe mają typ \"channel\", ale obiekt channel jest null."
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "Dane wejściowe mają typ \"team\", ale obiekt team jest null."
},
@@ -3459,12 +2463,28 @@
"translation": "Błąd podczas importowania wiadomości. Użytkownik o nazwie \"{{.Username}}\" nie został odnaleziony."
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "The bulk importer cannot change the scope of an already-existing scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Cannot set a team to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Team must be assigned to a Team-scoped scheme."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "Wystąpił błąd podczas importowania przynależności użytkowników do kanałów. Nie udało się zapisać preferencji."
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "Kanał create_at nie może być zero jeśli podany."
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "Cel kanału jest za długi."
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for channel."
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "Brak wymaganej właściwości kanału: team"
},
@@ -3639,12 +2663,44 @@
"translation": "Brak wymaganej właściwości: User."
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "Drużyna allowed_domains jest za długa."
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "Nieprawidłowy opis"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "Nieprawidłowa nazwa wyświetlana"
+ },
+ {
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "Invalid permission on role."
+ },
+ {
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "Niepoprawna nazwa użytkownika."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "Nieprawidłowy opis"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "Nieprawidłowa nazwa wyświetlana"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "Niepoprawna nazwa użytkownika."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "Scheme scope is required."
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "Drużyna create_at nie może być zero jeśli jest podana."
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "Unknown scheme scope."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "The wrong roles were provided for a scheme with this scope."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "Nazwa zespołu zawiera zastrzeżone słowa."
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for team."
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "Typ drużyny jest nieprawidłowy."
},
@@ -3739,8 +2799,8 @@
"translation": "Nieprawidłowy ciąg znaków powiadamiania o kanale dla użytkownika."
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "Nieprawidłowy ciąg znaków powiadamiania o komentarzu dla użytkownika."
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "Invalid Mobile Push Status Notify Prop for user."
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "Hasło ma nieprawidłową długość."
},
@@ -3875,10 +2939,6 @@
"translation": "Nie udało się skasować reakcji"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "Unable to delete plugin status state."
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "Plugins have been disabled. Please check your logs for details."
},
@@ -3891,8 +2951,8 @@
"translation": "Encountered filesystem error"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "Nie udało się skasować reakcji"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "Ten zespół osiągnął limit kont. Skontaktuj się z administratorem aby ustanowić wyższy pułap."
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "Failed to deserialize Timezone config file={{.Filename}}, err={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "Timezone config file does not exists file={{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "Failed to read Timezone config file={{.Filename}}, err={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "Invalid or missing token"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "Możliwość tworzenia nowych kanałów do grupowych wiadomości"
},
@@ -3979,6 +3063,22 @@
"translation": "Utwórz Grupową Wiadomość"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "Ability to create posts in public channels"
},
@@ -3987,12 +3087,28 @@
"translation": "Create Posts in Public Channels"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "Możliwość tworzenia nowych zespołów"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "Tworzenie zespołów"
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "Create Personal Access Token"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "Ability to manage jobs"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "Manage Jobs"
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "Zarządzaj rolami zespołu"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "Możliwość przeglądania publicznych kanałów"
},
@@ -4035,6 +3383,30 @@
"translation": "Read Personal Access Tokens"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "Ability to revoke personal access tokens"
},
@@ -4059,6 +3431,62 @@
"translation": "Używanie poleceń"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "A role with the permission to post in any public, private or direct channel on the system"
},
@@ -4083,6 +3511,14 @@
"translation": "Personal Access Token"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "A role with the permission to post in any public or private channel on the team"
},
@@ -4099,96 +3535,108 @@
"translation": "Post in Public Channels"
},
{
- "id": "cli.license.critical",
- "translation": "Feature requires an upgrade to Enterprise Edition and the inclusion of a license key. Please contact your System Administrator."
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "Nie można zdekodować obrazka."
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "Nie można zdekodować konfiguracji obrazka."
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "Nie można zakodować obrazka jako PNG."
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "Nie można otworzyć obrazka."
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "Nie można zapisać obrazka"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "Nie można otworzyć obrazka. Obrazek jest zbyt duży."
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "Cluster configuration has changed for id={{ .id }}. The cluster may become unstable and a restart is required. To ensure the cluster is configured correctly you should perform a rolling restart immediately."
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
+ },
+ {
+ "id": "cli.license.critical",
+ "translation": "Feature requires an upgrade to Enterprise Edition and the inclusion of a license key. Please contact your System Administrator."
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "Klaster zgłosił błąd na `%v` szczegóły=%v, dodatkowe=%v, liczba powtórzeń=%v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "Klaster zgłosił końcowy błąd na `%v` szczegóły=%v, dodatkowe=%v, liczba powtórzeń=%v"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "Potencjalnie niekompatybilna wersja dla klastrowania z %v"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "Cluster configuration has changed for id={{ .id }}. The cluster may become unstable and a restart is required. To ensure the cluster is configured correctly you should perform a rolling restart immediately."
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "Potencjalnie niekompatybilna konfiguracja dla klastrowania z %v"
+ "id": "ent.cluster.save_config.error",
+ "translation": "System Console is set to read-only when High Availability is enabled unless ReadOnlyConfig is disabled in the configuration file."
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "Funkcjonalność klastrowania wymaga licencji typu enterprise. Skontaktuj się z administratorem systemu odnośnie uzyskania licencji typu enterprise."
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "Unknown output format {{.ExportType}}"
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "Klaster ping nie powiódł się, nazwa hosta=%v na=%v z id=%v"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Unable to copy the attachment into the zip file."
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "Klaster ping powiódł się, nazwa hosta=%v na=%v z id=%v własny=%v"
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Unable to add attachment to the CSV export."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "System Console is set to read-only when High Availability is enabled unless ReadOnlyConfig is disabled in the configuration file."
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Unable to create temporary CSV export file."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "Klaster komunikacyjny międzywęzła nasłuchuje na %v z hostname=%v id=%v"
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Unable to add header to the CSV export."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "Klaster komunikacyjny międzywęzła nasłuchuje na %v z hostname=%v id=%v "
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Unable to add metadata file to the zip file."
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "Funkcjonalność zgodności wymaga licencji typu enterprise. Skontaktuj się z administratorem systemu odnośnie uzyskania licencji typu enterprise."
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "Eksport zgodności nie powiódł się dla zadania '{{.JobName}}' w '{{.FilePath}}'"
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "Eksport zgodności zakończony dla zadania '{{.JobName}}' wyeksportowano {{.Count}} rekordów do '{{.FilePath}}'"
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "Ostrzeżenie eksportu zgodności dla zadania '{{.JobName}}' zwrócono zbyt wiele wierszy, zapisano początkowe 30,000 do '{{.FilePath}}'"
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "Funkcjonalność zgodności wymaga licencji typu enterprise. Skontaktuj się z administratorem systemu odnośnie uzyskania licencji typu enterprise."
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "Rozpoczęto eksport zgodności dla zadania '{{.JobName}}' do '{{.FilePath}}'"
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.run_failed.error",
+ "translation": "Eksport zgodności nie powiódł się dla zadania '{{.JobName}}' w '{{.FilePath}}'"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "Nie udało się utworzyć indeksu ElasticSearch"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "Nie udało się ustalić, czy indeks elasticsearch istnieje"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "Nie można ustawić wyświetlanie indeksu elasticsearch"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "Nie udało się utworzyć indeksu ElasticSearch"
},
@@ -4287,18 +3727,6 @@
"translation": "Failed to create Elasticsearch bulk processor"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "Failed to create Elasticsearch bulk processor"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "Nie udało się określić ustawienia indeks elasticsearch"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "Failed to start Elasticsearch bulk processor"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "Failed to start Elasticsearch bulk processor"
},
@@ -4319,10 +3747,6 @@
"translation": "The Elasticsearch Server URL or Username has changed. Please re-enter the Elasticsearch password to test connection."
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "Ograniczenia emoji użytkownika niedostępne przy aktualnej licencji. Skontaktuj się z administratorem systemu odnośnie uzyskania licencji typu enterprise."
- },
- {
"id": "ent.ldap.create_fail",
"translation": "Nie można utworzyć użytkownika LDAP."
},
@@ -4355,10 +3779,6 @@
"translation": "Nie można połączyć się z serwerem AD/LDAP"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "Nazwa użytkownika i hasło poprawne, ale nie udało się stworzyć użytkownika."
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "Twoje konto AD/LDAP nie ma uprawnień do korzystania z tego serwera Mattermost. Poproś administratora systemu, żeby sprawdził filtr użytkowników AD/LDAP."
},
@@ -4367,40 +3787,16 @@
"translation": "Użytkownik nie zarejestrowany na serwerze AD/LDAP."
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "Użytkownik Mattermost został zaktualizowany przez serwer AD/LDAP."
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "LDAP sync worker failed due to the sync job failing"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "LDAP sync worker failed to create the sync job"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "Synchronizacji AD/LDAP zakończona"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "Nie udało się uzyskać wszystkich użytkowników za pomocą protokołu AD/LDAP"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "Nieprawidłowy filtr AD/LDAP"
- },
- {
- "id": "ent.message_export.generic.license.error",
- "translation": "License does not support Message Export."
- },
- {
- "id": "ent.metrics.starting.info",
- "translation": "Serwer do mierzenia i profilowania nasłuchuje na %v"
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.metrics.stopping.info",
- "translation": "Serwer do mierzenia i profilowania przestaje nasłuchiwać na %v"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "Nieprawidłowy filtr AD/LDAP"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "Podczas enkodowania żądania do Identity Provider wystąpił błąd. Skontatuj się z administratorem systemu"
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "Podczas rozpoczynania podpisanego żądania do Identity Provider wystąpił błąd. Skontatuj się z administratorem systemu"
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "Wystąpił błąd podczas konfiguracji Service Provider SAML, err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "Logowanie przez SAML nie powiodło się, ponieważ klucz prywatny Service Provider nie został odnaleziony. Skontaktuj się z administratorem systemu."
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "Plik certyfikatu publicznego Service Provider nie został odnaleziony. Skontaktuj się z administratorem systemu."
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "Logowanie przez SAML nie powiodło się, ponieważ odpowiedź Identity Providera nie została zaszyfrowana. Skontaktuj się z administratorem systemu."
},
@@ -4527,8 +3915,12 @@
"translation": "Użycie SAML nie zostało skonfigurowane lub nie jest wspierane na tym serwerze."
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "Nie można zaktualizować istniejącego użytkownika SAML. Pomimo tego zezwalam na zalogowanie się. err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "Failed to set job status to error"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "Nie można znaleźć kanału: %v, przeszukano %v możliwych wyników"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "Nie można pobrać kanałów"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "Tworzenie użytkownika i zespołu"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "Nie można przetworzyć adresu URL"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "Przygotowywanie do testu ręcznego..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "Brak uid w URL"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "Ręczny test automatycznego odnośnika"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "Nie można pobrać kanałów"
},
@@ -4575,50 +3947,6 @@
"translation": "Serwis wiadomości o bezpieczeństwie Mattermost"
},
{
- "id": "mattermost.config_file",
- "translation": "Wczytano plik konfiguracyjny z %v"
- },
- {
- "id": "mattermost.current_version",
- "translation": "Bieżąca wersja to %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "Przedsiębiorstwo Włączone: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "Klucz licencyjny z https://mattermost.com jest wymagany aby odblokować funkcje przedsiębiorstwa."
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "Nie można uzyskać szczegółów biuletynu zabezpieczeń"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "Nie można odczytać szczegółów biuletynu zabezpieczeń"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "Sprawdzanie aktualizacji bezpieczeństwa od Mattermost"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "Nie udało się pobrać informacji o aktualizacji bezpieczeństwa od Mattermost."
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "Wysyłanie biuletynu zabezpieczeń dla %v do %v"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "Nie można pobrać administratorów systemu, aby uzyskać informacje o aktualizacji zabezpieczeń od Mattermost."
- },
- {
- "id": "mattermost.working_dir",
- "translation": "Bieżący katalog roboczy to %v"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "Migration failed due to invalid progress data."
},
@@ -4707,10 +4035,6 @@
"translation": "Nieprawidłowy identyfikator"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "Nieprawidłowa nazwa"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "Nieprawidłowy cel"
},
@@ -4731,10 +4055,6 @@
"translation": "Nieprawidłowa wartość powiadomienia email"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "Invalid muting value"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "Nieprawidłowy poziom powiadomień"
},
@@ -4743,10 +4063,6 @@
"translation": "Nieprawidłowy poziom aktywnych powiadomień"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "Nieprawidłowa rola"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "Nieprawidłowy poziom oznaczania jako nieprzeczytane"
},
@@ -4755,30 +4071,6 @@
"translation": "Nieprawidłowy identyfikator użytkownika"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "Nieprawidłowy identyfikator kanału"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "Nieprawidłowy typ"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "Invalid leave time"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "Nieprawidłowy identyfikator użytkownika"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "Nieprawidłowy identyfikator użytkownika"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "Unable to parse incoming data"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "Napotkano błąd podczas podłączania się do serwera"
},
@@ -4803,8 +4095,8 @@
"translation": "Brakuje parametru zespołu"
},
{
- "id": "model.client.login.app_error",
- "translation": "Tokeny uwierzytelnienia nie zgadzają się"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "Nie można zapisać żądania"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "Błąd zapisu zmiennej channel id w trakcie przesyłania wieloczęściowego formularza"
},
@@ -4847,10 +4147,30 @@
"translation": "Unable to build multipart request"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "CreateAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Hostname must be set"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "Nieprawidłowy identyfikator"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "LastPingAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "ClusterName must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Type must be set"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "Utworzono dnia musi być poprawnym czasem"
},
@@ -4951,6 +4271,10 @@
"translation": "Do musi być większe niż od"
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Allowing cookies for subdomains requires SiteURL to be set."
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "Invalid atmos/camo image proxy options for service settings. Must be set to your shared key."
},
@@ -4995,10 +4319,6 @@
"translation": "Elasticsearch Live Indexing Batch Size must be at least 1"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "Aby włączyć indeksowanie Elastic Search, należy ustawić hasło dla Elastic Search"
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "Elasticsearch PostsAggregatorJobStartTime setting must be a time in the format \"hh:mm\""
},
@@ -5007,10 +4327,6 @@
"translation": "Elasticsearch Request Timeout must be at least 1 second."
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "Aby włączyć indeksowanie Elastic Search, należy ustawić nazwę użytkownika"
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "Nieprawidłowy rozmiar bufora dla ustawień masowych emaili. Musi być liczbą 0 lub większą."
},
@@ -5023,10 +4339,6 @@
"translation": "Invalid email notification contents type for email settings. Must be one of either 'full' or 'generic'."
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "Nieprawidłowa sól przywracania hasła dla ustawień emaila. Musi składać się z 32 lub więcej znaków."
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "Nieprawidłowa sól przywracania hasła dla ustawień emaila. Musi składać się z 32 lub więcej znaków."
},
@@ -5043,34 +4355,10 @@
"translation": "Nieprawidłowa nazwa sterownika systemu plików. Dozwolone są 'local' oraz 'amazons3'"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "Nieprawidłowa wysokość podglądu dla ustawień plików. Musi być liczbą 0 bądź większą."
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "Nieprawidłowa szerokość podglądu dla ustawień plików. Musi być liczbą większą od 0."
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "Nieprawidłowa wysokość profilu dla ustawień plików. Musi być liczbą większą od 0."
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "Nieprawidłowa szerokość profilu dla ustawień plików. Musi być liczbą większą od 0."
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "Nieprawidłowa sól linków publicznych dla ustawień plików. Musi składać się z 32 lub więcej znaków."
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "Nieprawidłowa wysokość miniaturki dla ustawień plików. Musi być liczbą większą od 0."
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "Nieprawidłowa szerokość miniaturki dla ustawień plików. Musi być liczbą większą od 0."
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "Invalid group unread channels for service settings. Must be 'disabled', 'default_on', or 'default_off'."
},
@@ -5083,30 +4371,14 @@
"translation": "Pole AD/LDAP \"BaseDN\" jest wymagane."
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "Pole AD/LDAP \"Bind Password\" jest wymagane."
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "Pole AD/LDAP \"Bind Username\" jest wymagane."
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "Pole AD/LDAP \"Email Attribute\" jest wymagane."
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "Pole AD/LDAP \"First Name Attribute\" jest wymagane."
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "Pole AD/LDAP \"ID Attribute\" jest wymagane."
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "Pole AD/LDAP \"Last Name Attribute\" jest wymagane."
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "Pole AD/LDAP \"ID Attribute\" jest wymagane."
},
@@ -5115,14 +4387,6 @@
"translation": "Nieprawidłowy maksymalny rozmiar strony."
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Brakuje wymaganego pola dla AD/LDAP."
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Brakuje wymaganego pola dla AD/LDAP."
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "Nieprawidłowe zabezpieczenie połączanie dla ustawień AD/LDAP. Musi być 'TLS', lub 'STARTTLS'"
},
@@ -5188,19 +4452,7 @@
},
{
"id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "Message export job ExportFormat must be one of either 'actiance' or 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "Message export job ExportFormat must be one of either 'actiance' or 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "Message export job FileLocation must be a writable directory that export data will be written to"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "Message export job FileLocation must be a sub-directory of FileSettings.Directory"
+ "translation": "Message export job ExportFormat must be one of 'actiance', 'csv' or 'globalrelay'"
},
{
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
@@ -5223,18 +4475,10 @@
"translation": "Message export job GlobalRelaySettings.SmtpUsername must be set"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "Message export job GlobalRelayEmailAddress must be set to a valid email address"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "Minimalna długość hasła musi być liczbą całkowitą większą lub równą od {{.MinLength}} i mniejszą lub równą od {{.MaxLength}}."
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "Maksymalna długość hasła musi być większa lub równa od minimalnej długości hasła."
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "Nieprawidłowy rozmiar pamięci dla ustawień limitu stawek. Musi być liczbą większą od 0."
},
@@ -5367,10 +4611,6 @@
"translation": "Utworzono dnia musi zawierać prawidłowy czas"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "Nieprawidłowy identyfikator autora"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "Nieprawidłowe ID emoji"
},
@@ -5383,10 +4623,38 @@
"translation": "Zaktualizowano dnia musi być poprawnym czasem"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "Nie można zdekodować gifa."
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "Nieprawidłowy identyfikator kanału"
},
@@ -5411,6 +4679,10 @@
"translation": "Nieprawidłowy identyfikator"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "Unable to parse incoming data"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "Nieprawidłowe ID zespołu"
},
@@ -5443,6 +4715,14 @@
"translation": "Nieprawidłowy typ"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "Nieprawidłowe id aplikacji"
},
@@ -5491,6 +4771,10 @@
"translation": "Nieprawidłowy identyfikator kanału"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "Utworzono dnia musi zawierać prawidłowy czas"
},
@@ -5543,14 +4827,6 @@
"translation": "Invalid key, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "Invalid key, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "Invalid plugin ID, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "Invalid plugin ID, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
},
@@ -5699,10 +4975,6 @@
"translation": "Nieprawidłowy identyfikator URL"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "Nieprawidłowa rola"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "Nieprawidłowy identyfikator zespołu"
},
@@ -5719,130 +4991,18 @@
"translation": "Nieprawidłowy token"
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "Nieprawidłowe dane autoryzacyjne"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "Nieprawidłowy użytkownik, hasło i dane autoryzacji nie mogą być ustawione jednocześnie"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "Nieprawidłowy użytkownik, dane autoryzacji muszą być ustawione razem z typem autoryzacji"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "Utworzono dnia musi zawierać prawidłowy czas"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "Nieprawidłowy email"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "Nieprawidłowe imię"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "Nieprawidłowy identyfikator użytkownika"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "Niepoprawne nazwisko"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "Nieprawidłowy pseudonim"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "Nie można ustawić hasła ponad 72 znaków ze względu na ograniczenia szyfrowania."
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "Nieprawidłowa pozycja: nie może być dłuższa niż 35 znaków."
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków."
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "Twoje hasło musi zawierać co najmniej {{.Min}} znaków składających się z co najmniej jednej małej litery."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków składających się z co najmniej jednej małej litery i co najmniej jednej liczby."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków składających się z co najmniej jednej małej litery, co najmniej jednej liczby i co najmniej jednego symbolu (np. \"~!@#$%^&()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków, zawierających jedną małą literę i jeden symbol (np. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków złożonych z co najmniej jednej małej litery i co najmniej jednej wielkiej litery."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków złożonych z co najmniej jednej małej litery, co najmniej jednej wielkiej litery i co najmniej jednej liczby."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków złożonych z co najmniej jednej małej litery, co najmniej jednej wielkiej litery, co najmniej jednej liczby i co najmniej jednego symbolu (np. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków złożonych z co najmniej jednej małej litery, co najmniej jednej wielkiej litery i co najmniej jednego symbolu (np. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków składających się z co najmniej jednej liczby."
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków składających się z co najmniej jednej liczby i co najmniej jednego symbolu (np. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków składających się z co najmniej jednego symbolu (np. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków składających się z co najmniej jednej wielkiej litery."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków złożonych z co najmniej jednej wielkiej litery i co najmniej jednej liczby."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków złożonych z co najmniej jednej wielkiej litery, co najmniej jednej liczby i co najmniej jednego symbolu (np. \"~!@#$%^&()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "Twoje hasło musi zawierać przynajmniej {{.Min}} znaków złożonych z co najmniej jednej wielkiej litery i co najmniej jednego symbolu (np. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "Nieprawidłowy identyfikator zespołu"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "Zaktualizowano dnia musi być poprawnym czasem"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "Niepoprawna nazwa uzytkownika"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "Invalid description, must be 255 or less characters"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "Nieprawidłowy token dostępu"
},
@@ -5855,6 +5015,10 @@
"translation": "nie można zdekodować"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "GitLab's Terms of Service have updated. Please go to gitlab.com to accept them and then try logging into Mattermost again."
},
@@ -5863,26 +5027,6 @@
"translation": "Error invoking plugin RPC"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "Nie udało się zmienić typu kolumny %v"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "Nie udało się sprawdzić indeksu %v"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "Zamykanie SqlStore"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "Nie udało się sprawdzić czy kolumna istnieje gdyż brakuje sterownika"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "FromDb: Nie udało się skonwertować EncryptStringMap do *string"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "FromDb: Nie udało się skonwertować StringArray do *string"
},
@@ -5895,82 +5039,6 @@
"translation": "FromDb: Nie udało się skonwertować StringMap do *string"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "Nie udało się utworzyć kolumny %v"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "Nie udało się utworzyć kolumny gdyż brakuje sterownika"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "Nie udało się utworzyć indeksu gdyż brakuje sterownika"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "Błąd podczas tworzenia tabel w bazie danych: %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "Nie udało się utworzyć sterownika dla specyficznego dialektu"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "Nie udało się utworzyć sterownika dla specyficznego dialektu %v"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "Nieprawidłowy MAC dla podanego szyfrogramu"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "Nie udało się pobrać maksymalnej długości kolumny %v"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "Niepowodzenie podczas otwierania połączenia sql %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "Funkcjonalność zgodności wymaga licencji typu enterprise. Skontaktuj się z administratorem systemu odnośnie uzyskania licencji typu enterprise."
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "Nie udało się usunąć indeksu %v"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "Nie powiodła się zmiana nazwy kolumny %v"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "Schemat bazy danych w wersji %v wydaje się być nieaktualny"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "Przystępuję do aktualizacji schematu bazy danych do wersji %v"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "Database schema version %v is no longer supported. This Mattermost server supports automatic upgrades from schema version %v through schema version %v. Downgrades are not supported. Please manually upgrade to at least version %v before continuing"
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "krótki szyfrogram"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "Nie udało się pobrać typu danych dla kolumny %s z tabeli %s: %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "szyfrogram zbyt krótki"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "Schemat bazy danych został zaktualizowany do wersji %v"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "Napotkaliśmy błąd szukając audytów"
},
@@ -5999,16 +5067,24 @@
"translation": "Nie mogliśmy pobrać liczby typów kanałów"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "Nie mogliśmy sprawdzić uprawnień"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "Nie mogliśmy sprawdzić uprawnień"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "Nie mogliśmy sprawdzić uprawnień"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "Nie znaleziono kanału"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "Nie można znaleźć istniejącego usuniętego kanału"
},
@@ -6067,10 +5151,6 @@
"translation": "Nie ma usuniętego kanału z taką nazwą"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "Nie mogliśmy pobrać dodatkowych informacji dla uczestników kanału"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "Nie mogliśmy pobrać kanału dla podanego posta"
},
@@ -6231,10 +5311,6 @@
"translation": "Wystąpił błąd podczas przeszukiwania kanałów"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "We couldn't set the last viewed at time"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "Nie mogliśmy zaktualizować kanału"
},
@@ -6259,14 +5335,6 @@
"translation": "Wystąpił błąd podczas aktualizowania użytkownika kanału"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "Failed to get records"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "Failed to get users in channel at specified time"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "Failed to get users in channel during specified time period"
},
@@ -6275,10 +5343,6 @@
"translation": "Failed to record channel member history"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "Failed to record channel member history. No existing join record found"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "Failed to record channel member history. Failed to update existing join record"
},
@@ -6287,6 +5351,30 @@
"translation": "Failed to purge records"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "Failed to delete"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "Nie udało się sprawdzić czy tabela istnieje %v"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Failed to get all discovery rows"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Failed to update last ping at"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "Nie możemy policzyć poleceń"
},
@@ -6411,10 +5499,6 @@
"translation": "Nie mogliśmy zapisać informacji o pliku"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "Nie mogliśmy zapisać informacji o pliku"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "Nie mogliśmy usunąć wpisu"
},
@@ -6567,10 +5651,6 @@
"translation": "Could not save or update plugin key value"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "Could not save or update plugin key value due to unique constraint violation"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "Nie mogliśmy uzyskać liczby wiadomości"
},
@@ -6583,6 +5663,10 @@
"translation": "Nie mogliśmy uzyskać liczby użytkowników z wiadomościami"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "Nie mogliśmy usunąć wpisu"
},
@@ -6591,6 +5675,10 @@
"translation": "Nie udało się pobrać wiadomości"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "Nie można pobrać wpisu nadrzędnego dla kanału"
},
@@ -6643,10 +5731,6 @@
"translation": "We encountered an error permanently deleting the batch of posts"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "We encountered an error permanently deleting the batch of posts"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "Nie można usunąć postów według kanału"
},
@@ -6663,14 +5747,6 @@
"translation": "We couldn't determine the maximum supported post size"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message supports at most %d characters (%d bytes)"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "No implementation found to determine the maximum supported post size"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "Nie udało się zapisać wiadomości"
},
@@ -6683,10 +5759,6 @@
"translation": "Wyszukiwanie zostało wyłączone na serwerze. Skontaktuj się z Administratorem."
},
{
- "id": "store.sql_post.search.warn",
- "translation": "Błąd zapytania przy wyszukiwaniu wiadomości: %v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "Nie udało się zaktualizować wiadomości"
},
@@ -6751,6 +5823,10 @@
"translation": "Nie udało się zapisać ustawienia"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "Nie udało się rozpocząć transakcji w trakcie kasowania reakcji"
},
@@ -6759,20 +5835,12 @@
"translation": "Nie udało się zakończyć transakcji w trakcie kasowania reakcji"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "Nie udało się skasować reakcji"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "Nie można usunąć reakcji dla emoji o podanej nazwie"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "Nie można pobrać reakcji dla emoji o podanej nazwie "
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "Unable to update Post.HasReactions while removing reactions post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "Nie udało się zapisać reakcji"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "Unable to delete the role"
},
@@ -6823,10 +5903,6 @@
"translation": "The role was not valid"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "The role was not valid"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "Failed to open the transaction to save the role"
},
@@ -6843,10 +5919,6 @@
"translation": "Unable to delete the roles belonging to this scheme"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "Unable to delete the scheme as it in use by 1 or more teams or channels"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "Unable to delete the scheme"
},
@@ -6895,10 +5967,6 @@
"translation": "Nie udało się policzyć sesji"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "Wystąpił błąd w trakcie kasowania wygasłej sesji użytkownika"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "Wystąpił błąd w trakcie pobierania sesji użytkownika"
},
@@ -6907,10 +5975,6 @@
"translation": "Wystąpił błąd w trakcie pobierania sesji użytkowników"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "Nie udało się wyczyścić sesji w getSessions err=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "Nie udało się usunąć wszystkich sesji użytkownika"
},
@@ -6927,10 +5991,6 @@
"translation": "Nie udało się zapisać sesji"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "Nie udało się wyczyścić sesji w Save err=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "Nie można zaktualizować istniejącej sesji"
},
@@ -6983,6 +6043,10 @@
"translation": "Napotkaliśmy błąd zapisując audyty"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "Napotkaliśmy błąd aktualizując właściwość systemową"
},
@@ -6991,10 +6055,6 @@
"translation": "Nie znaleźliśmy zmiennej systemowej."
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "Nie mogliśmy pobrać wersji bazy danych"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "We could not permanently delete the system table entry"
},
@@ -7011,6 +6071,26 @@
"translation": "Nie mogliśmy policzyć zespołów"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "Nie mogliśmy odnaleźć istniejącego zespołu"
},
@@ -7063,10 +6143,6 @@
"translation": "Nie udało się pobrać danych członków zespołu"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "Podczas wyszukiwania zespołów napotkano problem"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "Nie można pobrać nieprzeczytanych wiadomości zespołu"
},
@@ -7151,6 +6227,14 @@
"translation": "Nie udało się zaktualizować nazwy zespołu"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "Nie mogliśmy uzyskać ilości nieaktywnych użytkowników"
},
@@ -7163,12 +6247,28 @@
"translation": "Nie mogliśmy uzyskać ilości unikalny użytkowników"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "Napotkaliśmy błąd szukając konta"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "We encountered an error trying to find all the accounts using a specific authentication type."
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
+ },
+ {
+ "id": "store.sql_user.get.app_error",
+ "translation": "Napotkaliśmy błąd szukając konta"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "Nie mogliśmy uzyskać nieprzeczytanych wiadomości do użytkownika i kanału"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "Nie udało się wykonać migracji użytkowników.ThemeProps na tabele Preferences %v"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "Nie odnaleziono użytkownika."
},
@@ -7271,6 +6367,10 @@
"translation": "Konto o takiej nazwie użytkownika już istnieje. Proszę skontaktować się z Administratorem."
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "Nie udało się zaktualizować konta"
},
@@ -7311,18 +6411,10 @@
"translation": "We couldn't update the failed_attempts"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "Nie udało się zaktualizować pola last_activity_at"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "Nie udało się zaktualizować pola update_at"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "Nie udało się zaktualizować pola last_ping_at"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "We encountered an error updating the user's MFA active status"
},
@@ -7335,6 +6427,10 @@
"translation": "Nie udało się zaktualizować hasła użytkownika"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "Unable to update verify email field"
},
@@ -7367,6 +6463,18 @@
"translation": "Wystąpił błąd podczas wyszukiwania identyfikatora dostępu"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "Nie udało się policzyć przychodzących webhooków"
},
@@ -7459,18 +6567,10 @@
"translation": "Błąd podczas rozpakowywania pliku konfiguracyjnego={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "Błąd podczas pobierania konfiguracji plik info={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "Błąd podczas otwierania pliku konfiguracyjnego={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "Błąd podczas sprawdzania pliku konfiguracyjnego={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "Błąd w trakcie zapisywania pliku {{.Filename}}"
},
@@ -7487,18 +6587,6 @@
"translation": "Unable to load mattermost configuration file: DefaultServerLocale must be one of the supported locales. Setting DefaultServerLocale to en as default value."
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "Nie udało się pobrać pliku konfiguracyjnego mattermost: AvailableLocales musi zawierać DefaultClientLocale"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "Analytics nie zainicjowany"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "Magazyn plików nie został poprawnie skonfigurowany. Proszę skonfigurować usługę S3 lub lokalny magazyn plików."
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "Napotkano błąd podczas odczytu z lokalnego magazynu"
},
@@ -7507,10 +6595,6 @@
"translation": "Encountered an error listing directory from S3."
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "Magazyn plików nie został poprawnie skonfigurowany. Proszę skonfigurować usługę S3 lub lokalny magazyn plików."
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "Napotkano błąd podczas odczytu z lokalnego magazynu"
},
@@ -7519,10 +6603,6 @@
"translation": "Encountered an error removing directory from S3."
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "Magazyn plików nie został poprawnie skonfigurowany. Proszę skonfigurować usługę S3 lub lokalny magazyn plików."
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "Napotkano błąd podczas odczytu z lokalnego magazynu"
},
@@ -7531,38 +6611,6 @@
"translation": "Encountered an error removing file from S3."
},
{
- "id": "utils.i18n.loaded",
- "translation": "Wczytano tłumaczenia systemowe dla '%v' z '%v'"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "Należy podać dodatni rozmiar"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "Nie odnaleziono żadnej prawidłowej licencji"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "Nie można usunąć pliku licencji, err=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "Wystąpił błąd autoryzacji licencji, err=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "Nieprawidłowa sygnatura, err=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "Licencja ma zbyt krótką długość"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "Wystąpił błąd autoryzacji licencji, err=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "Nie udało się ustawić HELO"
},
@@ -7579,14 +6627,6 @@
"translation": "Uwierzytelnienie na serwerze SMTP nie powiodło się."
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "Failed to to set the HELO to SMTP server %v"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "Failed to open a connection to SMTP server %v"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "Failed to write attachment to email"
},
@@ -7607,42 +6647,10 @@
"translation": "Błąd podczas dodawania danych wiadomości e-mail"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "wysyłanie wiadomości email do %v o temacie '%v'"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "Error setting \"To Address\""
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "Konfiguracja SMTP nie wydaje się prawidłowa błąd=%v szczegóły=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "Konfiguracja SMTP nie wydaje się prawidłowa błąd=%v szczegóły=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "Konsola Administracyjna"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "Autoryzuj Aplikację"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "Nie odnaleziono zespołu %v, błąd=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "Claim Account"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "Nie można znaleźć użytkownika teamid=%vv e-mail=%v, err=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "Nie odnaleziono kanału"
},
@@ -7655,42 +6663,6 @@
"translation": "Unable to parse incoming data"
},
{
- "id": "web.create_dir.error",
- "translation": "Nie udało się utworzyć stróża katalogu %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "Błąd w trakcie pobierania profilów użytkowników dla id=%v wymuszono wylogowanie"
- },
- {
- "id": "web.doc.title",
- "translation": "Dokumentacja"
- },
- {
- "id": "web.email_verified.title",
- "translation": "Email zweryfikowany"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "Your current browser is not supported. Please upgrade to one of the following browsers:"
},
@@ -7699,12 +6671,8 @@
"translation": "Unsupported Browser"
},
{
- "id": "web.find_team.title",
- "translation": "Znajdź Zespół"
- },
- {
- "id": "web.header.back",
- "translation": "Wstecz"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "Tekst nie jest określony"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "Maximum text length is {{.Max}} characters, received size is {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "Nie odnaleziono użytkownika"
- },
- {
- "id": "web.init.debug",
- "translation": "Inicjalizacja web routes"
- },
- {
- "id": "web.login.error",
- "translation": "Nie odnaleziono zespołu %v, błąd=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "Login"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "Niepoprawna nazwa zespołu"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "Przetworzono szablony serwera w %v"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "Nieprawidłowy ID wiadomości"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "Link resetujący hasło wygasł"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "Link do resetowania hasła jest niepoprawny."
- },
- {
- "id": "web.root.home_title",
- "translation": "Strona główna"
- },
- {
- "id": "web.root.singup_title",
- "translation": "Rejestracja"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "Link do rejestracji wygasł"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "Utwórzono konto użytkownika"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "E-Mail rejestracyjny wysłany"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "Link do rejestracji wygasł"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "The team type doesn't allow open invites"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "Utwórzono konto użytkownika"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "Niepoprawna nazwa zespołu"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "Nie udało się utworzyć stróża katalogu %v"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "Inicjalizacja tras dla API statusu"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "Inicjowanie tras websocket API"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "Inicjowanie tras websocket API"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "Inicjowanie tras websocket API"
}
]
diff --git a/i18n/pt-BR.json b/i18n/pt-BR.json
index feef794b8..1366c3506 100644
--- a/i18n/pt-BR.json
+++ b/i18n/pt-BR.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "Abril"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "Agosto"
- },
- {
- "id": "December",
- "translation": "Dezembro"
- },
- {
- "id": "February",
- "translation": "Fevereiro"
- },
- {
- "id": "January",
- "translation": "Janeiro"
- },
- {
- "id": "July",
- "translation": "Julho"
- },
- {
- "id": "June",
- "translation": "Junho"
- },
- {
- "id": "March",
- "translation": "Março"
- },
- {
- "id": "May",
- "translation": "Maio"
- },
- {
- "id": "November",
- "translation": "Novembro"
- },
- {
- "id": "October",
- "translation": "Outubro"
- },
- {
- "id": "September",
- "translation": "Setembro"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "Erro ao ler o arquivo de log."
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "Marca personalizada não está configurado ou não é suportado pelo servidor."
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "O armazenamento de imagem não está configurado."
},
{
- "id": "api.admin.init.debug",
- "translation": "Inicializando as rotas da API admin."
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "Terminada a reciclagem da conexão do banco de dados."
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "Tentando reciclar a conexão com o banco de dados."
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "Um erro aconteceu ao apagar o certificado. Verifique se o arquivo config/{{.Filename}} existe."
},
@@ -92,6 +36,10 @@
"translation": "Ocorreu um erro ao construir Serviço de Provedor de Metadados."
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>Parece que o seu email do Mattermost está configurado corretamente!"
},
@@ -112,14 +60,6 @@
"translation": "S3 Bucket é obrigatório"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "S3 Endpoint é obrigatório"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "S3 Region é obrigatório"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "Matriz vazia em 'image' na requisição"
},
@@ -128,10 +68,6 @@
"translation": "Nenhum arquivo em 'image' no pedido"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "Marca personalizada não está configurado ou não é suportado pelo servidor"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "Não foi possível processar o formulário multipart"
},
@@ -144,38 +80,10 @@
"translation": "Não foi possível enviar o arquivo. Arquivo é muito grande."
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "Falha ao processar os modelos do servidor %v"
- },
- {
- "id": "api.api.render.error",
- "translation": "Erro ao renderizar o modelo de %v err=%v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "Não foi possível obter o usuário para verificar as permissões."
- },
- {
- "id": "api.brand.init.debug",
- "translation": "Inicializando as rotas da API de brand"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v adicionado ao canal por %v."
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "Não foi possível localizar o canal"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "Não foi possível encontrar o usuário a ser adicionado"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "Não foi possível encontrar usuário fazendo a adição"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "Não foi possível adicionar o usuário no canal"
},
@@ -192,30 +100,6 @@
"translation": "Não foi possível adicionar usuário para este tipo de canal"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "Gerenciamento de Canais Privados e criação é restrito apenas para Administradores do Sistema."
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "Gerenciamento de Canais Privados e criação é restrito apenas para a Equipe e Administradores do Sistema."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "Gerenciamento de Canais Públicos e criação é restrito apenas para Administradores do Sistema."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "Gerenciamento de Canais Públicos e criação é restrito apenas para o Time e Administradores do Sistema."
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "Este canal foi convertido para um Canal Público e membros de qualquer equipe podem se juntar."
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "Este canal foi convertido para um Canal Privado."
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "O canal padrão não pode ser convertido em um canal privado."
},
@@ -268,50 +152,6 @@
"translation": "O canal foi arquivado ou excluído"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "Não foi possível postar arquivo de mensagem %v"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "Não foi possível enviar o arquivo de mensagem"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "Encontrado um erro ao excluir o webhook de entrada, id=%v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "Encontrado um erro ao excluir o webhook de saída, id=%v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "Você não tem a permissão apropriada"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "Não existe nenhum canal com o channel_id={{.ChannelId}} na equipe com team_id={{.TeamId}}"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "Não é possível obter o número de canais do banco de dados"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "O canal foi deletado ou arquivado"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "Não foi possível processar o limite de membros"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "Erro na obtenção do perfil dos usuários para id=%v forçando o logout"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "Inicializando as rotas da API channel"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "O canal já foi apagado"
},
@@ -340,6 +180,10 @@
"translation": "%v deixou o canal."
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "Falha ao postar a mensagem para atualização do nome de exibição"
},
@@ -380,22 +224,10 @@
"translation": "Não é possível remover usuário do canal padrão {{.Channel}}"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "Você não tem a permissão apropriada "
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v foi removido do canal."
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "Não foi possível remover o usuário."
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "Não foi possível encontrar o usuário a ser removido"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "O canal foi deletado ou arquivado"
},
@@ -404,10 +236,6 @@
"translation": "O canal foi deletado ou arquivado"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "Você não tem a permissão apropriada"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "Tentou executar uma atualização inválida para o canal padrão {{.Channel}}"
},
@@ -424,26 +252,14 @@
"translation": "Não é possível definir o esquema para o canal porque o esquema fornecido não é um esquema de canal."
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "Não foi possível obter o número de não lidos para o user_id=%v e channel_id=%v, err=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "A função fornecida é gerenciada por um esquema e, portanto, não pode ser aplicada diretamente a um integrante da equipe"
},
{
- "id": "api.cluster.init.debug",
- "translation": "Inicializando as rotas de API de cluster"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "Integrações estão limitadas a administradores somente."
},
{
- "id": "api.command.delete.app_error",
- "translation": "Permissões inadequadas para o comando de deletar"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "Os comandos foram desabilitados pelo administrador do sistema."
},
@@ -472,18 +288,10 @@
"translation": "Comando com um gatilho '{{.Trigger}}' não encontrado. Para enviar uma mensagem começando com \"/\", tente adiciona um espaço no começo da mensagem."
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "Um erro enquando salvava a resposta do comando do canal"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "Nenhum comando disparador encontrado"
},
{
- "id": "api.command.init.debug",
- "translation": "Inicializando as rotas da API command"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "Enviar um email para convidar sua equipe para Mattermost"
},
@@ -516,18 +324,10 @@
"translation": "Convite(s) enviado por email"
},
{
- "id": "api.command.regen.app_error",
- "translation": "Permissões inadequadas para re-gerar o token de comandos"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "Não é possível atualizar os comandos entre equipes"
},
{
- "id": "api.command.update.app_error",
- "translation": "Permissões inadequadas para o comando atualizar"
- },
- {
"id": "api.command_away.desc",
"translation": "Defina seu status como ausente"
},
@@ -568,10 +368,6 @@
"translation": "Erro ao atualizar o canal atual."
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "Cabeçalho do canal atualizado com sucesso."
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "Error ao obter o canal atual."
},
@@ -644,10 +440,6 @@
"translation": "Erro ao atualizar o canal atual."
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "Nome do canal atualizado com sucesso."
- },
- {
"id": "api.command_code.desc",
"translation": "Mostrar o texto como bloco de código"
},
@@ -696,10 +488,6 @@
"translation": "Não Perturbe está habilitado. Você não irá receber notificações no desktop ou push no celular enquanto o Não Perturbe não for desativado."
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "Não é possível criar o post /echo, err=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "Os atrasos devem ser abaixo de 10000 segundos"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "Não foi possível encontrar os usuários: %s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "Ocorreu um erro durante a listagem de usuários."
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "Mensagem em grupo está limitada a um máximo de {{.MinUsers}} usuários."
},
@@ -779,18 +559,10 @@
"translation": "Mensagem em grupo está limitada a um mínimo de {{.MinUsers}} usuários."
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "Não foi possível encontrar o usuário"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "mensagem"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "Mensagem enviada."
- },
- {
"id": "api.command_help.desc",
"translation": "Abrir a página de ajuda do Mattermost"
},
@@ -875,10 +647,6 @@
"translation": "juntar"
},
{
- "id": "api.command_join.success",
- "translation": "Juntou ao canal."
- },
- {
"id": "api.command_kick.name",
"translation": "kick"
},
@@ -891,14 +659,6 @@
"translation": "Ocorreu um erro enquanto deixava o canal."
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "Ocorreu um erro enquanto listava os canais."
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "Não foi possível encontrar o canal"
- },
- {
"id": "api.command_leave.name",
"translation": "deixar"
},
@@ -947,10 +707,6 @@
"translation": "@[usuario] 'mensagem'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "Ocorreu um erro durante a listagem de usuários."
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "Não foi possível encontrar o usuário"
},
@@ -959,10 +715,6 @@
"translation": "mensagem"
},
{
- "id": "api.command_msg.success",
- "translation": "Mensagem enviada."
- },
- {
"id": "api.command_mute.desc",
"translation": "Desativa a área de trabalho, e-mail e envio notificações para o canal atual ou o [canal] especificado."
},
@@ -1115,10 +867,6 @@
"translation": "shrug"
},
{
- "id": "api.compliance.init.debug",
- "translation": "Inicializando as rotas da API de compliance"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "O novo formato para a configuração do cliente não é suportado ainda. Por favor, especifique na query string format=old."
},
@@ -1135,14 +883,6 @@
"translation": "Parâmetro {{.Name}} inválido"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "Sessão inválida err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "A URL da equipe foi acessada de forma inválida. A URL da equipe não deve ser utilizada em funções de API ou aquelas funções que são independente da equipe."
- },
- {
"id": "api.context.invalid_token.error",
"translation": "Token de sessão inválido={{.Token}}, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "Parâmetro {{.Name}} inválido ou ausente na URL de requisição"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "Purgar todos os caches"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "Não foi possível atualizar LastActivityAt para user_id=%v e session_id=%v, err=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v código=%v rid=%v uid=%v ip=%v %v [detalhes: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "Autenticação multi-fator é obrigatória neste servidor."
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "Faltando Id da Equipe"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "Você não tem a permissão apropriada"
},
@@ -1179,26 +903,10 @@
"translation": "Inválido ou sessão expirada, por favor faça login novamente."
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "Você não tem a permissão apropriada (sistema)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "Sessão não é OAuth mas o token foi fornecido na consulta"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "Ocorreu um erro desconhecido. Por favor contato com o suporte."
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "API versão 3 foi desabilitada neste servidor. Por favor use a API versão 4. Veja https://api.mattermost.com para mais detalhes"
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "Inicializando as rotas da API que serão descontinuadas"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "A tarefa de email em lote do canal de entrada estava cheio. Por favor aumente o EmailBatchingBufferSize."
},
@@ -1207,14 +915,6 @@
"translation": "Email em lote foi desabilitado pelo administrador do sistema"
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "Tarefa de email em note executada. %v usuário(s) ainda tem notificações pendentes."
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "Não foi possível encontrar o canal de postagem para a notificação de email em lote"
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Day}} {{.Month}}"
},
@@ -1235,10 +935,6 @@
"translation": "Notificação de "
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "Não foi possível encontrar o remetente da postagem para a notificação de email em lote"
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "Você tem uma nova notificação.",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "Não foi possível encontrar as preferências de exibição do destinatário para notificação de email em lote"
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "Falha ou enviar notificações por email em lote para %v: %v"
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] Nova Notificação de {{.Day}} {{.Month}}, {{.Year}}",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "Não foi possível encontrar o destinatário para a notificação de email em lote"
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "Iniciando tarefa de email em lote. Verificando por emails pendentes a cada %v segundos."
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "Não foi possível criar o emoji. Outro emoji com o mesmo nome já existe."
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "Não foi possível criar o emoji. A requisição está errada."
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "Permissões inadequadas para criar emoji."
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "Não foi possível criar o emoji. A requisição está errada."
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "Não foi possível criar o emoji. A imagem tem que ser menor que 1 MB em tamanho."
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "Não é possível excluir as reações ao excluir o emoji com nome %v"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "Emoji personalizado foi desabilitados pelo o administrador do sistema."
},
@@ -1301,14 +977,6 @@
"translation": "Não foi possível ler arquivo de imagem para emoji."
},
{
- "id": "api.emoji.init.debug",
- "translation": "Inicializando as rotas de API emoji"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "Inicializando as rotas de API emoji"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "O armazenamento de arquivos não está configurado corretamente. Por favor, configure o S3 ou o armazenamento de arquivos no servidor local."
},
@@ -1333,12 +1001,12 @@
"translation": "Não foi possível criar o emoji. Um erro ocorreu enquanto tentava codificar uma imagem GIF."
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "Anexo de arquivos foi desabilitado neste servidor."
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "Links públicos foram desabilitados pelo administrador do sistema"
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "Anexo de arquivos foi desabilitado neste servidor."
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "Arquivo não tem uma imagem em miniatura"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "Não é possível obter informações para arquivo. Arquivo deve ser anexado a um post que pode ser lido pelo usuário atual."
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "Não é possível obter informações do arquivo. Armazenamento de imagem não está configurado."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Não é possível obter o arquivo. Armazenamento de imagem não está configurado."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Não é possível obter o arquivo. Armazenamento de imagem não está configurado."
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "Links públicos foram desabilitados"
},
@@ -1377,116 +1029,52 @@
"translation": "Não foi possível obter o link público para o arquivo. O arquivo deve ser anexado a um post que pode ser lido pelo usuário atual."
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "Não foi possível ler a imagem err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "Não é possível codificar imagem como jpeg caminho=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "Não é possível codificar a imagem como pré-visualização jpg caminho=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "Não é possível enviar pré-visualização caminho=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "Não é possível enviar miniatura caminho=%v err=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "Inicializando as rotas de API file"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "Não é possível obter canal durante a migração do post para usar FileInfos, post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "Não é possível localizar arquivo durante a migração do post para usar FileInfos, post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "Não foi possível obter o FileInfos para o post após a migração, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "Não foi possível obter o post durante a migração para usar FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "Não foi possível decodificar totalmente informações do arquivo durante a migração do post para usar FileInfos, post_id=%v, filename=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "Migrando post para usar FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "Encontrado um nome incomum durante a migração do post para usar FileInfos, post_id=%v, channel_id=%v, user_id=%v, filename=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "Não é possível migrar post para usar FileInfos com um campo de nome de arquivo vazio, post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "Post migrado para usar FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "Não é possível salvar o post durante a migração do post para usar FileInfos, post_id=%v, file_id=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "Não foi possível salvar arquivo de informações durante a migração do post para usar FileInfos, post_id=%v, file_id=%v, filename=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "Não foi possível copiar o arquivo dentro do S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "Não foi possível encontrar a equipe para FileInfos, post_id=%v, filenames=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "Não é possível deletar o arquivo a partir do S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "Não é possível obter equipes durante a migração do post para usar FileInfos, post_id=%v, err=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "Não foi possível mover o arquivo localmente."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "Não foi possível decifrar o nome do arquivo durante a migração do post para usar FileInfos, post_id=%v, filename=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "No file driver selected."
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "O armazenamento de arquivos não está configurado corretamente. Por favor, configure o S3 ou o armazenamento de arquivos no servidor local."
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "Encontrado um erro ao ler a partir do servidor de armazenamento local"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "Não foi possível copiar o arquivo dentro do S3."
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "Encontrado um erro ao ler a partir do servidor de armazenamento local"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "Não é possível deletar o arquivo a partir do S3."
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "Encontrado um erro listando o diretório a partir do servidor de armazenamento local."
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "Não é possível obter o arquivo a partir do S3."
+ "id": "api.file.reader.s3.app_error",
+ "translation": "Encontrado um erro ao ler a partir do servidor de armazenamento local"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "Não foi possível mover o arquivo localmente."
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Don't have permissions to write to local path specified or other error."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "Armazenamento de arquivos não está configurado corretamente. Por favor configure S3 ou armazenamento de arquivos no servidor local."
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Unable to create bucket."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "Não é possível obter o arquivo a partir do S3"
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Error checking if bucket exists."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "Encontrado um erro ao ler a partir do servidor de armazenamento local"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "Bad connection to S3 or minio."
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "Não foi possível enviar a imagem do perfil. Arquivo muito grande."
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "Armazenamento de arquivos não está configurado corretamente. Por favor configure S3 ou armazenamento de arquivos no servidor local."
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "Encontrado um erro ao gravar no S3"
},
@@ -1525,34 +1109,6 @@
"translation": "Encontrado um erro ao gravar no servidor local de armazenamento"
},
{
- "id": "api.general.init.debug",
- "translation": "Inicializando as rotas de API general"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "Error ao anexar arquivos para postar. postId=%v, fileIds=%v, message=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "Erro ao salvar o post. usuário=%v, mensagem=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "Falha ao juntar a equipe na importação err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "Encontrado um problema ao se juntar ao canal padrão user_id=%s, team_id=%s, err=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "Erro ao salvar o usuário. err=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "Não foi possível definir email verificado err=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "Webhooks de entrada foram desabilitados pelo administrador do sistema."
},
@@ -1561,10 +1117,6 @@
"translation": "Nome do usuário inválido"
},
{
- "id": "api.ldap.init.debug",
- "translation": "Inicializando as rotas de API de LDAP"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "Matriz vazia sobre a 'licença' na requisição"
},
@@ -1605,30 +1157,6 @@
"translation": "O novo formato para a licença do cliente não é suportado ainda. Por favor, especifique na query string format=old."
},
{
- "id": "api.license.init.debug",
- "translation": "Inicializando as rotas de API license"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "Licença não foi removida propriamente."
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "invalid_request: Bad client_id"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "invalid_request: Faltando ou ruim redirect_uri"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "invalid_request: Bad response_type"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "server_error: Erro ao acessar o banco de dados"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "invalid_request: Supplied redirect_uri did not match registered callback_url"
},
@@ -1641,14 +1169,6 @@
"translation": "O administrador do sistema desligou o Provedor de Serviço OAuth2."
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "Faltando um ou mais response_type, client_id, ou redirect_uri"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "Permissões inadequadas para deletar o App OAuth2"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "invalid_request: Bad client_id"
},
@@ -1705,22 +1225,10 @@
"translation": "invalid_grant: Inválido refresh token"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "Não foi possível encontrar o código de autorização para code=%s"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "Inicializando as rotas de API oauth"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "State token inválido"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "Permissões inadequadas para gerar novo OAuth2 App Secret"
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "O administrador do sistema desligou o Provedor de Serviço OAuth2."
},
@@ -1749,8 +1257,8 @@
"translation": "O link de inscrição não parece ser válido"
},
{
- "id": "api.opengraph.init.debug",
- "translation": "Inicializando as rotas da api para o protocolo open graph"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "@{{.Username}} foi mencionado, mas eles não receberam uma notificação porque eles não pertencem a este canal."
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "Erro encontrado ao anexar arquivos para postar, post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "Nome ruim do arquivo descartado, nome do arquivo=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "Não é possível postar em um canal deletado."
},
@@ -1789,10 +1289,6 @@
"translation": "ChannelId inválido para o parâmetro RootId"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "Encontrado um erro ao atualizar a última visualização, channel_id=%s, user_id=%s, err=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "Parâmetro ParentId inválido"
},
@@ -1809,18 +1305,6 @@
"translation": "Erro ao criar o post"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "Não é possível deletar a preferencia da postagem marcada ao deletar a postagem, err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "Você não tem a permissão apropriada"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "Erro encontrado ao deletar arquivos para postar, post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "@all foi desabilitado devido ao canal ter mais de {{.Users}} usuários."
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "Erro encontrado ao obter arquivos para mensagem de notificação, post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}} imagem enviada: {{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "Não foi possível compilar @mention regex user_id=%v, err=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "Você não tem a permissão apropriada"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "Não foi possível obter os membros do channel_id=%v err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "Não foi possível criar resposta do post, err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "Falha no Evento POST, err=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "Inicializando as rotas de API post"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "Pré-visualizações de links foram desabilitados pelo administrador do sistema."
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "Falha ao obter 2 membros para o canal direto channel_id={{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "Falha ao obter membros do canal channel_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "Falha ao salvar as preferencias do canal direto user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "Falha ao atualizar as preferencias do canal direto user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "Não foi possível obter o perfil do membro do canal, user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " notificou o canal."
},
@@ -1919,26 +1355,6 @@
"translation": " comentou sobre um tópico em que você participou."
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "O criador da postagem não está no canal onde a postagem foi criada post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "Limpando notificação push para %v com channel_id %v"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "Falha ao obter arquivos para posta notificação post_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "Falha ao obter equipes quando enviado mensagem direta entre equipes user_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "Nova Menção"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": " mencionou você."
},
@@ -1955,30 +1371,10 @@
"translation": "enviou-lhe uma mensagem."
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "Falha ao enviar notificação device_id={{.DeviceId}}, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}} enviado"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "Falha ao atualizar o número de menções, post_id=%v channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "Não foi possível encontrar o post ou comentário para atualizar."
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "Você não tem a permissão apropriada"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "Edição de postagem foi desativada. Por favor, pergunte ao administrador do sistema para obter detalhes."
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "Já deletado id={{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "Não foi possível obter o post"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "Não foi possível decodificar as preferencias para a requisição"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "Não foi possível deletar as preferências para o outro usuário"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.preference.init.debug",
- "translation": "Inicializando as rotas de API preference"
- },
- {
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "Não foi possível decodificar as preferencias para a requisição"
- },
- {
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "Não foi possível ajustar as preferências para o outro usuário"
- },
- {
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "Falha ao deletar a reação devido ao ID do canal não corresponder com o ID do post na URL"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "Inicializando as rotas de API reactions"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "Falha ao obter as reações devido ao ID do canal não corresponder com o ID do post na URL"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "Esta reação não é válida."
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "Falha ao salvar a reação devido ao ID do canal não corresponder com o ID do post na URL"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "Você não pode salvar a reação de outro usuário."
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "Falha ao obter a postagem ao enviar evento websocket para reação"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "Sua licença atual não tem suporte a permissões avançadas."
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "O certificado não foi salvo corretamente."
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "Não é possível obter as equipes para o esquema porque o esquema fornecido não é um esquema de equipe."
},
{
- "id": "api.server.new_server.init.info",
- "translation": "O servidor está inicializando..."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "Não é possível encaminhar porta 80 para 443 enquanto estiver escutando na porta %s: desative Forward80To443 se usar um servidor proxy"
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "O servidor está escutando na %v"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "Limitador de velocidade está ativo"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "RateLimitSettings não foi configurado corretamente usando VaryByHeader e desativando VaryByRemoteAddr"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "Não foi possível inicializar o limitador de armazenamento de memória. Verifique MemoryStoreSize nas configurações."
},
@@ -2095,22 +1455,6 @@
"translation": "Erro ao iniciar o servidor, err:%v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "Iniciando o Servidor..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "Erro ao iniciar o servidor "
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "Servidor parado"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "Parando o Servidor..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "O usuário com email {{.Email}} e senha {{.Password}} da Integração/Slack Bot foi importado.\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "Não foi possível importar o canal Slack {{.DisplayName}}.\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Slack Import: Não foi possível importar o canal Slack: %s."
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "O canal Slack {{.DisplayName}} já existe como um canal ativo no Mattermost. Ambos os canais foram mesclados.\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Slack Import: Ocorreu um erro ao anexar arquivos a uma mensagem, post_id=%s, file_ids=%v, err=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Slack Import: Mensagens do Slack bot não podem ser importadas ainda."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Slack Import: Não é possível importar a mensagem do bot à medida que o usuário do bot não existe."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Slack Import: Não é possível importar a mensagem à medida que não tem comentários."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Slack Import: Não é possível importar a mensagem à medida que o campo o user está faltando."
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Slack Import: Não é possível importar a mensagem do bot à medida que o campo BotId está faltando."
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Slack Import: Não é possível importar a mensagem à medida que o tipo não é suportado: post_type=%v, post_subtype=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Slack Import: Não é possível importar o arquivo {{.FileId}} à medida que o arquivo está ausente do arquivo zip de exportação do Slack."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Slack Import: Não é possível anexar o arquivo à publicação, pois este não possui nenhuma seção \"file\" presente na exportação Slack."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Slack Import: Não é possível abrir o arquivo {{.FileId}} da exportação Slack: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Slack Import: Um erro ocorreu enquanto enviava o arquivo {{.FileId}}: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Slack Import: Não é possível adicionar a mensagem como o usuário Slack %v não existe no Mattermost."
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Slack Import: Não é possível importar a mensagem à medida que o campo do user está faltando."
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\nUsuários criados:\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "Usuário {{.Username}} não possui um endereço de email na exportação do Slack. Utilizado o {{.Email}} no lugar. O usuário deve atualizar o seu endereço de email assim que se logar no sistema.\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "Slack Import: Usuário {{.Username}} não possui um endereço de email na exportação do Slack. Utilizado o {{.Email}} no lugar. O usuário deve atualizar o seu endereço de email assim que se logar no sistema."
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "Não foi possível importar o usuário Slack:{{.Username}}.\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Slack Import: Não foi possível compilar !channel, correspondendo a expressão regular para o canal Slack {{.ChannelName}} (id={{.ChannelID}})."
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Slack Import: Timestamp inválido."
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Slack Import: Não é possível compilar @menção, correspondente a expressão regular para o usuário Slack {{.Username}} (id={{.UserID}})."
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Slack Import: Não é possível desativar a conta do usuário usada para o bot."
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Mattermost Log de Importação Slack\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "Não é possível abrir o arquivo zip de exportação Slack.\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Slack Import: Ocorreu um erro ao analisar alguns canais Slack. A importação pode funcionar de qualquer maneira."
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Slack Import: Ocorreu um erro ao analisar algumas postagens do Slack. A importação pode funcionar de qualquer maneira."
- },
- {
- "id": "api.status.init.debug",
- "translation": "Inicializando as rotas de API status"
- },
- {
- "id": "api.status.init.debug",
- "translation": "Inicializando as rotas de API status"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "Não foi possível atualizar LastActivityAt para user_id=%v e session_id=%v, err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "Falha ao salvar o status para user_id=%v, err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "Usuário não localizado"
},
{
- "id": "api.system.go_routines",
- "translation": "O número de goroutines rodando é maior que o limite configurado %v de %v"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v adicionado a equipe por %v."
},
@@ -2307,32 +1547,16 @@
"translation": "Parâmetro requerido para adicionar o usuário ao time."
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "Inscrição com e-mail na equipe está desativado."
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "Inscrição com e-mail na equipe está desativado."
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "O link de inscrição expirou"
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "Esta URL não está disponível. Por favor, tente outra."
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "Um erro foi encontrado enquanto enviava um email no emailTeams err=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "Convite é inválido devido a este não ser de uma equipe aberta."
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "Somente um administrador de equipe pode importar dados."
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "Requisição mal formada: campo filesize não está presente."
},
{
- "id": "api.team.init.debug",
- "translation": "Inicializando as rotas de API team"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "administrador"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "Essa pessoa já está em sua equipe"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "O seguinte endereço de email não pertence a um dominio aceito: {{.Addresses}}. Por favor contate o Administrador do Sistema para detalhes."
},
@@ -2387,22 +1599,6 @@
"translation": "Ninguém para convidar."
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "Convite a novos usuários para uma equipe está restrito para o Administrador do Sistema."
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "Convite a novos usuários para uma equipe está restrito para o Administrador do Sistema e Equipe."
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "Falha ao enviar com sucesso um convite por email err=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "enviando convite para %v %v"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "Criação de equipe foi desativada. Por favor, pergunte ao administrador do sistema para obter detalhes."
},
@@ -2427,14 +1623,6 @@
"translation": "Este canal foi movido desta equipe para %v."
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "Tentando permanentemente deletar a equipe %v id=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "Equipe permanentemente deletada %v id=%v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "Ocorreu um erro ao obter a equipe"
},
@@ -2491,10 +1679,6 @@
"translation": "Não é possível salvar o ícone da equipe"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "Inscrição com e-mail na equipe está desativado."
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "Ocorreu um erro ao atualizar o ícone da equipe"
},
@@ -2503,10 +1687,6 @@
"translation": "Usuário especificado não é um membro da equipe especificada."
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "Você não tem a permissão apropriada"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "A licença não suporta a atualização do esquema de uma equipe"
},
@@ -2515,10 +1695,6 @@
"translation": "Não é possível definir o esquema para a equipe porque o esquema fornecido não é um esquema de equipe."
},
{
- "id": "api.templates.channel_name.group",
- "translation": "Grupo de mensagem"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "Você desativou a sua conta em {{ .SiteURL }}.<br>Se esta mudança não foi iniciada por você ou deseja reativar a conta, entre em contato com o administrador."
},
@@ -2571,22 +1747,6 @@
"translation": "Enviado por "
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "Sua solicitação para encontrar equipes associadas ao seu email encontrou o seguinte:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "Não foi possível encontrar nenhuma equipe com o email informado."
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "Localizando equipes"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "Suas Equipes {{ .SiteName }}"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "Participar da Equipe"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] Seu método de login foi atualizado"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "Configure sua equipe"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }} é um lugar para todas as comunicações da sua equipe, pesquisável e disponível em qualquer lugar.<br>Você pode obter mais do {{ .SiteName }} quando sua esquipe estiver em constante comunicação--vamos levá-los a bordo."
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "Obrigado por criar uma equipe!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "{{ .SiteName }} Configuração da Equipe"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>SUAS CONTAS DUPLICADAS FORAM ATUALIZADAS</h3>Seu servidor Mattermost está sendo atualizado para a Versão 3.0, o qual permite que você use uma única conta com múltiplas equipes.<br/><br/>Você está recebendo este email porque durante o processo de atualização foi detectado que sua conta tinha o mesmo email e usuário em outras contas no servidor.<br/><br/>As seguintes atualizações foram feitas: <br/><br/>{{if .EmailChanged }}- O email duplicado da conta na equipe `/{{.TeamName}}` foi alterado para `{{.Email}}`. Se irá precisar usar email e senha para login, você pode usar este endereço de email para login.<br/><br/>{{end}}{{if .UsernameChanged }}- O usuário duplicado da conta na na equipe `/{{.TeamName}}` foi alterado para `{{.Username}}` para evitar confusões com outras contas.<br/><br/>{{end}} AÇÃO RECOMENDADA: <br/><br/>É recomendado que você acesse suas equipes usadas por suas contas duplicadas e adicione sua conta principal para a equipe e quaisquer canais públicos ou privados que deseja continuar usando. <br/><br/>Isto dá o acesso ao histórico para sua conta primária para todos os canais públicos e privados. Você pode continuar acessando o histórico de mensagens diretas de suas contas duplicadas fazendo login com suas credenciais. <br/><br/>PARA MAIS INFORMAÇÕES: <br/><br/>Para mais informações sobre a atualização para o Mattermost 3.0 consulte: <a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] Alterações da sua conta na atualização Mattermost 3.0"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "Um token de acesso de usuário foi adicionado à sua conta em {{ .SiteURL }}. Eles podem ser usados ​​para acessar {{ .SiteName }} com sua conta.<br>Se essa mudança não foi iniciada por você, entre em contato com o administrador do sistema."
},
@@ -2787,10 +1923,6 @@
"translation": "Estado inválido"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "Status inválido; falta o nome da equipe"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "Faltando o token de acesso"
},
@@ -2839,10 +1971,6 @@
"translation": "Já existe uma conta associada a esse endereço de e-mail usando um método de login diferente de {{.Service}}. Por favor faça login usando {{.Auth}}."
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "Essa conta {{.Service}} já foi usada para se inscrever"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "Não foi possível criar o usuário fora do {{.Service}} do objeto de usuário"
},
@@ -2871,10 +1999,6 @@
"translation": "Criação de usuário está desabilitada."
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "Encontrado um problema ao se juntar ao canal padrão user_id=%s, team_id=%s, err=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "Falta Id do Convite."
},
@@ -2887,10 +2011,6 @@
"translation": "Este servidor não permite inscrições abertas. Por favor, fale com o seu Administrador para receber um convite."
},
{
- "id": "api.user.create_user.save.error",
- "translation": "Não foi possível salvar o usuário err=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "Inscrição com e-mail está desativada."
},
@@ -2903,22 +2023,14 @@
"translation": "O link de inscrição não parece ser válido"
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "Inválido nome de equipe"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "Encontrado um erro ao salvar as preferências de tutorial, err=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "Falha ao definir email como verificado err=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "AD/LDAP não está disponível neste servidor"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "MFA não configurado ou disponível neste servidor"
},
@@ -2927,18 +2039,10 @@
"translation": "Provedor de serviço OAuth não suportado"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "Erro na obtenção do perfil dos usuários para id=%v forçando o logout"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "Não foi possível retornar a image de perfil, usuário não encontrado."
},
{
- "id": "api.user.init.debug",
- "translation": "Inicializando as rotas de API user"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "AD/LDAP não está disponível neste servidor"
},
@@ -2951,6 +2055,14 @@
"translation": "Campo senha não pode estar em branco"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Attempted to sign in using the experimental feature ClientSideCert without providing a valid certificate"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Attempt to use the experimental feature ClientSideCertEnable without a valid enterprise license"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "Login falhou devido a sua conta ter sido desativada. Por favor entre em contado com um administrador."
},
@@ -2959,18 +2071,10 @@
"translation": "ID do usuário ou senha incorreta."
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "Deve fornecer o ID do usuário ou o nome da equipe e o e-mail do usuário"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "Login falhou por causa do endereço de email não ter sido verificado"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "Revogada sessionid=%v para userid=%v logue novamente com o mesmo id de dispositivo"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "Por favor logue usando {{.AuthService}}"
},
@@ -2983,18 +2087,6 @@
"translation": "Não foi possível processar os dados de autenticação do {{.Service}} de objeto de usuário"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "Campo senha não pode estar em branco"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "AD/LDAP não habilitado neste servidor"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "Precisa de um ID"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "AD/LDAP não está disponível neste servidor"
},
@@ -3003,16 +2095,12 @@
"translation": "Atualização de senha falhou devido ao contexto user_id não combinar com id de usuário fornecido"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "Tentando permanentemente deletar a conta %v id=%v"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "Conta permanentemente deletada %v id=%v"
- },
- {
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "Você está deletando %v que é um administrador do sistema. Você pode precisar definir outra conta como administrador de sistema usando as ferramentas de linha de comando."
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "Não foi possível redefinir a senha para conta SSO"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "Tentando redefinir senha para usuário na equipe errada."
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "SAML 2.0 não está configurado ou disponível neste servidor."
},
@@ -3055,12 +2139,12 @@
"translation": "Erro ao enviar verificação de email"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "Erro ao enviar uma atualização de senha por email"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "Não foi possível encontrar uma conta com esse endereço."
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "Erro ao enviar uma atualização de senha por email"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "Erro ao enviar boas vindas por email"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "Você não pode modificar o status de ativação de contas SSO. Por favor modifique através do servidor SSO."
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "Você não pode desativar a sua conta pois esta funcionalidade não está ativa. Por favor entre em contato com o Administrador do sistema."
},
@@ -3131,26 +2211,6 @@
"translation": "Atualização de senha falhou porque não foi possível encontrar uma conta válida"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "Deve haver pelo menos um administrador ativo"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "Você não tem a permissão apropriada"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "A permissão admin do sistema é necessária para essa ação"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "A função de administrador do sistema só pode ser definida por um outro administrador do sistema"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "A permissão admin é necessária para essa ação"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "Matriz vazia em 'image' na requisição"
},
@@ -3195,40 +2255,28 @@
"translation": "Erro na verificação link de email."
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "Iniciando websocket %v hubs"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "parando conexão de websocket hub"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "conexão websocket err: %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "Falha ao atualizar conexão websocket"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "Inicializando as rotas de API web socket"
- },
- {
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [detalhes: %v]"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "erro roteamento websocket: seq=%v uid=%v %v [detalhes: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "central de equipes parou para teamId=%v"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "Webhooks de saída foram desabilitados pelo administrador do sistema."
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "Ou trigger_words ou channel_id precisa ser definido"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "Webhooks de entrada foram desabilitados pelo administrador do sistema."
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "Permissões inadequadas para deletar o webhook de entrada"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "Webhooks de saída foram desabilitados pelo administrador do sistema."
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "Permissões inadequadas para deletar o webhook de saída"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "Webhook de entrada recebido. Contendo="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "Não foi possível ler o payload do webhook de entrada."
- },
- {
"id": "api.webhook.incoming.error",
"translation": "Não foi possível decodificar a carga multiparte do webhook de entrada."
},
{
- "id": "api.webhook.init.debug",
- "translation": "Inicializando as rotas de API webhook"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "Permissões inadequadas para gerar novo token do webhook de saída"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "Não é possível atualizar os webhook entre equipes"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "Webhooks de entrada foram desabilitados pelo administrador do sistema."
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "Permissões inadequadas para atualizar o webhook de entrada"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "Webhooks de saída foram desabilitados pelo administrador do sistema."
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "Webhooks de saída do mesmo canal não pode ter as mesmas palavras gatilho/URLs de retorno de chamada."
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "Webhooks de saída só pode ser atualizado para canais públicos."
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "Permissões inadequadas para atualizar o webhook de saída."
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "Necessita ser definido trigger_words ou channel_id"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "WebRTC não está ativo neste servidor."
},
{
- "id": "api.webrtc.init.debug",
- "translation": "Inicializando as rotas de API WebRTC"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "Encontrado um erro ao tentar registrar o Token WebRTC"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "Sessão inválida err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "Parâmetro {{.Name}} inválido"
},
@@ -3367,6 +2351,10 @@
"translation": "%s atualizou o propósito do canal para: %s"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "Erro ao ler arquivo de importação."
},
@@ -3375,6 +2363,18 @@
"translation": "Decodificação JSON da linha falhou."
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Cannot set a channel to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Channel must be assigned to a Channel-scoped scheme."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "Erro ao importar canal. A equipe com o nome \"{{.TeamName}}\" não foi encontrado."
},
@@ -3431,6 +2431,10 @@
"translation": "A linha de dados de importação é do tipo \"post\" mas o objeto post é nulo."
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "A linha de dados de importação é do tipo \"channel\" mas o objeto channel é nulo."
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "A linha de dados de importação é do tipo \"team\" mas o objeto team é nulo."
},
@@ -3459,12 +2463,28 @@
"translation": "Erro ao importar post. O usuário com o nome \"{{.Username}}\" não foi encontrado."
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "The bulk importer cannot change the scope of an already-existing scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Cannot set a team to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Team must be assigned to a Team-scoped scheme."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "Erro ao importar os membros do canal do usuário. Falha ao salvar as preferências."
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "Canal create_at não pode ser zero se informado."
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "O propósito do canal é muito longo."
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for channel."
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "Faltando a propriedade obrigatória do canal: team"
},
@@ -3639,12 +2663,44 @@
"translation": "Propriedade obrigatória da Resposta não foi informada: User."
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "Equipe allowed_domains é muito longo."
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "Descrição inválida"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "Nome para exibição inválido"
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "Equipe create_at não pode ser zero se informado."
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "Invalid permission on role."
+ },
+ {
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "Nome do usuário inválido"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "Descrição inválida"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "Nome para exibição inválido"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "Nome do usuário inválido"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "Scheme scope is required."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "Unknown scheme scope."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "The wrong roles were provided for a scheme with this scope."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "O nome da equipe possui palavras reservadas."
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for team."
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "O tipo da equipe não é válido."
},
@@ -3739,8 +2799,8 @@
"translation": "Inválido Channel Trigger Notify Prop para o usuário."
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "Inválido Comment Trigger Notify Prop para o usuário."
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "Inválido Mobile Push Status Notify Prop para o usuário."
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "Senha do Usuário tem comprimento inválido."
},
@@ -3875,10 +2939,6 @@
"translation": "Não é possível desativar o plugin"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "Não foi possível apagar o status do estado do plugin."
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "Os plugins foram desativados. Verifique os seus logs para obter detalhes."
},
@@ -3891,8 +2951,8 @@
"translation": "Encontrado erro no sistema de arquivo"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "Não é possível obter os plugins ativos"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "Esta equipe alcançou o número máximo de contas permitidas. Contate o administrador do sistema para ajustar um limite maior."
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "Falha ao desserializar configuração do Fuso horário arquivo={{.Filename}}, erro={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "Configuração do fuso horário não existe arquivo={{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "Falha ao ler a configuração de Fuso horário arquivo={{.Filename}}, erro={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "Token inválido ou faltando "
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "Capacidade de criar novo canal de grupo de mensagem"
},
@@ -3979,6 +3063,22 @@
"translation": "Criar grupo de mensagem"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "Capacidade de criar postagens em canais públicos"
},
@@ -3987,12 +3087,28 @@
"translation": "Criar Postagens em Canais Públicos"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "Capacidade de criar novas equipes"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "Criar Equipes"
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "Criar Token de Acesso Individual"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "Capacidade de gerenciar os jobs"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "Gerenciar Jobs"
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "Gerenciar Funções da Equipe"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "Capacidade de ler canais públicos."
},
@@ -4035,6 +3383,30 @@
"translation": "Ler Tokens de Acesso Individual"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "Capacidade de revogar tokens de acesso individual"
},
@@ -4059,6 +3431,62 @@
"translation": "Usar Comandos Slash"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "Um papel com a permissão para postar em qualquer canal público, privado ou direto do sistema"
},
@@ -4083,6 +3511,14 @@
"translation": "Token de Acesso Individual"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "Um papel com a permissão para postar em qualquer canal público ou privado da equipe"
},
@@ -4099,96 +3535,108 @@
"translation": "Postar em Canais Publicos"
},
{
- "id": "cli.license.critical",
- "translation": "Essa funcionalidade requer um upgrade para a edição Enterprise e a inclusão da licença. Por favor entre em contato com o Administrador do Sistema."
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "Não foi possível ler a imagem."
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "Não foi possível ler as configurações de imagem."
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "Não foi possível codificar a imagem como PNG."
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "Não foi possível abrir a imagem."
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "Não foi possível salvar a imagem"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "Não foi possível abrir a imagem. Imagem é muito grande."
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "Configuração de cluster foi alterada para o id={{ .id }}. O cluster pode se tornar instável e uma reinicialização pode ser necessária. Para ter certeza de que o cluster está configurado corretamente você deve executar um reinício contínuo imediatamente."
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "Envio para o cluster falhou em `%v` detalhes=%v, extra=%v, número de tentativas=%v"
+ "id": "cli.license.critical",
+ "translation": "Essa funcionalidade requer um upgrade para a edição Enterprise e a inclusão da licença. Por favor entre em contato com o Administrador do Sistema."
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "Envio para o cluster última falha em `%v` detalhes=%v, extra=%v, número de tentativas=%v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "Potencial versão incompatível detectada para clustering com %v"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "Potencial configuração incompatível detectada para clustering com %v"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "Configuração de cluster foi alterada para o id={{ .id }}. O cluster pode se tornar instável e uma reinicialização pode ser necessária. Para ter certeza de que o cluster está configurado corretamente você deve executar um reinício contínuo imediatamente."
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "Funcionalidade Clustering desabilitada pela licença atual. Entre em contato com o administrador do sistema sobre como atualizar sua licença enterprise."
+ "id": "ent.cluster.save_config.error",
+ "translation": "Console do Sistema é definido como somente leitura quando Alta Disponibilidade está ativo a menos que ReadOnlyConfig estiver desativado no arquivo de configurações."
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "Ping no cluster com hostname=%v em=%v id=%v falhou"
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "Unknown output format {{.ExportType}}"
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "Ping no cluster com hostname=%v em=%v id=%v self=%v bem sucedido"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Unable to copy the attachment into the zip file."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "Console do Sistema é definido como somente leitura quando Alta Disponibilidade está ativo a menos que ReadOnlyConfig estiver desativado no arquivo de configurações."
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Unable to add attachment to the CSV export."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "Comunicação cluster internode está escutando %v com hostname=%v id=%v"
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Unable to create temporary CSV export file."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "Comunicação cluster internode em %v com hostname=%v id=%v está parada"
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Unable to add header to the CSV export."
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "Funcionalidade Conformidade desabilitada pela licença atual. Entre em contato com o administrador do sistema sobre como atualizar sua licença enterprise."
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Unable to add metadata file to the zip file."
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "Falha na tarefa '{{.JobName}}' para exportar a conformidade no '{{.FilePath}}'"
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "Exportação da conformidade terminado para tarefa '{{.JobName}}' exportado {{.Count}} registros para '{{.FilePath}}'"
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "Aviso exportação da conformidade na tarefa '{{.JobName}}' retornando muitos registros truncando para 30.000 em '{{.FilePath}}'"
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "Exportação da conformidade para tarefa '{{.JobName}}' iniciada no '{{.FilePath}}'"
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "Funcionalidade Conformidade desabilitada pela licença atual. Entre em contato com o administrador do sistema sobre como atualizar sua licença enterprise."
+ },
+ {
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.run_failed.error",
+ "translation": "Falha na tarefa '{{.JobName}}' para exportar a conformidade no '{{.FilePath}}'"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "Não foi possível criar o ElasticSearch index"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "Não foi possível verificar se o ElasticSearch index existe"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "Não foi possível configurar o ElasticSearch index mapping"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "Não foi possível remover o índice do ElasticSearch"
},
@@ -4287,18 +3727,6 @@
"translation": "Erro ao criar o bulk processor do Elastisearch"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "Erro ao criar o bulk processor do Elastisearch"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "Não foi possível configurar as opções do ElasticSearch index"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "Erro ao iniciar o bulk processor do Elasticsearch"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "Erro ao iniciar o bulk processor do Elasticsearch"
},
@@ -4319,10 +3747,6 @@
"translation": "URL do servidor Elasticsearch ou o nome do usuário mudou. Por favor atualize a senha do Elasticsearch para testar a conexão."
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "Emoji personalizado desabilitado pela licença atual. Entre em contato com o administrador do sistema sobre como atualizar sua licença enterprise."
- },
- {
"id": "ent.ldap.create_fail",
"translation": "Não é possível criar usuário LDAP."
},
@@ -4355,10 +3779,6 @@
"translation": "Não foi possível conectar no servidor AD/LDAP"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "Credenciais válidas, mas incapaz de criar usuário."
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "Sua conta AD/LDAP não tem permissão para usar este servidor Mattermost. Por favor peça ao Administrador do Sistema para verificar o filtro de usuário AD/LDAP."
},
@@ -4367,40 +3787,16 @@
"translation": "Usuário não registrado no servidor AD/LDAP"
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "Usuário Mattermost foi atualizado pelo servidor AD/LDAP."
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "LDAP sync worker falhou porque o job de sync está falhando"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "LDAP sync worker falhou para criar o job de sync"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "Sincronização AD/LDAP completada"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "Não foi possível obter todos os usuários usando AD/LDAP"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "Filtro AD/LDAP Inválido"
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.message_export.generic.license.error",
- "translation": "Licença não suporta Exportação de Mensagem."
- },
- {
- "id": "ent.metrics.starting.info",
- "translation": "Servidor de métricas e profiling está escutando na porta %v"
- },
- {
- "id": "ent.metrics.stopping.info",
- "translation": "Servidor de métricas e profiling está parando na porta %v"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "Filtro AD/LDAP Inválido"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "Ocorreu um erro durante a codificação do pedido para o Provedor de Identidade. Entre em contato com o Administrador do Sistema."
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "Ocorreu um erro durante a codificação do pedido assinado para o Provedor de Identidade. Entre em contato com o Administrador do Sistema."
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "Ocorreu um erro durante a configuração do Provedor de Serviço SAML, err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "SAML login não foi bem sucedido pois a Chave Privada do Provedor do Serviço não foi encontrada. Entre em contato com a Administrador do Sistema."
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "O Arquivo do Certificado Publico do Provedor de Serviço não foi encontrado. Entre em contato com o Administrador do Sistema."
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "SAML login não foi bem sucedido pois a resposta do Provedor de Identidade não está criptografada. Entre em contato com a Administrador do Sistema."
},
@@ -4527,8 +3915,12 @@
"translation": "SAML 2.0 não está configurado ou disponível neste servidor."
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "Não é possível atualizar o usuário SAML existente. Permitindo o login de qualquer maneira. err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "Falha ao configurar o job status para erro"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "Não foi possível encontrar o canal %v, procurado %v possibilidades"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "Não é possível obter canais"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "Criando usuário e equipe"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "Não é possível processar a URL"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "Configuração para teste manual..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "Não há uid na URL"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "Auto Link Teste Manual"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "Não é possível obter canais"
},
@@ -4575,50 +3947,6 @@
"translation": "Mattermost Boletim de Segurança"
},
{
- "id": "mattermost.config_file",
- "translation": "Carregado o arquivo de configuração de %v"
- },
- {
- "id": "mattermost.current_version",
- "translation": "Versão atual é %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "Ativado Enterprise: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "Chave de licença de https://mattermost.com é necessária para desbloquear os recursos enterprise."
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "Falha ao obter detalhes do boletim de segurança"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "Falha ao ler detalhes do boletim de segurança"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "Verificação de atualização de segurança do Mattermost"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "Falha ao obter informação sobre a atualização de segurança do Mattermost."
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "Enviando o boletim de segurança para %v a %v"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "Falha ao obter administradores do sistema para a informação de atualização de segurança do Mattermost."
- },
- {
- "id": "mattermost.working_dir",
- "translation": "Diretório atual é %v"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "A migração falhou devido a dados de progresso inválidos."
},
@@ -4707,10 +4035,6 @@
"translation": "ID inválida"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "Nome inválido"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "Propósito inválido"
},
@@ -4731,10 +4055,6 @@
"translation": "Valor de notificação de email inválida"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "Valor de muting inválido"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "Nível de notificação inválido"
},
@@ -4743,10 +4063,6 @@
"translation": "Nível de notificação de push inválido"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "Função inválida"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "Nível do marcador não lido inválido"
},
@@ -4755,30 +4071,6 @@
"translation": "Id de usuário inválido"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "Id do canal inválida"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "Hora da junção inválida"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "Hora de saída inválida"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "Id do usuário inválido"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "Id do usuário inválido"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "Não é possível processar os dados de entrada"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "Encontramos um erro enquanto conectava ao servidor"
},
@@ -4803,8 +4095,8 @@
"translation": "Falta o parâmetro team"
},
{
- "id": "model.client.login.app_error",
- "translation": "Tokens de autenticação não são iguais"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "Não foi possível escrever o pedido"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "Erro ao escrever o id do canal no formulário de multipart"
},
@@ -4847,10 +4147,30 @@
"translation": "Não foi possível construir a requisição multipart"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "CreateAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Hostname must be set"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "Id inválida"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "LastPingAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "ClusterName must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Type must be set"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "Create deve ser um tempo válido"
},
@@ -4951,6 +4271,10 @@
"translation": "Para precisa ser maior que De"
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Allowing cookies for subdomains requires SiteURL to be set."
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "Opções inválidas de proxy de imagem atmos/camo nas configurações de serviço. Deve ser configurado para sua chave compartilhada."
},
@@ -4995,10 +4319,6 @@
"translation": "Elasticsearch Live Indexing Batch Size deve ser pelo menos 1"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "A senha do ElasticSearch deve ser fornecida quando o ElasticSearch indexing está ativo."
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "Elasticsearch PostsAggregatorJobStartTime a configuração deve ser uma hora no formato \"hh:mm\""
},
@@ -5007,10 +4327,6 @@
"translation": "O tempo limite de Requisição Elasticsearch deve ser pelo menos 1 segundo."
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "O nome de usuário do ElasticSearch deve ser fornecido quando o ElasticSearch indexing está ativo."
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "Tamanho do buffer de email em lote inválido nas configurações de e-mail. Deve ser zero ou um número positivo."
},
@@ -5023,10 +4339,6 @@
"translation": "Tipo de conteúdo de notificação de email inválido para configurações de email. Deve ser 'full' ou 'generic'."
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "Senha inválida redefinir salt nas configurações de email. Deve ser de 32 caracteres ou mais."
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "Inválido convite salt em configurações de email. Deve ser de 32 caracteres ou mais."
},
@@ -5043,34 +4355,10 @@
"translation": "Inválido nome do driver em configurações de arquivo. Deve ser 'local' ou 'amazons3'"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "Definição da altura da pré-visualização inválida. Deve ser zero ou um número positivo."
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "Definição da largura da pré-visualização inválida. Deve ser um número positivo."
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "Definição da altura da perfil inválida. Deve ser um número positivo."
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "Definição da largura do perfil inválida. Deve um número positivo."
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "Inválido salt de link público em configurações de arquivo. Deve ser 32 caracteres ou mais."
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "Definição da altura do thumbnail inválida. Deve ser um número positivo."
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "Definição da largura do thumbnail inválida. Deve ser um número positivo."
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "Grupo de canais não lidos inválido nas configurações do serviço. Deve ser 'disabled', 'default_on', ou 'default_off'."
},
@@ -5083,30 +4371,14 @@
"translation": "O campo \"BaseDN\" no AD/LDAP é requerido."
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "O campo \"Bind Password\" do AD/LDAP é requerido."
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "O campo \"Bind Username\" do AD/LDAP é requerido."
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "O campo \"Email Attribute\" do AD/LDAP é requerido."
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "O campo \"First Name Attribute\" do AD/LDAP é requerido."
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "O campo \"ID Attribute\" do AD/LDAP é requerido."
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "O campo \"Last Name Attribute\" do AD/LDAP é requerido."
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "O campo \"Login ID Attribute\" do AD/LDAP é obrigatório."
},
@@ -5115,14 +4387,6 @@
"translation": "Valor do tamanho de página máximo inválido."
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Campo AD/LDAP requerido não foi preenchido."
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Campo AD/LDAP requerido não foi preenchido."
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "Inválida segurança de conexão em configurações de AD/LDAP. Deve ser '', 'TLS', or 'STARTTLS'"
},
@@ -5191,18 +4455,6 @@
"translation": "Na tarefa de exportação de mensagens o ExportFormat deve ser 'actiance' ou 'globalrelay'"
},
{
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "Na tarefa de exportação de mensagens o ExportFormat deve ser 'actiance' ou 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "Trabalho de exportação de mensagens FileLocation deve ser um diretório gravável onde os dados de exportação serão gravados"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "Trabalho de exportação de mensagens FileLocation deve ser um subdiretório de FileSettings.Directory"
- },
- {
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
"translation": "Tarefa de exportação de mensagem está definido ExportFormat para 'globalrelay', mas estão faltando GlobalRelaySettings"
},
@@ -5223,18 +4475,10 @@
"translation": "Tarefa de exportação de mensagem GlobalRelaySettings.SmtpUsername deve ser definido"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "Na tarefa de exportação de mensagens o GlobalRelayEmailAddress deve ser um endereço de email válido"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "Tamanho mínimo de senha deve ser um número inteiro maior ou igual a {{.MinLength}} e menor ou igual a {{.MaxLength}}."
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "Tamanho máximo da senha deve ser maior ou igual ao tamanho mínimo de senha."
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "Tamanho do armazenamento de memória inválido para configurações de limite de velocidade. Deve ser um número positivo"
},
@@ -5367,10 +4611,6 @@
"translation": "Create deve ser um tempo válido"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "Id de criador inválido"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "Id do emoji inválido"
},
@@ -5383,10 +4623,38 @@
"translation": "Update deve ser um tempo válido"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "Não foi possível decodificar o gif."
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "Id de canal inválido"
},
@@ -5411,6 +4679,10 @@
"translation": "ID inválida"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "Não é possível processar os dados de entrada"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "ID da equipe inválido"
},
@@ -5443,6 +4715,14 @@
"translation": "Job type inválido"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "Id app inválido"
},
@@ -5491,6 +4771,10 @@
"translation": "Id de canal inválido"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "Create deve ser um tempo válido"
},
@@ -5543,14 +4827,6 @@
"translation": "Chave inválida, deve ter mais de {{.Min}} e um máximo de {{.Max}} caracteres de comprimento."
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "Chave inválida, deve ter mais de {{.Min}} e um máximo de {{.Max}} caracteres de comprimento."
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "Plugin ID inválido, deve ter mais de {{.Min}} e um máximo de {{.Max}} caracteres de comprimento."
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "Plugin ID inválido, deve ter mais de {{.Min}} e um máximo de {{.Max}} caracteres de comprimento."
},
@@ -5699,10 +4975,6 @@
"translation": "Identificador URL inválida"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "Função inválida"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "ID da equipe inválido"
},
@@ -5719,130 +4991,18 @@
"translation": "Token inválido."
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "Dados de autenticação inválido"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "Usuário inválido, senha e de autenticação de dados não podem ser definidos"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "Usuário inválido, dados de autenticação deve ser definido com o tipo de autenticação"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "Create deve ser um tempo válido"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "Email inválido"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "Primeiro nome inválido"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "Id de usuário inválido"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "Ultimo nome inválido"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "Apelido inválido"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "Não é possível definir uma senha com mais de 72 caracteres devido a limitações do bcrypt."
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "Posição inválida: não pode ter mais que 128 caracteres."
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "Sua senha precisa conter no mínimo {{.Min}} caracteres."
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra minúscula."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra minúscula e pelo menos um número."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra minúscula, pelo menos um número e um símbolo (ex. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra minúscula e pelo menos um símbolo (ex. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra minúscula e pelo menos uma letra maiúscula."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra minúscula, pelo menos uma letra maiúscula, e pelo menos um número."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra minúscula, pelo menos uma letra maiúscula, e pelo menos um número, e pelo menos um símbolo (ex. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra minúscula, pelo menos uma letra maiúscula, e pelo menos um símbolo (ex. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos um número."
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos um número e pelo menos um símbolo (ex. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos um símbolo (ex. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra maiúscula."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra maiúscula e pelo menos um número."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra maiúscula e pelo menos um número e pelo menos um símbolo (ex. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "Sua senha deve conter no mínimo {{.Min}} caracteres composta de pelo menos uma letra maiúscula e pelo menos um símbolo (ex. \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "ID da equipe inválido"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "Update deve ser um tempo válido"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "Usuário inválido"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "Descrição inválida, deve ter 255 caracteres ou menos"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "Token de acesso inválido"
},
@@ -5855,6 +5015,10 @@
"translation": "não foi possível decodificar"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "GitLab's Terms of Service have updated. Please go to gitlab.com to accept them and then try logging into Mattermost again."
},
@@ -5863,26 +5027,6 @@
"translation": "Erro ao chamar o plugin RPC"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "Falha ao alterar o tipo da coluna %v"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "Falha ao verificar o índice %v"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "Fechando SqlStore"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "Falha ao verificar se a couna existe devido a falta do driver"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "FromDb: Não foi possível converter EncryptStringMap para *string"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "FromDb: Não foi possível converter StringArray para *string"
},
@@ -5895,82 +5039,6 @@
"translation": "FromDb: Não foi possível converter StringMap para *string"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "Falha ao criar a coluna %v"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "Falha ao criar a couna devido a falta do driver"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "Falha para criar o índice devido a falta do driver"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "Erro ao criar as tabelas no banco de dados: %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "Falha ao criar driver de dialeto específico"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "Falha ao criar driver de dialeto específico %v"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "MAC incorreto para o ciphertext fornecido"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "Falha ao obter o comprimento máximo da coluna %v"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "Falha ao abrir a conexão SQL %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "A funcionalidade de mais de uma réplica está desabilitada pela licença atual. Entre em contato com o administrador do sistema sobre como atualizar sua licença enterprise."
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "Falha ao remover o índice %v"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "Falha ao renomear a coluna %v"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "A versão do esquema do banco de dados %v parece estar desatualizada"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "Tentando atualizar o esquema do banco de dados para versão %v"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "A versão do esquema de banco de dados %v não é mais suportada. Este servidor Mattermost suporta atualizações automáticas da versão de esquema %v através da versão de esquema %v. Downgrades não são suportados. Atualize manualmente até pelo menos a versão %v antes de continuar"
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "ciphertext curto"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "Falha ao obter o tipo de dado da coluna %s para a tabela %s: %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "ciphertext muito curto"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "O esquema do banco de dados foi atualizado para a versão %v"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "Encontramos um erro ao procurar o audits"
},
@@ -5999,16 +5067,24 @@
"translation": "Não foi possível obter o número de tipos de canal"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "Não foi possível verificar as pemissões"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "Não foi possível verificar as pemissões"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "Não foi possível verificar as pemissões"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "Nenhum canal encontrado"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "Não foi possível encontrar o canal excluído existente"
},
@@ -6067,10 +5151,6 @@
"translation": "Não existe nenhum canal excluído com esse nome"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "Nós não podemos obter a informação extra para membros do canal"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "Não foi possível obter o canal para o post"
},
@@ -6231,10 +5311,6 @@
"translation": "Encontramos um erro ao procurar pelos canais"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "Não foi possível atualizar a última visualização no tempo"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "Não foi possível atualizar o canal"
},
@@ -6259,14 +5335,6 @@
"translation": "Encontramos um erro ao atualizar o membro do canal"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "Falha ao obter registros"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "Falha ao obter usuários no canal no momento especificado"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "Falha ao obter usuários no canal no período especificado"
},
@@ -6275,10 +5343,6 @@
"translation": "Falha ao gravar o histórico de membros do canal"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "Falha ao gravar o histórico de membros do canal. Nenhum registro de junção existente encontrado"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "Falha ao gravar o histórico de membros do canal. Falha ao atualizar o registro de junção existente"
},
@@ -6287,6 +5351,30 @@
"translation": "Falha ao apagar registros"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "Failed to delete"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "Falha ao verificar se a tabela existe %v"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Failed to get all discovery rows"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Failed to update last ping at"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "Não foi possível contar os comandos"
},
@@ -6411,10 +5499,6 @@
"translation": "Não foi possível salvar as informações do arquivo"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "Não foi possível salvar ou atualizar as informações do arquivo"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "Não foi possível deletar o job"
},
@@ -6567,10 +5651,6 @@
"translation": "Não foi possível salvar ou atualizar o valor da chave do plugin"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "Não foi possível salvar ou atualizar o valor da chave do plugin devido a violação de restrição exclusiva"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "Não possível obter o número de postagens"
},
@@ -6583,6 +5663,10 @@
"translation": "Não foi possível obter o número de posts"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "Não foi possível deletar o post"
},
@@ -6591,6 +5675,10 @@
"translation": "Não foi obter o post"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "Não foi possível obter o post pai para o canal"
},
@@ -6643,10 +5731,6 @@
"translation": "Encontramos um erro ao apagar o lote de posts"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "Encontramos um erro ao apagar o lote de posts"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "Não foi possível excluir as postagens por canal"
},
@@ -6663,14 +5747,6 @@
"translation": "Não foi possível determinar o tamanho máximo de postagem suportado"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message suporta no máximo %d caracteres (%d bytes)"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "Nenhuma implementação encontrada para determinar o tamanho máximo de postagem suportado"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "Não foi possível salvar o Post"
},
@@ -6683,10 +5759,6 @@
"translation": "Pesquisas foram desabilitadas neste servidor. Por favor entre em contato o Administrador do Sistema."
},
{
- "id": "store.sql_post.search.warn",
- "translation": "Error na query de procurar os posts: %v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "Não foi possível deletar o post"
},
@@ -6751,6 +5823,10 @@
"translation": "Não foi possível atualizar a preferência"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "Não é possível abrir a transação ao excluir a reação"
},
@@ -6759,20 +5835,12 @@
"translation": "Não é possível submeter a transação ao excluir a reação"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "Não é possível deletar a reação"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "Não é possível excluir as reações com o nome de emoji fornecido"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "Não é possível obter as reações com o nome emoji fornecido"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "Não é possível atualizar Post.HasReactions ao remover as reações post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "Não é possível salvar a reação"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "Não foi possível excluir a função."
},
@@ -6823,10 +5903,6 @@
"translation": "A função não é válida"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "A função não é válida"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "Falha ao abrir a transação para salvar a função"
},
@@ -6843,10 +5919,6 @@
"translation": "Não foi possível excluir as funções pertencentes a este esquema"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "Não é possível excluir o esquema em uso por 1 ou mais equipes ou canais."
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "Não foi possível excluir o esquema"
},
@@ -6895,10 +5967,6 @@
"translation": "Não foi possível contar a sessão"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "Encontramos um erro enquanto deletava a sessão expirada do usuário"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "Encontramos um erro ao procurar a sessão"
},
@@ -6907,10 +5975,6 @@
"translation": "Encontramos um erro enquanto procurava a sessão do usuário"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "Falhou ao limpar as sessões em getSessions err=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "Não foi possível remover todas as sessões para o usuário"
},
@@ -6927,10 +5991,6 @@
"translation": "Não foi possível salvar a sessão"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "Falhou ao limpar as sessões em Segurança err=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "Não foi possível atualizar a sessão"
},
@@ -6983,6 +6043,10 @@
"translation": "Encontrado um erro ao enviar o status"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "Encontramos um erro ao procurar as propriedades do sistema"
},
@@ -6991,10 +6055,6 @@
"translation": "Não foi possível encontrar a variável do sistema."
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "Não foi possível obter a versão do banco de dados"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "Não podemos apagar permanentemente as entradas da tabela do sistema"
},
@@ -7011,6 +6071,26 @@
"translation": "Não foi possível contar as equipes"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "Não foi possível encontrar a equipe existente"
},
@@ -7063,10 +6143,6 @@
"translation": "Não foi possível obter os membros da equipe"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "Encontramos um erro quando observava as equipes"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "Não foi possível obter as mensagens não lidas da equipe"
},
@@ -7151,6 +6227,14 @@
"translation": "Não foi possível atualizar o nome da equipe"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "Não foi possível contar os usuários inativos"
},
@@ -7163,12 +6247,28 @@
"translation": "Não foi possível obter o número de usuários únicos"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "Encontramos um erro ao procurar a conta"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "Foi encontrado um erro ao tentar encontrar todas as contas usando um específico tipo de autenticação."
+ "id": "store.sql_user.get.app_error",
+ "translation": "Encontramos um erro ao procurar a conta"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "Não foi possível obter o número de mensagens não lidas para o usuário e canal"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "Migração do usuário falhou. ThemeProps to Preferences table %v"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "Não foi possível encontrar o usuário."
},
@@ -7271,6 +6367,10 @@
"translation": "Uma conta com este nome de usuário já existe. Por favor contate seu Administrador."
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "Não foi possível atualizar a conta"
},
@@ -7311,18 +6411,10 @@
"translation": "Não foi possível atualizar o failed_attempts"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "Nós foi possível atualizar o last_activity_at"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "Não foi possível atualizar update_at"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "Nós foi possível atualizar o last_ping_at"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "Encontramos um erro ao atualizar o status ativo MFA do usuário"
},
@@ -7335,6 +6427,10 @@
"translation": "Não foi possível atualizar a senha do usuário"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "Não foi possível verificar o campo email"
},
@@ -7367,6 +6463,18 @@
"translation": "Encontramos um erro ao procurar os tokens de acesso"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "Não foi possível contar os webhooks entrada"
},
@@ -7459,18 +6567,10 @@
"translation": "Erro ao decodificar o arquivo de configuração={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "Erro ao obter o arquivo de configuração={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "Erro ao abrir o arquivo de configuração={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "Erro ao validar o arquivo de configuração={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "Um erro ocorreu durante o salvamento do arquivo {{.Filename}}"
},
@@ -7487,18 +6587,6 @@
"translation": "Não é possível carregar o arquivo de configuração mattermost: DefaultServerLocale deve ser uma das localidades suportadas. Configurando DefaultServerLocale para en como valor padrão."
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "Não foi possível carregar o arquivo de configuração do mattermost: AvailableLocales deve ser incluir o DefaultClientLocale"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "Análise não inicializada"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "O armazenamento de arquivos não está configurado corretamente. Por favor, configure o S3 ou o armazenamento de arquivos no servidor local."
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "Encontrado um erro listando o diretório a partir do servidor de armazenamento local."
},
@@ -7507,10 +6595,6 @@
"translation": "Encontrado um erro listando diretório a partir do S3."
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "O armazenamento de arquivos não está configurado corretamente. Por favor, configure o S3 ou o armazenamento de arquivos no servidor local."
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "Encontrado um erro removendo diretório a partir do servidor de armazenamento local."
},
@@ -7519,10 +6603,6 @@
"translation": "Encontrado um erro removendo diretório a partir do S3."
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "O armazenamento de arquivos não está configurado corretamente. Por favor, configure o S3 ou o armazenamento de arquivos no servidor local."
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "Encontrado um erro removendo arquivo a partir do servidor de armazenamento local."
},
@@ -7531,38 +6611,6 @@
"translation": "Encontrado um erro removendo arquivo a partir do S3."
},
{
- "id": "utils.i18n.loaded",
- "translation": "Carregado o sistema de traduções para '%v' de '%v'"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "Necessário fornecer um tamanho positivo"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "Nenhuma licença enterprise encontrada"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "Não foi possível remover o arquivo de licença, err=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "Encontrado um erro ao decodificar a licença, err=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "Assinatura inválida, err=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "Licença assinada não é longa o suficiente"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "Encontrado um erro ao assinar a licença, err=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "Falha ao definir HELO"
},
@@ -7579,14 +6627,6 @@
"translation": "Falha ao autenticar no servidor de SMTP"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "Falha ao definir HELO para o servir SMTP %v"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "Falha ao abrir a conexão SMTP para o servidor %v"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "Falha ao escrever o anexo para o e-mail"
},
@@ -7607,42 +6647,10 @@
"translation": "Falha ao adicionar os dados a mensagem de email"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "enviando email para %v com assunto '%v'"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "Erro em configurar \"To Address\""
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "Configurações do servidor SMTP não parecem estar configuradas corretamente err=%v detalhes=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "Configurações do servidor SMTP não parecem estar configuradas corretamente err=%v detalhes=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "Console Admin"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "Autorizar Aplicação"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "Não foi possível encontrar o nome da equipe=%v, err=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "Conta Pedido"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "Não foi possível encontrar o usuário teamid=%v, email=%v, err=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "Não foi possível encontrar o comando"
},
@@ -7655,42 +6663,6 @@
"translation": "Não é possível processar os dados de entrada"
},
{
- "id": "web.create_dir.error",
- "translation": "Falha ao criar o diretório observador %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "Erro na obtenção do perfil dos usuários para id=%v forçando o logout"
- },
- {
- "id": "web.doc.title",
- "translation": "Documentação"
- },
- {
- "id": "web.email_verified.title",
- "translation": "Email Verificado"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "Seu navegador atual não é suportado. Por favor atualize para um dos seguintes navegadores:"
},
@@ -7699,12 +6671,8 @@
"translation": "Navegador não suportado"
},
{
- "id": "web.find_team.title",
- "translation": "Encontrar Equipe"
- },
- {
- "id": "web.header.back",
- "translation": "Voltar"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "Nenhum texto específicado"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "Tamanho máximo do texto é de {{.Max}} caracteres, tamanho recebido é de {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "Não foi possível encontrar o usuário"
- },
- {
- "id": "web.init.debug",
- "translation": "Inicializando web routes"
- },
- {
- "id": "web.login.error",
- "translation": "Não foi possível encontrar o nome da equipe=%v, err=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "Login"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "Nome da equipe inválida"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "Analisando modelos no %v"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "Post ID Inválido"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "O link de redefinição de senha expirou"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "O link de redefinição não parece ser válido"
- },
- {
- "id": "web.root.home_title",
- "translation": "Início"
- },
- {
- "id": "web.root.singup_title",
- "translation": "Inscrever-se"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "O link de inscrição expirou"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "Completar Inscrição na Equipe"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "Inscrição Email Enviado"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "O link de inscrição expirou"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "O tipo da equipe não permite convites abertos"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "Inscrição de Usuário Completa"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "Nome da equipe inválida"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "Falha ao adicionar diretório observador %v"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "Inicializando as rotas de API web socket de status"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "Inicializando as rotas de API web socket do sistema"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "Inicializando as rotas de API web socket de usuários"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "Inicializando as rotas de API web socket de webrtc"
}
]
diff --git a/i18n/ru.json b/i18n/ru.json
index c20e59a56..36886c375 100644
--- a/i18n/ru.json
+++ b/i18n/ru.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "Апрель"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "Август"
- },
- {
- "id": "December",
- "translation": "Декабрь"
- },
- {
- "id": "February",
- "translation": "Февраль"
- },
- {
- "id": "January",
- "translation": "Январь"
- },
- {
- "id": "July",
- "translation": "Июль"
- },
- {
- "id": "June",
- "translation": "Июнь"
- },
- {
- "id": "March",
- "translation": "Март"
- },
- {
- "id": "May",
- "translation": "Май"
- },
- {
- "id": "November",
- "translation": "Ноябрь"
- },
- {
- "id": "October",
- "translation": "Октябрь"
- },
- {
- "id": "September",
- "translation": "Сентябрь"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "Ошибка чтения лог файла."
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "Фирменная символика не настроена или не поддерживается на этом сервере."
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "Хранилище изображений не настроено."
},
{
- "id": "api.admin.init.debug",
- "translation": "Инициализация административных маршрутов API."
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "Переподключение к базе данных завершено."
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "Попытка восстановления соединения с базой данных."
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "Возникла проблема при удалении файла сертификата. Убедитесь , что файл config/{{.Filename}} существует."
},
@@ -92,6 +36,10 @@
"translation": "Произошла ошибка при построении метаданных поставщика услуг."
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>Кажется, ваша электронная почта Mattermost установлена верно!"
},
@@ -112,14 +60,6 @@
"translation": "S3 Bucket is required"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "S3 Endpoint is required"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "S3 Region is required"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "Пустой массив 'image' в запросе"
},
@@ -128,10 +68,6 @@
"translation": "Нет файла 'image' в запросе"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "Фирменная символика не настроена или не поддерживается на этом сервере"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "Невозможно обработать форму из нескольких частей"
},
@@ -144,38 +80,10 @@
"translation": "Невозможно загрузить файл. Он слишком большой."
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "Не удалось разобрать шаблоны сервера %v"
- },
- {
- "id": "api.api.render.error",
- "translation": "Ошибка отрисовки шаблона %v err=%v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "Невозможно получить пользователя для проверки разрешений."
- },
- {
- "id": "api.brand.init.debug",
- "translation": "Инициализация маршрутов brand API"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v добавлен(а) в канал %v"
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "Не удаётся найти канал"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "Не удалось найти пользователя для добавления"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "Не удалось найти пользователя для добавления"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "Не удалось добавить пользователя в канал"
},
@@ -192,30 +100,6 @@
"translation": "Не могу добавить пользователя в канал этого типа"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "Создание и управление Приватными Каналами доступно только Системным Администраторам."
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "Создание и управление Приватными Каналами доступно Команде и Системным Администраторам."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "Создание и управление Публичными Каналами возможно только Системными Администраторами."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "Создание и управление Публичными Каналами возможно Командой и Системными Администраторами."
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "Канал преобразован в публичный и к нему может присоединиться любой участник."
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "Канал преобразован в приватный."
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "Канал по умолчанию не может быть преобразован в частный. "
},
@@ -268,50 +152,6 @@
"translation": "Данный канал был перемещён в архив, либо удалён"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "Не удалось отправить в архив сообщение %v"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "Не удалось отправить сообщение в архив"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "Обнаружена ошибка при удалении входящего вебхукa, id=%v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "Обнаружена ошибка при удалении исходящего вебхукa, id=%v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "У вас нет соответствующих прав"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "Нет канала с channel_id={{.ChannelId}} в команде с team_id={{.TeamId}}"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "Не удалось получить количество каналов из базы данных"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "Канал был архивирован или удалён"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "Не удалось разобрать лимит участников"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "Ошибка при получении профиля пользователя для id=%v, выход"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "Инициализация API каналов"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "Канал уже удалён"
},
@@ -340,6 +180,10 @@
"translation": "%v покинул канал."
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "Ну удалось отправить сообщение об обновлении отображаемого имени канала"
},
@@ -380,22 +224,10 @@
"translation": "Невозможно удалить пользователя с канала по умолчанию {{.Channel}}"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "У вас нет соответствующих прав "
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v удален из канала."
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "Не удаётся удалить пользователя."
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "Не удалось найти пользователя для удаления"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "Канал был архивирован или удалён"
},
@@ -404,10 +236,6 @@
"translation": "Канал был архивирован или удалён"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "У вас нет соответствующих прав"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "Попытка выполнения недопустимого обновления канала по умолчанию {{.Channel}}"
},
@@ -424,26 +252,14 @@
"translation": "Unable to set the scheme to the channel because the supplied scheme is not a channel scheme."
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "Невозможно получить количество непрочитанных сообщений для пользователя user_id=%v и канала channel_id=%v, err=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "The provided role is managed by a Scheme and therefore cannot be applied directly to a Team Member"
},
{
- "id": "api.cluster.init.debug",
- "translation": "Инициализация маршрутов кластерного API"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "Интеграции могут быть выполнены только администраторами."
},
{
- "id": "api.command.delete.app_error",
- "translation": "Отсутствуют права на команду удаления"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "Комманды были отключены системным администратором."
},
@@ -472,18 +288,10 @@
"translation": "Команда с триггером '{{.Trigger}}' не найдена. Чтобы отправить сообщение, начинающееся с «/», попробуйте добавить пустое пространство в начале сообщения."
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "Ошибка при сохранении ответа команды в канал"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "Не найден командный триггер"
},
{
- "id": "api.command.init.debug",
- "translation": "Инициализация API команд"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "Отправить письмо с приглашением вашей команде в Mattermost"
},
@@ -516,18 +324,10 @@
"translation": "Приглашение(-я) отправлено"
},
{
- "id": "api.command.regen.app_error",
- "translation": "Отсутствуют права на пересоздание токена"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "Невозможно обновить команды через команды"
},
{
- "id": "api.command.update.app_error",
- "translation": "Несоответствующие права для обновления команды"
- },
- {
"id": "api.command_away.desc",
"translation": "Установить состояние \"Нет на месте\""
},
@@ -568,10 +368,6 @@
"translation": "Ошибка обновления текущего канала."
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "Заголовок канала успешно обновлен."
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "Ошибка получения текущего канала."
},
@@ -644,10 +440,6 @@
"translation": "Ошибка обновления текущего канала."
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "Имя канала успешно обновлено."
- },
- {
"id": "api.command_code.desc",
"translation": "Отобразить текст как блок кода"
},
@@ -696,10 +488,6 @@
"translation": "Режим \"Не беспокоить\" включен. Вы не будете получать оповещения на рабочем столе или мобильных устройствах до тех пор, пока не отключите режим \"Не беспокоить\"."
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "Невозможно создать /echo post, err=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "Задержки должны быть менее 10000 секунд"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "Мы не смогли найти пользователей: %s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "Произошла ошибка при составлении списка пользователей."
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "Максимальное количество получателей групповых сообщений ограничено {{.MaxUsers}} пользователями."
},
@@ -779,18 +559,10 @@
"translation": "Максимальное количество получателей групповых сообщений ограничено {{.MaxUsers}} пользователями."
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "Мы не смогли найти пользователя"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "сообщение"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "Коммуницируемый пользователь."
- },
- {
"id": "api.command_help.desc",
"translation": "Открыть страницу помощи Mattermost"
},
@@ -875,10 +647,6 @@
"translation": "присоединиться"
},
{
- "id": "api.command_join.success",
- "translation": "Подключенный канала."
- },
- {
"id": "api.command_kick.name",
"translation": "kick"
},
@@ -891,14 +659,6 @@
"translation": "Во время отключения от канала произошла ошибка."
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "При перечислении каналов произошла ошибка."
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "Канал не найден"
- },
- {
"id": "api.command_leave.name",
"translation": "покинуть"
},
@@ -947,10 +707,6 @@
"translation": "@[username] 'сообщение'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "Произошла ошибка при перечислении пользователей."
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "Мы не смогли найти пользователя"
},
@@ -959,10 +715,6 @@
"translation": "сообщение"
},
{
- "id": "api.command_msg.success",
- "translation": "Коммуницируемый пользователь."
- },
- {
"id": "api.command_mute.desc",
"translation": "Отключить уведомления на рабочем столе, электронной почте и push для текущего или указанного канала [канала]."
},
@@ -1115,10 +867,6 @@
"translation": "пожимание плечами"
},
{
- "id": "api.compliance.init.debug",
- "translation": "Инициализация маршрутов compliance API"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "Новый формат конфигурации клиента пока не поддерживается. Пожалуйста, укажите format=old в строке запроса."
},
@@ -1135,14 +883,6 @@
"translation": "Неверный параметр {{.Name}}"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "Неверная сессия err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "Адрес команды доступен, но не корректен. Он не должен использоваться в API или в тех функциях, что независимы от неё."
- },
- {
"id": "api.context.invalid_token.error",
"translation": "Неверный токен сессии={{.Token}}, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "Неверный или пропущенный параметр {{.Name}} в запросе URL"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "Очистка всех кэшей"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "Сбой при обновлении времени последней активности для user_id=%v и session_id=%v, ошибка=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v code=%v rid=%v uid=%v ip=%v %v [details: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "На этом сервере требуется многофакторная авторизация."
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "Отсутствует идентификатор команды"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "У вас нет соответствующих прав"
},
@@ -1179,26 +903,10 @@
"translation": "Неверная или истекшая сессия, пожалуйста, войдите снова."
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "У вас нет соответствующих прав (system)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "Сессия не OAuth, но токен присутствует в строке запроса"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "Произошла неизвестная ошибка. Пожалуйста, свяжитесь с поддержкой."
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "API версии 3 отключен на этом сервере. Пожалуйста, используйте API версии 4. Посетите https://api.mattermost.com для более подробного ознакомления."
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "Инициализация устаревших маршрутов API"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "Канал-получатель почтового объединения был полон. Пожалуйста, увеличьте значение EmailBatchingBufferSize."
},
@@ -1207,14 +915,6 @@
"translation": "Почтовые объединения отключены системным администратором"
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "Объединение почтовых уведомлений запущено. %v пользователя(ей) ожидают уведомлений."
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "Невозможно найти канал поста для почтового объединения уведомлений"
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Day}} {{.Month}}"
},
@@ -1235,10 +935,6 @@
"translation": "Уведомление от "
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "Невозможно найти отправителя поста для почтового объединения уведомлений"
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "У вас есть новое уведомление.",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "Невозможно узнать настройки экрана получателя почтового объединения уведомлений "
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "Не удалось отправить почтовое объединение уведомлений %v: %v"
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] Новое уведомление за {{.Day}} {{.Month}}, {{.Year}}",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "Невозможно найти получателя почтового объединения уведомлений"
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "Запускается задача отправки почтового объединения. Отложенные письма проверяются каждые %v секунд."
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "Не удалось создать эмодзи. Уже существует другой эмодзи с таким же именем."
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "Невозможно создать эмодзи. Непонятен запрос."
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "Отсутствуют права на создание эмодзи."
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "Невозможно создать эмодзи. Непонятен запрос."
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "Невозможно создать эмодзи. Изображение должно быть не более 1 MB."
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "Не удалось удалить реакции при удалении эмодзи с именем %v"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "Дополнительные эмодзи были отключены системным администратором."
},
@@ -1301,14 +977,6 @@
"translation": "Не удалось прочитать файл изображения для эмодзи."
},
{
- "id": "api.emoji.init.debug",
- "translation": "Инициализация API эмодзи"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "Инициализация API эмодзи"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "Хранилище файлов не настроено. Пожалуйста, настройте S3 или локальное серверное файловое хранилище."
},
@@ -1333,12 +1001,12 @@
"translation": "Невозможно создать смайлик. Произошла ошибка при кодирования GIF изображения."
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "Вложения отключены на этом сервере."
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "Публичные ссылки были запрещены системным администратором"
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "Вложения отключены на этом сервере."
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "Файл не имеет миниатюры"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "Не удалось получить информацию о файле. Файл должен быть прикреплен к сообщению, которое может быть прочитано текущим пользователем."
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "Не удалось получить информацию о файле. Хранилище изображений не настроено."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Не удалось загрузить файл. Хранилище изображений не настроено."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Не удалось загрузить файл. Хранилище изображений не настроено."
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "Публичные ссылки были отключены"
},
@@ -1377,116 +1029,52 @@
"translation": "Не удалось получить публичную ссылку для файла. Файл должен быть прикреплен к сообщению, которое может быть прочитано текущим пользователем."
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "Невозможно декодировать изображение err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "Не удалось открыть изображение как jpeg path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "Не удалось открыть изображение как превью jpeg path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "Не удалось загрузить превью path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "Не удалось загрузить миниатюру path=%v err=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "Инициализация API файлов"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "Невозможно получить канал при миграции сообщений используя FileInfo, post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "Невозможно найти файл при миграции сообщений используя FileInfo, post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "Невозможно получить информацию о файлах из сообщения после миграции, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "Не удалось получить сообщение при миграции сообщений используя FileInfo, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "Невозможно полностью декодировать информацию из файла при миграции сообщений используя FileInfo, post_id=%v, filename=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "Миграция сообщения используя FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "Найдено необычное имя файла при миграции сообщений используя FileInfo, post_id=%v, channel_id=%v, user_id=%v, filename=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "Невозможно мигрировать сообщение с пустым полем Filename используя FileInfo, post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "Сообщение уже перенесено используя FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "Невозможно сохранить сообщение при миграции сообщений используя FileInfo, post_id=%v, file_id=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "Невозможно сохранить информацию о файле при миграции сообщений используя FileInfo, post_id=%v, file_id=%v, filename=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "Невозможно скопировать файл в пределах S3"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "Не удалось найти группу для FileInfo, post_id=%v, filenames=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "Невозможно удалить файл из S3."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "Не удалось получить группы при миграции сообщений используя FileInfo, post_id=%v, err=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "Не удалось локально переместить файл."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "Не удалось декодировать имя файла при миграции сообщений используя FileInfo, post_id=%v, filename=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "No file driver selected."
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "Хранилище файлов не настроено. Пожалуйста, настройте S3 или локальное серверное файловое хранилище."
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "Произошла ошибка при чтении из локального серверного хранилища"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "Невозможно скопировать файл в пределах S3"
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "Произошла ошибка при чтении из локального серверного хранилища"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "Невозможно удалить файл из S3."
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "Произошла ошибка при чтении из локального серверного хранилища"
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "Не удалось получить файл от S3."
+ "id": "api.file.reader.s3.app_error",
+ "translation": "Произошла ошибка при чтении из локального серверного хранилища"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "Не удалось локально переместить файл."
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Don't have permissions to write to local path specified or other error."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "Хранилище файлов не настроено. Пожалуйста, настройте или S3 или локальное серверное файловое хранилище."
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Unable to create bucket."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "Не удалось получить файл от S3"
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Error checking if bucket exists."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "Произошла ошибка при чтении из локального серверного хранилища"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "Bad connection to S3 or minio."
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "Невозможно загрузить файл. Он слишком большой."
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "Хранилище файлов не настроено. Пожалуйста, настройте или S3 или локальное серверное файловое хранилище."
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "Произошла ошибка при записи в S3"
},
@@ -1525,34 +1109,6 @@
"translation": "Произошла ошибка при записи в локальное серверное хранилище"
},
{
- "id": "api.general.init.debug",
- "translation": "Инициализация API основных маршрутов"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "Ошибка добавления вложения к сообщению. postId=%v, fileIds=%v, message=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "Ошибка сохранения поста. пользователь=%v, сообщение=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "Не удалось присоединиться к команде во время импорта err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "Возникла проблема при присоединении к каналам по умолчанию user_id=%s, team_id=%s, err=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "Ошибка сохранения пользователя. ошибка=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "Не удалось проверить адрес электронной почты err=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "Входящие вебхуки были отключены системным администратором."
},
@@ -1561,10 +1117,6 @@
"translation": "Неверное имя пользователя"
},
{
- "id": "api.ldap.init.debug",
- "translation": "Инициализация маршрутов LDAP API"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "Пустой массив 'license' в запросе"
},
@@ -1605,30 +1157,6 @@
"translation": "Новый формат пользовательской лицензии пока не поддерживается. Пожалуйста, укажите format=old в строке запроса. "
},
{
- "id": "api.license.init.debug",
- "translation": "Инициализация API лицензирования"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "Лицензия не была корректно удалена."
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "invalid_request: Плохой client_id"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "invalid_request: Отсутствует или плохой redirect_uri"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "invalid_request: Плохой response_type"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "server_error: Ошибка доступа к базе данных"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "invalid_request: Предоставленный redirect_uri не соотвутствует зарегистрированному callback_url"
},
@@ -1641,14 +1169,6 @@
"translation": "Системный администратор отключил поставщика услуг OAuth2."
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "Отсутствие одного или нескольких параметров из response_type, client_id, or redirect_uri"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "Несоответствующие права для удаления приложения OAuth2"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "invalid_request: Плохой client_id"
},
@@ -1705,22 +1225,10 @@
"translation": "ошибочная_привилегия: Ошибочный токен обновления"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "Не найден код аутентификации в коде=%s"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "Инициализация OAuth API"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "Недействительный токен состояния"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "Отсутствуют права на пересоздание OAuth2 App Secret"
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "Системный администратор отключил авторизацию через OAuth2."
},
@@ -1749,8 +1257,8 @@
"translation": "Неправильная ссылка на регистрацию"
},
{
- "id": "api.opengraph.init.debug",
- "translation": "Инициализация открытых графиков для api"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "{{.Username}} были упомянуты, но они не получили уведомлений поскольку не состоят в этом канале."
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "Возникла ошибка при приложении файлов к сообщению, post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "Неправильное имя файла, filename=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "Невозможно создать пост в удаленном канале."
},
@@ -1789,10 +1289,6 @@
"translation": "Неверный ChannelId для параметра RootId"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "Возникла ошибка при обновлении последнего просмотренного, channel_id=%s, user_id=%s, err=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "Неправильный ParentId параметр"
},
@@ -1809,18 +1305,6 @@
"translation": "Ошибка создания записи"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "Невозможно удалить свойство \"отмеченный пост\" при удалении самого поста, err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "У вас нет соответствующих прав"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "Возникла ошибка при удалении файлов из сообщения, post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "Упоминание @all было отключено, поскольку количество пользователей на канале превышает {{.Users}}."
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "Возникла ошибка при получении файлов для уведомляющего сообщения, post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}} изображение отправлено: {{.Filenames}}{{.Count}} изображений отправлено: {{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "Не удается скомпилировать регулярное выражение для @упоминания user_id=%v, err=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "У вас нет соответствующих прав"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "Не удалось получить участников канала channel_id=%v, err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "Не удалось создать ответ на запись, err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "Ошибка события POST, err=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "Инициализация API отправки"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "Предпросмотр ссылок был запрещён системным администратором."
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "Не удалось получить 2 участников для канала личных сообщений channel_id={{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "Не удалось получить учасников канала channel_id=%v, err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "Ошибка сохранения настроек канала user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "Ошибка обновления настроек канала user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "Невозможно получить профиль участников канала, user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " notified the channel."
},
@@ -1919,26 +1355,6 @@
"translation": " commented on a thread you participated in."
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "Создатель сообщения отсутствует в канале, уведомление не отправлено post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "Очистка push-уведомлений для %v в channel_id %v"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "Не удалось получить файлы при уведомлении о сообщении, post_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "Не удалось получить команды при отправке кросс-командного личного сообщения user_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "Новое упоминание"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": " упомянул вас"
},
@@ -1955,30 +1371,10 @@
"translation": "sent you a message."
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "Не удалось отправить push-уведомление device_id={{.DeviceId}}, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}} отправлен"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "Не удалось обновить количество упоминаний, post_id=%v channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "Мы не смогли найти существующий пост или коментарий для обновления."
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "У вас нет соответствующих прав"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "Возможность редактирования сообщений была отключена. Пожалуйста, обратитесь к Вашему системному администратору за подробностями."
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "Уже удален id={{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "Не удалось получить post"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "Невозможно декодировать предпочтение из запроса"
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "Не удалось удалить настройки для другого пользователя"
- },
- {
- "id": "api.preference.init.debug",
- "translation": "Инициализация API настроек"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "Невозможно декодировать предпочтения из запроса"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "Не удалось установить настройки для другого пользователя"
- },
- {
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "Не удалось удалить реакцию, так как в адресе идентификатор канала не совпал с идентификатором сообщения"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "Инициализация API реакций"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "Не удалось получить реакции, так как в адресе идентификатор канала не совпал с идентификатором сообщения"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "Реакция невалидна."
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "Не удалось сохранить реакцию, так как в адресе идентификатор канала не совпал с идентификатором сообщения"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "Вы не можете сохранить реакцию для другого пользователя."
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "Не удалось получить сообщение при отправке websocket-события реакции"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "Your current license does not support advanced permissions."
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "Сертификат не сохранен корректно."
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "Unable to get the teams for scheme because the supplied scheme is not a team scheme."
},
{
- "id": "api.server.new_server.init.info",
- "translation": "Инициализация сервера..."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "Не удается переправить порт 80 на порт 443 во время прослушивания порта %s: отключить переадресацию 80 до 443 при использовании прокси-сервера"
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "Сервер ожидает подключения на %v"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "RateLimiter включен"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "RateLimitSettings не настроен должным образом с использованием VaryByHeader и с отключенным VaryByRemoteAddr"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "Не удалось инициализировать ограничение памяти. Проверьте параметр MemoryStoreSize в настройках."
},
@@ -2095,22 +1455,6 @@
"translation": "Ошибка запуска сервера, err:%v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "Запуск сервера..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "Ошибка запуска сервера "
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "Сервер остановлен"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "Остановка сервера..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "Slack пользователь с email {{.Email}} и паролем {{.Password}} импортирован.\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "Не удалось импортировать Slack канал {{.DisplayName}}.\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Менеджер импорта Slack: Невозможно импортировать канал Slack: %s."
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "Slack канал {{.DisplayName}} уже существует в виде канала Mattermost. Произведено слияние.\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Импорт Slack: Произошла ошибка при добавлении файлов к сообщению, post_id=%s, file_ids=%v, err=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Импорт Slack: Сообщения Slack ботов пока не могут быть импортированы."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Импорт Slack: Невозможно импортировать сообщение бота, так как учётная запись бота не существует."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Импорт Slack: Невозможно импортировать сообщение, так как оно не имеет комментариев."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Импорт Slack: Невозможно импортировать сообщение, так как не обнаружено поле user."
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Импорт Slack: Невозможно добавить сообщение бота, так как не обнаружено поле BotId."
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Импорт Slack: Невозможно импортировать сообщение, так как оно не поддерживаемого формата: post_type=%v, post_subtype=%v."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Импорт Slack: Невозможно импортировать файл {{.Field}}, так как файл не найден в zip-архиве экспорта Slack."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Slack Import: невозможно присоединить файл к сообщению, поскольку последний не имеет раздела «файл», присутствующего в разделе «Экспорт слайков»."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Импорт Slack: Невозможно открыть файл {{.Field}} из экспорта Slack. {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Импорт Slack: Произошла ошибка при загрузке файла {{.FileId}}: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Импорт Slack: Невозможно добавить сообщение, так как Slack пользователь %v не существует в Mattermost."
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Импорт Slack: Невозможно импортировать сообщение, так как не обнаружен поле user."
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\nПользователи созданы:\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "Пользователь {{.Username}} не имеет адреса электронной почты в экспорте из Slack. Используется {{.Email}} как заглушка. Пользователь должен обновить адрес электронной почты при входе в систему.\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "Пользователь {{.Username}} не имеет адреса электронной почты в экспорте из Slack. Используется {{.Email}} как заглушка. Пользователь должен обновить адрес электронной почты при входе в систему."
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "Не удалось импортировать пользователя: {{.Username}}.\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Менеджер импорта Slack: Невозможно собрать регулярное выражение !channel для канала Slack с именем {{.ChannelName}} (id={{.ChannelID}})."
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Менеджер импорта Slack: Обнаружена неправильная отметка времени."
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Менеджер импорта Slack: Невозможно собрать регулярное выражение @mention для пользователя Slack под именем {{.Username}} (id={{.UserID}})."
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Менеджер импорта Slack: Невозможно деактивировать аккаунт бота."
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Лог импорта Mattermost Slack\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "Невозможно открыть zip-архив экспортируемых из Slack данных.\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Менеджер импорта Slack: Возникла ошибка во время обработки некоторых каналов Slack. Импорт мог завершиться успешно."
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Менеджер импорта Slack: Возникла ошибка во время обработки некоторых сообщений Slack. Импорт мог завершиться успешно."
- },
- {
- "id": "api.status.init.debug",
- "translation": "Инициализация API статусов"
- },
- {
- "id": "api.status.init.debug",
- "translation": "Инициализация API статусов"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "Сбой при обновлении LastActivityAt для user_id=%v и session_id=%v, err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "Не удалось сохранить статус для user_id=%v, err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "Пользователь не найден"
},
{
- "id": "api.system.go_routines",
- "translation": "Количество запущенных goroutines больше, чем порог стабильной работы %v из %v"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v добавлен(а) в команду пользователем %v"
},
@@ -2307,32 +1547,16 @@
"translation": "Для добавления пользователя в команду требуется указать параметр."
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "Вход в команду с электронной почтой отключен."
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "Вход в команду с электронной почтой отключен."
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "Ссылка на регистрацию устарела"
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "Этот URL-адрес недоступен. Пожалуйста, попробуйте другой."
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "Произошла ошибка при отправке электронной почты в emailTeams err=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "Приглашение недопустимо, так команда не является открытой."
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "Только команда администраторов может импортировать данные."
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "Неправильный запрос: отсутствует поле \"filesize\"."
},
{
- "id": "api.team.init.debug",
- "translation": "Инициализация API команд"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "администратор"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "Этот человек уже есть в вашей команде"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "Данный адрес почтового ящика не принадлежит списку разрешенных доменов: {{.Addresses}}. Пожалуйста, обратитесь к Вашему системному администратору за информацией."
},
@@ -2387,22 +1599,6 @@
"translation": "Никого нет для приглашения."
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "Приглашение новых пользователей в команду разрешено только Системному Администратору."
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "Приглашение новых пользователей в команду разрешено только Администраторам команды и Системным администраторам."
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "Не удалось отправить приглашение по электронной почте err=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "отправка приглашения для %v %v"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "Возможность создания команд была отключена. Пожалуйста, обратитесь к вашему системному администратору за подробностями."
},
@@ -2427,14 +1623,6 @@
"translation": "Канал перемещен в эту команду из %v."
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "Попытка безвозвратно удалить команду %v id=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "Команда %v id=%v безвозвратно удалена"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "Произошла ошибка при подключении команды"
},
@@ -2491,10 +1679,6 @@
"translation": "Не удалось установить значок"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "Вход в команду с электронной почтой отключен."
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "Во время создания метки произошла ошибка:"
},
@@ -2503,10 +1687,6 @@
"translation": "Указанный пользователь не является участником указанной группы."
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "У Вас нет соответствующих разрешений"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "License does not support updating a team's scheme"
},
@@ -2515,10 +1695,6 @@
"translation": "Unable to set the scheme to the team because the supplied scheme is not a team scheme."
},
{
- "id": "api.templates.channel_name.group",
- "translation": "Групповые сообщения"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "You deactivated your account on {{ .SiteURL }}.<br>If this change wasn't initiated by you or you want to reactivate your account, contact your system administrator."
},
@@ -2571,22 +1747,6 @@
"translation": "Прислал"
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "По Вашему запросу поиска команды связанной с Вашим адресом электронной почтой найдено:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "Мы не смогли найти никаких команд для данного адреса электронной почты."
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "Поиск команд"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "Ваши команды {{ .SiteName }}"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "Присоединиться к команде"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] Ваш метод входа обновлён"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "Настройка Вашей команды"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }} - это одно из мест общения и поиска всех Ваших команд.<br>Вы получите больше информации о {{.SiteName}} если будите постоянно на связи, не останавливайтесь, только вперед."
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "Спасибо за создание команды!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "{{ .SiteName }} настройки команды"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>ВАШИ ДУБЛИРУЮЩИЕ АККАУНТЫ БЫЛИ ОБНОВЛЕНЫ</h3>Ваш сервер Mattermost обновлен до версии 3.0, она позволяет использовать одну учетную запись на несколько команд.<br/><br/>Вы получили это письмо, так как в процессе обновления было найдено, что Ваш аккаунт был привязан к адресу электронной почты или пользователю для другой учетной записи на сервере.<br/><br/>Были выполнены следующие обновления:<br/><br/>{{if .EmailChanged }}-Дубликат адреса электронной почты для команды `/{{.TeamName}}` изменен на `{{.Email}}`. Вам нужно будет использовать этот адрес электронной почты и пароль для входа в систему.<br/><br/>{{end}}{{if .UsernameChanged }}-Дубликат логина для команды `/{{.TeamName}}` изменен на `{{.Username}}`, чтобы избежать путаницы с другими аккаунтами.<br/><br/>{{end}} РЕКОМЕНДОВАННОЕ ДЕЙСТВИЕ: <br/><br/>Мы рекомендуем, чтобы Вы вошли в Ваши команды, используя Ваши дублирующиеся аккаунты и добавили Ваш основной аккаунт в команду, а так же публичные каналы и приватные группы, которые Вы хотите продолжать использовать далее. <br/><br/>Это даст Вашему основному аккаунту доступ ко всем публичным каналам и истории приватных групп. Если Вы хотите получить доступ к истории личных сообщений Ваших дублирующих аккаунтов, Вам нужно войти в систему со своими полномочиями. <br/><br/>ЧТОБЫ ПОЛУЧИТЬ БОЛЬШЕ ИНФОРМАЦИИ: <br/><br/>Для получения дополнительной информации об обновлении до Mattermost 3.0 перейдите по ссылке: <a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] Произошли изменения в Вашей учетной записи для обновления до Mattermost 3.0"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "В ваш аккаунт добавлен токен доступа. {{.SiteURL}}. Они могут использоваться для доступа к {{.SiteName}} в вашей учетной записи. <br> Если это изменение не было инициировано вами, обратитесь к системному администратору."
},
@@ -2787,10 +1923,6 @@
"translation": "Недопустимый статус"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "Недопустимый статус; проверьте имя команды"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "Отсутствует маркер доступа"
},
@@ -2839,10 +1971,6 @@
"translation": "Уже существует учетная запись связанная с этим адресом электронной почты, использующая метод входа отличный от {{.Service}}. Пожалуйста, войдите, используя {{.Auth}}."
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "Эта {{.Service}} учетная запись уже была использована для регистрации"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "Невозможно создать пользователя из {{.Service}} объекта пользователя"
},
@@ -2871,10 +1999,6 @@
"translation": "Создание аккаунтов отключено."
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "Возникла проблема при присоединении к каналам по умолчанию user_id=%s, team_id=%s, err=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "Отсутствует Invite Id."
},
@@ -2887,10 +2011,6 @@
"translation": "Этот сервер не разрешает открытую регистрацию. Пожалуйста, поговорите с администратором для получения приглашения."
},
{
- "id": "api.user.create_user.save.error",
- "translation": "Невозможно сохранить пользователя err=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "Регистрация с электронной почтой отключена."
},
@@ -2903,22 +2023,14 @@
"translation": "Ссылка для регистрации, похоже, неверна."
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "Неверное имя команды"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "Возникла ошибка при сохранении настройки режима обучения, err=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "Не удалось проверить адрес электронной почты err=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "AD/LDAP недоступен на этом сервере"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "МФА не настроена или не поддерживается на этом сервере"
},
@@ -2927,18 +2039,10 @@
"translation": "Неподдерживаемый провайдер OAuth"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "Ошибка при получении профиля пользователя для id=%v, принудительный выход"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "Не удалось получить изображение профиля, пользователь не найден."
},
{
- "id": "api.user.init.debug",
- "translation": "Инициализация API пользователей"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "AD/LDAP недоступен на этом сервере"
},
@@ -2951,6 +2055,14 @@
"translation": "Поле с паролем не должно быть пустым"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Attempted to sign in using the experimental feature ClientSideCert without providing a valid certificate"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Attempt to use the experimental feature ClientSideCertEnable without a valid enterprise license"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "Вход не удался, поскольку ваша учетная запись отключена. Пожалуйста, свяжитесь с администратором."
},
@@ -2959,18 +2071,10 @@
"translation": "Идентификатор пользователя или пароль неверны."
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "Необходимо указать либо идентификатор пользователя, либо имя команды и электронную почту пользователя"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "Вход не удался, поскольку адрес электронной почты не был проверен"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "Отзыв sessionId=%v для повторного входа userId=%v с тем же идентификатором устройства"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "Пожалуйста войдите при помощи {{.AuthService}}"
},
@@ -2983,18 +2087,6 @@
"translation": "Невозможно разобрать данные авторизации из {{.Service}} объекта пользователя"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "Поле с паролем не должно быть пустым"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "AD/LDAP недоступен на этом сервере"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "Требуется идентификатор"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "AD/LDAP недоступен на этом сервере"
},
@@ -3003,16 +2095,12 @@
"translation": "Не удалось обновить пароль, поскольку контекст user_id не соответствует предоставленному идентификатору пользователя"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "Попытка безвозвратно удалить учетную запись %v id=%v"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "Учетная запись %v id=%v безвозвратно удалена"
- },
- {
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "Вы удаляете %v, который является системным администратором. Вам может потребоваться назначение другой учетной записи в качестве администратора при помощи инструментов командной строки."
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "Невозможно сбросить пароль для учетной записи SSO"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "Попытка сбросить пароль пользователя не в той команде."
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "SAML 2.0 не настроен или не поддерживается на этом сервере."
},
@@ -3055,12 +2139,12 @@
"translation": "Не удалось отправить письмо с подтверждением смены адреса электронной почты"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "Не удалось отправить письмо об обновлении пароля"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "Мы не смогли найти учетную запись с таким адресом."
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "Не удалось отправить письмо об обновлении пароля"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "Не удалось отправить приветственное письмо"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "Вы не можете изменять состояние активности учетных записей AD/LDAP. Пожалуйста, измените его через сервер AD/LDAP."
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "You cannot deactivate yourself because this feature is not enabled. Please contact your System Administrator."
},
@@ -3131,26 +2211,6 @@
"translation": "Не удалось обновить пароль, поскольку мы не смогли найти действительную учетную запись"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "Должен быть хотя бы один активный администратор"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "У вас нет соответствующих прав"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "Для этого действия требуется роль администратора системы"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "Роль администратора системы может быть установлена только другим администратором системы"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "Для этого действия требуется роль администратора команды"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "Пустой массив 'изображения' в запросе"
},
@@ -3195,40 +2255,28 @@
"translation": "Плохая ссылка проверки email."
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "Запуск %v хабов Websocket"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "Закрытие соединений к хабам Websocket"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "websocket соединение err: %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "Не удалось обновить соединение с web-сокетом"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "Инициализация API веб-сокетов"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [подробно: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "ошибка маршрутизации websocket: seq=%v uid=%v %v [подробности: %v]"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "остановка командного хаба для teamId=%v"
- },
- {
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "Исходящие вебхуки были отключены системным администратором."
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "Должны быть заданы trigger_words или channel_id"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "Входящие вебхуки были отключены системным администратором."
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "Отсутствуют права на удаление входящего вебхука"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "Исходящие вебхуки отключены системным администратором."
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "Отсутствуют права на удаление исходящего вебхука"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "Входящий вебхук получен. Содержание="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "Не удалось прочитать полезную нагрузку входящего вебхука."
- },
- {
"id": "api.webhook.incoming.error",
"translation": "Не удалось декодировать многостраничную полезную нагрузку входящего вебхука"
},
{
- "id": "api.webhook.init.debug",
- "translation": "Инициализация API вебхуков"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "Отсутствуют права на пересоздание токена для исходящего вебхука"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "Невозможно обновить вебхук для команд"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "Входящие вебхуки были отключены системным администратором."
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "Отсутствуют права на удаление входящего вебхука"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "Исходящие вебхуки были отключены системным администратором."
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "Исходящие вебхуки одного канала не могут иметь одинаковые слова-триггеры/вызываемые URL."
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "Исходящие вебхуки могут быть созданы только для общественных каналов."
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "Отсутствуют права на создания исходящего вебхука."
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "Должны быть заданы слова-триггеры или идентификатор канала"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "WebRTC не доступен на этом сервере."
},
{
- "id": "api.webrtc.init.debug",
- "translation": "Инициализация WebRTC API"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "Мы столкнулись с неожиданной ошибкой при попытке зарегистрировать токен WebRTC"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "Неверная сессия err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "Недопустимый параметр {{.Name}}"
},
@@ -3367,6 +2351,10 @@
"translation": "%s обновил заголовок канала на: %s"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "Ошибка чтения файла импорта."
},
@@ -3375,6 +2363,18 @@
"translation": "Ошибка обработки строки JSON."
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Cannot set a channel to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Channel must be assigned to a Channel-scoped scheme."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "Ошибка импорта канала. Команда с именем \"{{.TeamName}}\" не найдена."
},
@@ -3431,6 +2431,10 @@
"translation": "Строка импорта данных содержит тип \"post\", но объект post равен null."
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "Строка импорта данных содержит тип \"channel\", но объект channel равен null."
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "Строка импорта данных содержит тип \"team\", но объект team равен null."
},
@@ -3459,12 +2463,28 @@
"translation": "Ошибка импорта сообщения. Пользователя с именем \"{{.Username}}\" не найден."
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "The bulk importer cannot change the scope of an already-existing scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Cannot set a team to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Team must be assigned to a Team-scoped scheme."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "Ошибка импорта участия пользователя в каналах. Не удалось сохранить настройки."
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "Если свойство Channel create_at присутствует, то оно не может быть равно 0."
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "Заголовок канала слишком длинный."
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for channel."
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "Пропущено обязательное свойство channel: team"
},
@@ -3639,12 +2663,44 @@
"translation": "Отсутствует необходимое поле для Post: User."
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "Свойство Team allowed_domains слишком длинное."
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "Неверное описание"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "Недопустимое имя для отображения"
+ },
+ {
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "Invalid permission on role."
+ },
+ {
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "Неверное имя пользователя"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "Неверное описание"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "Недопустимое имя для отображения"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "Неверное имя пользователя"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "Scheme scope is required."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "Unknown scheme scope."
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "Если свойство Team create_at задано, то оно не может быть 0."
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "The wrong roles were provided for a scheme with this scope."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "Имя команды содержит зарезервированные слова."
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for team."
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "Неверный тип команды."
},
@@ -3739,8 +2799,8 @@
"translation": "Invalid Channel Trigger Notify Prop for user."
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "Invalid Comment Trigger Notify Prop for user."
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "Invalid Mobile Push Status Notify Prop for user."
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "User Password has invalid length."
},
@@ -3875,10 +2939,6 @@
"translation": "Не удалось отключить плагин"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "Unable to delete plugin status state."
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "Plugins have been disabled. Please check your logs for details."
},
@@ -3891,8 +2951,8 @@
"translation": "Encountered filesystem error"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "Не удалось получить активные плагины"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "Эта команда достигла максимального количества разрешенных учетных записей. Свяжитесь с системным администратором для установки большего предела."
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "Failed to deserialize Timezone config file={{.Filename}}, err={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "Timezone config file does not exists file={{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "Failed to read Timezone config file={{.Filename}}, err={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "Invalid or missing token"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "Возможность создания новых групповых каналов сообщений"
},
@@ -3979,6 +3063,22 @@
"translation": "Создать Групповое Сообщение"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "Ability to create posts in public channels"
},
@@ -3987,12 +3087,28 @@
"translation": "Create Posts in Public Channels"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "Возможность создавать новые команды"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "Создание команд"
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "Create Personal Access Token"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "Ability to manage jobs"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "Manage Jobs"
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "Управление ролями команды"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "Возможность чтения публичных каналов"
},
@@ -4035,6 +3383,30 @@
"translation": "Read Personal Access Tokens"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "Ability to revoke personal access tokens"
},
@@ -4059,6 +3431,62 @@
"translation": "Использовать слэш-команды"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "A role with the permission to post in any public, private or direct channel on the system"
},
@@ -4083,6 +3511,14 @@
"translation": "Personal Access Token"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "A role with the permission to post in any public or private channel on the team"
},
@@ -4099,96 +3535,108 @@
"translation": "Post in Public Channels"
},
{
- "id": "cli.license.critical",
- "translation": "Feature requires an upgrade to Enterprise Edition and the inclusion of a license key. Please contact your System Administrator."
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "Невозможно декодировать изображение."
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "Невозможно декодировать конфигурации изображения."
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "Невозможно закодировать изображение в PNG."
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "Невозможно открыть файл изображения."
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "Невозможно сохранить изображение"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "Невозможно открыть изображение. Файл слишком большой."
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "Cluster configuration has changed for id={{ .id }}. The cluster may become unstable and a restart is required. To ensure the cluster is configured correctly you should perform a rolling restart immediately."
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
+ },
+ {
+ "id": "cli.license.critical",
+ "translation": "Feature requires an upgrade to Enterprise Edition and the inclusion of a license key. Please contact your System Administrator."
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "Кластерная отправка не удалась в `%v` детали=%v, дополнительно=%v, количество попыток=%v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "Кластерная отправка не удалась окончательно в `%v` детали=%v, дополнительно=%v, количество попыток=%v"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "Потенциально несовместимая версия обнаружена для кластеризации с %v"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "Cluster configuration has changed for id={{ .id }}. The cluster may become unstable and a restart is required. To ensure the cluster is configured correctly you should perform a rolling restart immediately."
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "Потенциально несовместимые настройки обнаружены для кластеризации с %v"
+ "id": "ent.cluster.save_config.error",
+ "translation": "System Console is set to read-only when High Availability is enabled unless ReadOnlyConfig is disabled in the configuration file."
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "Функция кластеризации недоступна при текущей лицензии. Пожалуйста, свяжитесь с системным администратором по поводу улучшения вашей корпоративной лицензии."
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "Unknown output format {{.ExportType}}"
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "Не удался кластерный пинг до имени хоста=%v на=%v с идентификатором=%v"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Unable to copy the attachment into the zip file."
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "Успешный кластерный пинг до имени хоста=%v на=%v с идентификатором=%v от имени=%v"
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Unable to add attachment to the CSV export."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "System Console is set to read-only when High Availability is enabled unless ReadOnlyConfig is disabled in the configuration file."
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Unable to create temporary CSV export file."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "Кластерная межузловая связь прослушивается на %v с именем хоста=%v и идентификтором=%v"
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Unable to add header to the CSV export."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "Кластерная межузловая связь останавливается на %v с именем хоста=%v и идентификтором=%v"
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Unable to add metadata file to the zip file."
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "Функция комплаенса недоступна при текущей лицензии. Пожалуйста, свяжитесь с системным администратором по поводу улучшения вашей корпоративной лицензии."
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "Экспорт комплаенс-листа не удался для задания '{{.JobName}}' в '{{.FilePath}}'"
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "Экспорт комплаенс-листа завершён для задачи '{{.JobName}}', выгружено {{.Count}} записей в '{{.FilePath}}'"
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "Предупреждение при экспорте комплаенс-листа для задачи '{{.JobName}}' возвращено слишком много строк, сокращено до 30 000 в '{{.FilePath}}'"
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "Функция комплаенса недоступна при текущей лицензии. Пожалуйста, свяжитесь с системным администратором по поводу улучшения вашей корпоративной лицензии."
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "Экспорт комплаенс-листа начат для задачи '{{.JobName}}' в '{{.FilePath}}'"
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.run_failed.error",
+ "translation": "Экспорт комплаенс-листа не удался для задания '{{.JobName}}' в '{{.FilePath}}'"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "Не удалось создать индекс Elasticsearch"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "Failed to establish whether Elasticsearch index exists"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "Не удалось создать индекс Elasticsearch"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "Не удалось удалить индекс Elasticsearch"
},
@@ -4287,18 +3727,6 @@
"translation": "Failed to create Elasticsearch bulk processor"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "Failed to create Elasticsearch bulk processor"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "Не удалось создать индекс Elasticsearch"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "Failed to start Elasticsearch bulk processor"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "Failed to start Elasticsearch bulk processor"
},
@@ -4319,10 +3747,6 @@
"translation": "The Elasticsearch Server URL or Username has changed. Please re-enter the Elasticsearch password to test connection."
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "Ограничения на дополнительные эмодзи недоступны при текущей лицензии. Пожалуйста, свяжитесь с системным администратором по поводу улучшения вашей корпоративной лицензии."
- },
- {
"id": "ent.ldap.create_fail",
"translation": "Невозможно создать пользователя LDAP."
},
@@ -4355,10 +3779,6 @@
"translation": "Невозможно подключиться к серверу AD/LDAP"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "Полномочия действительными, но не удалось создать пользователя."
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "Ваша учетная запись AD/LDAP не имеет разрешения на использование этого сервера Mattermost. Пожалуйста, обратитесь к системному администратору, чтобы проверить фильтр пользователей AD/LDAP."
},
@@ -4367,40 +3787,16 @@
"translation": "Пользователь не зарегистрирован на сервере AD/LDAP"
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "Пользователь Mattermost был обновлен сервером AD/LDAP."
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "LDAP sync worker failed due to the sync job failing"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "LDAP sync worker failed to create the sync job"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "Синхронизация AD/LDAP завершена"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "Не удалось получить всех пользователей с помощью AD/LDAP"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "Неверный фильтр AD/LDAP"
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.message_export.generic.license.error",
- "translation": "License does not support Message Export."
- },
- {
- "id": "ent.metrics.starting.info",
- "translation": "Сервер метрик и профилирования запускается на %v"
- },
- {
- "id": "ent.metrics.stopping.info",
- "translation": "Сервер метрик и профилирования останавливается на %v"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "Неверный фильтр AD/LDAP"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "Во время кодирования запроса к провайдеру идентификации произошла ошибка. Пожалуйста, обратитесь к системному администратору."
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "Во время кодирования подписи запроса к провайдеру идентификации произошла ошибка. Пожалуйста, обратитесь к системному администратору."
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "Возникла ошибка во время настройки поставщика службы SAML, err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "Попытка входа с использованием SAML не удалась по причине того, что не был обнаружен приватный ключ поставщика службы. Пожалуйста, свяжитесь с системным администратором."
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "Публичный сертификат провайдера услуг не найден. Пожалуйста, обратитесь к системному администратору."
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "Попытка входа с использованием SAML не удалась, так как ответ поставщика учетных записей не зашифрован. Пожалуйста, свяжитесь с системным администратором."
},
@@ -4527,8 +3915,12 @@
"translation": "SAML 2.0 не настроен или не поддерживается на этом сервере."
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "Невозможно обновить существующего пользователя SAML. Несмотря на это, вход разрешен. err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "Failed to set job status to error"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "Невозможно найти канал: %v, найдено похожих %v "
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "Невозможно получить каналы"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "Создание пользователя и команды"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "Невозможно разобрать URL"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "Идет настройка для теста вручную..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "Отсутствует uid в URL"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "Ручной тест автоматического соединения"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "Невозможно получить каналы"
},
@@ -4575,50 +3947,6 @@
"translation": "Бюллетень безопасности Mattermost"
},
{
- "id": "mattermost.config_file",
- "translation": "Загружен файл конфигурации %v"
- },
- {
- "id": "mattermost.current_version",
- "translation": "Текущая версия %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "Enterprise лицензия: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "Требуется лицензионный ключ от https://mattermost.com для доступа к возможностям корпоративной редакции."
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "Не удалось получить сведения о бюллетенях безопасности"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "Не удалось прочитать подробности о бюллетенях безопасности"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "Проверка наличия обновлений безопасности от Mattermost"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "Не удалось получить информацию об обновлениях безопасности от Mattermost."
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "Отправка сводки безопасности для %v к %v"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "Не удалось установить системных администраторов для информации об обновлениях безопасности от Mattermost."
- },
- {
- "id": "mattermost.working_dir",
- "translation": "Текущий рабочий каталог %v"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "Migration failed due to invalid progress data."
},
@@ -4707,10 +4035,6 @@
"translation": "Недопустимый идентификатор"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "Недопустимое имя"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "Недопустимая назначение"
},
@@ -4731,10 +4055,6 @@
"translation": "Invalid email notification value"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "Invalid muting value"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "Недопустимый уровень уведомлений"
},
@@ -4743,10 +4063,6 @@
"translation": "Invalid push notification level"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "Недопустимая роль"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "Невозможно пометить как непрочитанное: неверный уровень разрешения."
},
@@ -4755,30 +4071,6 @@
"translation": "Неверный id пользователя"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "Недопустимый идентификатор канала"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "Некорректный job type"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "Invalid leave time"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "Недопустимый идентификатор пользователя"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "Недопустимый идентификатор пользователя"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "Невозможно разобрать входящие данные"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "Мы обнаружили ошибку при подключении к серверу"
},
@@ -4803,8 +4095,8 @@
"translation": "Missing team parameter"
},
{
- "id": "model.client.login.app_error",
- "translation": "Маркеры аутентификации не совпадают"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "Не удалось записать запрос"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "Error writing channel id to multipart form"
},
@@ -4847,10 +4147,30 @@
"translation": "Unable to build multipart request"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "CreateAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Hostname must be set"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "Недопустимый идентификатор"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "LastPingAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "ClusterName must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Type must be set"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "\"Создать в\" должно быть корректным временем"
},
@@ -4951,6 +4271,10 @@
"translation": "\"До\" должно быть больше, чем \"С\""
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Allowing cookies for subdomains requires SiteURL to be set."
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "Invalid atmos/camo image proxy options for service settings. Must be set to your shared key."
},
@@ -4995,10 +4319,6 @@
"translation": "Elasticsearch Live Indexing Batch Size must be at least 1"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "Elastic Search Password setting must be provided when Elastic Search indexing is enabled."
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "Elasticsearch PostsAggregatorJobStartTime setting must be a time in the format \"hh:mm\""
},
@@ -5007,10 +4327,6 @@
"translation": "Elasticsearch Request Timeout must be at least 1 second."
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "Elastic Search Username setting must be provided when Elastic Search indexing is enabled."
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "Неверный размер буфера почтового объединения в настройках почты. Число должно быть неотрицательным."
},
@@ -5023,10 +4339,6 @@
"translation": "Invalid email notification contents type for email settings. Must be one of either 'full' or 'generic'."
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "Неверная соль сброса пароля в настройках почты. Должна состоять из 32 и более символов."
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "Неверная соль приглашения в настройках почты. Должна состоять из 32 и более символов."
},
@@ -5043,34 +4355,10 @@
"translation": "Неверное имя драйвера в настройках файлов. Должно быть 'local' или 'amazons3'"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "Неверная высота предварительного просмотра в настройках файлов. Число должно быть неотрицательным."
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "Неверная ширина предварительного просмотра в настройках файлов. Число должно быть положительным."
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "Неверная высота профиля в настройках файлов. Число должно быть положительным."
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "Неверная ширина профиля в настройках файлов. Число должно быть положительным."
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "Неверная соль публичной ссылки в настройках файлов. Должна состоять из 32 и более символов."
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "Неверная высота миниатюры в настройках файлов. Число должно быть положительным."
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "Неверная ширина миниатюры в настройках файлов. Число должно быть положительным."
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "Invalid group unread channels for service settings. Must be 'disabled', 'default_on', or 'default_off'."
},
@@ -5083,30 +4371,14 @@
"translation": "Требуется поле AD/LDAP \"BaseDN\"."
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "Требуется поле AD/LDAP \"Bind Password\"."
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "Требуется поле AD/LDAP \"Bind Username\"."
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "Требуется поле AD/LDAP \"Email Attribute\"."
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "Требуется поле AD/LDAP \"First Name Attribute\"."
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "Требуется поле AD/LDAP \"ID Attribute\"."
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "Требуется поле AD/LDAP \"Last Name Attribute\"."
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "Требуется поле AD/LDAP \"ID Attribute\"."
},
@@ -5115,14 +4387,6 @@
"translation": "Неверное значение максимального размера страницы."
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Отсутствует требуемое поле AD/LDAP."
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Отсутствует требуемое поле AD/LDAP."
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "Неверный тип безопасности соединения в настройках AD/LDAP. Должно быть '', 'TLS', или 'STARTTLS'"
},
@@ -5188,19 +4452,7 @@
},
{
"id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "Message export job ExportFormat must be one of either 'actiance' or 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "Message export job ExportFormat must be one of either 'actiance' or 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "Message export job FileLocation must be a writable directory that export data will be written to"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "Message export job FileLocation must be a sub-directory of FileSettings.Directory"
+ "translation": "Message export job ExportFormat must be one of 'actiance', 'csv' or 'globalrelay'"
},
{
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
@@ -5223,18 +4475,10 @@
"translation": "Message export job GlobalRelaySettings.SmtpUsername must be set"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "Message export job GlobalRelayEmailAddress must be set to a valid email address"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "Минимальная длина пароля должна быть целым числом большим или равным {{.MinLength}}, а также меньшим или равным {{.MaxLength}}."
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "Максимальная длина пароля должна быть большей или равной минимальной длине пароля."
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "Неверный размер хранилища памяти в настройках ограничения скорости. Должен быть положительным числом."
},
@@ -5367,10 +4611,6 @@
"translation": "\"Создан в\" должно быть корректным временем"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "Некорректный идентификатор автора"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "Некорректный идентификатор emoji"
},
@@ -5383,10 +4623,38 @@
"translation": "\"Обновлено в\" должно быть корректным временем"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "Не удалось декодировать gif."
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "Некорректный идентификатор канала"
},
@@ -5411,6 +4679,10 @@
"translation": "Некорректный идентификатор"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "Невозможно разобрать входящие данные"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "Недопустимый идентификатор команды"
},
@@ -5443,6 +4715,14 @@
"translation": "Некорректный job type"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "Некорректный идентификатор приложения"
},
@@ -5491,6 +4771,10 @@
"translation": "Некорректный идентификатор канала"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "\"Создано в\" должно быть корректным временем"
},
@@ -5543,14 +4827,6 @@
"translation": "Invalid key, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "Invalid key, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "Invalid plugin ID, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "Invalid plugin ID, must be more than {{.Min}} and a of maximum {{.Max}} characters long."
},
@@ -5699,10 +4975,6 @@
"translation": "Некорректный идентификатор URL"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "Некорректная роль"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "Недопустимый идентификатор команды"
},
@@ -5719,130 +4991,18 @@
"translation": "Неверный токен."
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "Некорректные данные авторизации"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "Некорректные имя пользователя, пароль и данные авторизации."
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "Некорректное имя пользователя, данные авторизации должны быть установлены в типе авторизации"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "\"Создано в\" должно быть корректным временем"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "Некорректный адрес эл.почты"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "Некорректное имя пользователя"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "Некорректный идентификатор пользователя"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "Некорректная фамилия пользователя"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "Некорректное прозвище пользователя"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "Unable to set a password over 72 characters due to the limitations of bcrypt."
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "Неверная позиция: должно быть не более 35 символов."
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "Ваш пароль должен содержать по крайней мере {{.Min}} символов."
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "Ваш пароль должен содержать по крайней мере {{.Min}} символов, а так же одну букву в нижнем регистре."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "Ваш пароль должен содержать по крайней мере {{.Min}} символов, а так же одну букву в нижнем регистре и одну цифру."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "Ваш пароль должен содержать по крайней мере {{.Min}} символов, а так же одну букву в нижнем регистре, одну цифру и один спец.символ (\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "Ваш пароль должен содержать по крайней мере {{.Min}} символов, а так же одну букву в нижнем регистре и один спец.символ (\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "Ваш пароль должен содержать по крайней мере {{.Min}} символов, а так же одну букву в нижнем и верхнем регистре."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "Ваш пароль должен содержать по крайней мере {{.Min}} символов, а так же одну букву в верхнем регистре и одну цифру."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "Ваш пароль должен содержать по крайней мере {{.Min}} символов, а так же одну букву в нижнем регистре, одну букву верхнем регистре, одну цифру и спец.символ (\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "Ваш пароль должен содержать по крайней мере {{.Min}} символов, а так же одну букву в нижнем регистре, одну букву в верхнем регистре, одну цифру и спец.символ (\"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "Ваш пароль должен содержать как минимум {{.Min}} символов, по крайней мере один из которых должен быть цифрой."
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "Ваш пароль должен содержать как минимум {{.Min}} символов, включая по крайней мере одну цифру и один спецсимвол (напр., \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "Ваш пароль должен содержать как минимум {{.Min}} символов, включая по крайней мере один спецсимвол (напр., \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "Ваш пароль должен содержать как минимум {{.Min}} символов, включая по крайней мере одну заглавную букву."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "Ваш пароль должен содержать как минимум {{.Min}} символов, включая по крайней мере одну заглавную букву и одну цифру."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "Ваш пароль должен содержать как минимум {{.Min}} символов, включая по крайней мере одну заглавную букву, одну цифру и один спецсимвол (напр., \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "Ваш пароль должен содержать как минимум {{.Min}} символов, включая по крайней мере одну заглавную букву и один спецсимвол (напр., \"~!@#$%^&*()\")."
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "Недопустимый идентификатор команды"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "Значение поля \"Обновить в\" должно являться корректным временем"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "Неверное имя пользователя"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "Invalid description, must be 255 or less characters"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "Неверный токен доступа"
},
@@ -5855,6 +5015,10 @@
"translation": "невозможно декодировать"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "GitLab's Terms of Service have updated. Please go to gitlab.com to accept them and then try logging into Mattermost again."
},
@@ -5863,26 +5027,6 @@
"translation": "Error invoking plugin RPC"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "Не удалось изменить тип колонки %v"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "Не удалось проверить индекс %v"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "Закрытие SqlStore"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "Не удалось проверить существование колонки по причине отсутствующего драйвера"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "FromDb: Невозможно преобразовать EncryptStringMap в *string"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "FromDb: Невозможно преобразовать StringArray в *string"
},
@@ -5895,82 +5039,6 @@
"translation": "FromDb: Невозможно преобразовать StringMap в *string"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "Не удалось создать колонку %v"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "Не удалось создать колонку по причине отсутствующего драйвера"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "Не удалось создать индекс из-за отсутствия драйвера"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "Ошибка при создании следующих таблиц базы данных: %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "Не удалось найти SQL диалект драйвера"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "Не удалось найти SQL диалект драйвера %v"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "Некорректная имитовставка для данного шифротекста"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "Не удалось получить максимальную длину колонки %v"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "Не удалось открыть SQL соединение %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "Функция многократной репликации чтения недоступна при текущей лицензии. Пожалуйста, свяжитесь с системным администратором по поводу улучшения вашей корпоративной лицензии."
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "Неудачная попытка удалить индекс %v"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "Не удалось переименовать колонку %v"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "Похоже, версия схемы базы данных %v устарела."
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "Попытка обновить схему базы данных до версии %v"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "Database schema version %v is no longer supported. This Mattermost server supports automatic upgrades from schema version %v through schema version %v. Downgrades are not supported. Please manually upgrade to at least version %v before continuing"
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "короткий шифротекст"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "Не удалось получить тип данных колонки %s из таблицы %s: %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "шифротекст слишком короток"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "Схема базы данных была обновлена до версии %v"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "Обнаружены проблемы с поиском аудитов"
},
@@ -5999,16 +5067,24 @@
"translation": "Не удалось получить подсчет типов каналов"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "Не удалось проверить разрешения"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "Не удалось проверить разрешения"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "Не удалось проверить разрешения"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "Каналы не найдены"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "Не удалось найти существующий удалённый канал"
},
@@ -6067,10 +5151,6 @@
"translation": "Не существует удалённого канала с таким именем."
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "Не удалось получить дополнительные сведения об участниках канала"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "Мы не смогли получить канал для данного сообщения"
},
@@ -6231,10 +5311,6 @@
"translation": "Возникла проблема при поиске канала"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "Не удалось установить время последнего просмотра на"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "Не удалось обновить канал"
},
@@ -6259,14 +5335,6 @@
"translation": "Возникла ошибка при обновлении участника канала"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "Failed to get records"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "Failed to get users in channel at specified time"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "Failed to get users in channel during specified time period"
},
@@ -6275,10 +5343,6 @@
"translation": "Failed to record channel member history"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "Failed to record channel member history. No existing join record found"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "Failed to record channel member history. Failed to update existing join record"
},
@@ -6287,6 +5351,30 @@
"translation": "Failed to purge records"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "Failed to delete"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "Не удалось проверить, существует ли таблица %v"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Failed to get all discovery rows"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Failed to update last ping at"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "Не удалось подсчитать команды"
},
@@ -6411,10 +5499,6 @@
"translation": "Мы не смогли сохранить информацию о файле"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "Не удалсоь сохранить информацию о файле"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "Не удалось удалить задачу"
},
@@ -6567,10 +5651,6 @@
"translation": "Could not save or update plugin key value"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "Could not save or update plugin key value due to unique constraint violation"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "Не удалось получить количество постов"
},
@@ -6583,6 +5663,10 @@
"translation": "Не удалось получить количество пользователей с постами"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "Неудачная попытка удалить пост"
},
@@ -6591,6 +5675,10 @@
"translation": "Не удалось получить пост"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "Не удалось получить родительский пост для канала"
},
@@ -6643,10 +5731,6 @@
"translation": "We encountered an error permanently deleting the batch of posts"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "We encountered an error permanently deleting the batch of posts"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "Не удалось удалить сообщения на канале"
},
@@ -6663,14 +5747,6 @@
"translation": "We couldn't determine the maximum supported post size"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message supports at most %d characters (%d bytes)"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "No implementation found to determine the maximum supported post size"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "Не удалось сохранить Пост"
},
@@ -6683,10 +5759,6 @@
"translation": "Поиск на этом сервере отключен. Пожалуйста, обратитесь к администратору."
},
{
- "id": "store.sql_post.search.warn",
- "translation": "Ошибка запроса поиска сообщений: %v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "Мы не смогли обновить Пост"
},
@@ -6751,6 +5823,10 @@
"translation": "Не удалось обновить настройку"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "Не удалось открыть транзакцию при удалении реакции"
},
@@ -6759,20 +5835,12 @@
"translation": "Не удалось совершить транзакцию при удалении реакции"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "Не удалось удалить реакцию"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "Не удалось удалить реакцию с данным именем эмодзи"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "Не удалось получить реакцию с данным именем эмодзи"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "Не удалось обновить Post.HasReactions во время удаления реакции post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "Не удалось сохранить реакцию"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "Unable to delete the role"
},
@@ -6823,10 +5903,6 @@
"translation": "The role was not valid"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "The role was not valid"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "Failed to open the transaction to save the role"
},
@@ -6843,10 +5919,6 @@
"translation": "Unable to delete the roles belonging to this scheme"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "Unable to delete the scheme as it in use by 1 or more teams or channels"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "Unable to delete the scheme"
},
@@ -6895,10 +5967,6 @@
"translation": "Не удалось подсчитать сессии"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "Возникла ошибка при удалении просроченных пользовательских сессий"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "Возникла ошибка при поиске сессии"
},
@@ -6907,10 +5975,6 @@
"translation": "Возникла ошибка при поиске сессий пользователя"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "Не удалось очистить сессии в getSessions err=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "Неудачная попытка удалить все сессии пользователя"
},
@@ -6927,10 +5991,6 @@
"translation": "Не удалось сохранить сессию"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "Не удалось очистить сессии в Save err=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "Невозможно обновить имеющуюся сессию"
},
@@ -6983,6 +6043,10 @@
"translation": "Возникла ошибка при обновлении статуса"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "Возникла ошибка при поиске свойств системы"
},
@@ -6991,10 +6055,6 @@
"translation": "Не удалось найти системную переменную."
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "Не удалось получить версию базы данных"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "We could not permanently delete the system table entry"
},
@@ -7011,6 +6071,26 @@
"translation": "Не удалось подсчитать команды"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "Не удалось найти существующую команду"
},
@@ -7063,10 +6143,6 @@
"translation": "Мы не можем получить список участников команды"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "Возникла ошибка при поиске команд"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "Не удалось получить список непрочтённых сообщений для команды"
},
@@ -7151,6 +6227,14 @@
"translation": "Не удалось обновить имя команды"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "Не удалось подсчитать количество неактивных пользователей"
},
@@ -7163,12 +6247,28 @@
"translation": "Не удалось подсчитать уникальных пользователей"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "Возникла ошибка с обнаружением учетной записи"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "Возникла ошибка при попытке найти все учетные записи, использующие определенный тип аутентификации."
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
+ },
+ {
+ "id": "store.sql_user.get.app_error",
+ "translation": "Возникла ошибка с обнаружением учетной записи"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "Не удалось получить количество непрочитанных сообщений для пользователя и канала"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "Не удалось перенести User.ThemeProps в таблицу Preferences %v"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "Не удалось найти пользователя"
},
@@ -7271,6 +6367,10 @@
"translation": "Учетная запись с таким именем пользователя уже существует. Пожалуйста, свяжитесь с Администратором."
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "Не удалось обновить учетную запись."
},
@@ -7311,18 +6411,10 @@
"translation": "Не удалось обновить failed_attempts"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "Не удалось обновить last_activity_at"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "Мы не смогли сохранить время последнего обновления"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "Не удалось обновить last_ping_at"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "Возникла ошибка при обновлении состояния активности MFA пользователя"
},
@@ -7335,6 +6427,10 @@
"translation": "Не удалось обновить пароль пользователя"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "Невозможно обновить поле проверки электронной почты"
},
@@ -7367,6 +6463,18 @@
"translation": "Возникла ошибка с обнаружением токена доступа"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "Не удалось подсчитать входящие вебхуки"
},
@@ -7459,18 +6567,10 @@
"translation": "Ошибка декодирования конфигурационного файла file={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "Ошибка извлечения конфигурационной информации file={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "Ошибка открытия конфигурации file={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "Ошибка проверки конфигурации file={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "Возникла ошибка при сохранении файла в {{.Filename}}"
},
@@ -7487,18 +6587,6 @@
"translation": "Unable to load mattermost configuration file: DefaultServerLocale must be one of the supported locales. Setting DefaultServerLocale to en as default value."
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "Unable to load mattermost configuration file: AvailableLocales must include DefaultClientLocale"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "Аналитика не инициализирована"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "Хранилище файлов не настроено. Пожалуйста, настройте S3 или локальное серверное файловое хранилище."
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "Произошла ошибка при чтении из локального серверного хранилища"
},
@@ -7507,10 +6595,6 @@
"translation": "Encountered an error listing directory from S3."
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "Хранилище файлов не настроено. Пожалуйста, настройте S3 или локальное серверное файловое хранилище."
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "Произошла ошибка при чтении из локального серверного хранилища"
},
@@ -7519,10 +6603,6 @@
"translation": "Encountered an error removing directory from S3."
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "Хранилище файлов не настроено. Пожалуйста, настройте S3 или локальное серверное файловое хранилище."
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "Произошла ошибка при чтении из локального серверного хранилища."
},
@@ -7531,38 +6611,6 @@
"translation": "Encountered an error removing file from S3."
},
{
- "id": "utils.i18n.loaded",
- "translation": "Загружен перевод системы на '%v' из '%v'"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "Необходимо обеспечить положительный размер"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "Не найдена действительная корпоративная лицензия"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "Невозможно удалить лицензионный файл, err=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "Обнаружена ошибка расшифровки лицензии, ошибка=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "Неверная подпись, err=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "Подписанная лицензия недостаточно длинна"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "Обнаружена ошибка подписывания лицензии, err=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "Не удалось установить HELO"
},
@@ -7579,14 +6627,6 @@
"translation": "Не удалось авторизоваться на SMTP сервере"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "Failed to to set the HELO to SMTP server %v"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "Не удалось установить соединение с SMTP сервером %v"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "Failed to write attachment to email"
},
@@ -7607,42 +6647,10 @@
"translation": "Не удалось добавить данные почтового сообщения"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "отправка письма к %v с темой '%v'"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "Error setting \"To Address\""
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "Похоже, были неправильно заданы настройки SMTP сервера err=%v details=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "Похоже, были неправильно заданы настройки SMTP сервера err=%v details=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "Консоль администратора"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "Разрешить приложение"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "Не удалось найти команду name=%v, err=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "Заявка на учетную запись"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "Не удалось найти пользователя teamid=%v, email=%v, err=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "Не удалось найти команду"
},
@@ -7655,42 +6663,6 @@
"translation": "Невозможно разобрать входящие данные"
},
{
- "id": "web.create_dir.error",
- "translation": "Не удалось создать наблюдатель каталога %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "Ошибка при получении профиля пользователя для id=%v, принудительный выход"
- },
- {
- "id": "web.doc.title",
- "translation": "Документация"
- },
- {
- "id": "web.email_verified.title",
- "translation": "Адрес электронной почты подтвержден"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "Your current browser is not supported. Please upgrade to one of the following browsers:"
},
@@ -7699,12 +6671,8 @@
"translation": "Неподдерживаемый Браузер"
},
{
- "id": "web.find_team.title",
- "translation": "Найти команду"
- },
- {
- "id": "web.header.back",
- "translation": "Назад"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "Текст не задан"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "Максимальная длина текста {{.Max}} символов, получено {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "Не удалось найти пользователя"
- },
- {
- "id": "web.init.debug",
- "translation": "Инициализация сетевых маршрутов"
- },
- {
- "id": "web.login.error",
- "translation": "Не удалось найти команду name=%v, err=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "Вход"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "Недопустимое имя команды"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "Разбор шаблонов на %v"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "Неверный идентификатор поста"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "Ссылка для сброса пароля просрочена"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "Ссылка для сброса, похоже, недействительна"
- },
- {
- "id": "web.root.home_title",
- "translation": "На главную"
- },
- {
- "id": "web.root.singup_title",
- "translation": "Регистрация"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "Ссылка для регистрации устарела"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "Завершение регистрации команды"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "Регистрационное письмо отправлено"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "Ссылка для регистрации устарела"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "Тип команды не позволяет открытые приглашения"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "Завершение регистрации пользователя"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "Недопустимое имя команды"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "Не удалось добавить директорию к наблюдателю %v"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "Инициализация маршрутов статусного WebSocket API"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "Инициализация маршрутов системного WebSocket API"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "Инициализация маршрутов пользовательского WebSocket API"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "Инициализация маршрутов webrtc WebSocket API"
}
]
diff --git a/i18n/tr.json b/i18n/tr.json
index 04fe2daca..910372e70 100644
--- a/i18n/tr.json
+++ b/i18n/tr.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "Nisan"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "Ağustos"
- },
- {
- "id": "December",
- "translation": "Aralık"
- },
- {
- "id": "February",
- "translation": "Şubat"
- },
- {
- "id": "January",
- "translation": "Ocak"
- },
- {
- "id": "July",
- "translation": "Temmuz"
- },
- {
- "id": "June",
- "translation": "Haziran"
- },
- {
- "id": "March",
- "translation": "Mart"
- },
- {
- "id": "May",
- "translation": "Mayıs"
- },
- {
- "id": "November",
- "translation": "Kasım"
- },
- {
- "id": "October",
- "translation": "Ekim"
- },
- {
- "id": "September",
- "translation": "Eylül"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "Günlük dosyası okunurken sorun çıktı"
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "Marka özelleştirme ayarları yapılmamış ya da bu sunucu tarafından desteklenmiyor"
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "Görsel deposu ayarları yapılmamış."
},
{
- "id": "api.admin.init.debug",
- "translation": "Yönetici API rotaları hazırlanıyor"
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "Veritabanı bağlantısının geri dönüşümü tamamlandı."
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "Veritabanı bağlantısı yeniden kurulmaya çalışılıyor."
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "Sertifika silinirken bir sorun çıktı. config/{{.Filename}} dosyasının var olduğundan emin olun."
},
@@ -92,6 +36,10 @@
"translation": "Hizmet Sağlayıcı üst verileri oluşturulurken bir sorun çıktı"
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>Mattermost e-posta ayarları doğru görünüyor!"
},
@@ -112,14 +60,6 @@
"translation": "S3 Buketi zorunludur"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "S3 Bitiş Noktası zorunludur"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "S3 Bölgesi zorunludur"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "İstekte 'görsel' altında boş dizi"
},
@@ -128,10 +68,6 @@
"translation": "İstekte 'görsel' altında dosya yok"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "Marka özelleştirme ayarları yapılmamış ya da bu sunucu tarafından desteklenmiyor"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "Çok parçalı form işlenemedi"
},
@@ -144,38 +80,10 @@
"translation": "Dosya yüklenemedi. Dosya çok büyük."
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "%v üzerindeki sunucu kalıpları işlenemedi"
- },
- {
- "id": "api.api.render.error",
- "translation": "%v kalıbı görüntülenirken sorun çıktı. Hata: %v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "Kullanıcı izinleri denetlenmek üzere alınamadı."
- },
- {
- "id": "api.brand.init.debug",
- "translation": "Marka API rotaları hazırlanıyor"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v kanala %v tarafından eklendi."
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "Kanal bulunamadı"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "Eklenecek kullanıcı bulunamadı"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "Ekleme yapılacak kullanıcı bulunamadı"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "Kullanıcının kanala eklenemedi"
},
@@ -192,30 +100,6 @@
"translation": "Bu kanal türüne kullanıcı eklenemez"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "Özel kanal ekleme ve yönetim işlemlerini yalnız Sistem Yöneticileri yapabilir."
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "Özel kanal ekleme ve yönetim işlemlerini yalnız Takım ve Sistem Yöneticileri yapabilir."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "Herkese açık kanal ekleme ve yönetim işlemlerini yalnız Sistem Yöneticileri yapabilir."
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "Herkese açık kanal ekleme ve yönetim işlemlerini yalnız Takım ve Sistem Yöneticileri yapabilir."
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "Bu kanal Herkese Açık Kanala dönüştürüldü ve isteyen her takım üyesi katılabilir."
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "Bu kanal Özel Kanala dönüştürüldü."
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "Bu varsayılan kanal özel bir kanala dönüştürülemez."
},
@@ -268,50 +152,6 @@
"translation": "Kanal arşivlenmiş ya da silinmiş"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "%v arşiv iletisi gönderilemedi "
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "Arşiv iletisi gönderilemedi"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "Gelen web bağlantısı silinirken bir sorun çıktı. Kod: %v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "Giden web bağlantısı silinirken bir sorun çıktı. Kod: %v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "İzinleriniz yeterli değil"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "{{.TeamId}} kodlu takımda {{.ChannelId}} koduna sahip bir kanal yok"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "Veritabanından kanal sayısı alınamadı"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "Kanal arşivlenmiş ya da silinmiş"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "Üye sınırı işlenemedi"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "%v kodlu kullanıcı profili alınırken sorun çıktı, oturum kapatılıyor"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "Kanal API rotaları hazırlanıyor"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "Kanal zaten silinmiş"
},
@@ -340,6 +180,10 @@
"translation": "%v kanaldan ayrıldı."
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "Görüntülenecek ad güncelleme iletisi gönderilemedi"
},
@@ -380,22 +224,10 @@
"translation": "Kullanıcıyı {{.Channel}} varsayılan kanalından çıkaramazsınız"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "İzinleriniz yeterli değil"
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v kanaldan çıkarıldı."
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "Kullanıcı kaldırılamadı."
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "Kaldırılacak kullanıcı bulunamadı"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "Kanal arşivlenmiş ya da silinmiş"
},
@@ -404,10 +236,6 @@
"translation": "Kanal arşivlenmiş ya da silinmiş"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "İzinleriniz yeterli değil"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "{{.Channel}} varsayılan kanalı için geçersiz bir güncelleme denendi"
},
@@ -424,26 +252,14 @@
"translation": "Belirtilen şema bir kanal şeması olmadığından kanal şeması ayarlanamadı."
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "%v kullanıcı kodu ve %v kanal kodu için okunmamış ileti sayısı alınamadı. Hata: %v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "Belirtilen rol bir şema tarafından yönetildiğinden doğrudan bir takım üyesine uygulanamaz"
},
{
- "id": "api.cluster.init.debug",
- "translation": "Küme API rotaları hazırlanıyor"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "Bütünleştirme işlemlerini yalnız sistem yöneticileri yapabilir."
},
{
- "id": "api.command.delete.app_error",
- "translation": "Silme komutu için izinleriniz yeterli değil"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "Komutlar sistem yöneticisi tarafından devre dışı bırakılmış."
},
@@ -472,18 +288,10 @@
"translation": "'{{.Trigger}}' tetikleyici komutu bulunamadı. \"/\" ile başlayan bir ileti göndermek için iletinin başına bir boşluk eklemeyi deneyin."
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "Komut yanıtı kanala kaydedilirken bir sorun çıktı"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "Henüz bir komut tetikleyicisi yok"
},
{
- "id": "api.command.init.debug",
- "translation": "Komut API rotaları hazırlanıyor"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "Mattermost takımına bir e-posta çağrısı gönderin"
},
@@ -516,18 +324,10 @@
"translation": "E-posta çağrıları gönderildi"
},
{
- "id": "api.command.regen.app_error",
- "translation": "Komut kodunu yeniden oluşturmak için izinleriniz yeterli değil"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "Komutlar takımlar arasında güncellenemez"
},
{
- "id": "api.command.update.app_error",
- "translation": "Komutu güncellemek için izinleriniz yeterli değil"
- },
- {
"id": "api.command_away.desc",
"translation": "Durumunuzu uzakta yapın"
},
@@ -568,10 +368,6 @@
"translation": "Geçerli kanal güncellenirken sorun çıktı."
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "Kanal başlığı güncellendi."
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "Geçerli kanal alınırken sorun çıktı."
},
@@ -644,10 +440,6 @@
"translation": "Geçerli kanal güncellenirken sorun çıktı."
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "Kanal adı güncellendi."
- },
- {
"id": "api.command_code.desc",
"translation": "Metin kod bloğu olarak görüntülensin"
},
@@ -696,10 +488,6 @@
"translation": "Rahatsız Etmeyin kipi etkinleştirilmiş. Rahatsız Etmeyin kipini devre dışı bırakana kadar Masaüstü ya da mobil uygulamadan anında bildirimleri almayacaksınız."
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "/echo iletisi oluşturulamadı. Hata: %v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "Gecikme 10000 saniyeden az olmalıdır"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "Kullanıcılar bulunamadı: %s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "Kullanıcılar listelenirken bir sorun çıktı."
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "Grup iletileri en fazla {{.MaxUsers}} kullanıcı ile sınırlıdır."
},
@@ -779,18 +559,10 @@
"translation": "Grup iletileri için en az {{.MinUsers}} kullanıcı olmalıdır."
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "Kullanıcı bulunamadı"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "ileti"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "İleti kullanıcılara gönderildi."
- },
- {
"id": "api.command_help.desc",
"translation": "Mattermost yardım sayfasını aç"
},
@@ -875,10 +647,6 @@
"translation": "katılın"
},
{
- "id": "api.command_join.success",
- "translation": "Kanala katıldı."
- },
- {
"id": "api.command_kick.name",
"translation": "kov"
},
@@ -891,14 +659,6 @@
"translation": "Kanaldan ayrılırken bir sorun çıktı."
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "Kanallar listelenirken bir sorun çıktı."
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "Kanal bulunamadı."
- },
- {
"id": "api.command_leave.name",
"translation": "ayrıl"
},
@@ -947,10 +707,6 @@
"translation": "@[kullanıcıadı] 'ileti'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "Kullanıcılar listelenirken bir sorun çıktı."
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "Kullanıcı bulunamadı"
},
@@ -959,10 +715,6 @@
"translation": "ileti"
},
{
- "id": "api.command_msg.success",
- "translation": "İleti kullanıcıya gönderildi."
- },
- {
"id": "api.command_mute.desc",
"translation": "Geçerli kanal ya da belirtilen [kanal] için masaüstü, e-posta ve anlık bildirimlerini kapatır."
},
@@ -1115,10 +867,6 @@
"translation": "omuz silkme"
},
{
- "id": "api.compliance.init.debug",
- "translation": "Uygunluk API rotaları hazırlanıyor"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "İstemci yapılandırması için yeni biçim henüz desteklenmiyor. Lütfen sorgu dizgesini format=old olarak yazın."
},
@@ -1135,14 +883,6 @@
"translation": "{{.Name}} parametresi geçersiz"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "Oturum geçersiz. Hata: %v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "Çağrılan takım adresi geçersiz. Takım adresi API işlevlerinde kullanılmamalıdır ya da bunlar takımdan bağımsız"
- },
- {
"id": "api.context.invalid_token.error",
"translation": "Oturum kodu geçersiz: {{.Token}}, Hata: {{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "İstek adresindeki {{.Name}} parametresi geçersiz"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "Tüm ön bellekler temizleniyor"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "%v kodlu kullanıcı ve %v kodlu oturum için LastActivityAt güncellenemedi. Hata: %v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v Kod: %v rid:%v uid: %v ip: %v %v [ayrıntılar: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "Bu sunucuda çok aşamalı kimlik doğrulaması zorunludur."
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "Takım Kodu Eksik"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "İzinleriniz yeterli değil"
},
@@ -1179,26 +903,10 @@
"translation": "Oturumunuz geçersiz ya da süresi dolmuş. Lütfen yeniden oturum açın."
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "İzinleriniz yeterli değil (sistem)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "Oturum OAuth olmadığı halde sorgu dizgesinde kod belirtilmiş"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "Bilinmeyen bir sorun çıktı. Lütfen destek ekibi ile görüşün."
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "Bu sunucu üzerinde 3. API sürümü devre dışı bırakıldı. Lütfen 4. API sürümünü kullanın. Ayrıntılı bilgi almak için https://api.mattermost.com adresine bakın."
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "Kullanımdan kaldırılmaış API rotaları hazırlanıyor"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "Toplu e-posta görevinin alım kanalı doldu. Lütfen EmailBatchingBufferSize değerini arttırın."
},
@@ -1207,14 +915,6 @@
"translation": "Toplu e-posta gönderimi sistem yöneticisi tarafından devre dışı bırakılmış"
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "Toplu e-posta görevi çalıştırıldı. %v kullanıcının bekleyen bildirimleri var."
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "Toplu e-posta bildiriminin ileti kanalı bulunamadı"
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Month}} {{.Day}}"
},
@@ -1235,10 +935,6 @@
"translation": "Şuradan bildirim: "
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "Toplu e-posta bildiriminin ileti göndericisi bulunamadı"
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "{{.Count}} yeni bildiriminiz var.",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "Toplu e-posta bildiriminin alıcının görüntüleme ayarları bulunamadı"
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "%v adresine toplu e-posta bildirimi gönderilemedi: %v"
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] {{.Month}} {{.Day}}, {{.Year}} için yeni bir bildirim var",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "Toplu e-posta bildiriminin alıcısı bulunamadı"
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "Toplu e-posta işlemi başlatılıyor. %v saniyede bir bekleyen e-postalar denetlenecek."
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "Emoji eklenemedi. Aynı adlı başka bir emoji zaten var."
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "Emoji eklenemedi. İstek anlaşılamadı."
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "Emoji eklemek için izinleriniz yeterli değil."
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "Emoji eklenemedi. İstek anlaşılamadı."
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "Emoji eklenemedi. Görsel boyutu 1 MB değerinden küçük olmalıdır."
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "%v emoji adı için emoji silinirken tepkiler silinemedi"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "Özel emoji özelliği sistem yöneticisi tarafından devre dışı bırakılmış."
},
@@ -1301,14 +977,6 @@
"translation": "Emoji için görsel dosyası okunamadı."
},
{
- "id": "api.emoji.init.debug",
- "translation": "Emoji API rotaları hazırlanıyor"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "Emoji API rotaları hazırlanıyor"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "Dosya depolama ayarları doğru şekilde yapılmamış. Lütfen dosya depolaması için bir S3 ya da yerel sunucusu ayarlayın."
},
@@ -1333,12 +1001,12 @@
"translation": "Emoji eklenemedi. GIF görselinin kodlanırken bir sorun çıktı."
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "Bu sunucuda ek dosyalarının kullanımı devre dışı bırakılmış."
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "Herkese açık bağlantılar sistem yöneticisi tarafından devre dışı bırakılmış"
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "Bu sunucuda ek dosyalarının kullanımı devre dışı bırakılmış."
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "Dosyanın küçük görseli yok"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "Dosya bilgileri alınamadı. Geçerli kullanıcı tarafından okunabilmesi için dosya bir iletiye eklenmiş olmalıdır."
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "Dosya bilgileri alınamadı. Dosya deposu ayarları yapılmamış."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Dosya alınamadı. Görsel deposu ayarları yapılmamış."
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "Dosya alınamadı. Görsel deposu ayarları yapılmamış."
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "Herkese açık bağlantılar devre dışı bırakılmış"
},
@@ -1377,116 +1029,52 @@
"translation": "Dosyanın herkese açık bağlantısı alınamadı. Geçerli kullanıcı tarafından okunabilmesi için dosya bir iletiye eklenmiş olmalıdır."
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "Görsel kodu çözülemedi. Hata: %v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "Görsel JPEG olarak kodlanamadı. Yol: %v Hata: %v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "Görsel JPG ön izlemesi olarak kodlanamadı. Yol: %v Hata: %v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "Ön izleme yüklenemedi. Yol: %v Hata: %v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "Küçük görsel yüklenemedi. Yol: %v Hata: %v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "Dosya API rotaları hazırlanıyor"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "Dosya bilgileri kullanılarak ileti aktarılırken kanal alınamadı. İleti Kodu: %v, Kanal Kodu: %v, Hata: %v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "Dosya bilgileri kullanılarak ileti aktarılırken dosya bulunamadı. İleti Kodu: %v, Dosya Adı: %v, Yol: %v, Hata: %v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "İleti için aktarım sonrası dosya bilgileri alınamadı. İleti Kodu: %v, Hata: %v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "İleti dosya bilgileri kullanılarak aktarılırken alınamadı. İleti Kodu: %v, Hata: %v "
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "İleti dosya bilgileri kullanılarak aktarılırken dosyanın kodu tam olarak çözülemedi. İleti Kodu: %v, Dosya Adı: %v, Hata: %v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "İleti dosya bilgileri kullanılarak aktarılırken. İleti Kodu: %v, Hata: %v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "İleti dosya bilgileri kullanılarak aktarılırken alışılmadık bir dosya adı bulundu. İleti Kodu: %v, Kanal Kodu: %v, Kullanıcı Kodu: %v, Dosya Adı: %v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "Dosya adları alanı boş olduğundan ileti dosya bilgileri kullanılarak aktarılamadı. İleti Kodu: %v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "İleti dosya bilgileri kullanılarak zaten aktarılmış. İleti Kodu: %v, Hata: %v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "İleti dosya bilgileri kullanılarak aktarılırken kaydedilemedi. İleti Kodu: %v, Dosya Kodu: %v, Yol: %v, Hata: %v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "İleti dosya bilgileri kullanılarak aktarılırken dosya kaydedilemedi. İleti Kodu: %v, Dosya Kodu: %v, Dosya Adı: %v, Hata: %v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "Dosya S3 üzerine kopyalanamadı"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "Dosya Bilgileri için takım bulunamadı. İleti Kodu: %v, Dosya Adları: %v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "Dosya S3 üzerinden silinemedi."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "İleti dosya bilgileri kullanılarak aktarılırken takımlar alınamadı. İleti Kodu: %v, Hata: %v "
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "Dosya yerel olarak taşınamadı."
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "İleti dosya bilgileri kullanılarak aktarılırken dosya adının şifresi çözülemedi. İleti Kodu: %v, Dosya Adı: %v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "Herhangi bir dosya sürücüsü seçilmemiş."
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "Dosya depolaması ayarları doğru şekilde yapılmamış. Lütfen dosya depolaması için bir S3 ya da yerel sunucusu ayarlayın."
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "Yerel sunucu depolamasından okunurken bir sorun çıktı"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "Dosya S3 üzerine kopyalanamadı"
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "S3 sunucu depolamasından okunurken bir sorun çıktı"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "Dosya S3 üzerinden silinemedi."
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "Yerel sunucu depolaması üzerinden bir okuyucu açılırken bir sorun çıktı."
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "Dosya S3 üzerinden alınamadı."
+ "id": "api.file.reader.s3.app_error",
+ "translation": "S3 sunucu depolamasından bir okuyucu açılırken bir sorun çıktı"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "Dosya yerel olarak taşınamadı."
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Belirtilen yola yazma izni yok ya da başka bir sorun var."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "Dosya depolama ayarları doğru şekilde yapılmamış. Lütfen dosya depolaması için bir S3 ya da yerel sunucusu ayarlayın."
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Buket oluşturulamadı."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "Dosya S3 üzerinden alınamadı."
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Buketin var olup olmadığı denetlenemedi."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "Yerel sunucu depolamasından okunurken bir sorun çıktı"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "S3 ya da minio bağlantısı kötü."
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "Dosya yüklenemedi. Dosya çok büyük."
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "Dosya depolaması ayarları doğru şekilde yapılmamış. Lütfen dosya depolaması için bir S3 ya da yerel sunucusu ayarlayın."
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "S3 üzerine kaydedilirken bir sorun çıktı"
},
@@ -1525,34 +1109,6 @@
"translation": "Yerel sunucu depolamasına yazılırken bir sorun çıktı"
},
{
- "id": "api.general.init.debug",
- "translation": "Genel API rotaları hazırlanıyor"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "Dosyalar iletiye eklenirken sorun çıktı. İleti Kodu: %v, Dosya Kodları: %v, İleti: %v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "İleti kaydedilirken sorun çıktı. Kullanıcı: %v, İleti: %v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "İçe aktarılırken takıma katılınamadı. Hata: %v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "Varsayılan kanallara katılırken bir sorun çıktı. Kullanıcı Kodu: %v, Takım Kodu: %v, Hata: %v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "Kullanıcı kaydedilirken sorun çıktı. Hata: %v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "E-posta doğrulanmış olarak ayarlanamadı. Hata: %v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "Gelen web bağlantıları sistem yöneticisi tarafından devre dışı bırakılmış."
},
@@ -1561,10 +1117,6 @@
"translation": "Kullanıcı adı geçersiz."
},
{
- "id": "api.ldap.init.debug",
- "translation": "LDAP API rotaları hazırlanıyor"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "İstekte 'lisans' altında boş dizi"
},
@@ -1605,30 +1157,6 @@
"translation": "Yeni istemci lisansı biçimi henüz desteklenmiyor. Lütfen sorgu dizgesini format=old olarak yazın."
},
{
- "id": "api.license.init.debug",
- "translation": "Lisans API rotaları hazırlanıyor"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "Lisans doğru şekilde kaldırılamadı."
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "İstek geçersiz: İstemci kodu hatalı"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "İstek geçersiz: Eksik ya da hatalı yönlendirme adresi"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "İstek geçersiz: Yanıt türü hatalı"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "Sunucu hatası: Veritabanına erişilirken sorun çıktı"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "İstek geçersiz: Belirtilen yönlendirme adresi kayıtlı geri çağırma adresi ile eşleşmiyor"
},
@@ -1641,14 +1169,6 @@
"translation": "Sistem yöneticisi OAuth2 Hizmet Sağlayıcısını kapattı."
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "Bir ya da bir kaç yanıt türü, istemci kodu ya da yönlendirme adresi eksik"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "OAuth2 uygulamasını silmek için izinleriniz yeterli değil"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "İstek geçersiz: İstemci kodu hatalı"
},
@@ -1705,22 +1225,10 @@
"translation": "İstek geçersiz: Yenileme kodu geçersiz"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "%s kodu için kimlik doğrulama kodu bulunamadı"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "OAuth API rotaları hazırlanıyor"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "Durum kodu geçersiz"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "OAuth2 Uygulama Parolasını yeniden oluşturmak için izinleriniz yeterli değil"
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "Sistem yöneticisi OAuth2 Hizmet Sağlayıcısını kapattı."
},
@@ -1749,8 +1257,8 @@
"translation": "Hesap açma bağlantısı geçersiz görünüyor"
},
{
- "id": "api.opengraph.init.debug",
- "translation": "Initializing open graph protocol api routes"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "@{{.Username}} anıldı, ancak bu kanalın üyesi olmadıklarından bildirimleri almayacaklar."
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "İletiye dosyalar eklenirken sorun çıktı. İleti Kodu: %s, Kullanıcı Kodu: %s, Dosya Kodları: %s, Hata: %v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "Hatalı dosya adı yok sayıldı, Dosya Adı: %v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "Kanal silindiğinden gönderilemedi."
},
@@ -1789,10 +1289,6 @@
"translation": "RootID parametresi için Kanal Kodu Geçersiz"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "Son görüntülenme güncellenirken sorun çıktı. Kanal Kodu: %s, Kullanıcı Kodu: %s, Hata: %v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "ParentId parametresi geçersiz"
},
@@ -1809,18 +1305,6 @@
"translation": "İleti oluşturulurken sorun çıktı"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "İleti silinirken işaretlenmiş ileti ayarı sıfırlanamadı. Hata: %v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "İzinleriniz yeterli değil"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "İleti dosyaları silinirken sorun çıktı. İleti Kodu: %v, Hata: %v"
- },
- {
"id": "api.post.disabled_all",
"translation": "Kanalda {{.Users}} taneden fazla kullanıcı bulunduğundan @all seçeneği devre dışı bırakıldı."
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "Bildirim iletisi için dosyalarken alınırken sorun çıktı. İleti Kodu: %v, Hata: %v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}} görsel gönderildi: {{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "@mention kurallı ifadesi derlenemedi. Kullanıcı Kodu: %v, Hata: %v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "İzinleriniz yeterli değil"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "Kanal üyeleri alınamadı. Kanal Kodu: %v, Hata: %v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "Yanıt iletisi oluşturulamadı. Hata: %v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "POST işlemi tamamlanamadı. Hata: %v"
- },
- {
- "id": "api.post.init.debug",
- "translation": "İleti API rotaları hazırlanıyor"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "Bağlantı ön izleme özelliği sistem yöneticisi tarafından devre dışı bırakılmış."
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "Bİr doğrudan kanal için 2 üye alınamadı Kanal Kodu: {{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "Kanal üyeleri alınamadı. Kanal Kodu: %v, Hata: %v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "Doğrudan kanal ayarı kaydedilemedi. Kullanıcı Kodu: %v, Diğer Kullanıcı Kodu: %v, Hata: %v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "Doğrudan kanal ayarları güncellenemedi. Kullanıcı Kodu: %v, Diğer Kullanıcı Kodu: %v, Hata: %v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "Kanal üyesinin profili alınamadı. Kullanıcı Kodu: %v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " kanala bildirim gönderdi."
},
@@ -1919,26 +1355,6 @@
"translation": " katıldığınız bir konuya yorum yaptı."
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "İletiyi oluşturan ileti için kanalda olmadığından bildirim gönderilmedi. İleti Kodu: %v, Kanal Kodu: %v, Kullanıcı Kodu: %v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "%v için %v kanal koduyla anında bildirim temizleniyor"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "İleti bildirimi için dosyalar alınamadı. İleti Kodu: %v, Hata: %v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "Takımlar arası doğrudan ileti gönderilirken takımlar alınamadı. Kullanıcı Kodu: %v, Hata: %v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "Yeni Anma"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": " sizi andı."
},
@@ -1955,30 +1371,10 @@
"translation": "size bir ileti gönderdi."
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "Aygıta ileti gönderilemedi. Aygıt Kodu: {{.DeviceId}}, Hata Kodu: {{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}} gönderildi"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "Anma sayısı güncellenemedi. İleti Kodu: %v, Kanal Kodu: %v, Hata: %v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "Güncellenecek ileti ya da yorum bulunamadı."
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "İzinleriniz yeterli değil"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "İleti düzenleme devre dışı bırakılmış. Lütfen bilgi almak için sistem yöneticinizle görüşün."
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "Kod zaten silinmiş: {{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "İleti alınamadı"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "İstekteki ayarların kodu çözülemedi"
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "Başka bir kullanıcının ayarları silinemez"
- },
- {
- "id": "api.preference.init.debug",
- "translation": "Ayar API rotaları hazırlanıyor"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "İstekten ayarların kodu çözülemedi"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "Ayarlar başka bir kullanıcı için yapılamadı"
- },
- {
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "Kanal kodu adresteki ileti koduyla eşleşmediğinden tepki silinemedi"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "Tepki API rotaları hazırlanıyor"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "Kanal kodu adresteki ileti koduyla eşleşmediğinden tepkiler alınamadı"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "Tepki geçersiz."
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "Kanal kodu adresteki ileti koduyla eşleşmediğinden tepki kaydedilemedi"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "Başka bir kullanıcı için tepki kaydedemezsiniz."
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "Tepki için websocket etkinliği gönderilirken ileti alınamadı"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "Geçerli lisansınız gelişmiş özellikleri kullanmanıza izin vermiyor."
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "Sertifika doğru şekilde kaydedilemedi."
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "Belirtilen şema bir takım şeması olmadığından, şemanın uygulanabileceği takımlar alınamadı."
},
{
- "id": "api.server.new_server.init.info",
- "translation": "Sunucu hazırlanıyor..."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "%s kapısı dinlenirken 80 numaralı kapı 443 numaralı kapıya yönlendirilemedi. Bir vekil sunucu kullanıyorsanız Forward80To443 seçeneğini devre dışı bırakın"
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "Sunucu %v üzerinden dinleniyor"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "Hız Sınırlayıcı etkin"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "Hız Sınırlama Ayarları VaryByHeader kullanılarak ve VaryByRemoteAddr devre dışı bırakılarak doğru şekilde yapılmamış"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "Hız sınırlama bellek deposu hazırlanamadı. MemoryStoreSize yapılandırma ayarını denetleyin."
},
@@ -2095,22 +1455,6 @@
"translation": "Sunucu başlatılırken sorun çıktı. Hata: %v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "Sunucu Başlatılıyor..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "Sunucu başlatılırken sorun çıktı"
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "Sunucu durduruldu"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "Sunucu Durduruluyor..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "E-posta adresi {{.Email}} parolası {{.Password}} olan Bütünleştirme/Slack Bot kullanıcısı içe aktarıldı.\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "{{.DisplayName}} Slack kanalı içe aktarılamadı.\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Slack İçe Aktarma: Slack kanalı içe aktarılamadı: %s."
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "{{.DisplayName}} Slack kanalı zaten etkin bir Mattermost kanalı olarak var. İki kanal birleştirilecek.\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Slack İçe Aktarma: Bir iletiye dosya eklenirken sorun çıktı, ileti kodu: %s, dosya kodları: %v, hata: %v."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Slack İçe Aktarma: Slack bot iletileri henüz içe aktarılamadı."
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Slack İçe Aktarma: Bot kullanıcısı var olmadığından bot iletisi içe aktarılamadı."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Slack İçe Aktarma: Herhangi bir yorum bulunmadığı için ileti içe aktarılamadı."
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Slack İçe Aktarma: Kullanıcı alanı eksik olduğundan ileti içe aktarılamadı."
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Slack İçe Aktarma: BotId alanı eksik olduğundan bot iletisi içe aktarılamadı."
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Slack İçe Aktarma: İletiler türü desteklenmediğinden içe aktarılamadı: ileti türü: %v ileti alt türü: %v."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Slack İçe Aktarma: {{.FileId}} dosyası dışa aktarılmış Slack zip dosyası içinde bulunamadığından içe aktarılamadı."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Slack İçe Aktarma: Dışa aktarılmış Slack dosyasında bir \"file\" bölümü bulunamadığından ek dosya iletiye eklenemedi."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Slack İçe Aktarma: Dışa aktarılmış Slack dosyasındaki {{.FileId}} dosyası açılamadı: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Slack İçe Aktarma: {{.FileId}} dosyası yüklenirken bir sorun çıktı: {{.Error}}."
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Slack İçe Aktarma: %v Slack kullanıcısı Mattermost üzerinde var olmadığından ileti eklenemedi."
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Slack İçe Aktarma: Kullanıcı alanı eksik olduğundan ileti içe aktarılamadı."
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\n Kullanıcılar eklendi:\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "Dışa aktarılmış Slack verileri içinde {{.Username}} kullanıcısının e-posta adresi yok. Yerine {{.Email}} kullanılıyor. Kullanıcının sistemde oturum açtıktan sonra e-posta adresini güncellemesi gerekir.\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "Slack İçe Aktarma: Dışa aktarılmış Slack verileri içinde {{.Username}} kullanıcısının e-posta adresi yok. Yerine {{.Email}} kullanılıyor. Kullanıcının sistemde oturum açtıktan sonra e-posta adresini güncellemesi gerekir."
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "{{.Username}} Slacks kullanıcısı içe aktarılamadı.\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Slack İçe Aktarma: !channel, {{.ChannelName}} Slack kanalı için kurallı ifadeye uygun olarak derlenemedi (Kod:{{.ChannelID}})."
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Slack İçe Aktarma: Hatalı zaman damgası algılandı."
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Slack İçe Aktarma: @mention, {{.Username}} Slack kullanıcısı için kurallı ifadeye uygun olarak derlenemedi (Kod:{{.UserID}})."
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Slack İçe Aktarma: Bot tarafından kullanılan kullanıcı hesabı devre dışı bırakılamadı."
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Mattermost Slack İçe Aktarma Günlüğü\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "Slack dışa aktarma zip dosyası açılamadı.\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Slack İçe Aktarma: Bazı Slack kanalları işlenirken sorun çıktı. Buna rağmen belki içe aktarım yapılabilir."
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Slack İçe Aktarma: Bazı Slack iletileri işlenirken sorun çıktı. Buna rağmen belki içe aktarım yapılabilir."
- },
- {
- "id": "api.status.init.debug",
- "translation": "Durum API rotaları hazırlanıyor"
- },
- {
- "id": "api.status.init.debug",
- "translation": "Durum API rotaları hazırlanıyor"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "%v kodlu kullanıcı ve %v kodlu oturum için LastActivityAt güncellenemedi. Hata: %v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "Durum kaydedilemedi. Kullanıcı Kodu: %v, Hata: %v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "Kullanıcı bulunamadı"
},
{
- "id": "api.system.go_routines",
- "translation": "Çalışan yordamlar %v/%v sağlıklı eşiğin üzerinde "
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v takıma %v tarafından eklendi."
},
@@ -2307,32 +1547,16 @@
"translation": "Takıma kullanıcı eklemek için parametre zorunludur."
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "E-posta ile takım hesabı açma özelliği devre dışı bırakılmış."
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "E-posta ile takım hesabı açma özelliği devre dışı bırakılmış."
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "Hesap açma bağlantısının süresi geçmiş"
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "Adres kullanılamıyor. Lütfen yeniden deneyin."
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "E-posta takımlarına bir posta gönderilirken sorun çıktı. Hata: %v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "Takım açık bir takım olmadığından çağrı geçersiz."
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "Yalnız bir takım yöneticisi verileri içe aktarabilir."
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "İstek biçimi bozuk: Dosya boyutu alanı bulunamadı."
},
{
- "id": "api.team.init.debug",
- "translation": "Takım API rotaları hazırlanıyor"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "yönetici"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "Bu kişi zaten takımınızda bulunuyor"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "Şu e-posta adresleri onaylanmış etki alanına ait değil: {{.Addresses}}. Ayrıntılar için sistem yöneticiniz ile görüşün."
},
@@ -2387,22 +1599,6 @@
"translation": "Çağrılacak kimse yok."
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "Bir takıma yeni kullanıcı çağırma işlemini yalnız Sistem Yöneticileri yapabilir."
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "Bir takıma yeni kullanıcı çağırma işlemini yalnız Takım ve Sistem Yöneticileri yapabilir."
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "Çağrı e-postası gönderilemedi. Hata: %v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "çağrı gönderiliyor %v %v"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "Takım ekleme devre dışı bırakılmış. Lütfen bilgi almak için sistem yöneticinizle görüşün."
},
@@ -2427,14 +1623,6 @@
"translation": "Bu kanal %v üzerinden bu takıma taşındı."
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "%v takımı kalıcı olarak silinmeye çalışılıyor. Kod: %v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "%v takımı kalıcı olarak silindi. Kod: %v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "Takım alınırken bir sorun çıktı"
},
@@ -2491,10 +1679,6 @@
"translation": "Takım simgesi kaydedilemedi"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "E-posta ile takım hesabı açma özelliği devre dışı bırakılmış."
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "Takım simgesi güncellenirken bir sorun çıktı"
},
@@ -2503,10 +1687,6 @@
"translation": "Belirtilen kullanıcı belirtilen takımın üyesi değil."
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "İzinleriniz yeterli değil"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "Bu lisans sürümünde takım şemalarını güncelleme özelliği bulunmuyor"
},
@@ -2515,10 +1695,6 @@
"translation": "Belirtilen şema bir takım şeması olmadığından takım şeması ayarlanamadı."
},
{
- "id": "api.templates.channel_name.group",
- "translation": "Grup İletisi"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "{{ .SiteURL }} üzerindeki hesabınızı devre dışı bıraktınız.<br>Bu işlemi siz yapmadıysanız ya da hesabınızı yeniden etkinleştirmek istiyorsanız, sistem yöneticisi ile görüşün."
},
@@ -2571,22 +1747,6 @@
"translation": "Gönderen "
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "E-posta adresinizle ilişkili takımları bulma isteğinizin sonuçları:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "Belirtilen e-posta adresi ile ilişkili bir takım bulunamadı."
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "Takım arama"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "{{ .SiteName }} Takımlarınız"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "Takıma Katıl"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] {{ .SiteName }} sitesindeki oturum açma yönteminizi güncellediniz"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "Takımınızı kurun"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }} takımınız için her yerden kullanılabilen ve arama yapılabilen tek bir iletişim noktası sağlar.<br>{{ .SiteName }} üzerinden takımınız ile iletişim kurdukça daha çok faydalanacaksınız. Şimdi katılın."
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "Bir takım eklediğiniz için teşekkürler!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "{{ .SiteName }} Takım Kurulumu"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>ÇİFT HESAPLARINIZ GÜNCELLENDİ</h3>Mattermost sunucunuz 3.0 sürümüne yükseltidi. Bu sürümde farklı takımlar için aynı hesap kullanılıyor.<br/><br/>Bu e-posta size yükseltme işlemi sırasında sunucu üzerinde hesabınızla aynı e-posta adresi ya da kullanıcı adını taşıyan başka hesaplar bulunduğunu bildirmek için gönderildi.<br/><br/>Şu güncellemeler yapıldı: <br/><br/>{{if .EmailChanged }}- `/{{.TeamName}}` takımındaki bir hesabın çift e-posta adresi `{{.Email}}` olarak değiştirildi. Oturum açmak için e-posta adresi ve parola kullanıyorsanız, oturum açmak için bu yeni e-posta adresini kullanabilirsiniz.<br/><br/>{{end}}{{if .UsernameChanged }}- `/{{.TeamName}}` takımındaki bir hesabın çift kullanıcı adı diğer hesaplarla çakışmasını engellemek için `{{.Username}}` olarak değiştirildi.<br/><br/>{{end}} ÖNERİLEN İŞLEM: <br/><br/>Takımlarınıza değiştirilen çift hesaplarınız ile oturum açtıktan sonra asıl hesabınızı kullanmak istediğiniz takım ve kanallara ekleyin.<br/><br/>Böylece asıl hesabınız tüm kanal geçmişine erişebilir. Çift hesaplarınızın doğrudan ileti geçmişini görmek için değiştirilen bilgiler ile oturum açabilirsiniz. <br/><br/>AYRINTILI BİLGİ ALMAK İÇİN: <br/><br/>Mattermost 3.0 yükseltmesi ile ilgili ayrıntılı bilgi almak için şu sayfaya bakabilirsiniz: <a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] Mattermost 3.0 Yükseltmesi için hesabınızdaki değişiklikler"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "{{ .SiteURL }} sitesindeki hesabınıza bir kişisel erişim kodu eklendi. Bu kod hesabınızı kullanarak {{.SiteName}} sitesine erişmek için kullanılabilir.<br>Bu değişikliği siz yapmadıysanız lütfen sistem yöneticiniz ile görüşün."
},
@@ -2787,10 +1923,6 @@
"translation": "Durum geçersiz"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "Durum geçersiz; takım adı eksik"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "Erişim kodu eksik"
},
@@ -2839,10 +1971,6 @@
"translation": "Bu e-posta adresini kullanan ve {{.Service}} hizmetinden başka bir yöntemle oturum açan bir hesap var. Lütfen {{.Auth}} kullanarak oturum açın."
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "Bu {{.Service}} hesabı zaten hesap açmak için kullanılmış"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "{{.Service}} hizmeti kullanıcı nesnesinden kullanıcı oluşturulamadı"
},
@@ -2871,10 +1999,6 @@
"translation": "Kullanıcı ekleme özelliği devre dışı bırakılmış."
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "Varsayılan kanallara katılırken bir sorun çıktı. Kullanıcı Kodu: %v, Takım Kodu: %v, Hata: %v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "Missing Invite Id."
},
@@ -2887,10 +2011,6 @@
"translation": "Sunucu hesap açılmasına izin vermiyor. Lütfen bir çağrı almak için yönetici ile görüşün."
},
{
- "id": "api.user.create_user.save.error",
- "translation": "Kullanıcı kaydedilmedi. Hata: %v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "E-posta ile kullanıcı hesabı açma özelliği devre dışı bırakılmış."
},
@@ -2903,22 +2023,14 @@
"translation": "Hesap açma bağlantısı geçersiz görünüyor"
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "Takım adı geçersiz"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "Eğitim ayarı kaydedilirken sorun çıktı. Hata: %v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "E-posta doğrulanmış olarak ayarlanamadı. Hata: %v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "Bu sunucu üzerinde AD/LDAP kullanılamıyor"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "MFA ayarları yapılmamış ya da bu sunucu üzerinde kullanılamıyor"
},
@@ -2927,18 +2039,10 @@
"translation": "Desteklenmeyen OAuth hizmeti sağlayıcı"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "%v kodlu kullanıcı profili alınırken sorun çıktı, oturum kapatılıyor"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "Profil görseli alınamadı, kullanıcı bulunamadı."
},
{
- "id": "api.user.init.debug",
- "translation": "Kullanıcı API rotaları hazırlanıyor"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "Bu sunucu üzerinde AD/LDAP kullanılamıyor"
},
@@ -2951,6 +2055,14 @@
"translation": "Parola alanı boş olamaz"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Geçerli bir sertifika belirtmeden deneysel İstemci Tarafı Sertifikası özelliği kullanılarak oturum açılmaya çalışıldı"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Geçerli bir kurumsal lisans olmadan deneysel İstemci Tarafı Sertifikası özelliği kullanılmaya çalışıldı"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "Hesabınız devre dışı bırakılmış olduğundan oturum açılamadı. Lütfen bir yönetici ile görüşün."
},
@@ -2959,18 +2071,10 @@
"translation": "Kullanıcı Kodu ya da Parola doğru değil."
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "Kullanıcı kodu ya da takım adı ile kullanıcı e-posta adresini belirtmelisiniz"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "E-posta adresi doğrulanmamış olduğundan oturum açılamadı"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "%v oturum kodu, %v kullanıcı için geçersiz kılınıyor. Aynı aygıt kodu ile yeniden oturum açın"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "Lütfen {{.AuthService}} hizmetini kullanarak oturum açın"
},
@@ -2983,18 +2087,6 @@
"translation": "{{.Service}} hizmeti kullanıcı nesnesinden kimlik doğrulama bilgileri alınamadı"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "Parola alanı boş olamaz"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "Bu sunucu üzerinde AD/LDAP etkinleştirilmemiş"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "Bir kod gereklidir"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "Bu sunucu üzerinde AD/LDAP kullanılamıyor"
},
@@ -3003,16 +2095,12 @@
"translation": "Context kullanıcı kodu ile belirtilen kullanıcı kodu eşleşmediğinden parola güncellenemedi"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "%v hesabı kalıcı olarak silinmeye çalışılıyor. Kod: %v"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "%v hesabı kalıcı olarak silindi. Kod: %v"
- },
- {
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "Sistem yöneticisi olan %v hesabını siliyorsunuz. Komut satırı araçlarını kullanarak başka bir hesabı sistem yöneticisi olarak ayarlamanız gerekebilir."
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "SSO hesaplarının parolası sıfırlanamaz"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "Yanlış takımdaki bir kullanıcı için parola sıfırlanmaya çalışılıyor."
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "SAML 2.0 ayarları yapılmamış ya da bu sunucu tarafından desteklenmiyor."
},
@@ -3055,12 +2139,12 @@
"translation": "E-posta adresi değişikliği doğrulama e-postası gönderilemedi"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "Parola güncelleme bildirim e-postası gönderilemedi"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "Bu adresi kullanan bir hesap bulunamadı."
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "Parola güncelleme bildirim e-postası gönderilemedi"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "Karşılama e-postası gönderilemedi"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "SSO hesaplarının etkinleştirme durumu değiştirilemez. Lütfen değişiklikleri SSO sunucusu üzerinde yapın."
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "Bu özellik etkinleştirilmemiş olduğundan kendi hesabınızı devre dışı bırakamazsınız. Lütfen sistem yöneticisi ile görüşün."
},
@@ -3131,26 +2211,6 @@
"translation": "Geçerli bir hesap bulunamadığından parola güncellenemedi"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "En az bir etkin yönetici olmalıdır"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "İzinleriniz yeterli değil"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "Bu işlemi yapabilmek için sistem yönetici rolü gereklidir"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "Sistem yöneticisi rolü yalnız başka bir sistem yöneticisi tarafından atanabilir"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "Bu işlemi yapabilmek için takım yöneticisi rolü gereklidir"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "İstekte 'görsel' altında boş dizi"
},
@@ -3195,40 +2255,28 @@
"translation": "E-posta doğrulama bağlantısı hatalı."
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "%v websocket dağıtımı başlatılıyor"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "websocket dağıtım bağlantıları durduruluyor"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "websocket bağlantı sorunu: %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "Websocket bağlantısı yükseltilemedi"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "Web socket API rotaları hazırlanıyor"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v Sıra: %v uid: %v %v [ayrıntılar: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "websocket rota sorunu: Sıra: %v uid: %v %v [ayrıntılar: %v]"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "%v kodlu takım için takım dağıtımı durduruluyor"
- },
- {
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "Giden web bağlantıları sistem yöneticisi tarafından devre dışı bırakılmış."
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "Tetikleyici sözcükler ya da kanal kodu ayarlanmış olmalıdır"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "Gelen web bağlantıları sistem yöneticisi tarafından devre dışı bırakılmış."
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "Gelen web bağlantısını silmek için izinleriniz yetersiz"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "Giden web bağlantıları sistem yöneticisi tarafından devre dışı bırakılmış."
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "Giden web bağlantısını silmek için izinleriniz yetersiz"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "Gelen web bağlantısı alındı. İçerik:"
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "Gelen web bağlantısının yükü okunamadı."
- },
- {
"id": "api.webhook.incoming.error",
"translation": "Gelen web bağlantsının birden çok parçalı yükünün kodu çözülemedi."
},
{
- "id": "api.webhook.init.debug",
- "translation": "Web bağlantısı API rotaları hazırlanıyor"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "Giden web bağlantısı kodu eklemek için izinleriniz yetersiz"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "Web bağlantısı takımlar arasında güncellenemez"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "Gelen web bağlantıları sistem yöneticisi tarafından devre dışı bırakılmış."
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "Gelen web bağlantısını güncellemek için izinleriniz yetersiz"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "Giden web bağlantıları sistem yöneticisi tarafından devre dışı bırakılmış."
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "Aynı kanaldaki giden web bağlantılarında aynı tetikleyici sözcük ve geri çağırma adresleri bulunamaz."
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "Giden web bağlantıları yalnız herkese açık kanallar için güncellenebilir."
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "Giden web bağlantısını güncellemek için izinleriniz yetersiz."
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "Tetikleyici sözcükler ya da kanal kodu ayarlanmış olmalıdır"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "Bu sunucu üzerinde WebRTC etkinleştirilmemiş."
},
{
- "id": "api.webrtc.init.debug",
- "translation": "WebRTC API rotaları hazırlanıyor"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "WebRTC kodu kaydedilirken bir sorun çıktı"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "Oturum geçersiz. Hata: %v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "{{.Name}} parametresi geçersiz"
},
@@ -3367,6 +2351,10 @@
"translation": "%s kanal amacını %s olarak güncelledi"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "İçe aktarılacak veri dosyası okunamadı."
},
@@ -3375,6 +2363,18 @@
"translation": "JSON satırın kodunu çözemedi."
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Bir kanal, silinmiş bir şemayı kullanacak şekilde ayarlanamaz."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Kanal, Kanal Kapsamlı bir şemaya atanmış olmalıdır."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "Kanal içe aktarılırken sorun çıktı. \"{{.TeamName}}\" takımı bulunamadı."
},
@@ -3431,6 +2431,10 @@
"translation": "İçe aktarılan veri satırı \"post\" türünde ancak ileti nesnesi null."
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "İçe aktarılan veri satırı \"scheme\" türünde ancak şema nesnesi null."
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "İçe aktarılan veri satırı \"team\" türünde ancak takım nesnesi null."
},
@@ -3459,12 +2463,28 @@
"translation": "İleti içe aktarılırken sorun çıktı. \"{{.Username}}\" kullanıcı adına sahip kullanıcı bulunamadı."
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "Toplu içe aktarıcı zaten var olan bir şemanın ölçeğini değiştiremez."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Bir takım, silinmiş bir şemayı kullanacak şekilde ayarlanamaz."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Takım, Takım Kapsamlı bir şemaya atanmış olmalıdır."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "Kullanıcı kanal üyelikleri içe aktarılırken sorun çıktı. Ayarlar kaydedilemedi."
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "Kanal oluşturulma zamanı belirtilmiş ise 0 olmamalıdır."
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "Kanal amacı çok uzun."
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "Kanalın şema adı geçersiz."
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "Zorunlu kanal özelliği eksik: Takım"
},
@@ -3639,12 +2663,44 @@
"translation": "Zorunlu yanıt özelliği eksik: Kullanıcı."
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "Takım için izin verilen etki alanları çok uzun."
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "Rol açıklaması geçersiz."
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "Görüntülenecek rol adı geçersiz."
+ },
+ {
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "Rol izni geçersiz."
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "Takım oluşturulma zamanı belirtilmiş ise 0 olmamalıdır."
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "Rol adı geçersiz."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "Şema açıklaması geçersiz."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "Görüntülenecek şema adı geçersiz."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "Şema adı geçersiz."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "Şema kapsamı gereklidir."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "Şema kapsamı bilinmiyor."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": " Bu kapsamda bir şema için belirtilen roller yanlış."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "Takım adında ayrılmış bir sözcük var."
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "Takım için şema geçersiz."
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "Takım türü geçersiz."
},
@@ -3739,8 +2799,8 @@
"translation": "Kullanıcının kanal tetikleyici bildirimi değeri geçersiz."
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "Kullanıcının komut tetikleyici bildirimi değeri geçersiz."
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "Kullanıcının mobil anında durum bildirimi değeri geçersiz."
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "Kullanıcının Parolasının uzunluğu geçersiz."
},
@@ -3875,10 +2939,6 @@
"translation": "Uygulama eki devre dışı bırakılamadı"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "Uygulama eki durumu silinemedi."
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "Uygulama ekleri devre dışı bırakıldı. Ayrıntılar için günlük kayıtlarına bakın."
},
@@ -3891,8 +2951,8 @@
"translation": "Dosya sistemi sorunu çıktı"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "Etkin uygulama ekleri alınamadı"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "Bu takım izin verilen en fazla hesap sayısına ulaşmış. Sınırı yükseltmesi için sistem yöneticinizle görüşün."
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "Saat dilimi yapılandırma seri numarası kaldırılamadı. Dosya: {{.Filename}} Hata:{{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "Saat dilimi yapılandırma dosyası bulunamadı. Dosya: {{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "Saat dilimi yapılandırma dosyası okunamadı. Dosya: {{.Filename}} Hata: {{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "Kod geçersiz ya da eksik"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "Yeni grup iletisi kanalları ekleme izni"
},
@@ -3979,6 +3063,22 @@
"translation": "Grup İletisi Oluşturma"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "Herkese açık kanallarda ileti oluşturabilir"
},
@@ -3987,12 +3087,28 @@
"translation": "Herkese Açık Kanallarda İleti Oluşturma"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "Yeni takımlar ekleme izni"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "Takım Ekleme"
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "Kişisel Erişim Kodu Oluşturma"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "Görevleri yönetebilme"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "Görev Yönetimi"
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "Takım Rollerini Yönetme"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "Herkese açık kanalları okuma izni"
},
@@ -4035,6 +3383,30 @@
"translation": "Kişisel Erişim Kodlarını Okuma"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "Kişisel erişim kodlarını geçersiz kılabilir"
},
@@ -4059,6 +3431,62 @@
"translation": "Bölü Komutları Kullanılsın"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "Sistemdeki herhangi bir herkese açık, özel ya da doğrudan kanala ileti gönderebilen bir rol"
},
@@ -4083,6 +3511,14 @@
"translation": "Kişisel Erişim Kodu"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "Takımdaki herhangi bir herkese açık ve özel kanala ileti gönderebilen bir rol"
},
@@ -4099,96 +3535,108 @@
"translation": "Herkese Açık Kanallara İleti Gönderme"
},
{
- "id": "cli.license.critical",
- "translation": "Bu özellik Enterprise Sürümde bir lisans anahtarı ile birlikte kullanılabilir. Lütfen sistem yöneticiniz ile görüşün."
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "Görselin kodu çözülemedi."
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "Görsel yapılandırmasının kodu çözülemedi."
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "Görsel PNG olarak kodlanamadı."
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "Görsel açılamadı"
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "Görsel kaydedilemedi"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "Görsel açılamadı. Görsel çok büyük."
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "id={{ .id }} için küme yapılandırması değiştirildi. Küme artık kararlı olmayabilir ve bir yeniden başlatma gerekli. Kümenin doğru olarak yapılandırıldığından emin olmak için hemen yeniden başlatın."
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "`%v` üzerinde küme gönderimi yapılamadı. Ayrıntılar: %v, Ek: %v, Deneme Sayısı: %v"
+ "id": "cli.license.critical",
+ "translation": "Bu özellik Enterprise Sürümde bir lisans anahtarı ile birlikte kullanılabilir. Lütfen sistem yöneticiniz ile görüşün."
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "`%v' üzerinde küme gönderimi sonu yapılamadı. Ayrıntılar: %v, Ek: %v, Deneme Sayısı: %v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "%v ile kümeleme için olası sürüm uyumsuzluğu algılandı"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "%v ile kümeleme için olası yapılandırma uyumsuzluğu algılandı"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "id={{ .id }} için küme yapılandırması değiştirildi. Küme artık kararlı olmayabilir ve bir yeniden başlatma gerekli. Kümenin doğru olarak yapılandırıldığından emin olmak için hemen yeniden başlatın."
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "Geçerli lisans kümeleme özelliğini desteklemiyor. Lütfen Enterprise sürümüne yükseltmek için sistem yöneticisi ile görüşün."
+ "id": "ent.cluster.save_config.error",
+ "translation": "Yüksek Erişilebilirlik kipi etkin olduğunda, yapılandırma dosyasında ReadOnlyConfig seçeneği devre dışı bırakılmamış ise Sistem Panosu salt okunur olarak ayarlanır."
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "%v sunucusuna %v zamanında %v ile küme ulaşımı tamamlanamadı"
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "{{.ExportType}} çıktı biçimi bilinmiyor"
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "%v sunucusuna %v zamanında %v kodu %v kendisi ile küme ulaşımı tamamlandı"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Ek dosya zip dosyasına kopyalanamadı."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "Yüksek Erişilebilirlik kipi etkin olduğunda, yapılandırma dosyasında ReadOnlyConfig seçeneği devre dışı bırakılmamış ise Sistem Panosu salt okunur olarak ayarlanır."
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Ek dosya dışa aktarılan CSV dosyasına eklenemedi."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "%v üzerinden %v sunucu adı ve %v kodu ile küme düğümler arası iletişimi dinleniyor"
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Dışa aktarılan geçici CSV dosyası oluşturulamadı."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "%v sunucu adı ve %v kodu ile küme düğümler arası iletişimi durduruldu."
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Dışa aktarılan CSV dosyasına üst bilgi eklenemedi."
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "Geçerli lisans uygunluk özelliğini desteklemiyor. Lütfen Enterprise sürümüne yükseltmek için sistem yöneticisi ile görüşün."
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Zip dosyasına üst veri dosyası eklenemedi."
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "'{{.JobName}}' görevi için '{{.FilePath}}' konumuna uygunluk dışa aktarma işlemi tamamlanamadı"
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "'{{.JobName}}' görevi için {{.Count}} kayıt '{{.FilePath}}' konumuna uygunluk dışa aktarma işlemi tamamlandı"
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "'{{.JobName}}' görevi için uygunluk dışa aktarma işleminde çok fazla sayıda satır alındı ve ilk 30,000 tanesi budanarak '{{.FilePath}}' konumuna eklendi"
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "Geçerli lisans uygunluk özelliğini desteklemiyor. Lütfen Enterprise sürümüne yükseltmek için sistem yöneticisi ile görüşün."
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "'{{.JobName}}' görevi için '{{.FilePath}}' konumuna uygunluk dışa aktarma işlemi başlatıldı"
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.run_failed.error",
+ "translation": "'{{.JobName}}' görevi için '{{.FilePath}}' konumuna uygunluk dışa aktarma işlemi tamamlanamadı"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "Elasticsearch dizini oluşturulamadı"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "Elasticsearch dizininin var olup olmadığı anlaşılamadı"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "Elasticsearch dizin eşleştirmesi kurulamadı"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "ElasticSearch dizini silinemedi"
},
@@ -4272,7 +3712,7 @@
},
{
"id": "ent.elasticsearch.search_posts.parse_matches_failed",
- "translation": "Failed to parse search result matches"
+ "translation": "Arama sonuçları eşleşmesi işlenemedi"
},
{
"id": "ent.elasticsearch.search_posts.search_failed",
@@ -4287,18 +3727,6 @@
"translation": "Elasticsearch toplu işlemi oluşturulamadı"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "Elasticsearch toplu işlemi oluşturulamadı"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "Elasticsearch dizin ayarları yapılamadı"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "Elasticsearch toplu işlemi başlatılamadı"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "Elasticsearch toplu işlemi başlatılamadı"
},
@@ -4319,10 +3747,6 @@
"translation": "Elasticsearch sunucusunun adresi ya da Kullanıcı Adı değişmiş. Bağlantıyı sınamak için lütfen Elasticsearch parolasını yeniden yazın."
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "Geçerli lisans özel emoji özelliğini desteklemiyor. Lütfen Enterprise sürümüne yükseltmek için sistem yöneticisi ile görüşün."
- },
- {
"id": "ent.ldap.create_fail",
"translation": "LDAP kullanıcısı eklenemedi."
},
@@ -4355,10 +3779,6 @@
"translation": "AD/LDAP sunucusuna bağlanılamadı"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "Kimlik doğrulama bilgileri geçerli ancak kullanıcı eklenemedi."
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "AD/LDAP hesabınızın bu Mattermost sunucusunu kullanma izni yok. Lütfen sistem yöneticinizden AD/LDAP kullanıcı süzgecini denetlemesini isteyin."
},
@@ -4367,40 +3787,16 @@
"translation": "Kullanıcı AD/LDAP üzerinde kayıtlı değil"
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "Mattermost kullanıcısı AD/LDAP sunucusu tarafından güncellendi."
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "Eşitleme görevi yürütülemediğinden LDAP eşitleyici çalışamadı"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "LDAP eşitleyici eşitleme görevini oluşturamadı"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "AD/LDAP eşitlemesi tamamlandı"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "AD/LDAP kullanılarak tüm kullanıcılar alınamadı"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "AD/LDAP süzgeci geçersiz"
- },
- {
- "id": "ent.message_export.generic.license.error",
- "translation": "Bu lisans sürümü İletilerin Dışa Aktarılmasını desteklemiyor."
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.metrics.starting.info",
- "translation": "Ölçümleme ve profil sunucusu %v üzerinden dinleniyor"
- },
- {
- "id": "ent.metrics.stopping.info",
- "translation": "Ölçümleme ve profil sunucusu %v üzerinden durduruluyor"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "AD/LDAP süzgeci geçersiz"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "Kimlik Hizmeti Sağlayıcı isteği şifrelenirken bir sorun çıktı. Lütfen sistem yöneticiniz ile görüşün."
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "İmzalanmış kimlik Hizmeti Sağlayıcı isteği şifrelenirken bir sorun çıktı. Lütfen sistem yöneticiniz ile görüşün."
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "SAML Hizmet Sağlayıcısı ayarları yapılırken bir sorun çıktı. Hata: %v"
},
@@ -4491,10 +3883,6 @@
"translation": "Himzet Sağlayıcısının Özel Anahtarı bulunamadığından SAML oturumu açılamadı. Lütfen sistem yöneticiniz ile görüşün."
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "Hizmet Sağlayıcısının Herkese Açık Sertifika Dosyası bulunamadı. Lütfen sistem yöneticiniz ile görüşün."
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "Kimlik Sağlayıcı yanıtı şifrelenmemiş olduğundan SAML oturumu açılamadı. Lütfen sistem yöneticiniz ile görüşün."
},
@@ -4527,8 +3915,12 @@
"translation": "SAML 2.0 ayarları yapılmamış ya da bu sunucu tarafından desteklenmiyor."
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "Var olan SAML kullanıcı güncellenemedi. Gene de oturum açmaya izin veriliyor. Hata: %v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "İş durumu hata olarak ayarlanamadı"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "%v kanalı bulunamadı, %v olasılık araştırıldı"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "Kanallar alınamadı"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "Kullanıcı ve takım ekleniyor"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "Adres işlenemedi"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "El ile sınama için ayarlanıyor..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "Adres içinde UID yok"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "El İle Otomatik Bağlantı Sınaması"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "Kanallar alınamadı"
},
@@ -4575,50 +3947,6 @@
"translation": "Mattermost Güvenlik Duyurusu"
},
{
- "id": "mattermost.config_file",
- "translation": "%v üzerinden yüklenen ayar dosyası"
- },
- {
- "id": "mattermost.current_version",
- "translation": "Güncel sürüm %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "Enterprise Sürüm Etkin: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "Enterprise sürüm özelliklerini kullanabilmek için https://mattermost.com üzerinden bir lisans anahtarı almalısınız."
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "Güvenlik duyurusu ayrıntıları alınamadı"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "Güvenlik duyurusu ayrıntıları okunamadı"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "Mattermost üzerinden güvenlik güncellemesi denetleniyor"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "Mattermost üzerinden güvenlik güncellemesi alınamadı."
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "%v için güvenlik duyurusu %v üzerine gönderiliyor"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "Mattermost üzerinden sistem yöneticileri için güvenlik güncellemesi bilgileri alınamadı."
- },
- {
- "id": "mattermost.working_dir",
- "translation": "Geçerli çalışma klasörü: %v"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "İşlenen verilerin geçersiz olması nedeniyle aktarım tamamlanamadı."
},
@@ -4707,10 +4035,6 @@
"translation": "Kod geçersiz"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "Ad geçersiz"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "Amaç geçersiz"
},
@@ -4731,10 +4055,6 @@
"translation": "E-posta bildirimi değeri geçersiz"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "Bildirim kapatma değeri geçersiz"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "Bildirim düzeyi geçersiz"
},
@@ -4743,10 +4063,6 @@
"translation": "Anında bildirim düzeyi geçersiz"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "Rol geçersiz"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "Okunmamış olarak işaretle düzeyi geçersiz"
},
@@ -4755,30 +4071,6 @@
"translation": "Kullanıcı kodu geçersiz"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "Kanal kodu geçersiz"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "Katılma zamanı geçersiz"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "Ayrılma zamanı geçersiz"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "Kullanıcı e-posta adresi geçersiz"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "Kullanıcı kodu geçersiz"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "Gelen veriler işlenemedi"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "Sunucuya bağlanılırken bir sorun çıktı"
},
@@ -4803,8 +4095,8 @@
"translation": "Takım parametresi eksik"
},
{
- "id": "model.client.login.app_error",
- "translation": "Kimlik doğrulama kodları eşleşmiyor"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "İstek yazılamadı"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "Kanal kodu çok parçalı forma yazılırken sorun çıktı"
},
@@ -4847,10 +4147,30 @@
"translation": "Multipart isteği oluşturulamadı"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "Oluşturulacak Konum ayarlanmalıdır"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Sunucu adı ayarlanmalıdır"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "Kod geçersiz"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "Son Ping Zamanı ayarlanmalıdır"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "Küme Adı ayarlanmalıdır"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Tür ayarlanmalıdır"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "Oluşturulma zamanı geçerli bir zaman olmalıdır"
},
@@ -4951,6 +4271,10 @@
"translation": "Bitiş, başlangıç zamanından büyük olmalıdır"
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Alt etki alanları için çerezlere izin verilmesi için site adresinin ayarlanmış olması gereklidir."
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "Hizmet ayarlarında atmos/camo görsel vekil sunucusu ayarları geçersiz. Paylaşılmış anahtarınıza ayarlanmalıdır."
},
@@ -4995,10 +4319,6 @@
"translation": "Elasticsearch Live dizin işlemi boyutu en az 1 olmalıdır"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "Elastic Search Password setting must be provided when Elastic Search indexing is enabled."
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "Elasticsearch toplayıcı JobStartTime ayarının değeri \"ss:dd\" biçiminde bir zaman olmalıdır"
},
@@ -5007,10 +4327,6 @@
"translation": "Elasticsearch İsteği Zaman Aşımı en az 1 saniye olmalıdır."
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "Elastic Search Username setting must be provided when Elastic Search indexing is enabled."
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "Toplu e-posta tampon bellek boyutu e-posta ayarı geçersiz. Sıfır ya da pozitif bir sayı olmalıdır."
},
@@ -5023,10 +4339,6 @@
"translation": "E-posta ayarları için e-posta bildirim içerikleri türü geçersiz. 'tam' ya da 'genel' olmalıdır."
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "Parola sıfırlama çeşnisi e-posta ayarı geçersiz. 32 ya da daha fazla karakter olmalıdır."
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "Çağrı çeşnisi e-posta ayarı geçersiz. 32 ya da daha fazla karakter olmalıdır."
},
@@ -5043,34 +4355,10 @@
"translation": "Sürücü adı dosya ayarı geçersiz. 'local' ya da 'amazons3' olmalı"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "Ön izleme yüksekliği dosya ayarı geçersiz. Sıfır ya da pozitif bir sayı olmalı."
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "Ön izleme genişliği dosya ayarı geçersiz. Sıfır ya da pozitif bir sayı olmalı."
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "Profil yüksekliği dosya ayarı geçersiz. Sıfır ya da pozitif bir sayı olmalı."
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "Profil genişliği dosya ayarı geçersiz. Sıfır ya da pozitif bir sayı olmalı."
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "Herkese açık bağlantı çeşnisi dosya ayarı geçersiz. En az 32 karakter uzunluğunda olmalı."
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "Küçük görsel yüksekliği dosya ayarı geçersiz. Sıfır ya da pozitif bir sayı olmalı."
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "Küçük görsel genişliği dosya ayarı geçersiz. Sıfır ya da pozitif bir sayı olmalı."
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "Hizmet ayarları okunmamış kanallar gruplansın geçersiz. 'disabled', 'default_on' ya da 'default_off' olmalıdır."
},
@@ -5083,30 +4371,14 @@
"translation": "\"BaseDN\" AD/LDAP alanı zorunludur."
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "\"Bağlantı Parolası\" AD/LDAP alanı zorunludur."
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "\"Bağlantı Kullanıcı Adı\" AD/LDAP alanı zorunludur."
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "\"E-posta Özniteliği\" AD/LDAP alanı zorunludur."
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "\"Ad Özniteliği\" AD/LDAP alanı zorunludur."
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "\"Kod Özniteliği\" AD/LDAP alanı zorunludur."
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "\"Soyad Özniteliği\" AD/LDAP alanı zorunludur."
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "\"Oturum Açma Kodu Özniteliği\" AD/LDAP alanı zorunludur."
},
@@ -5115,14 +4387,6 @@
"translation": "En büyük sayfa boyutu değeri geçersiz."
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Zorunlu AD/LDAP alanı eksik."
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "Zorunlu AD/LDAP alanı eksik."
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "Bağlantı güvenliği AD/LDAP ayarı geçersiz. '', 'TLS', or 'STARTTLS' seçeneklerinden biri olmalı"
},
@@ -5188,19 +4452,7 @@
},
{
"id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "İleti dışa aktarma görevinin Dışa Aktarma Biçimi 'actiance' ya da 'genelaktarıcı' olmalıdır"
- },
- {
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "İleti dışa aktarma görevinin Dışa Aktarma Biçimi 'actiance' ya da 'genelaktarıcı' olmalıdır"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "İleti dışa aktarma görevi DosyaKonumu değeri dışa aktarılacak verilerin kaydedilebilmesi için yazılabilen bir klasör olmalıdır"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "İleti dışa aktarma görevi DosyaKonumu DosyaAyarları.Klasör değerinin bir alt klasörü olmalıdır"
+ "translation": "İleti dışa aktarma görevinin Dışa Aktarma Biçimi 'actiance', 'csv' ya da 'genelaktarıcı' olmalıdır"
},
{
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
@@ -5223,18 +4475,10 @@
"translation": "İleti dışa aktarma görevi GenelAktarıcıAyarları.SmtpKullanıcıAdı ayarlanmalıdır"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "İleti dışa aktarma görevinin GenelAktarıcıE-postaAdresi geçerli bir e-posta adresi olmalıdır"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "En kısa parola uzunluğu {{.MinLength}} ile {{.MaxLength}} arasında bir tamsayı olmalıdır."
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "En uzun parola uzunluğu en kısa parola uzunluğundan büyük ya da eşit olmalıdır."
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "Bellek depolama boyutu hız sınırı ayarı geçersiz. Pozitif bir sayı olmalıdır"
},
@@ -5367,10 +4611,6 @@
"translation": "Oluşturulma zamanı geçerli bir zaman olmalıdır"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "Ekleyen kodu geçersiz"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "Emoji kodu geçersiz"
},
@@ -5383,10 +4623,38 @@
"translation": "Güncelleme zamanı geçerli bir zaman olmalıdır"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "Gif kodu çözülemedi."
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "Kanal kodu geçersiz"
},
@@ -5411,6 +4679,10 @@
"translation": "Kod geçersiz"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "Gelen veriler işlenemedi"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "Takım kodu geçersiz"
},
@@ -5443,6 +4715,14 @@
"translation": "Görev türü geçersiz"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "Uygulama kodu geçersiz"
},
@@ -5491,6 +4771,10 @@
"translation": "Kanal kodu geçersiz"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "Oluşturulma zamanı geçerli bir zaman olmalıdır"
},
@@ -5543,14 +4827,6 @@
"translation": "Anahtar geçersiz, {{.Min}} ile {{.Max}} karakter arasında olmalıdır."
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "Anahtar geçersiz, {{.Min}} ile {{.Max}} karakter arasında olmalıdır."
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "Uygulama eki kodu geçersiz, {{.Min}} ile {{.Max}} karakter arasında olmalıdır."
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "Uygulama eki kodu geçersiz, {{.Min}} ile {{.Max}} karakter arasında olmalıdır."
},
@@ -5699,10 +4975,6 @@
"translation": "Adres belirteci geçersiz"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "Rol geçersiz"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "Takım kodu geçersiz"
},
@@ -5719,130 +4991,18 @@
"translation": "Kod geçersiz."
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "Kimlik doğrulama verileri geçersiz"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "Geçersiz kullanıcı, parola ve kimlik doğrulama verilerinin ikisi de ayarlanamaz"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "Geçersiz kullanıcı, kimlik doğrulama verileri kimlik doğrulama türü ile ayarlanmalı"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "Oluşturulma zamanı geçerli bir zaman olmalıdır"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "E-posta geçersiz"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "Ad geçersiz"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "Kullanıcı kodu geçersiz"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "Soyad geçersiz"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "Takma ad geçersiz"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "Bcrypt sınırlaması nedeniyle parola 72 karakterden uzun olamaz."
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "Konum geçersiz: 128 karakterden kısa olmalıdır."
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalıdır."
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir küçük harf içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir küçük harf ile bir rakam içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir küçük harf, bir rakam ve bir simge (\"~!@#$%^&*()\" gibi) içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir küçük harf ve bir simge (\"~!@#$%^&*()\" gibi) içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir küçük ile bir büyük harf içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir küçük, bir büyük harf ve bir rakam içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir küçük harf, bir büyük harf, bir rakam ve bir simge (\"~!@#$%^&*()\" gibi) içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir küçük harf, bir büyük harf ve bir simge (\"~!@#$%^&*()\" gibi) içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir rakam içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir rakam ile bir simge (\"~!@#$%^&*()\" gibi) içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir simge (\"~!@#$%^&*()\" gibi) içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir büyük harf içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir büyük harf ile bir rakam içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir büyük harf, bir rakam ve bir simge (\"~!@#$%^&*()\" gibi) içermelidir."
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "Parolanız en az {{.Min}} karakter uzunluğunda olmalı ve en az bir büyük harf ile bir simge (\"~!@#$%^&*()\" gibi) içermelidir."
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "Takım kodu geçersiz"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "Güncelleme zamanı geçerli bir zaman olmalıdır"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "Kullanıcı adı geçersiz"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "Açıklama geçersiz, 255 karakterden kısa olmalıdır"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "Erişim kodu geçersiz"
},
@@ -5855,6 +5015,10 @@
"translation": "kod çözülemedi"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "GitLab Hizmet Koşulları güncellendi. Lütfen gitlab.com adresine giderek yeni hizmet koşullarını onayladıktan sonra yeniden Mattermost oturumu açmayı deneyin."
},
@@ -5863,26 +5027,6 @@
"translation": "Uygulama eki RPC eklenirken sorun çıktı"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "%v sütun türü değiştirilemedi"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "%v dizini denetlenemedi"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "SqlStore kapatılıyor"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "Sütunun var olup olmadığı eksik sürücü nedeniyle denetlenemedi"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "Veritabanından: EncryptStringMap *string olarak dönüştürülemedi"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "Veritabanından: StringArray *string olarak dönüştürülemedi"
},
@@ -5895,82 +5039,6 @@
"translation": "Veritabanından: StringMap *string olarak dönüştürülemedi"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "%v sütunu oluşturulamadı"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "Sütun eksik sürücü nedeniyle oluşturulamadı"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "Dizin eksik sürücü nedeniyle oluşturulamadı"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "Veritabanı tabloları oluşturulurken sorun çıktı: %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "Diyalekte özel sürücü oluşturulamadı"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "Diyalekte özel sürücü oluşturulamadı %v"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "Belirtilen şifreleme metni için MAC geçersiz"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "%v sütununun en fazla uzunluğu alınamadı"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "SQL bağlantısı açılamadı %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "Bu lisans ile 1 okuma kopyasından fazlası desteklenmez. Lütfen lisansınızı yükseltmek için sistem yöneticinizle görüşün."
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "%v dizini silinemedi"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "%v sütunu silinemedi"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "%v veritabanı şeması sürümü eskimiş gibi görünüyor"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "Veritabanı şeması %v sürümüne yükseltilmeye çalışılıyor"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "%v veritabanı şeması sürümü artık desteklenmiyor. Bu Mattermost sunucusu %v şema sürümünden %v şema sürümüne kadar olan otomatik güncellemeleri destekliyor. Sürüm düşürme işlemi desteklenmez. Lütfen devam etmeden önce veritabanı şemasını el ile son %v sürümüne yükseltin."
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "kısa şifreleme metni"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "%s sütunu %s tablosu için veri türü alınamadı: %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "şifreleme metni çok kısa"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "Veritabanı şeması %v sürümüne güncellendi"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "Denetimler bulunurken bir sorun çıktı"
},
@@ -5999,16 +5067,24 @@
"translation": "Kanal türü sayıları alınamadı"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "İzinler denetlenemedi"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "İzinler denetlenemedi"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "İzinler denetlenemedi"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "Herhangi bir kanal bulunamadı"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "Var olan silinmiş kanal alınamadı"
},
@@ -6067,10 +5151,6 @@
"translation": "Bu adı taşıyan silinmiş bir kanal bulunamadı"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "Kanal üyeleri hakkında ek bilgi alınamadı"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "Belirtilen iletinin kanalı alınamadı"
},
@@ -6231,10 +5311,6 @@
"translation": "Kanallar aranırken bir sorun çıktı"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "Son görüntülenme zamanı ayarlanamadı"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "Kanal güncellenemedi"
},
@@ -6259,14 +5335,6 @@
"translation": "Kanal üyesi güncellenirken bir sorun çıktı"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "Kayıtlar alınamadı"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "Belirtilen zaman için kanaldaki kullanıcılar alınamadı"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "Belirtilen zaman aralığı için kanaldaki kullanıcılar alınamadı"
},
@@ -6275,10 +5343,6 @@
"translation": "Kanal üyeleri geçmişi kaydedilemedi"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "Kanal üyeleri geçmişi kaydedilemedi. Herhangi bir katılma kaydı bulunamadı"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "Kanal üye geçmişi kaydedilemedi. Var olan katılma kaydı güncellenemedi"
},
@@ -6287,6 +5351,30 @@
"translation": "Kayıtlar silinemedi"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Küme Keşfi satırı kaydedilemedi"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "Silinemedi"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "Var olup olmadığı denetlenemedi"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Tüm keşif satırları alınamadı"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Küme Keşfi satırı kaydedilemedi"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Son ping zamanı güncellenemedi"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "Komutlar sayılamadı"
},
@@ -6411,10 +5499,6 @@
"translation": "Dosya bilgileri kaydedilemedi"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "We couldn't save or update the file info"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "İş silinemedi"
},
@@ -6567,10 +5651,6 @@
"translation": "Uygulama eki anahtarı değeri kaydedilemedi ya da güncellenemedi"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "Uygulama eki anahtarı değeri eşsiz olma sınırlaması nedeniyle kaydedilemedi ya da güncellenemedi"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "İleti sayısı alınamadı"
},
@@ -6583,6 +5663,10 @@
"translation": "İleti gönderen kullanıcı sayısı alınamadı"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "İleti silinemedi"
},
@@ -6591,6 +5675,10 @@
"translation": "İleti alınamadı"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "Kanalın üst iletisi alınamadı"
},
@@ -6643,10 +5731,6 @@
"translation": "Toplu iletiler kalıcı olarak silinirken bir sorun çıktı"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "Toplu iletiler kalıcı olarak silinirken bir sorun çıktı"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "Kanala göre ileti silinemedi"
},
@@ -6663,14 +5747,6 @@
"translation": "Desteklenen en büyük ileti boyutu belirlenemedi"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message en çok %d karakteri (%d bayt) destekliyor"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "Desteklenen en büyük ileti boyutunu belirlemek için bir uygulama bulunamadı"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "İleti kaydedilemedi"
},
@@ -6683,10 +5759,6 @@
"translation": "Bu sunucu üzerinde arama özelliği devre dışı bırakılmış. Lütfen sistem yöneticiniz ile görüşün."
},
{
- "id": "store.sql_post.search.warn",
- "translation": "İletiler aranırken sorgu hatası: %v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "İleti güncellenemedi"
},
@@ -6751,6 +5823,10 @@
"translation": "Ayar güncellenemedi"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "Tepki silinirken işlem açılamadı"
},
@@ -6759,20 +5835,12 @@
"translation": "Tepki silinirken işlem tamamlanamadı"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "Tepki silinemedi"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "Belirtilen emoji adının tepkileri silinemedi"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "Belirtilen emoji adının tepkileri alınamadı"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "Tepkiler silinirken Post.HasReactions güncellenemedi. İleti Kodu: %v, Hata: %v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "Tepki kaydedilemedi"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "Rol silinemedi"
},
@@ -6823,10 +5903,6 @@
"translation": "Rol geçersiz"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "Rol geçersiz"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "Rolü kaydedecek hareket açılamadı"
},
@@ -6843,10 +5919,6 @@
"translation": "Bu şemaya ait roller silinemedi"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "1 ya da daha fazla takım ya da kanal tarafından kullanılmakta olduğundan bu şema silinemedi"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "Şema silinemedi"
},
@@ -6895,10 +5967,6 @@
"translation": "Oturumlar sayılamadı"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "Süresi geçmiş kullanıcı oturumları silinirken bir sorun çıktı"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "Oturum bulunurken bir sorun çıktı"
},
@@ -6907,10 +5975,6 @@
"translation": "Kullanıcı oturumları bulunurken bir sorun çıktı"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "getSessions içindeki oturumlar silinemedi. Hata: %v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "Kullanıcının tüm oturumları silinemedi"
},
@@ -6927,10 +5991,6 @@
"translation": "Oturum kaydedilemedi"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "Save içindeki oturumlar silinemedi. Hata: %v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "Var olan oturum güncellenemedi"
},
@@ -6983,6 +6043,10 @@
"translation": "Durum güncellenirken bir sorun çıktı"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "Sistem özellikleri bulunurken bir sorun çıktı"
},
@@ -6991,10 +6055,6 @@
"translation": "Sistem değişkeni bulunamadı."
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "Veritabanı sürümü alınamadı"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "Sistem tablosu kaydı kalıcı olarak silinemedi"
},
@@ -7011,6 +6071,26 @@
"translation": "Takımlar sayılamadı"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "Var olan takım bulunamadı"
},
@@ -7063,10 +6143,6 @@
"translation": "Takım üyeleri alınamadı"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "Takımlara bakılırken bir sorun çıktı"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "Takımların okunmamış iletileri alınamadı"
},
@@ -7151,6 +6227,14 @@
"translation": "Takım adı güncellenemedi"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "Etkin olmayan kullanıcılar sayılamadı"
},
@@ -7163,12 +6247,28 @@
"translation": "Tekil kullanıcı sayısı alınamadı"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "Hesap aranırken bir sorun çıktı"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "Belirli bir kimlik doğrulama türündeki tüm hesaplar bulunmaya çalışılırken bir sorun çıktı."
+ "id": "store.sql_user.get.app_error",
+ "translation": "Hesap aranırken bir sorun çıktı"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "Kullanıcı ve kanalın okunmamış ileti sayısı alınamadı"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "Kullanıcı aktarılamadı. Ayarlar tablosuna ThemeProps %v"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "Kullanıcı bulunamadı."
},
@@ -7271,6 +6367,10 @@
"translation": "Aynı kullanıcı adını kullanan bir hesap zaten var. Lütfen yöneticiniz ile görüşün."
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "Hesap güncellenemedi"
},
@@ -7311,18 +6411,10 @@
"translation": "Başarısız girişim sayısı güncellenemedi"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "Son etkinlik zamanı güncellenemedi"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "Son güncelleme zamanı güncellenemedi"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "Son bağlantı zamanı güncellenemedi"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "Kullanıcının MFA etkin durumu güncellenirken bir sorun çıktı"
},
@@ -7335,6 +6427,10 @@
"translation": "Kullanıcının parolası güncellenemedi"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "E-posta doğrulama alanı güncellenemedi"
},
@@ -7367,6 +6463,18 @@
"translation": "Kullanıcı erişim kodları aranırken bir sorun çıktı"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "Gelen web bağlantıları sayılamadı"
},
@@ -7459,18 +6567,10 @@
"translation": "Ayar dosyasının kodu çözülürken sorun çıktı. Dosya: {{.Filename}}, Hata: {{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "Ayar bilgileri dosyası alınırken sorun çıktı. Dosya: {{.Filename}}, Hata: {{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "Ayar dosyası açılırken sorun çıktı. Dosya: {{.Filename}}, Hata: {{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "Ayar dosyası doğrulanırken sorun çıktı. Dosya: {{.Filename}}, Hata: {{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "{{.Filename}} dosyası kaydedilirken bir sorun çıktı"
},
@@ -7487,18 +6587,6 @@
"translation": "Mattermost ayar dosyası yüklenemedi: DefaultServerLocale desteklenen yerel seçeneklerinden birine ayarlanmalıdır. DefaultServerLocale varsayılan olarak en değerine ayarlanıyor."
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "Mattermost ayar dosyası yüklenemedi: AvailableLocales seçeneğinde DefaultClientLocale bulunmalıdır"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "Analytics başlatılmadı"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "Dosya depolama ayarları doğru şekilde yapılmamış. Lütfen dosya depolaması için bir S3 ya da yerel sunucu ayarlayın."
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "Klasör yerel sunucu depolaması üzerinde görüntülenirken bir sorun çıktı."
},
@@ -7507,10 +6595,6 @@
"translation": "Klasör S3 üzerinden görüntülenirken bir sorun çıktı."
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "Dosya depolama ayarları doğru şekilde yapılmamış. Lütfen S3 ya da yerel sunucusu depolama ayarlarını yapın."
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "Klasör yerel sunucu depolaması üzerinden silinirken bir sorun çıktı."
},
@@ -7519,10 +6603,6 @@
"translation": "Klasör S3 üzerinden silinirken bir sorun çıktı."
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "Dosya depolama ayarları doğru şekilde yapılmamış. Lütfen S3 ya da yerel sunucu depolama ayarlarını yapın."
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "Dosya yerel sunucu depolaması üzerinden silinirken bir sorun çıktı"
},
@@ -7531,38 +6611,6 @@
"translation": "Dosya S3 üzerinden silinirken bir sorun çıktı."
},
{
- "id": "utils.i18n.loaded",
- "translation": "'%v' için sistem çevirileri '%v' üzerinden yüklendi"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "Pozitif bir büyüklük belirtilmeli"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "Geçerli bir Enterprise lisansı bulunamadı"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "Lisans dosyası kaldırılamadı. Hata: %v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "Lisansın kodu çözülürken sorun çıktı. Hata: %v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "İmza geçersiz. Hata: %v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "İmzalanmış lisans yeterince uzun değil"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "Lisans imzalanırken sorun çıktı. Hata: %v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "Failed to set HELO"
},
@@ -7579,14 +6627,6 @@
"translation": "SMTP sunucusu üzerinde kimlik doğrulanamadı"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "Failed to to set the HELO to SMTP server %v"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "%v SMTP sunucusu üzerinde bağlantı açılamadı"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "Ek dosya e-postaya eklenemedi"
},
@@ -7607,42 +6647,10 @@
"translation": "E-posta ileti verileri eklenemedi"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "e-posta %v alıcısına '%v' konusu ile gönderiliyor"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "\"Kime\" adresi ayarlanırken sorun çıktı"
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "SMTP sunucu ayarları doğru şekilde yapılmamış görünüyor. Hata: %v, Ayrıntılar: %v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "SMTP sunucu ayarları doğru şekilde yapılmamış görünüyor. Hata: %v, Ayrıntılar: %v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "Yönetici Panosu"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "Uygulamaya İzin Ver"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "%v takım adı bulunamadı. Hata: %v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "Hesap Adı"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "Kullanıcı bulunamadı. Takım Kodu: %v, E-posta: %v, Hata: %v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "Komut bulunamadı"
},
@@ -7655,42 +6663,6 @@
"translation": "Gelen veriler işlenemedi"
},
{
- "id": "web.create_dir.error",
- "translation": "Klasör izleyici eklenemedi %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "%v kodlu kullanıcı profili alınırken sorun çıktı, oturum kapatılıyor"
- },
- {
- "id": "web.doc.title",
- "translation": "Belgeler"
- },
- {
- "id": "web.email_verified.title",
- "translation": "E-posta Doğrulandı"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "Geçerli web tarayıcınız desteklenmiyor. Lütfen şu web tarayıcılardan birini kullanın:"
},
@@ -7699,12 +6671,8 @@
"translation": "Web Tarayıcısı Desteklenmiyor"
},
{
- "id": "web.find_team.title",
- "translation": "Takım Bul"
- },
- {
- "id": "web.header.back",
- "translation": "Geri"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "Herhangi bir metin belirtilmemiş"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "Olabilecek en uzun metin uzunluğu {{.Max}} karakter, alınan boyut {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "Kullanıcı bulunamadı"
- },
- {
- "id": "web.init.debug",
- "translation": "Web rotaları hazırlanıyor"
- },
- {
- "id": "web.login.error",
- "translation": "%v takım adı bulunamadı. Hata: %v"
- },
- {
- "id": "web.login.login_title",
- "translation": "Oturum Aç"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "Takım adı geçersiz"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "%v üzerindeki kalıplar işleniyor"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "İleti kodu geçersiz"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "Parola sıfırlama bağlantısının süresi geçmiş"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "Parola sıfırlama bağlantısı geçersiz görünüyor"
- },
- {
- "id": "web.root.home_title",
- "translation": "Ana Sayfa"
- },
- {
- "id": "web.root.singup_title",
- "translation": "Hesap Açın"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "Hesap açma bağlantısının süresi geçmiş"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "Takım Hesabı Açmayı Tamamla"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "Hesap Açma E-postası Gönderildi"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "Hesap açma bağlantısının süresi geçmiş"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "Takım türü açık çağrılara izin vermiyor"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "Kullanıcı Hesabı Açmayı Tamamla"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "Takım adı geçersiz"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "Klasör %v izleyicisine eklenemedi"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "Durum WebSocket API rotaları hazırlanıyor"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "Sistem WebSocket API rotaları hazırlanıyor"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "Kullanıcı WebSocket API rotaları hazırlanıyor"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "WebRTC WebSocket API rotaları hazırlanıyor"
}
]
diff --git a/i18n/zh-CN.json b/i18n/zh-CN.json
index cd111108a..78672b7cd 100644
--- a/i18n/zh-CN.json
+++ b/i18n/zh-CN.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "四月"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "八月"
- },
- {
- "id": "December",
- "translation": "十二月"
- },
- {
- "id": "February",
- "translation": "二月"
- },
- {
- "id": "January",
- "translation": "一月"
- },
- {
- "id": "July",
- "translation": "七月"
- },
- {
- "id": "June",
- "translation": "六月"
- },
- {
- "id": "March",
- "translation": "三月"
- },
- {
- "id": "May",
- "translation": "五月"
- },
- {
- "id": "November",
- "translation": "十一月"
- },
- {
- "id": "October",
- "translation": "十月"
- },
- {
- "id": "September",
- "translation": "九月"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "读取日志文件出错。"
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "此服务器不支持或没有正确配置自定义品牌。"
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "未配置图像存储器。"
},
{
- "id": "api.admin.init.debug",
- "translation": "正在初始化管理 API 路由。"
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "数据库连接重用完成。"
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "正在尝试重用数据库连接。"
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "删除证书时发生错误。请确定config/{{.Filename}}文件已存在。"
},
@@ -92,6 +36,10 @@
"translation": "创建服务商元数据时发生错误。"
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>看来你的Mattermost邮箱设置成功!"
},
@@ -112,14 +60,6 @@
"translation": "必须填写 S3 储存桶"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "必须填写 S3 Endpoint"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "必须填写 S3 区域"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "请求中图片为空"
},
@@ -128,10 +68,6 @@
"translation": "请求中缺失图片文件"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "此服务器不支持或没有正确配置自定义品牌"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "不能解析混合表单"
},
@@ -144,38 +80,10 @@
"translation": "无法上传文件。文件太大。"
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "解析服务模板出错 %v"
- },
- {
- "id": "api.api.render.error",
- "translation": "渲染模板出错 %v err=%v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "可以让用户查看权限。"
- },
- {
- "id": "api.brand.init.debug",
- "translation": "正在初始化商标 API 路由"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v 由 %v 邀请加入频道。"
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "未找到频道"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "未找到要添加的用户"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "查找用户执行添加时出错"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "添加用户到频道出错"
},
@@ -192,30 +100,6 @@
"translation": "不能添加用户到该频道类型"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "只有系统管理员能创建私有频道。"
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "只有团队和系统管理员能创建与管理私有频道。"
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "只有系统管理员能创建公开频道。"
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "只有团队和系统管理员能创建与管理公开频道。"
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "此频道已转换到公共频道并允许任何团队成员加入。"
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "此频道已转换到私有频道。"
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "默认频道无法转换成私有频道。"
},
@@ -268,50 +152,6 @@
"translation": "该频道已归档或者被删除"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "发布归档消息失败 %v"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "发送归档消息失败"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "删除传入的webhook出错, id=%v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "删除传出的webhook出错, id=%v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "您没有对应的权限"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "不存在团队team_id={{.TeamId}}, 频道 channel_id={{.ChannelId}}"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "不能从数据库中获取频道数"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "该频道已归档或者被删除"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "解析成员限制失败"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "获取用户配置出错 for id=%v 强制注销"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "正在初始化频道 API 路由"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "频道已被删除"
},
@@ -340,6 +180,10 @@
"translation": "%v 已退出该频道。"
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "发送显示名更新信息时失败"
},
@@ -380,22 +224,10 @@
"translation": "不能从默认频道 {{.Channel}} 移出用户"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "您没有对应的权限"
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v 已从频道移出。"
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "无法移除用户。"
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "未找到要删除的用户"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "该频道已归档或者被删除"
},
@@ -404,10 +236,6 @@
"translation": "该频道已归档或者被删除"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "您没有对应的权限"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "对默认频道试图执行一个无效的更新 {{.Channel}}"
},
@@ -424,26 +252,14 @@
"translation": "无法设定频道方案因为提供的方案不是频道方案。"
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "无法获取未读数量:user_id=%v, channel_id=%v, err=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "提供的角色由方案管理,因此无法直接应用到团队成员"
},
{
- "id": "api.cluster.init.debug",
- "translation": "正在初始化机群 API 路由"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "集成只限于管理员。"
},
{
- "id": "api.command.delete.app_error",
- "translation": "无效删除命令权限"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "命令已经被系统管理员禁用。"
},
@@ -472,18 +288,10 @@
"translation": "未找到拥有触发 '{{.Trigger}}' 的命令。如果像发送以 \"/\" 开头的消息,请在前面加个空格。"
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "保存命令响应到频道时出错"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "没有找到控制触发器"
},
{
- "id": "api.command.init.debug",
- "translation": "正在初始化命令 API 路由"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "发送一封邀请邮件给你的Mattermost团队"
},
@@ -516,18 +324,10 @@
"translation": "邮件邀请已发送"
},
{
- "id": "api.command.regen.app_error",
- "translation": "无效重新生成命令令牌权限"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "无法跨团队更新命令"
},
{
- "id": "api.command.update.app_error",
- "translation": "无效更新命令权限"
- },
- {
"id": "api.command_away.desc",
"translation": "设置您的状态设为离开"
},
@@ -568,10 +368,6 @@
"translation": "更新当前频道错误。"
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "成功更新频道标题。"
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "获取当前频道错误。"
},
@@ -644,10 +440,6 @@
"translation": "更新当前频道错误。"
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "成功更新频道名。"
- },
- {
"id": "api.command_code.desc",
"translation": "以代码块格式显示文字"
},
@@ -696,10 +488,6 @@
"translation": "请勿打扰已启用。您不会在桌面或移动设备收到推送通知直到请勿打扰关闭。"
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "不能创建 /echo 帖文,err=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "延迟必须在 10000 秒内"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "无法找到用户:%s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "列出用户时出错。"
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "群消息最多 {{.MaxUsers}} 用户。"
},
@@ -779,18 +559,10 @@
"translation": "群消息最少 {{.MinUsers}} 用户。"
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "无法找到用户"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "消息"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "消息已发送给用户。"
- },
- {
"id": "api.command_help.desc",
"translation": "打开 Mattermost 帮助页面"
},
@@ -875,10 +647,6 @@
"translation": "加入"
},
{
- "id": "api.command_join.success",
- "translation": "已加入频道。"
- },
- {
"id": "api.command_kick.name",
"translation": "踢出"
},
@@ -891,14 +659,6 @@
"translation": "离开频道时发生错误。"
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "列出频道时发生错误。"
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "我们没有找到该频道"
- },
- {
"id": "api.command_leave.name",
"translation": "离开"
},
@@ -947,10 +707,6 @@
"translation": "@[用户名] '消息'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "列出用户时出错。"
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "无法找到用户"
},
@@ -959,10 +715,6 @@
"translation": "消息"
},
{
- "id": "api.command_msg.success",
- "translation": "消息已发送给用户。"
- },
- {
"id": "api.command_mute.desc",
"translation": "关闭当前频道或指定[频道]的桌面、邮件以及推送通知。"
},
@@ -1115,10 +867,6 @@
"translation": "shrug"
},
{
- "id": "api.compliance.init.debug",
- "translation": "正在初始化合规 API 路由"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "暂未支持客户端配置的新格式。请在查询字串指定 format=old。"
},
@@ -1135,14 +883,6 @@
"translation": "无效 {{.Name}} 参数"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "无效会话 err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "团队URL访问无效。团队URL不能在API函数或者和不相干的团队中使用"
- },
- {
"id": "api.context.invalid_token.error",
"translation": "无效会话令牌 token={{.Token}}, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "请求网址有无效或缺少 {{.Name}}"
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "清除所有缓存"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "不能更新LastActivityAt user_id=%v and session_id=%v, err=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v code=%v rid=%v uid=%v ip=%v %v [详情: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "此服务器要求多重验证。"
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "缺少团队 Id"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "您没有对应的权限"
},
@@ -1179,26 +903,10 @@
"translation": "无效或过期的会话,请重新登录。"
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "您没有对应的权限 (系统)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "会话不是OAuth但是查询字符串中提供的令牌"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "发生未知错误。请联系我们。"
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "API 版本 3 已在本服务器停用。请使用 API 版本 4。详情见 https://api.mattermost.com。"
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "正在初始化已弃用 API 路由"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "批量电子邮件任务接收频道已满。请提高EmailBatchingBufferSize。"
},
@@ -1207,14 +915,6 @@
"translation": "系统管理员禁用了批量电子邮件"
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "批量电子邮件已运行。%v 位用户仍有通知未定。"
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "无法找到批量电子邮件通知信息的频道"
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Hour}}:{{.Minute}} {{.Timezone}}, {{.Month}} {{.Day}}"
},
@@ -1235,10 +935,6 @@
"translation": "通知来自 "
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "无法找到批量电子邮件通知发送人"
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "您有新通知。您有 {{.Count}} 条新通知。",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "无法找到批量电子邮件通知收件人显示偏好"
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "发送批量电子邮件通知到 %v 失败: %v"
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] {{.Month}} {{.Day}}, {{.Year}} 的新通知[{{.SiteName}}] {{.Month}} {{.Day}}, {{.Year}} 的新通知",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "无法找到批量电子邮件通知收件人"
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "批量电子邮件任务已开始。每 %v 秒检查待发电子邮件中。"
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "无法创建表情符号。另一个具有相同名称的表情符号已存在。"
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "无法创建表情符。无法理解请求。"
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "无效创建表情符权限。"
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "无法创建表情符。无法理解请求。"
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "无法创建表情符。图片必须小于 1MB。"
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "无法删除表情符 %v 时删除互动"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "自定义表情符号已被系统管理员禁用。"
},
@@ -1301,14 +977,6 @@
"translation": "无法读取表情图像文件。"
},
{
- "id": "api.emoji.init.debug",
- "translation": "正在初始化表情符 API 路由"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "正在初始化表情符 API 路由"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "文件存储没有正确配置。请配置S3或本地文件存储服务。"
},
@@ -1333,12 +1001,12 @@
"translation": "无法创建表情符。编码 GIF 图片时遇到错误。"
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "文件附件已在此服务器禁用。"
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "系统管理员禁用了公开的链接"
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "文件附件已在此服务器禁用。"
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "文件没用缩略图"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "无法获取文件公开链接。文件必须附在当前用户可读的信息上。"
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "无法获得文件信息。图片存储没有配置。"
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "无法上传文件。图片存储没有配置。"
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "无法上传文件。图片存储没有配置。"
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "公共链接已经被禁用"
},
@@ -1377,116 +1029,52 @@
"translation": "无法获取文件公开链接。文件必须附在当前用户可读的信息上。"
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "无法解码图片 err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "无法编码图片成 jpeg path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "无法编码图片成预览 jpeg path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "无法上传预览 path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "无法上传缩略图 path=%v err=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "正在初始化文件 API 路由"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "无法转换信息到 FileInfos 时获取频道, post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "转换信息到 FileInfos 时未找到文件, post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "转移数据后未能获取消息 FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "无法在转换信息到 FileInfos 时找到信息, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "无法转换信息到 FileInfos 时解码文件信息, post_id=%v, filename=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "转换信息到使用 FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "将信息转换到 FileInfos 时遇到不寻常文件名, post_id=%v, channel_id=%v, user_id=%v, filename=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "无法转换拥有空 Filenames 栏的信息到 FileInfos, post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "信息已经转换到使用 FileInfos, post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "转换信息到 FileInfos 时无法保存信息, post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "无法转换信息到 FileInfos 时保存文件信息, post_id=%v, file_id=%v, filename=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "无法在 S3 内复制文件。"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "无法为 FileInfos 找到团队, post_id=%v, filenames=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "不能从S3上删除文件。"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "无法在转换信息到 FileInfos 时找到团队, post_id=%v, err=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "无法移动本地文件。"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "无法在转换信息到 FileInfos 时解码文件名, post_id=%v, filename=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "未选择文件驱动。"
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "文件存储没有正确配置。请配置S3或本地文件存储服务。"
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "读取本地存储时遇到错误"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "无法在 S3 内复制文件。"
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "读取本地存储时遇到错误"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "不能从S3上删除文件。"
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "从本地存储列出目录时遇到错误。"
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "不能从S3上获取文件。"
+ "id": "api.file.reader.s3.app_error",
+ "translation": "读取本地存储时遇到错误"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "无法移动本地文件。"
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Don't have permissions to write to local path specified or other error."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "没有配置文件存储。请配置S3或本地服务器的文件存储。"
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Unable to create bucket."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "不能从S3上获取文件"
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Error checking if bucket exists."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "读取本地存储时遇到错误"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "无法连接 S3 或 minio。"
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "不能上传文件。文件太大。"
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "没有配置文件存储。请配置S3或本地服务器的文件存储。"
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "写入到S3时遇到错误"
},
@@ -1525,34 +1109,6 @@
"translation": "写入本地存储时遇到错误"
},
{
- "id": "api.general.init.debug",
- "translation": "正在初始化常规 API 路由"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "给消息添加附件时失败。postId=%v, fileIds=%v, message=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "保存信息时出错。user=%v,message=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "导入时加入团队错误 err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "加入默认频道时遇到一个问题 user_id=%s, team_id=%s, err=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "保存用户出错. err=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "设置电子邮件验证失败 err=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "传入的 webhooks 已被系统管理员禁用。"
},
@@ -1561,10 +1117,6 @@
"translation": "无效用户名。"
},
{
- "id": "api.ldap.init.debug",
- "translation": "正在初始化LDAP API 路由"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "请求中‘许可证’空数组"
},
@@ -1605,30 +1157,6 @@
"translation": "暂未支持客户端授权的新格式。请在查询字串指定 format=old。"
},
{
- "id": "api.license.init.debug",
- "translation": "正在初始化许可证 API 路由"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "许可证未正确删除。"
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "invalid_request:错误的 client_id"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "invalid_request:丢失或者错误的 redirect_uri"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "invalid_request:错误的 response_type"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "server_error:访问数据库时出错"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "invalid_request:提供的 redirect_uri 不匹配注册的 callback_url"
},
@@ -1641,14 +1169,6 @@
"translation": "系统管理员已经关闭了 OAuth2 验证服务商。"
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "response_type, client_id, 或 redirect_uri 至少却一项"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "无效删除 OAuth2 应用权限"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "invalid_request:错误的 client_id"
},
@@ -1705,22 +1225,10 @@
"translation": "invalid_grant:无效的续期令牌"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "不能找到认证码 code=%s"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "正在初始化 OAuth API 路由"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "无效状态令牌"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "无效重新生成 OAuth2 应用秘钥权限"
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "系统管理员已经关闭的 OAuth2 服务商。"
},
@@ -1749,8 +1257,8 @@
"translation": "注册链接无效"
},
{
- "id": "api.opengraph.init.debug",
- "translation": "正在初始化 open graph 协议 api 路由"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "@{{.Username}} 被提到了,但是他因不在此频道而不会收到通知。"
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "附加文件到信息时遇到错误, post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "坏文件名已去除,filename=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "无法发信息到已删除的频道。"
},
@@ -1789,10 +1289,6 @@
"translation": "RootId参数无效ChannelId"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "更新最近浏览记录遇到错误,channel_id=%s, user_id=%s, err=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "无效的ParentId参数"
},
@@ -1809,18 +1305,6 @@
"translation": "创建信息时出错"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "无法在删除信息时删除标记偏好,err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "您没有对应的权限"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "删除信息的文件时遇到错误, post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "@all has been disabled because the channel has more than {{.Users}} users."
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "为通知信息获取文件时遇到错误, post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "{{.Count}} 图片已发送:{{.Filenames}}{{.Count}} 图片已发送:{{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "编译 @提到 正则表达式出错 user_id=%v, err=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "您没有对应的权限"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "未获取到频道成员 channel_id=%v err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "创建响应请求失败, err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "事件发布失败, err=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "正在初始化发文 API 路由"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "链接预览已被系统管理员禁用。"
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "获取私聊频道的2个用户失败 channel_id={{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "获取频道成员失败 channel_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "保存私信频道设置失败 user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "更新私信频道设置失败 user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "无法获取频道成员个人资料,user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " 通知了频道。"
},
@@ -1919,26 +1355,6 @@
"translation": " 在您参与的讨论串发布了评论。"
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "消息创建者不在频道中,未发送推送 post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "清除 %v 拥有 channel_id %v 的通知中"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "无法为信息通知获取文件 post_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "发送跨团队私信时获取团队失败 user_id=%v,err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "新的提及"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": " 提及了您。"
},
@@ -1955,30 +1371,10 @@
"translation": "给您发送了消息。"
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "发送推送失败 device_id={{.DeviceId}}, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}} 发送"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "更新提及数失败 user_id=%v channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "我们找不到现有的信息或评论去更新。"
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "您没有对应的权限"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "消息修改已禁用。详细请询问您的系统管理员。"
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "已经删除 id={{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "不能获取一个请求"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "无法解码偏好请求"
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "不能删除其他用户偏好"
- },
- {
- "id": "api.preference.init.debug",
- "translation": "正在初始化偏好 API 路由"
- },
- {
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "不能从请求中解码优先级"
- },
- {
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "不能对其他用户设置优先级"
- },
- {
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "因网址中频道 ID 与消息 ID不符而删除互动失败"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.reaction.init.debug",
- "translation": "正在初始化互动 API 路由"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "因网址中频道 ID 与消息 ID不符而获取互动失败"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "无效互动。"
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "因网址中频道 ID 与消息 ID不符而保存互动失败"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "您不能保存其他用户的互动。"
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "发送 websocket 互动事件时获取消息失败"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "您当前的授权不支持高级权限。"
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "证书没有正确保存。"
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "无法获取方案的团队因为提供的方案不是团队方案。"
},
{
- "id": "api.server.new_server.init.info",
- "translation": "服务正在初始化..."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "无法在监听端口 %s 时转发端口 80 到端口 443:使用代理服务器时停用 Forward80To443"
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "服务正在监听 %v"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "RateLimiter 已启用"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "RateLimitSettings配置没有正确使用VaryByHeader并禁用VaryByRemoteAddr"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "无法初始化频率限制内存储存。检查 MemoryStoreSize 设置。"
},
@@ -2095,22 +1455,6 @@
"translation": "启动服务出错, err:%v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "启动服务..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "启动服务出错 "
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "服务器已停止"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "正在停止服务..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "已导入整合/Slack 机器人用户 {{.Email}} 以及密码 {{.Password}}。\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "无法导入 Slack 频道 {{.DisplayName}}。\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "Slack 导入:无法导入 Slack 频道:%s。"
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "Slack 频道 {{.DisplayName}} 已在 Masttermost 频道存在。已合并两频道。\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "Slack 导入:附加文件到消息时发生错误,post_id=%s, file_ids=%v, err=%v。"
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "Slack 导入:Slack 机器人消息暂无法导入。"
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "Slack 导入:无法导入机器人消息因为机器人用户不存在。"
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "Slack 导入:无法导入消息因为它没有评论。"
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "Slack 导入:无法导入消息因为缺少用户字段。"
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "Slack 导入:无法导入机器人消息因为缺少 BotId 字段。"
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "Slack 导入:无法导入消息因为它的类型不支持:post_type=%v, post_subtype=%v。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "Slack 导入:无法导入文件 {{.FileId}} 因为它不存在于 Slack 导出的 zip 文件。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "Slack 导入:无法附件文件到消息因为消息没有 \"file\" 栏。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "Slack 导入:无法从 Slack 导出打开文件 {{.FileId}}:{{.Error}}。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "Slack 导入:上传文件 {{.FileId}} 时发送错误:{{.Error}}。"
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "Slack 导入:无法添加消息因为 Slack 用户 %v 不存在于 Mattermost。"
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "Slack 导入:无法导入消息因为缺少用户字段。"
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\n已创建用户:\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "用户 {{.Username}} 在 Slack 导出里没有电子邮箱地址。暂使用 {{.Email}} 代替。用户需要在登入系统后更新他们的邮箱地址。\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "Slack 导入:用户 {{.Username}} 在 Slack 导出里没有电子邮箱地址。暂使用 {{.Email}} 代替。用户需要在登入系统后更新他们的邮箱地址。"
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "不能导入 Slack 用户:{{.Username}}。\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "Slack 导入:无法编译 !channel,匹配 Slack 频道 {{.ChannelName}} (id={{.ChannelID}}) 的正规表达式。"
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "Slack 导入:检测到不正确的时间戳。"
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "Slack 导入:无法编译 @mention,匹配 Slack 用户 {{.Username}} (id={{.UserID}}) 的正规表达式。"
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "Slack 导入:无法停用做为机器人的帐号。"
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Mattermost Slack 导入日志 \r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "无法打开 Slack 导出的 zip 文件。\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "Slack 导入:部分 Slack 频道导入时发送错误。导入可能仍然可用。"
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "Slack 导入:部分 Slack 消息导入时发送错误。导入可能仍然可用。"
- },
- {
- "id": "api.status.init.debug",
- "translation": "正在初始化状态 API 路由"
- },
- {
- "id": "api.status.init.debug",
- "translation": "正在初始化状态 API 路由"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "更新 user_id=%v 和 session_id=%v 的 LastActivityAt 失败,err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "保存 user_id=%v 状态时失败,err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "未找到用户"
},
{
- "id": "api.system.go_routines",
- "translation": "运行中的 goroutine 数量 %v 已经超过健康界限 %v"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v 由 %v 邀请加入到团队。"
},
@@ -2307,32 +1547,16 @@
"translation": "添加用户到团队所需的参数。"
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "使用电子邮件注册团队被禁用。"
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "使用电子邮件注册团队被禁用。"
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "注册链接已过期"
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "该URL无效。请尝试其他。"
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "邮件团队发送email时出现错误 err=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "不能邀请进入非开放团队。"
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "只有团队管理员才能导入数据。"
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "错误请求:缺少 filesize 字段。"
},
{
- "id": "api.team.init.debug",
- "translation": "正在初始化团队 API 路由"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "管理员"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "此人已经在你的团队中"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "以下邮箱地址不在允许的域名范围内:{{.Addresses}}。请联系您的系统管理员了解详情。"
},
@@ -2387,22 +1599,6 @@
"translation": "没有人可邀请。"
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "只有系统管理员能邀请新用户至团队。"
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "只有团队管理员或系统管理员能邀请新用户至团队。"
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "发送邀请邮件失败 err=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "发送邀请给 %v %v"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "团队创建被禁用。详细请询问您的系统管理员。"
},
@@ -2427,14 +1623,6 @@
"translation": "此频道已从 %v 移至此团队。"
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "试图永久删除团队 %v id=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "永久删除团队 %v id=%v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "获取团队时发生错误"
},
@@ -2491,10 +1679,6 @@
"translation": "无法保存团队图标"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "使用电子邮件注册团队被禁用。"
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "更新团队图标时发生错误"
},
@@ -2503,10 +1687,6 @@
"translation": "指定的用户不属于指定的团队。"
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "您没有对应的权限"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "许可证不支持更新团队方案"
},
@@ -2515,10 +1695,6 @@
"translation": "无法设定团队方案因为提供的方案不是团队方案。"
},
{
- "id": "api.templates.channel_name.group",
- "translation": "团体消息"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "您已注销在 {{ .SiteURL }} 的帐号。<br>如果这不是您的操作或者您想重新激活您的帐号,请联系您的系统管理员。"
},
@@ -2571,22 +1747,6 @@
"translation": "发送人 "
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "查找跟您电子邮件有关的团队如下:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "我们没找从提供的电子邮件找到任何团队。"
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "查找团队"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "你在 {{ .SiteName }} 的团队"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "加入团队"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] 您的登入方式已更新"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "设置您的团队"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }} 是所有团队沟通的一个地方, 可在任何地方搜索和有效.<br>您会得到更多的 {{ .SiteName }} 当您的团队在不断沟通--在看板上获取."
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "感谢创造一个团队!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "{{ .SiteName }} 团队设置"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>您的多重帐号已更新</h3>您的 Mattermost 伺服器正在升级到版本 3.0,从此您可以在多个团队中使用同一个帐号。<br/><br/>您收到此邮件因为升级过程中发现您的邮箱地址或用户名和另外个帐号重复。<br/><br/>改动如下:<br/><br/>{{if .EmailChanged }}- 在 `/{{.TeamName}}` 团队中重复电子邮件已改为 `{{.Email}}`。你可以使用此新的电子邮件地址和密码登入。<br/><br/>{{end}}{{if .UsernameChanged }}- 在 `/{{.TeamName}}` 团队中重复用户名已改为 `{{.Username}}` 以避免与其他帐号混淆。<br/><br/>{{end}} 建议操作: <br/><br/>建议您登入重复帐号的团队并将主帐号添加到想继续使用的团队以及频道。<br/><br/>这样您可以用主帐号访问所有频道的历史。您可以继续登入重复帐号来获取私信历史。<br/><br/>更多咨询: <br/><br/>关于更多升级到 Mattermost 3.0 的相关咨询,请参见:<a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST]更改你的账号,以便升级到3.0"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "一个个人访问令牌在 {{ .SiteURL }} 创建到了您的帐号。他们可以以您的帐号访问 {{.SiteName}}。<br>如果此操作非来自您,请联系您的系统管理员。"
},
@@ -2787,10 +1923,6 @@
"translation": "无效状态"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "无效状态; 缺少团队名称"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "缺少访问令牌"
},
@@ -2839,10 +1971,6 @@
"translation": "已经有一个电子邮件帐号使用了不同于{{.Service}}的方法进行登录。请使用{{.Auth}}进行登录。"
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "这个{{.Service}}账号已经使用"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "无法创建用户 {{.Service}} 用户对象"
},
@@ -2871,10 +1999,6 @@
"translation": "用户创建已停用。"
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "加入默认通道遇到一个问题 user_id=%s, team_id=%s, err=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "无效的邀请 id。"
},
@@ -2887,10 +2011,6 @@
"translation": "这个服务员不允许注册。请与管理员联系,获取邀请。"
},
{
- "id": "api.user.create_user.save.error",
- "translation": "无法保存这个用户 err=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "已停用电子邮件注册。"
},
@@ -2903,22 +2023,14 @@
"translation": "注册链接无效"
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "无效团队名称"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "保存偏好设置指南出错, err=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "未能设置电子邮件验证 err=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "AD/LDAP 在本服务器上不可用"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "此服务器没有配置或者不支持多重验证"
},
@@ -2927,18 +2039,10 @@
"translation": "不支持的 OAuth 服务商"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "获取用户配置文件中的错误 id=%v 强制注销"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "无法获取个人资料图片,用户不存在。"
},
{
- "id": "api.user.init.debug",
- "translation": "正在初始化用户 API 路由"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "AD/LDAP 在本服务器上不可用"
},
@@ -2951,6 +2055,14 @@
"translation": "密码字段不能为空白"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Attempted to sign in using the experimental feature ClientSideCert without providing a valid certificate"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Attempt to use the experimental feature ClientSideCertEnable without a valid enterprise license"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "您的帐号因被停用而登入失败。请联系系统管理员。"
},
@@ -2959,18 +2071,10 @@
"translation": "用户ID或密码错误。"
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "必须提供用户 ID 或团队名和用户邮箱地址"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "登录失败,因为电子邮件地址没有被验证"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "撤销 sessionId=%v 为 userId=%v 同一个设备id重登陆"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "请使用 {{.AuthService}} 登录"
},
@@ -2983,18 +2087,6 @@
"translation": "无法解析数据验证 {{.Service}} 用户对象"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "密码字段不能为空白"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "AD/LDAP 未在本服务器上不开启"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "需要ID"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "AD/LDAP 在本服务器上不可用"
},
@@ -3003,16 +2095,12 @@
"translation": "更新密码失败因为 user_id 不匹配用户ID"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "试图永久删除帐户 %v id=%v"
- },
- {
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "永久删除帐户 %v id=%v"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "你在删除系统管理员 %v。您可能需要使用命令行工具设置另一个帐户作为系统管理员。"
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "不能重置SSO账户密码"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "试图在错误的团队上重置密码。"
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "此服务器没有正确配置或者不支持 SAML 2.0。"
},
@@ -3055,12 +2139,12 @@
"translation": "未能发送电子邮件更改验证电子邮件成功"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "未能发送更新密码电子邮件成功"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "我们无法找该地址的帐号。"
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "未能发送更新密码电子邮件成功"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "未能成功发送欢迎电子邮件"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "您无法修改 SSO 帐号的激活状态。请到 SSO 服务器上修改。"
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "您不能注销自己因为此功能未开启。请联系您的系统管理员。"
},
@@ -3131,26 +2211,6 @@
"translation": "更新密码失败,因为我们无法找到有效的帐户"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "必须至少有一个启用的管理"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "您没有合适的权限"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "此操作需要系统管理员"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "系统管理员的角色只能由另一个系统管理员设置"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "此操作需要团队系统管理员"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "根据“图像”请求的空数组"
},
@@ -3195,40 +2255,28 @@
"translation": "非法确认邮件链接。"
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "启动 %v websocket 集线器中"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "停止 websocket 集线器连接中"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "websocket连接 err: %v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "未能升级WebSocket连接"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "正在初始化 Web Socket API 路由"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [详情: %v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "websocket 路由错误: seq=%v uid=%v %v [详情: %v]"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "团队枢纽停止 teamId=%v"
- },
- {
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "传出的 webhooks 已被系统管理员禁用。"
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "无论是trigger_words或channel_id必须设置"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "传入的webhooks已被系统管理员禁用。"
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "无效的删除传入的 webhook 权限"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "传出的webhooks已被系统管理员禁用。"
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "无效的删除传出的 webhook 权限"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "收到传入的webhook。内容="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "不能读取传入的webhook的负载。"
- },
- {
"id": "api.webhook.incoming.error",
"translation": "无法解码传入的 webhook 混合数据。"
},
{
- "id": "api.webhook.init.debug",
- "translation": "正在初始化 webhook API 路由"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "无效的重新生成传出的 webhook 令牌权限"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "无法跨团队更新 webhook"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "传入的webhooks已被系统管理员禁用。"
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "无效的更新传入的 webhook 权限"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "传出的webhooks已被系统管理员禁用。"
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "同一频道的传出 webhooks 不能具有同样的触发词/回调URLs。"
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "只有公共频道可以更新传出 webhooks。"
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "无效的更新传出的 webhook 权限。"
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "必须设置 rigger_words 或 channel_id"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "WebRTC 未在本服务器开启。"
},
{
- "id": "api.webrtc.init.debug",
- "translation": "正在初始化 WebRTC API 路由"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "我们在注册 WebRTC 令牌时遇到个错误"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "无效会话 err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "无效的参数 {{.Name}}"
},
@@ -3367,6 +2351,10 @@
"translation": "%s 更新了频道作用为: %s"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "读取数据导入文件错误。"
},
@@ -3375,6 +2363,18 @@
"translation": "JSON 解码行失败。"
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Cannot set a channel to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Channel must be assigned to a Channel-scoped scheme."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "导入频道失败。团队名 \"{{.TeamName}}\" 无法找到。"
},
@@ -3431,6 +2431,10 @@
"translation": "导入数据行有类型 \"post\" 但消息对象是无。"
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "导入数据行有类型 \"channel\" 但频道对象是无。"
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "导入数据行有类型 \"team\" 但团队对象是无。"
},
@@ -3459,12 +2463,28 @@
"translation": "导入消息失败。无法找到用户 \"{{.Username}}\"。"
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "The bulk importer cannot change the scope of an already-existing scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Cannot set a team to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Team must be assigned to a Team-scoped scheme."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "导入用户频道成员错误。无法保存偏好。"
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "如果提供频道 create_at 则不能为零。"
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "频道作用过长。"
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "无效的频道方案名。"
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "缺少频道必须属性:team"
},
@@ -3639,12 +2663,44 @@
"translation": "缺少回复必须属性:User。"
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "团队 allowed_domains 过长。"
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "无效的角色描述。"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "无效的角色显示名。"
+ },
+ {
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "无效的角色权限。"
+ },
+ {
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "无效的角色名。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "无效的方案描述。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "无效的方案显示名。"
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "如果提供团队 create_at 则不能为零。"
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "无效的方案名。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "方案范围为必须。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "未知方案范围。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "The wrong roles were provided for a scheme with this scope."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "团队名含有预留词。"
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "无效的团队方案名。"
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "无效团队类型。"
},
@@ -3739,8 +2799,8 @@
"translation": "无效用户频道触发 Notify Prop。"
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "无效用户评论触发 Notify Prop。"
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "用户的移动设备推送状态 Notify Prop 无效。"
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "无效的用户密码长度。"
},
@@ -3875,10 +2939,6 @@
"translation": "无法停用插件"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "无法删除插件状态。"
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "日志已停用。请检查您的日志了解详情。"
},
@@ -3891,8 +2951,8 @@
"translation": "遇到文件系统错误"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "无法获取已启动的插件"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "这个团队已经达到允许的最大帐号数量。请与系统管理员联系以设置更高的限制。"
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "反序列化区配置文件失败 file={{.Filename}}, err={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "时区配置文件不存在 file={{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "读取时区配置文件失败 file={{.Filename}}, err={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "无效或缺少令牌"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "允许新建团体消息频道"
},
@@ -3979,6 +3063,22 @@
"translation": "创建团体消息"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "允许在公开频道创建消息"
},
@@ -3987,12 +3087,28 @@
"translation": "在公开频道创建消息"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "能创建新团队"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "创建团队"
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "创建个人访问令牌"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "任务管理权限"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "管理任务"
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "管理团队角色"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "允许读取公共频道"
},
@@ -4035,6 +3383,30 @@
"translation": "读取个人访问令牌"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "允许吊销个人访问令牌"
},
@@ -4059,6 +3431,62 @@
"translation": "使用斜杠命令"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "一个允许发送消息到本系统上任何公开、私有或私信频道的角色"
},
@@ -4083,6 +3511,14 @@
"translation": "个人访问令牌"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "一个允许发送消息到本系统上任何公开或私有频道的角色"
},
@@ -4099,96 +3535,108 @@
"translation": "发送到公开频道"
},
{
- "id": "cli.license.critical",
- "translation": "功能需要升级到企业版本并拥有许可证。请联系您的系统管理员。"
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "无法解码图像。"
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "无法解码图像配置。"
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "无法解码PNG格式图像。"
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "无法打开图片文件。"
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "无法保存图片"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "无法打开图像文件。图像过大。"
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "机群设定 id={{ .id }} 已更改。机群可能不稳定并且需要重启。为了确保机群配置正确您应该立刻逐进重启。"
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "机群发送失败在 `%v` detail=%v, extra=%v, retry number=%v"
+ "id": "cli.license.critical",
+ "translation": "功能需要升级到企业版本并拥有许可证。请联系您的系统管理员。"
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "机群发送最终失败在 `%v` detail=%v, extra=%v, retry number=%v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "%v 的机群检测到可能不兼容的版本"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "%v 的机群检测到可能不兼容的设置"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "机群设定 id={{ .id }} 已更改。机群可能不稳定并且需要重启。为了确保机群配置正确您应该立刻逐进重启。"
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "当前许可证禁用了机群功能。请联系您的系统管理员关于升级您的企业许可证。"
+ "id": "ent.cluster.save_config.error",
+ "translation": "当高可用性模式开启时,系统控制台将设为只读且只能通过修改配置文件进行改动除非禁止配置文件里的 ReadOnlyConfig。"
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "机群ping失败 hostname=%v on=%v id=%v"
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "Unknown output format {{.ExportType}}"
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "机群ping成功 hostname=%v on=%v id=%v self=%v"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Unable to copy the attachment into the zip file."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "当高可用性模式开启时,系统控制台将设为只读且只能通过修改配置文件进行改动除非禁止配置文件里的 ReadOnlyConfig。"
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Unable to add attachment to the CSV export."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "机群互连节点通讯以 hostname=%v id=%v 监听在 %v"
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Unable to create temporary CSV export file."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "机群互连节点通讯以 hostname=%v id=%v 在 %v 停止中"
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Unable to add header to the CSV export."
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "当前许可证禁用了合规功能。请联系您的系统管理员关于升级您的企业许可证。"
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Unable to add metadata file to the zip file."
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "导出合规的'{{.JobName}}'在'{{.FilePath}}'的任务失败"
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "合规导出任务 '{{.JobName}}' 已导出 {{.Count}} 条记录到 '{{.FilePath}}'"
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "任务 '{{.JobName}}' 的导出审核警告:'{{.FilePath}}' 过多行返回截断至第 3,0000 行"
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "当前许可证禁用了合规功能。请联系您的系统管理员关于升级您的企业许可证。"
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "导出审核自'{{.FilePath}}'的'{{.JobName}}'任务开始"
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.run_failed.error",
+ "translation": "导出合规的'{{.JobName}}'在'{{.FilePath}}'的任务失败"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "创建 ElasticSearch 索引失败"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "无法确认 ElasticSearch 索引是否存在"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "无法配置 ElasticSearch 索引映像"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "删除 ElasticSearch 索引失败"
},
@@ -4287,18 +3727,6 @@
"translation": "创建 Elasticsearch 批量处理器失败"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "创建 Elasticsearch 批量处理器失败"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "无法设置 ElasticSearch 索引设定"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "开始 Elasticsearch 批量处理器失败"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "开始 Elasticsearch 批量处理器失败"
},
@@ -4319,10 +3747,6 @@
"translation": "Elasticsearch 服务端网址或用户名已变更。请重新输入 Elasticsearch 密码测试连接。"
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "当前许可证禁用了自定义表情符。请联系您的系统管理员关于升级您的企业许可证。"
- },
- {
"id": "ent.ldap.create_fail",
"translation": "无法创建 LDAP 用户。"
},
@@ -4355,10 +3779,6 @@
"translation": "无法连接到 AD/LDAP 服务"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "凭据有效但无法创建用户。"
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "您的 AD/LDAP 账号没有使用此 Mattermost 服务器的权限。请向您的系统管理员询问确认 AD/LDAP 用户过滤器。"
},
@@ -4367,40 +3787,16 @@
"translation": "用户没有在 AD/LDAP 服务器注册"
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "Mattermost 用户已被 AD/LDAP 服务器更新。"
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "LDAP 同步工作者失败因为同步任务失败"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "LDAP 同步工作者创建同步任务失败"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "AD/LDAP 同步完成"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "无法使用 AD/LDAP 得到所有用户"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "无效的 AD/LDAP 筛选器"
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.message_export.generic.license.error",
- "translation": "许可证不支持消息导出。"
- },
- {
- "id": "ent.metrics.starting.info",
- "translation": "指标和分析服务端监听在 %v"
- },
- {
- "id": "ent.metrics.stopping.info",
- "translation": "指标和分析服务端在 %v 停止中"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "无效的 AD/LDAP 筛选器"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "尝试编码身份提供商请求时发生错误。请联系您的系统管理员。"
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "尝试编码签名的身份提供商请求时发生错误。请联系您的系统管理员。"
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "设置SAML服务提供商时发生错误,err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "SAML登录失败,因为服务提供商私钥没有被发现。请与系统管理员联系。"
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "无法找到身份认证提供商公共证书文件。请联系您的系统管理员。"
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "SAML登录因身份服务提供商回应未加密而失败。请联系您的系统管理员。"
},
@@ -4527,8 +3915,12 @@
"translation": "此服务器没有正确配置或者不支持 SAML 2.0。"
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "无法更新现有SAML用户。仍允许登入。err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "设置任务状态为错误失败"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "找不到频道:%v,已搜索 %v 可能性"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "无法获得频道"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "创建用户和团队"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "无法解析网址"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "手动测试的设置..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "网址中没有 uid"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "手动自动连接测试"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "无法获得频道"
},
@@ -4575,50 +3947,6 @@
"translation": "Mattermost 安全公告"
},
{
- "id": "mattermost.config_file",
- "translation": "从 %v 加载配置文件"
- },
- {
- "id": "mattermost.current_version",
- "translation": "当前版本是 %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "企业启用: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "需要从 https://mattermost.com 获得许可证以解锁企业功能。"
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "未能获得安全公告详细信息"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "未能读取安全公告详细信息"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "检查 Mattermost 安全更新中"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "未能从 Mattermost 获得安全更新信息。"
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "发送安全公告从 %v 到 %v"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "未能从Mattermost安全更新信息获取系统管理员。"
- },
- {
- "id": "mattermost.working_dir",
- "translation": "当前工作目录是 %v"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "迁移因无效进度数据失败。"
},
@@ -4707,10 +4035,6 @@
"translation": "无效Id"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "无效名称"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "无效用途"
},
@@ -4731,10 +4055,6 @@
"translation": "无效的电子邮件通知值"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "无效的静音值"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "无效通知级别"
},
@@ -4743,10 +4063,6 @@
"translation": "无效的推送通知等级"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "无效角色"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "无效的未读标记级别"
},
@@ -4755,30 +4071,6 @@
"translation": "无效用户id"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "无效的频道 id"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "无效的加入时间"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "无效的离开时间"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "无效用户邮箱"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "无效用户 id"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "无法解析传入数据"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "在连接到服务器时,我们遇到了一个错误"
},
@@ -4803,8 +4095,8 @@
"translation": "缺少团队参数"
},
{
- "id": "model.client.login.app_error",
- "translation": "认证令牌不匹配"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "无法写入请求"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "写入频道 id 到混合表单错误"
},
@@ -4847,10 +4147,30 @@
"translation": "无法建立 multipart 请求"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "必须设定 CreateAt"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "必须设定 Hostname"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "无效 Id"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "必须设定 LastPingAt"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "必须设定 ClusterName"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "必须设定类型"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "创建时必须是有效时间"
},
@@ -4951,6 +4271,10 @@
"translation": "必须比From参数大"
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Allowing cookies for subdomains requires SiteURL to be set."
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "无效的 atmos/camo 图片代理设定。必须设为您的共享密钥。"
},
@@ -4995,10 +4319,6 @@
"translation": "Elasticsearch 即时索引批量大小必须至少为 1"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "当 Elastic Search 索引开启时必须提供 Elastic Search 密码设定。"
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "Elasticsearch PostsAggregatorJobStartTime 设定必须以 \"hh:mm\" 格式的时间"
},
@@ -5007,10 +4327,6 @@
"translation": "Elasticsearch 请求超时必须至少 1 秒。"
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "当 Elastic Search 索引开启时必须提供 Elastic Search 用户名设定。"
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "无效的批量电子邮件缓存大小设定。必须为零或者正整数。"
},
@@ -5023,10 +4339,6 @@
"translation": "无效邮件通知内容类型。必须为 'full' 或 'generic'。"
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "邮箱设定中无效的密码重置盐值。至少32位及以上字符。"
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "邮箱设定中无效的邀请盐值。至少32位及以上字符。"
},
@@ -5043,34 +4355,10 @@
"translation": "文件设置中驱动名无效。必须为 'local' 或 'amazons3'"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "文件设置中文件预览高度无效。必须是0或者正整数。"
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "文件设置中文件预览宽度无效。必须是正整数。"
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "文件设置中个人档案高度无效。必须是正整数。"
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "文件设置中个人档案宽度无效。必须是正整数。"
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "文件设置中的公共链接盐无效。必须至少32位字符。"
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "文件设置中无效的缩略图高度。必须是正数。"
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "文件设置时缩略图宽度无效。必须是正数。"
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "无效未读频道分组的服务设定。必须为 'disabled'、'default_on' 或 'default_off'。"
},
@@ -5083,30 +4371,14 @@
"translation": "AD/LDAP 栏 \"BaseDN\" 为必须。"
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "AD/LDAP 栏 \"绑定密码\" 为必填。"
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "AD/LDAP 栏 \"绑定用户名\" 为必填。"
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "AD/LDAP 栏 \"电子邮件\" 为必填。"
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "AD/LDAP 栏 \"名\" 为必填。"
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "AD/LDAP 栏 \"ID\" 为必填。"
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "AD/LDAP 栏 \"姓氏\" 为必填。"
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "AD/LDAP 栏 \"登入 ID 属性\" 为必填。"
},
@@ -5115,14 +4387,6 @@
"translation": "无效的最大页面值。"
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "缺少必需 AD/LDAP 栏。"
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "缺少必需 AD/LDAP 栏。"
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "无效的 AD/LDAP 安全连接设置,必须是\"TLS\"或者\"STARTTLS\""
},
@@ -5191,18 +4455,6 @@
"translation": "消息导出任务 ExportFormat 必须为 'actiance' 或 'globalrelay'"
},
{
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "消息导出任务 ExportFormat 必须为 'actiance' 或 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "消息导出任务 FileLocation 比如为可写的目录"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "消息导出任务 FileLocation 必须为 FileSettings.Directory 的子目录"
- },
- {
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
"translation": "消息导出任务 ExportFormat 为 'globalrelay',但缺少 GlobalRelaySettings"
},
@@ -5223,18 +4475,10 @@
"translation": "必须设定消息导出任务 GlobalRelaySettings.SmtpUsername"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "消息导出任务 GlobalRelayEmailAddress 必须为有效的电子邮箱地址"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "最短密码长度必须为整数大于或等于 {{.MinLength}} 以及小于或等于 {{.MaxLength}}。"
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "密码最大长度必须大于或等于最短长度。"
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "用于速率的内存大小设置无效。必须是正整数"
},
@@ -5367,10 +4611,6 @@
"translation": "创建日期必须为效时间"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "无效创建者id"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "无效的表情符 ID"
},
@@ -5383,10 +4623,38 @@
"translation": "更新时必须是有效时间"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "不能解码gif。"
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "无效的频道id"
},
@@ -5411,6 +4679,10 @@
"translation": "无效Id"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "无法解析传入数据"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "无效的团队 ID"
},
@@ -5443,6 +4715,14 @@
"translation": "无效任务类型"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "无效应用 id"
},
@@ -5491,6 +4771,10 @@
"translation": "无效的频道id"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "创建时必须是有效时间"
},
@@ -5543,14 +4827,6 @@
"translation": "无效键,必须为 {{.Min}} 至 {{.Max}} 个字符。"
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "无效键,必须为 {{.Min}} 至 {{.Max}} 个字符。"
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "无效插件 ID,必须为 {{.Min}} 至 {{.Max}} 个字符。"
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "无效插件 ID,必须为 {{.Min}} 至 {{.Max}} 个字符。"
},
@@ -5699,10 +4975,6 @@
"translation": "无效的网址标识"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "无效角色"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "无效的团队 ID"
},
@@ -5719,130 +4991,18 @@
"translation": "无效的令牌。"
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "无效的认证数据"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "无效的用户名,密码和验证数据不能都设置"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "无效的用户,认证数据必须设置认证类型"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "创建时必须是有效时间"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "无效邮箱"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "无效的名字"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "无效用户id"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "无效的姓氏"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "无效的昵称"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "因 bcrypt 限制,密码不能设置超过 72 个字符。"
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "无效位置:不能超过 128 个字符。"
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "你的密码需要至少 {{.Min}} 字符。"
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 字符元且至少有一个小写字母。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个小写字母以及一个数字。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个小写字母,一个数字,以及一个符号(如\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个小写字母以及一个符号(如\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个小写字母以及一个大写字母。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个小写字母,一个大写字母,以及一个数字。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个小写字母,一个大写字母,一个数字,以及一个符号(如\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个小写字母,一个大写字母,以及一个符号(如\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个数字。"
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个数字以及一个符号(如\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个符号(如\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个大写字母。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个大写字母以及一个数字。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字符且至少有一个大写字母,一个数字,以及一个符号(如\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "您的密码必须包含至少 {{.Min}} 个字元且至少有一个大写字母以及一个符号(如\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "无效的团队 ID"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "更新时必须是有效时间"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "无效用户名"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "无效描述,必须255字以内"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "无效的访问令牌"
},
@@ -5855,6 +5015,10 @@
"translation": "无法解码"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "GitLab 的使用条款已更新。请到 gitlab.com 接受新的使用条款后再尝试登入 Mattermost。"
},
@@ -5863,26 +5027,6 @@
"translation": "调用插件 RPC 错误"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "栏目类型%v修改失败"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "检查索引失败 %v"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "关闭 SqlStore"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "未能检查因为缺少驱动程序列是否存在"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "来自数据库:不能从 EncryptStringMap 转换到 *string"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "来自数据库:不能从 StringArray 转换到 *string"
},
@@ -5895,82 +5039,6 @@
"translation": "来自数据库:不能从 StringMap 转换到 *string"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "创建列 %v 失败"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "未能创建列,因为缺少驱动程序"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "未能创建索引,因为缺少驱动程序"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "创建数据库表出错:%v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "创建方言专用驱动程序失败"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "创建方言专用驱动程序失败 %v"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "对于给定的密文不正确的MAC"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "未能获取列的最大长度%v"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "打开数据库连接失败 %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "当前许可证禁止大于1个读取复制。请联系您的系统管理员关于升级您的企业许可证。"
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "删除索引 %v 失败"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "列重命名失败 %v"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "数据库结构版本 %v 似乎过旧"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "试图将数据库结构版本升级到 %v"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "数据结构版本 %v 不再支持。此 Mattermost 服务器支持自动从结构版本 %v 升级到 %v。版本降级不支持。请手动升级升级到最新版本 %v 再继续"
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "短密文"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "未能获得列的数据类型 %s 从表 %s: %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "密文太短"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "数据库模式版本已经升级到 %v"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "我们查找审计时遇到一个错误"
},
@@ -5999,16 +5067,24 @@
"translation": "我们无法获取频道类型数"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "我们不能检查权限"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "我们不能检查权限"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "我们不能检查权限"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "未找到频道"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "我们找不到存在的已删除频道"
},
@@ -6067,10 +5151,6 @@
"translation": "没有用于此名的已删频道"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "我们无法获得额外的信息频道成员"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "我们无法从提供的信息获得频道"
},
@@ -6231,10 +5311,6 @@
"translation": "我们搜索频道时遇到错误"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "我们不能更新最后查看时间"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "我们无法更新这个频道"
},
@@ -6259,14 +5335,6 @@
"translation": "我们更新频道成员遇到了一个错误"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "获取记录失败"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "获取频道指定时间的用户失败"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "获取频道在指定时间段的用户失败"
},
@@ -6275,10 +5343,6 @@
"translation": "记录频道成员历史失败"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "记录频道成员历史失败。没找到加入记录"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "记录频道成员历史失败。更新加入记录失败"
},
@@ -6287,6 +5351,30 @@
"translation": "清理记录失败"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "删除失败"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "检查表是否存在失败"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Failed to get all discovery rows"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Failed to update last ping at"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "我们无法计算指令数量"
},
@@ -6411,10 +5499,6 @@
"translation": "我们无法保存文件信息"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "我们无法保存或更新文件信息"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "我们无法删除任务"
},
@@ -6567,10 +5651,6 @@
"translation": "无法保存或更新插件键值"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "因违反独特的约束而无法保存或更新插件键值"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "我们无法获取邮件数"
},
@@ -6583,6 +5663,10 @@
"translation": "我们无法通过邮件获取用户数"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "我们不能删除这个邮件"
},
@@ -6591,6 +5675,10 @@
"translation": "我们无法获取这个邮件"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "我们无法获取这个频道的父信息"
},
@@ -6643,10 +5731,6 @@
"translation": "批量永久删除消息时遇到错误"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "批量永久删除消息时遇到错误"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "我们无法在频道中删除这些消息"
},
@@ -6663,14 +5747,6 @@
"translation": "我们无法判断最大支持的消息大小"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message 最多支持 %d 字符 (%d 字节)"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "没用检测消息最大小的实装"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "我们无法保存这个邮件"
},
@@ -6683,10 +5759,6 @@
"translation": "此服务器已禁用搜索。请联系您的系统管理员。"
},
{
- "id": "store.sql_post.search.warn",
- "translation": "搜索消息查询错误:%v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "我们不能更新这个邮件"
},
@@ -6751,6 +5823,10 @@
"translation": "我们无法更新这个偏好设置"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "删除互动时无法打开事务"
},
@@ -6759,20 +5835,12 @@
"translation": "删除互动时无法提交事务"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "无法删除互动"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "无法用提供的表情符删除互动"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "无法用提供的表情符获取互动"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "无法删除互动时更新 Post.HasReactions post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "无法保存互动"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "无法删除角色"
},
@@ -6823,10 +5903,6 @@
"translation": "无效的角色"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "无效的角色"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "打开事务以保存角色失败"
},
@@ -6843,10 +5919,6 @@
"translation": "无法删除此方案的角色"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "无法删除此方案因为正被团队或频道使用。"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "无法删除方案"
},
@@ -6895,10 +5967,6 @@
"translation": "我们无法计算会话数量"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "我们删除过期用户会话时出错"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "我们查找这个会话时出错"
},
@@ -6907,10 +5975,6 @@
"translation": "我们查找用户会话时出错"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "清空会话失败 err=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "我们无法删除该用户所有的会话"
},
@@ -6927,10 +5991,6 @@
"translation": "我们无法保存这个会话"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "保存时清空会话失败 err=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "不能更新现有会话"
},
@@ -6983,6 +6043,10 @@
"translation": "更新状态时遇到错误"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "我们再查找系统属性遇到了一个错误"
},
@@ -6991,10 +6055,6 @@
"translation": "我们找不到该系统变量。"
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "我们无法获得数据库版本"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "我们无法永久删除系统表数据"
},
@@ -7011,6 +6071,26 @@
"translation": "我们无法计算团队数"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "我们找不到已存在的团队"
},
@@ -7063,10 +6143,6 @@
"translation": "我们无法获得团队成员"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "我们查找团队时遇到了一个问题"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "我们无法获取团队未读消息"
},
@@ -7151,6 +6227,14 @@
"translation": "我们无法更新团队名称"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "我们无法计算未活动的用户数"
},
@@ -7163,12 +6247,28 @@
"translation": "我们无法获得不重复的用户数量"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "我们查找帐户遇到了一个错误"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "我们查找使用特定验证方式的帐号时遇到错误。"
+ "id": "store.sql_user.get.app_error",
+ "translation": "我们查找帐户遇到了一个错误"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "我们无法为用户和频道获取未读信息数量"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "移植 User.ThemeProps 到 Preferences 表 %v 时失败"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "无法找到该用户。"
},
@@ -7271,6 +6367,10 @@
"translation": "已有帐号使用该用户名。请联系您的管理员。"
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "我们无法更新用户"
},
@@ -7311,18 +6411,10 @@
"translation": "我们无法更新 failed_attempts"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "我们无法更新 last_activity_at"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "我们无法更新 update_at"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "我们无法更新 last_ping_at"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "我们在更新用户的多重验证使用状态时遇到一个错误"
},
@@ -7335,6 +6427,10 @@
"translation": "我们无法更新用户密码"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "无法更新验证电子邮件字段"
},
@@ -7367,6 +6463,18 @@
"translation": "我们查找用户访问令牌时遇到一个错误"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "我们无法计算传入的 webhooks"
},
@@ -7459,18 +6567,10 @@
"translation": "解码配置出错 file={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "获取配置信息时出错 file={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "打开配置错误 file={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "验证配置错误 file={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "保存文件时出错 {{.Filename}}"
},
@@ -7487,18 +6587,6 @@
"translation": "无法加载 mattermost 配置文件:DefaultClientLocale 必须为支持的语系。设置 DefaultClientLocale 为 en 做为默认值。"
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "无法加载 Mattermost 配置文件:AvailableLocales 必须包含 DefaultClientLocale"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "解析未初始化"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "文件存储没有正确配置。请配置 S3 或本地文件存储服务。"
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "从本地存储列出目录时遇到错误。"
},
@@ -7507,10 +6595,6 @@
"translation": "从 S3 列出目录时遇到错误。"
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "文件存储没有正确配置。请配置 S3 或本地文件存储服务。"
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "从本地存储移除目录时遇到错误。"
},
@@ -7519,10 +6603,6 @@
"translation": "从 S3 移除目录时遇到错误。"
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "文件存储没有正确配置。请配置 S3 或本地文件存储服务。"
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "从本地存储移除文件时遇到错误。"
},
@@ -7531,38 +6611,6 @@
"translation": "从 S3 移除文件时遇到错误。"
},
{
- "id": "utils.i18n.loaded",
- "translation": "加载系统翻译 '%v' 从 '%v'"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "必须提供一个正数大小"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "未发现有效企业许可证"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "无法删除许可证文件, err=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "解码许可证遇到错误, err=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "无效签名, err=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "签名许可证长度不够"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "遇到错误签名许可证, err=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "设置 HELO 失败"
},
@@ -7579,14 +6627,6 @@
"translation": "无法验证SMTP服务器"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "设置 HELO 给 SMTP 服务器 %v 失败"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "无法打开一个SMTP服务器连接 %v"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "给邮件添加附件失败"
},
@@ -7607,42 +6647,10 @@
"translation": "添加电子邮件信息数据失败"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "发送邮件到 %v 主题 '%v'"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "设定 \"To Address\" 错误"
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "SMTP服务器设置配置错误 err=%v details=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "SMTP服务器设置配置错误 err=%v details=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "管理控制台"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "授权申请"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "不能找到团队 name=%v, err=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "认领账户"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "不能找到用户 teamid=%v, email=%v, err=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "找不到该命令"
},
@@ -7655,42 +6663,6 @@
"translation": "无法解析传入数据"
},
{
- "id": "web.create_dir.error",
- "translation": "创建目录监视器失败 %v"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "获取用户配置文件时出错 id=%v 强制注销"
- },
- {
- "id": "web.doc.title",
- "translation": "文档"
- },
- {
- "id": "web.email_verified.title",
- "translation": "邮箱验证"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "火狐 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "您当前的浏览器不支持。请升级到以下浏览器:"
},
@@ -7699,12 +6671,8 @@
"translation": "不支持的浏览器"
},
{
- "id": "web.find_team.title",
- "translation": "查找团队"
- },
- {
- "id": "web.header.back",
- "translation": "返回"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "未指定文本"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "最大文字长度位 {{.Max}} 字,已收到大小为 {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "不能找到用户"
- },
- {
- "id": "web.init.debug",
- "translation": "初始化web routes"
- },
- {
- "id": "web.login.error",
- "translation": "不能找到团队 name=%v, err=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "登录"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "无效团队名称"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "解析模板 %v"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "无效Post ID"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "密码重置链接已过期"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "重置链接不会生效"
- },
- {
- "id": "web.root.home_title",
- "translation": "首页"
- },
- {
- "id": "web.root.singup_title",
- "translation": "注册"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "注册链接已过期"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "完成的团队注册"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "注册电子邮件发送"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "注册链接已过期"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "团队类型不允许公开邀请"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "完成用户注册"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "无效团队名称"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "无法添加目录给观察者 %v"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "正在初始化状态 WebSocket API 路由"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "正在初始化系统 Websocket API 路由"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "正在初始化用户 Websocket API 路由"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "正在初始化 webrtc Websocket API 路由"
}
]
diff --git a/i18n/zh-TW.json b/i18n/zh-TW.json
index c42354c99..8d7e39809 100644
--- a/i18n/zh-TW.json
+++ b/i18n/zh-TW.json
@@ -1,51 +1,11 @@
[
{
- "id": "April",
- "translation": "四月"
+ "id": "actiance.xml.output.formatter.marshalToXml.appError",
+ "translation": ""
},
{
- "id": "August",
- "translation": "八月"
- },
- {
- "id": "December",
- "translation": "十二月"
- },
- {
- "id": "February",
- "translation": "二月"
- },
- {
- "id": "January",
- "translation": "一月"
- },
- {
- "id": "July",
- "translation": "七月"
- },
- {
- "id": "June",
- "translation": "六月"
- },
- {
- "id": "March",
- "translation": "三月"
- },
- {
- "id": "May",
- "translation": "五月"
- },
- {
- "id": "November",
- "translation": "十一月"
- },
- {
- "id": "October",
- "translation": "十月"
- },
- {
- "id": "September",
- "translation": "九月"
+ "id": "api.admin.add_certificate.array.app_error",
+ "translation": ""
},
{
"id": "api.admin.add_certificate.no_file.app_error",
@@ -64,26 +24,10 @@
"translation": "讀取記錄檔時遇到錯誤"
},
{
- "id": "api.admin.get_brand_image.not_available.app_error",
- "translation": "自訂品牌於此伺服器未設定或不支援"
- },
- {
"id": "api.admin.get_brand_image.storage.app_error",
"translation": "影像儲存位置尚未設定。"
},
{
- "id": "api.admin.init.debug",
- "translation": "初始化管理 API 路徑"
- },
- {
- "id": "api.admin.recycle_db_end.warn",
- "translation": "資料庫連線回收完成"
- },
- {
- "id": "api.admin.recycle_db_start.warn",
- "translation": "嘗試回收資料庫連線"
- },
- {
"id": "api.admin.remove_certificate.delete.app_error",
"translation": "嘗試刪除憑證時發生錯誤。請確定位於 config/{{.Filename}} 的檔案存在。"
},
@@ -92,6 +36,10 @@
"translation": "在建立服務提供者的中繼資料時發生錯誤。"
},
{
+ "id": "api.admin.saml.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.admin.test_email.body",
"translation": "<br/><br/><br/>看起來您的 Mattermost 電子郵件設定正確!"
},
@@ -112,14 +60,6 @@
"translation": "需要 S3 儲存貯體"
},
{
- "id": "api.admin.test_s3.missing_s3_endpoint",
- "translation": "需要 S3 端點"
- },
- {
- "id": "api.admin.test_s3.missing_s3_region",
- "translation": "需要 S3 區域"
- },
- {
"id": "api.admin.upload_brand_image.array.app_error",
"translation": "要求的 'image' 欄位為空陣列"
},
@@ -128,10 +68,6 @@
"translation": "要求的 'image' 欄位沒有檔案"
},
{
- "id": "api.admin.upload_brand_image.not_available.app_error",
- "translation": "自訂品牌於此伺服器未設定或不支援"
- },
- {
"id": "api.admin.upload_brand_image.parse.app_error",
"translation": "無法解析 multipart 表單"
},
@@ -144,38 +80,10 @@
"translation": "無法上傳檔案。檔案過大。"
},
{
- "id": "api.api.init.parsing_templates.error",
- "translation": "解析伺服器樣板 %v 失敗"
- },
- {
- "id": "api.api.render.error",
- "translation": "樣板 %v 產生時遇到錯誤 err=%v"
- },
- {
- "id": "api.auth.unable_to_get_user.app_error",
- "translation": "無法取得使用者以檢查權限。"
- },
- {
- "id": "api.brand.init.debug",
- "translation": "正在初始化品牌 API 路徑"
- },
- {
"id": "api.channel.add_member.added",
"translation": "%v 已被 %v 加入頻道。"
},
{
- "id": "api.channel.add_member.find_channel.app_error",
- "translation": "尋找頻道失敗"
- },
- {
- "id": "api.channel.add_member.find_user.app_error",
- "translation": "尋找將被加入的使用者失敗"
- },
- {
- "id": "api.channel.add_member.user_adding.app_error",
- "translation": "尋找新增中的使用者失敗"
- },
- {
"id": "api.channel.add_user.to.channel.failed.app_error",
"translation": "新增使用者至頻道失敗"
},
@@ -192,30 +100,6 @@
"translation": "無法加入使用者至此類型頻道"
},
{
- "id": "api.channel.can_manage_channel.private_restricted_system_admin.app_error",
- "translation": "只有系統管理員能建立與管理私人頻道。"
- },
- {
- "id": "api.channel.can_manage_channel.private_restricted_team_admin.app_error",
- "translation": "只有團隊和系統管理員能建立與管理私人頻道。"
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_system_admin.app_error",
- "translation": "只有系統管理員能建立與管理公開頻道。"
- },
- {
- "id": "api.channel.can_manage_channel.public_restricted_team_admin.app_error",
- "translation": "只有團隊和系統管理員能建立與管理公開頻道。"
- },
- {
- "id": "api.channel.change_channel_privacy.private_to_public",
- "translation": "此頻道已轉為公開頻道,任意團隊成員將可加入。"
- },
- {
- "id": "api.channel.change_channel_privacy.public_to_private",
- "translation": "此頻道已轉為私人頻道。"
- },
- {
"id": "api.channel.convert_channel_to_private.default_channel_error",
"translation": "預設頻道不能轉換為私人頻道。"
},
@@ -268,50 +152,6 @@
"translation": "頻道已被封存或刪除"
},
{
- "id": "api.channel.delete_channel.failed_post.error",
- "translation": "張貼封存訊息失敗 %v"
- },
- {
- "id": "api.channel.delete_channel.failed_send.app_error",
- "translation": "傳送封存訊息失敗"
- },
- {
- "id": "api.channel.delete_channel.incoming_webhook.error",
- "translation": "刪除內送 Webhook 遇到錯誤 id=%v"
- },
- {
- "id": "api.channel.delete_channel.outgoing_webhook.error",
- "translation": "刪除外寄 Webhook 遇到錯誤 id=%v"
- },
- {
- "id": "api.channel.delete_channel.permissions.app_error",
- "translation": "您沒有適當的權限"
- },
- {
- "id": "api.channel.get_channel.wrong_team.app_error",
- "translation": "在 team_id={{.TeamId}} 中不存在 channel_id={{.ChannelId}} 的頻道"
- },
- {
- "id": "api.channel.get_channel_counts.app_error",
- "translation": "無法從資料庫取得頻道數量"
- },
- {
- "id": "api.channel.get_channel_extra_info.deleted.app_error",
- "translation": "頻道已被封存或刪除"
- },
- {
- "id": "api.channel.get_channel_extra_info.member_limit.app_error",
- "translation": "解析成員限制失敗"
- },
- {
- "id": "api.channel.get_channels.error",
- "translation": "取得使用者 id=%v 資訊時遇到錯誤,強制登出"
- },
- {
- "id": "api.channel.init.debug",
- "translation": "正在初始化頻道 API 路徑"
- },
- {
"id": "api.channel.join_channel.already_deleted.app_error",
"translation": "頻道已被刪除"
},
@@ -340,6 +180,10 @@
"translation": "%v 退出頻道。"
},
{
+ "id": "api.channel.post_channel_privacy_message.error",
+ "translation": ""
+ },
+ {
"id": "api.channel.post_update_channel_displayname_message_and_forget.create_post.error",
"translation": "發送顯示名稱更新訊息時失敗"
},
@@ -380,22 +224,10 @@
"translation": "無法將使用者從預設的頻道移除 {{.Channel}}"
},
{
- "id": "api.channel.remove_member.permissions.app_error",
- "translation": "您沒有適當的權限 "
- },
- {
"id": "api.channel.remove_member.removed",
"translation": "%v 已從頻道中移除。"
},
{
- "id": "api.channel.remove_member.unable.app_error",
- "translation": "無法刪除使用者。"
- },
- {
- "id": "api.channel.remove_member.user.app_error",
- "translation": "找不到要移除的使用者"
- },
- {
"id": "api.channel.remove_user_from_channel.deleted.app_error",
"translation": "頻道已被封存或刪除"
},
@@ -404,10 +236,6 @@
"translation": "頻道已被封存或刪除"
},
{
- "id": "api.channel.update_channel.permission.app_error",
- "translation": "您沒有適當的權限"
- },
- {
"id": "api.channel.update_channel.tried.app_error",
"translation": "已對預設頻道 {{.Channel}} 嘗試執行無效的更新"
},
@@ -424,26 +252,14 @@
"translation": "由於提供的配置不是頻道配置,無法設定頻道配置。"
},
{
- "id": "api.channel.update_last_viewed_at.get_unread_count_for_channel.error",
- "translation": "無法取得未讀訊息數量:user_id=%v, channel_id=%v, err=%v"
- },
- {
"id": "api.channel.update_team_member_roles.scheme_role.app_error",
"translation": "提供的角色受配置管理,無法直接套用於團隊成員"
},
{
- "id": "api.cluster.init.debug",
- "translation": "正在初始化叢集 API 路徑"
- },
- {
"id": "api.command.admin_only.app_error",
"translation": "整合功能被限定為只有管理員可以設定。"
},
{
- "id": "api.command.delete.app_error",
- "translation": "沒有適當的權限刪除命令"
- },
- {
"id": "api.command.disabled.app_error",
"translation": "命令已被系統管理員停用。"
},
@@ -472,18 +288,10 @@
"translation": "找不到觸發為'{{.Trigger}}'的指令。請在訊息開頭增加空白來發送以\"/\"起始的訊息。"
},
{
- "id": "api.command.execute_command.save.app_error",
- "translation": "儲存命令回傳值至頻道時發生錯誤"
- },
- {
"id": "api.command.execute_command.start.app_error",
"translation": "找不到附帶觸發器的命令"
},
{
- "id": "api.command.init.debug",
- "translation": "正在初始化命令 API 路徑"
- },
- {
"id": "api.command.invite_people.desc",
"translation": "送個邀請函給您的 Mattermost 團隊"
},
@@ -516,18 +324,10 @@
"translation": "邀請函已送出"
},
{
- "id": "api.command.regen.app_error",
- "translation": "沒有適當的權限重新產生命令 Token"
- },
- {
"id": "api.command.team_mismatch.app_error",
"translation": "無法更新不同團隊的指令"
},
{
- "id": "api.command.update.app_error",
- "translation": "沒有適當的權限刪除命令"
- },
- {
"id": "api.command_away.desc",
"translation": "將狀態設定為「離開」"
},
@@ -568,10 +368,6 @@
"translation": "更新當前頻道時錯誤。"
},
{
- "id": "api.command_channel_header.update_channel.success",
- "translation": "成功更新頻道標題。"
- },
- {
"id": "api.command_channel_purpose.channel.app_error",
"translation": "取得當前頻道時錯誤。"
},
@@ -644,10 +440,6 @@
"translation": "更新當前頻道時錯誤。"
},
{
- "id": "api.command_channel_rename.update_channel.success",
- "translation": "成功更新頻道名稱。"
- },
- {
"id": "api.command_code.desc",
"translation": "以程式碼格式顯示文字"
},
@@ -696,10 +488,6 @@
"translation": "請勿打擾已啟用。在停用前您將不會收到桌面以及行動推播通知。"
},
{
- "id": "api.command_echo.create.app_error",
- "translation": "無法建立 /echo 訊息 err=%v"
- },
- {
"id": "api.command_echo.delay.app_error",
"translation": "延遲必須在10000秒以內"
},
@@ -763,14 +551,6 @@
}
},
{
- "id": "api.command_groupmsg.invalid_users.app_error",
- "translation": "找不到使用者:%s"
- },
- {
- "id": "api.command_groupmsg.list.app_error",
- "translation": "列表使用者時遇到錯誤。"
- },
- {
"id": "api.command_groupmsg.max_users.app_error",
"translation": "群組訊息頻道最多只能發給 {{.MaxUsers}} 位使用者。"
},
@@ -779,18 +559,10 @@
"translation": "群組訊息頻道最少必須發給 {{.MaxUsers}} 位使用者。"
},
{
- "id": "api.command_groupmsg.missing.app_error",
- "translation": "找不到使用者"
- },
- {
"id": "api.command_groupmsg.name",
"translation": "訊息"
},
{
- "id": "api.command_groupmsg.success",
- "translation": "已傳訊給使用者。"
- },
- {
"id": "api.command_help.desc",
"translation": "開啟 Mattermost 說明頁面"
},
@@ -875,10 +647,6 @@
"translation": "加入"
},
{
- "id": "api.command_join.success",
- "translation": "已加入頻道。"
- },
- {
"id": "api.command_kick.name",
"translation": "踢出"
},
@@ -891,14 +659,6 @@
"translation": "離開頻道時發生錯誤。"
},
{
- "id": "api.command_leave.list.app_error",
- "translation": "表列頻道時發生錯誤。"
- },
- {
- "id": "api.command_leave.missing.app_error",
- "translation": "找不到頻道"
- },
- {
"id": "api.command_leave.name",
"translation": "離開"
},
@@ -947,10 +707,6 @@
"translation": "@[使用者帳號] '訊息'"
},
{
- "id": "api.command_msg.list.app_error",
- "translation": "列表使用者時遇到錯誤。"
- },
- {
"id": "api.command_msg.missing.app_error",
"translation": "找不到使用者"
},
@@ -959,10 +715,6 @@
"translation": "訊息"
},
{
- "id": "api.command_msg.success",
- "translation": "已傳訊給使用者。"
- },
- {
"id": "api.command_mute.desc",
"translation": "對當前或指定的[頻道]關閉桌面、郵件及推播通知。"
},
@@ -1115,10 +867,6 @@
"translation": "聳肩"
},
{
- "id": "api.compliance.init.debug",
- "translation": "正在初始化規範 API 路徑"
- },
- {
"id": "api.config.client.old_format.app_error",
"translation": "尚未支援新格式的用戶端設定。請在查詢字串中指定 format=old 。"
},
@@ -1135,14 +883,6 @@
"translation": "無效的 {{.Name}} 參數"
},
{
- "id": "api.context.invalid_session.error",
- "translation": "無效工作階段 err=%v"
- },
- {
- "id": "api.context.invalid_team_url.debug",
- "translation": "團隊網址在不正確的時機被存取。團隊網址不應於在 API 函式或與團隊無關的用途中被使用"
- },
- {
"id": "api.context.invalid_token.error",
"translation": "無效工作階段 token={{.Token}}, err={{.Error}}"
},
@@ -1151,26 +891,10 @@
"translation": "要求網址中缺少 {{.Name}} 參數或是該值為無效 "
},
{
- "id": "api.context.invalidate_all_caches",
- "translation": "清除所有的快取"
- },
- {
- "id": "api.context.last_activity_at.error",
- "translation": "更新 user_id=%v 與 session_id=%v 的 LastActivityAt 失敗, 錯誤=%v"
- },
- {
- "id": "api.context.log.error",
- "translation": "%v:%v code=%v rid=%v uid=%v ip=%v %v [細節: %v]"
- },
- {
"id": "api.context.mfa_required.app_error",
"translation": "此伺服器要求多重要素驗證。"
},
{
- "id": "api.context.missing_teamid.app_error",
- "translation": "找不到團隊 ID"
- },
- {
"id": "api.context.permissions.app_error",
"translation": "您沒有適當的權限"
},
@@ -1179,26 +903,10 @@
"translation": "無效或逾期的工作階段,請重新登入。"
},
{
- "id": "api.context.system_permissions.app_error",
- "translation": "您沒有適當的權限 (系統)"
- },
- {
"id": "api.context.token_provided.app_error",
"translation": "工作階段並非使用 OAuth 協定,查詢字串中卻出現了 Token"
},
{
- "id": "api.context.unknown.app_error",
- "translation": "發生未知的錯誤。請聯繫支援單位。"
- },
- {
- "id": "api.context.v3_disabled.app_error",
- "translation": "此伺服器已停用 API 版本 3,請用 API 版本 4。如需詳細資訊,請參閱 https://api.mattermost.com"
- },
- {
- "id": "api.deprecated.init.debug",
- "translation": "正在初始化已被取代的 API 路徑"
- },
- {
"id": "api.email_batching.add_notification_email_to_batch.channel_full.app_error",
"translation": "批次郵件的接收頻道已滿。請增加 EmailBatchingBufferSize。"
},
@@ -1207,14 +915,6 @@
"translation": "批次郵件已被系統管理員停用"
},
{
- "id": "api.email_batching.check_pending_emails.finished_running",
- "translation": "完成批次郵件處理。尚有 %v 使用者的通知等待處理。"
- },
- {
- "id": "api.email_batching.render_batched_post.channel.app_error",
- "translation": "找不到批次郵件通知文章的頻道"
- },
- {
"id": "api.email_batching.render_batched_post.date",
"translation": "{{.Month}} {{.Day}},{{.Hour}}:{{.Minute}} {{.Timezone}}"
},
@@ -1235,10 +935,6 @@
"translation": "通知,來自:"
},
{
- "id": "api.email_batching.render_batched_post.sender.app_error",
- "translation": "找不到批次郵件通知文章的發文者"
- },
- {
"id": "api.email_batching.send_batched_email_notification.body_text",
"translation": {
"one": "您有新通知。您有 {{.Count}} 個新通知。",
@@ -1246,14 +942,6 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.preferences.app_error",
- "translation": "找不到批次郵件通知收件人的顯示偏好"
- },
- {
- "id": "api.email_batching.send_batched_email_notification.send.app_error",
- "translation": "無法寄送批次通知郵件給 %v: %v"
- },
- {
"id": "api.email_batching.send_batched_email_notification.subject",
"translation": {
"one": "[{{.SiteName}}] {{.Year}} {{.Month}} {{.Day}} 的新通知[{{.SiteName}}] {{.Year}} {{.Month}} {{.Day}} 的新通知",
@@ -1261,34 +949,22 @@
}
},
{
- "id": "api.email_batching.send_batched_email_notification.user.app_error",
- "translation": "找不到批次郵件通知的收件人"
- },
- {
- "id": "api.email_batching.start.starting",
- "translation": "開始批次郵件處理。每 %v 秒檢查未處理郵件。"
- },
- {
"id": "api.emoji.create.duplicate.app_error",
"translation": "無法建立繪文字,已存在相同名稱的繪文字。"
},
{
- "id": "api.emoji.create.parse.app_error",
- "translation": "無法新增繪文字。無法理解要求。"
+ "id": "api.emoji.create.other_user.app_error",
+ "translation": ""
},
{
- "id": "api.emoji.create.permissions.app_error",
- "translation": "沒有適當的權限建立繪文字。"
+ "id": "api.emoji.create.parse.app_error",
+ "translation": "無法新增繪文字。無法理解要求。"
},
{
"id": "api.emoji.create.too_large.app_error",
"translation": "無法建立繪文字。圖片必須小於1 MB。"
},
{
- "id": "api.emoji.delete.delete_reactions.app_error",
- "translation": "刪除名為 %v 的繪文字時無法刪除互動"
- },
- {
"id": "api.emoji.disabled.app_error",
"translation": "自訂繪文字已被系統管理員停用。"
},
@@ -1301,14 +977,6 @@
"translation": "無法讀取繪文字圖像檔案。"
},
{
- "id": "api.emoji.init.debug",
- "translation": "正在初始化繪文字 API 路徑"
- },
- {
- "id": "api.emoji.init.debug",
- "translation": "正在初始化繪文字 API 路徑"
- },
- {
"id": "api.emoji.storage.app_error",
"translation": "檔案儲存位置設定不正確。請設定為 S3 或是本地儲存。"
},
@@ -1333,12 +1001,12 @@
"translation": "無法建立繪文字。嘗試編碼 gif 圖片時發生錯誤。"
},
{
- "id": "api.file.attachments.disabled.app_error",
- "translation": "此伺服器已停用檔案附件功能。"
+ "id": "api.emoji.upload.open.app_error",
+ "translation": ""
},
{
- "id": "api.file.get_file.public_disabled.app_error",
- "translation": "公開連結已被系統管理員停用"
+ "id": "api.file.attachments.disabled.app_error",
+ "translation": "此伺服器已停用檔案附件功能。"
},
{
"id": "api.file.get_file.public_invalid.app_error",
@@ -1353,22 +1021,6 @@
"translation": "檔案沒有縮圖"
},
{
- "id": "api.file.get_info_for_request.no_post.app_error",
- "translation": "無法取得檔案資料。檔案必須附加在可以被當前使用者讀取的發文。"
- },
- {
- "id": "api.file.get_info_for_request.storage.app_error",
- "translation": "無法取得檔案資料。尚未設定圖片儲存位置。"
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "無法取得檔案。尚未設定圖片儲存位置。"
- },
- {
- "id": "api.file.get_public_file_old.storage.app_error",
- "translation": "無法取得檔案。尚未設定圖片儲存位置。"
- },
- {
"id": "api.file.get_public_link.disabled.app_error",
"translation": "公開連結已停用"
},
@@ -1377,116 +1029,52 @@
"translation": "無法取得檔案公開連結。檔案必須附加在可以被當前使用者讀取的發文。"
},
{
- "id": "api.file.handle_images_forget.decode.error",
- "translation": "無法解碼圖片:err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_jpeg.error",
- "translation": "無法將圖片編碼成 JPEG:path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.encode_preview.error",
- "translation": "無法將圖片編碼成預覽 JPEG:path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_preview.error",
- "translation": "無法上傳預覽檔:path=%v err=%v"
- },
- {
- "id": "api.file.handle_images_forget.upload_thumb.error",
- "translation": "無法上傳縮圖:path=%v err=%v"
- },
- {
- "id": "api.file.init.debug",
- "translation": "正在初始化檔案 API 路徑"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.channel.app_error",
- "translation": "將文章轉移成使用 FileInfos 時無法取得頻道:post_id=%v, channel_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.file_not_found.warn",
- "translation": "將文章轉移成使用 FileInfos 時無法搜尋到檔案:post_id=%v, filename=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_file_infos_again.warn",
- "translation": "轉移成使用 FileInfos 後無法取得文章的 FileInfos:post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.get_post_again.warn",
- "translation": "將文章轉移成使用 FileInfos 時無法取得文章:post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.info.app_error",
- "translation": "將文章轉移成使用 FileInfos 時無法解碼檔案資料:post_id=%v, filename=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.migrating_post.debug",
- "translation": "轉移文章為使用 FileInfos:post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.mismatched_filename.warn",
- "translation": "將文章轉移成使用 FileInfos 時發現不尋常的檔案名稱:post_id=%v, channel_id=%v, user_id=%v, filename=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.no_filenames.warn",
- "translation": "將文章轉移成使用 FileInfos 時發現欄位 Filenames 為空:post_id=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.not_migrating_post.debug",
- "translation": "文章以轉移至使用 FileInfos:post_id=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_file_info.warn",
- "translation": "將文章轉移成使用 FileInfos 時無法儲存檔案:post_id=%v, file_id=%v, path=%v, err=%v"
- },
- {
- "id": "api.file.migrate_filenames_to_file_infos.save_post.warn",
- "translation": "將文章轉移成使用 FileInfos 時無法儲存檔案:post_id=%v, file_id=%v, filename=%v, err=%v"
+ "id": "api.file.move_file.copy_within_s3.app_error",
+ "translation": "無法在 S3 內複製檔案。"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.team_id.app_error",
- "translation": "無法尋找團隊給 FileInfos 使用:post_id=%v, filenames=%v"
+ "id": "api.file.move_file.delete_from_s3.app_error",
+ "translation": "無法從 S3 刪除檔案。"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.teams.app_error",
- "translation": "將文章轉移成使用 FileInfos 時無法取得團隊:post_id=%v, err=%v"
+ "id": "api.file.move_file.rename.app_error",
+ "translation": "無法移動本地端的檔案。"
},
{
- "id": "api.file.migrate_filenames_to_file_infos.unexpected_filename.error",
- "translation": "將文章轉移成使用 FileInfos 時無法解碼檔案名稱:post_id=%v, filename=%v"
+ "id": "api.file.no_driver.app_error",
+ "translation": "No file driver selected."
},
{
- "id": "api.file.move_file.configured.app_error",
- "translation": "檔案儲存位置設定不正確。請設定為 S3 或是本地儲存。"
+ "id": "api.file.read_file.reading_local.app_error",
+ "translation": "從本地儲存讀取時遇到錯誤"
},
{
- "id": "api.file.move_file.copy_within_s3.app_error",
- "translation": "無法在 S3 內複製檔案。"
+ "id": "api.file.read_file.s3.app_error",
+ "translation": "從本地儲存讀取時遇到錯誤"
},
{
- "id": "api.file.move_file.delete_from_s3.app_error",
- "translation": "無法從 S3 刪除檔案。"
+ "id": "api.file.reader.reading_local.app_error",
+ "translation": "從本地伺服器儲存空間表列目錄時遇到錯誤"
},
{
- "id": "api.file.move_file.get_from_s3.app_error",
- "translation": "無法從 S3 取得檔案。"
+ "id": "api.file.reader.s3.app_error",
+ "translation": "從本地儲存讀取時遇到錯誤"
},
{
- "id": "api.file.move_file.rename.app_error",
- "translation": "無法移動本地端的檔案。"
+ "id": "api.file.test_connection.local.connection.app_error",
+ "translation": "Don't have permissions to write to local path specified or other error."
},
{
- "id": "api.file.read_file.configured.app_error",
- "translation": "檔案儲存位置設定不正確。請設定為 S3 或是本地儲存。"
+ "id": "api.file.test_connection.s3.bucked_create.app_error",
+ "translation": "Unable to create bucket."
},
{
- "id": "api.file.read_file.get.app_error",
- "translation": "無法從 S3 取得檔案"
+ "id": "api.file.test_connection.s3.bucket_exists.app_error",
+ "translation": "Error checking if bucket exists."
},
{
- "id": "api.file.read_file.reading_local.app_error",
- "translation": "從本地儲存讀取時遇到錯誤"
+ "id": "api.file.test_connection.s3.connection.app_error",
+ "translation": "Bad connection to S3 or minio."
},
{
"id": "api.file.upload_file.bad_parse.app_error",
@@ -1509,10 +1097,6 @@
"translation": "檔案太大無法上傳。"
},
{
- "id": "api.file.write_file.configured.app_error",
- "translation": "檔案儲存位置設定不正確。請設定為 S3 或是本地儲存。"
- },
- {
"id": "api.file.write_file.s3.app_error",
"translation": "寫入 S3 時遇到錯誤"
},
@@ -1525,34 +1109,6 @@
"translation": "寫入本地儲存時遇到錯誤"
},
{
- "id": "api.general.init.debug",
- "translation": "正在初始化一般 API 路徑"
- },
- {
- "id": "api.import.import_post.attach_files.error",
- "translation": "附加檔案於文章時錯誤:postId=%v, fileIds=%v, message=%v"
- },
- {
- "id": "api.import.import_post.saving.debug",
- "translation": "儲存訊息時遇到錯誤。user=%v, message=%v"
- },
- {
- "id": "api.import.import_user.join_team.error",
- "translation": "匯入過程於加入團隊時失敗 err=%v"
- },
- {
- "id": "api.import.import_user.joining_default.error",
- "translation": "加入預設頻道時遇到錯誤 user_id=%s, team_id=%s, err=%v"
- },
- {
- "id": "api.import.import_user.saving.error",
- "translation": "儲存使用者時遇到錯誤 err=%v"
- },
- {
- "id": "api.import.import_user.set_email.error",
- "translation": "設定電子郵件為已驗證時失敗 err=%v"
- },
- {
"id": "api.incoming_webhook.disabled.app_error",
"translation": "內送 Webhook 已被系統管理員停用。"
},
@@ -1561,10 +1117,6 @@
"translation": "無效的使用者名稱。"
},
{
- "id": "api.ldap.init.debug",
- "translation": "正在初始化 LDAP API 路徑"
- },
- {
"id": "api.license.add_license.array.app_error",
"translation": "要求中的 'license' 欄位為空陣列"
},
@@ -1605,30 +1157,6 @@
"translation": "尚未支援新格式的用戶端授權。請在查詢字串中指定 format=old 。"
},
{
- "id": "api.license.init.debug",
- "translation": "正在初始化授權 API 路徑"
- },
- {
- "id": "api.license.remove_license.remove.app_error",
- "translation": "授權沒有正確的移除。"
- },
- {
- "id": "api.oauth.allow_oauth.bad_client.app_error",
- "translation": "invalid_request: 錯誤的 client_id"
- },
- {
- "id": "api.oauth.allow_oauth.bad_redirect.app_error",
- "translation": "invalid_request: 遺漏或錯誤的 redirect_uri"
- },
- {
- "id": "api.oauth.allow_oauth.bad_response.app_error",
- "translation": "invalid_request: 錯誤的 response_type"
- },
- {
- "id": "api.oauth.allow_oauth.database.app_error",
- "translation": "server_error: 存取資料庫時發生錯誤"
- },
- {
"id": "api.oauth.allow_oauth.redirect_callback.app_error",
"translation": "invalid_reques:提供的 redirect_uri 對不上已註冊的 callback_url"
},
@@ -1641,14 +1169,6 @@
"translation": "系統管理員已關閉 OAuth2 服務提供者。"
},
{
- "id": "api.oauth.authorize_oauth.missing.app_error",
- "translation": "response_type、client_id 或 redirect_uri 中缺少一個以上"
- },
- {
- "id": "api.oauth.delete.permissions.app_error",
- "translation": "權限不足以刪除 OAuth2 應用程式"
- },
- {
"id": "api.oauth.get_access_token.bad_client_id.app_error",
"translation": "invalid_request:錯誤的 client_id"
},
@@ -1705,22 +1225,10 @@
"translation": "invalid_grant:無效的 refresh_token"
},
{
- "id": "api.oauth.get_auth_data.find.error",
- "translation": "找不到 code=%s 的認證碼"
- },
- {
- "id": "api.oauth.init.debug",
- "translation": "正在初始化 OAuth API 路徑"
- },
- {
"id": "api.oauth.invalid_state_token.app_error",
"translation": "無效的狀態 Token"
},
{
- "id": "api.oauth.regenerate_secret.app_error",
- "translation": "權限不足以重新產生 OAuth2 應用程式密碼"
- },
- {
"id": "api.oauth.register_oauth_app.turn_off.app_error",
"translation": "系統管理員已關閉 OAuth2 服務提供者。"
},
@@ -1749,8 +1257,8 @@
"translation": "此註冊連結不是有效連結"
},
{
- "id": "api.opengraph.init.debug",
- "translation": "初始化 Open Graph 協定 API 路徑"
+ "id": "api.outgoing_webhook.disabled.app_error",
+ "translation": ""
},
{
"id": "api.plugin.upload.array.app_error",
@@ -1773,14 +1281,6 @@
"translation": "無法傳送通知給未加入此頻道的 @{{.Username}}。"
},
{
- "id": "api.post.create_post.attach_files.error",
- "translation": "附加檔案於文章時遭遇錯誤:post_id=%s, user_id=%s, file_ids=%v, err=%v"
- },
- {
- "id": "api.post.create_post.bad_filename.error",
- "translation": "無效的檔名,filename=%v"
- },
- {
"id": "api.post.create_post.can_not_post_to_deleted.error",
"translation": "無法發文至已刪除的頻道。"
},
@@ -1789,10 +1289,6 @@
"translation": "RootId 參數的 ChannelId 無效"
},
{
- "id": "api.post.create_post.last_viewed.error",
- "translation": "更新最新的訊息檢視遇到錯誤 channel_id=%s, user_id=%s, err=%v"
- },
- {
"id": "api.post.create_post.parent_id.app_error",
"translation": "無效的 ParentId 參數"
},
@@ -1809,18 +1305,6 @@
"translation": "建立訊息時遇到錯誤"
},
{
- "id": "api.post.delete_flagged_post.app_error.warn",
- "translation": "刪除發文時無法刪除發文的標記設定:err=%v"
- },
- {
- "id": "api.post.delete_post.permissions.app_error",
- "translation": "您沒有適當的權限"
- },
- {
- "id": "api.post.delete_post_files.app_error.warn",
- "translation": "刪除文章的檔案時遭遇錯誤:post_id=%v, err=%v"
- },
- {
"id": "api.post.disabled_all",
"translation": "由於頻道使用者超過 {{.Users}} 人,已停用@all。"
},
@@ -1848,10 +1332,6 @@
}
},
{
- "id": "api.post.get_message_for_notification.get_files.error",
- "translation": "為通知訊息取得檔案於文章時遭遇錯誤:post_id=%v, err=%v"
- },
- {
"id": "api.post.get_message_for_notification.images_sent",
"translation": {
"one": "已送出 {{.Count}} 個圖片:{{.Filenames}}已送出 {{.Count}} 個圖片:{{.Filenames}}",
@@ -1859,54 +1339,10 @@
}
},
{
- "id": "api.post.get_out_of_channel_mentions.regex.error",
- "translation": "編譯 @mention 正規表示式失敗 user_id=%v, err=%v"
- },
- {
- "id": "api.post.get_post.permissions.app_error",
- "translation": "您沒有適當的權限"
- },
- {
- "id": "api.post.handle_post_events_and_forget.members.error",
- "translation": "取得頻道成員失敗 channel_id=%v err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.create_post.error",
- "translation": "建立回應貼文失敗 err=%v"
- },
- {
- "id": "api.post.handle_webhook_events_and_forget.event_post.error",
- "translation": "POST 事件失敗 err=%s"
- },
- {
- "id": "api.post.init.debug",
- "translation": "正在初始化貼文 API 路徑"
- },
- {
"id": "api.post.link_preview_disabled.app_error",
"translation": "連結預覽已被系統管理員停用"
},
{
- "id": "api.post.make_direct_channel_visible.get_2_members.error",
- "translation": "取得直接訊息頻道的兩位成員失敗 channel_id={{.ChannelId}}"
- },
- {
- "id": "api.post.make_direct_channel_visible.get_members.error",
- "translation": "取得頻道成員失敗 channel_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.save_pref.error",
- "translation": "儲存直接訊息頻道的偏好設定失敗 user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.make_direct_channel_visible.update_pref.error",
- "translation": "更新直接訊息頻道的偏好設定失敗 user_id=%v other_user_id=%v err=%v"
- },
- {
- "id": "api.post.notification.member_profile.warn",
- "translation": "無法取得頻道成員資訊 user_id=%v"
- },
- {
"id": "api.post.send_notification_and_forget.push_channel_mention",
"translation": " 頻道已通知。"
},
@@ -1919,26 +1355,6 @@
"translation": " 已在您參與的討論串註記。"
},
{
- "id": "api.post.send_notifications.user_id.debug",
- "translation": "此訊息的發起人不在頻道,將不發送通知 post_id=%v channel_id=%v user_id=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.clear_push_notification.debug",
- "translation": "正在清除至 %v 的推播通知,channel_id %v"
- },
- {
- "id": "api.post.send_notifications_and_forget.files.error",
- "translation": "無法為貼文通知取得檔案: post_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.get_teams.error",
- "translation": "發送跨團隊直接訊移時無法取得團隊:user_id=%v, err=%v"
- },
- {
- "id": "api.post.send_notifications_and_forget.mention_subject",
- "translation": "新的提及"
- },
- {
"id": "api.post.send_notifications_and_forget.push_explicit_mention",
"translation": " 提及您 "
},
@@ -1955,30 +1371,10 @@
"translation": "送出一個訊息給您"
},
{
- "id": "api.post.send_notifications_and_forget.push_notification.error",
- "translation": "發送推播失敗 device_id={{.DeviceId}}, err={{.Error}}"
- },
- {
- "id": "api.post.send_notifications_and_forget.sent",
- "translation": "{{.Prefix}} {{.Filenames}} 已送出"
- },
- {
- "id": "api.post.update_mention_count_and_forget.update_error",
- "translation": "更新提及的計數失敗 post_id=%v channel_id=%v err=%v"
- },
- {
"id": "api.post.update_post.find.app_error",
"translation": "找不到可更新的訊息或註解。"
},
{
- "id": "api.post.update_post.permissions.app_error",
- "translation": "您沒有適當的權限"
- },
- {
- "id": "api.post.update_post.permissions_denied.app_error",
- "translation": "編輯訊息已被停用。請洽詢系統管理員了解詳情。"
- },
- {
"id": "api.post.update_post.permissions_details.app_error",
"translation": "已刪除 id={{.PostId}}"
},
@@ -1995,60 +1391,36 @@
"translation": "無法取得訊息"
},
{
- "id": "api.preference.delete_preferences.decode.app_error",
- "translation": "無法從要求中解碼出偏好設定"
- },
- {
- "id": "api.preference.delete_preferences.user_id.app_error",
- "translation": "無法為其他使用者刪除偏好設定"
- },
- {
- "id": "api.preference.init.debug",
- "translation": "正在初始化偏好設定 API 路徑"
+ "id": "api.preference.delete_preferences.delete.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.decode.app_error",
- "translation": "無法從上傳表單中解碼出偏好設定"
+ "id": "api.preference.preferences_category.get.app_error",
+ "translation": ""
},
{
- "id": "api.preference.save_preferences.set.app_error",
- "translation": "無法為其他使用調整偏好設定"
- },
- {
- "id": "api.reaction.delete_reaction.mismatched_channel_id.app_error",
- "translation": "由於URL中的頻道 ID 與文章 ID 不相符,刪除互動失敗"
- },
- {
- "id": "api.reaction.init.debug",
- "translation": "初始化互動 API 路徑"
- },
- {
- "id": "api.reaction.list_reactions.mismatched_channel_id.app_error",
- "translation": "由於URL中的頻道 ID 與文章 ID 不相符,讀取互動失敗"
+ "id": "api.preference.update_preferences.set.app_error",
+ "translation": ""
},
{
"id": "api.reaction.save_reaction.invalid.app_error",
"translation": "無效的互動。"
},
{
- "id": "api.reaction.save_reaction.mismatched_channel_id.app_error",
- "translation": "由於URL中的頻道 ID 與文章 ID 不相符,儲存互動失敗"
- },
- {
"id": "api.reaction.save_reaction.user_id.app_error",
"translation": "無法為其他使用者儲存互動。"
},
{
- "id": "api.reaction.send_reaction_event.post.app_error",
- "translation": "為了反應發送 Websocket 事件時,無法取得文章"
- },
- {
"id": "api.roles.patch_roles.license.error",
"translation": "目前授權不支援進階權限。"
},
{
- "id": "api.saml.save_certificate.app_error",
- "translation": "憑證沒有正確的儲存。"
+ "id": "api.scheme.create_scheme.license.error",
+ "translation": ""
+ },
+ {
+ "id": "api.scheme.delete_scheme.license.error",
+ "translation": ""
},
{
"id": "api.scheme.get_channels_for_scheme.scope.error",
@@ -2059,8 +1431,8 @@
"translation": "由於提供的配置不是團隊配置,無法取得配置的團隊。"
},
{
- "id": "api.server.new_server.init.info",
- "translation": "伺服器正在初始化..."
+ "id": "api.scheme.patch_scheme.license.error",
+ "translation": ""
},
{
"id": "api.server.start_server.forward80to443.disabled_while_using_lets_encrypt",
@@ -2071,18 +1443,6 @@
"translation": "當在監聽通訊埠 %s 時無法從 80 轉發至 443:如果正在使用代理伺服器請停用 Forward80To443 "
},
{
- "id": "api.server.start_server.listening.info",
- "translation": "伺服器正在監聽於 %v"
- },
- {
- "id": "api.server.start_server.rate.info",
- "translation": "張貼速率限制已啟用"
- },
- {
- "id": "api.server.start_server.rate.warn",
- "translation": "張貼速率限制沒有正確的設定,請使用 VaryByHeader 並停用 VaryByRemoteAddr"
- },
- {
"id": "api.server.start_server.rate_limiting_memory_store",
"translation": "無法初始化張貼速率限制所需的記憶體儲存。請確定 MemoryStoreSize 的設定值。"
},
@@ -2095,22 +1455,6 @@
"translation": "啟動伺服器時遇到錯誤 err:%v"
},
{
- "id": "api.server.start_server.starting.info",
- "translation": "正在啟動伺服器..."
- },
- {
- "id": "api.server.start_server.starting.panic",
- "translation": "啟動伺服器時遇到錯誤 "
- },
- {
- "id": "api.server.stop_server.stopped.info",
- "translation": "伺服器已停止"
- },
- {
- "id": "api.server.stop_server.stopping.info",
- "translation": "正在停止伺服器..."
- },
- {
"id": "api.slackimport.slack_add_bot_user.email_pwd",
"translation": "已匯入外部整合/Slack 機器人帳號,電子郵件為 {{.Email}},密碼為 {{.Password}}。\r\n"
},
@@ -2131,66 +1475,10 @@
"translation": "無法匯入 Slack 頻道 {{.DisplayName}}。\r\n"
},
{
- "id": "api.slackimport.slack_add_channels.import_failed.warn",
- "translation": "匯入 Slack:無法匯入 Slack 頻道:%s。"
- },
- {
"id": "api.slackimport.slack_add_channels.merge",
"translation": "Slack 頻道 {{.DisplayName}} 以存在於現行 Mattermost 中。已合併兩邊頻道。\r\n"
},
{
- "id": "api.slackimport.slack_add_posts.attach_files.error",
- "translation": "匯入 Slack:附加檔案到訊息上時發生錯誤,post_id=%s, file_ids=%v, err=%v。"
- },
- {
- "id": "api.slackimport.slack_add_posts.bot.warn",
- "translation": "匯入 Slack:還不能匯入Slack 機器人訊息。"
- },
- {
- "id": "api.slackimport.slack_add_posts.bot_user_no_exists.warn",
- "translation": "匯入 Slack:機器人帳號不存在,無法匯入機器人訊息。"
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_comment.debug",
- "translation": "匯入 Slack:訊息無註解,無法匯入。"
- },
- {
- "id": "api.slackimport.slack_add_posts.msg_no_usr.debug",
- "translation": "匯入 Slack:缺少使用者欄位,無法匯入訊息。"
- },
- {
- "id": "api.slackimport.slack_add_posts.no_bot_id.warn",
- "translation": "匯入 Slack:缺少 BotId 欄位,無法匯入機器人訊息。"
- },
- {
- "id": "api.slackimport.slack_add_posts.unsupported.warn",
- "translation": "匯入 Slack:訊息類別不支援,無法匯入訊息:post_type=%v, post_subtype=%v。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_found.warn",
- "translation": "匯入 Slack:Slack 匯出的 zip 檔案中缺少檔案,無法匯入檔案 {{.Field}}。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_not_in_json.warn",
- "translation": "匯入 Slack:Slack 匯出資訊中該訊息缺少\"檔案\"欄位,無法附加檔案於訊息上。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_open_failed.warn",
- "translation": "匯入 Slack:無法開啟 Slack 匯出中的檔案 {{.Field}}:{{.Error}}。"
- },
- {
- "id": "api.slackimport.slack_add_posts.upload_file_upload_failed.warn",
- "translation": "匯入 Slack:上傳檔案 {{.Field}} 時發生錯誤:{{.Error}}。"
- },
- {
- "id": "api.slackimport.slack_add_posts.user_no_exists.debug",
- "translation": "匯入 Slack:Mattermost 不存在 Slack 使用者 %v,無法新增訊息。"
- },
- {
- "id": "api.slackimport.slack_add_posts.without_user.debug",
- "translation": "匯入 Slack:缺少使用者欄位,無法匯入訊息。"
- },
- {
"id": "api.slackimport.slack_add_users.created",
"translation": "\r\n已建立使用者:\r\n"
},
@@ -2211,30 +1499,10 @@
"translation": "使用者{{.Username}}在 Slack 匯出資料中沒有電子郵件地址。{{.Email}}將會被用作預留地址。使用者在登入系統後應更新電子郵件地址。\r\n"
},
{
- "id": "api.slackimport.slack_add_users.missing_email_address.warn",
- "translation": "匯入 Slack:使用者{{.Username}}在 Slack 匯出資料中沒有電子郵件地址。{{.Email}}將會被用作預留地址。使用者在登入系統後應更新電子郵件地址。"
- },
- {
"id": "api.slackimport.slack_add_users.unable_import",
"translation": "無法匯入 Slack 使用者: {{.Username}}\r\n"
},
{
- "id": "api.slackimport.slack_convert_channel_mentions.compile_regexp_failed.warn",
- "translation": "匯入 Slack:無法編譯 !channel,比對Slack 頻道 {{.ChannelName}}的正規表示式 (id={{.ChannelID}})。"
- },
- {
- "id": "api.slackimport.slack_convert_timestamp.bad.warn",
- "translation": "匯入 Slack:偵測到不正確的時間戳記。"
- },
- {
- "id": "api.slackimport.slack_convert_user_mentions.compile_regexp_failed.warn",
- "translation": "匯入 Slack:無法編譯 @mention,比對Slack 使用者 {{.Username}}的正規表示式 (id={{.UserID}})。"
- },
- {
- "id": "api.slackimport.slack_deactivate_bot_user.failed_to_deactivate",
- "translation": "匯入 Slack:無法停用作為機器人的使用者帳號。"
- },
- {
"id": "api.slackimport.slack_import.log",
"translation": "Mattermost Slack 匯入記錄\r\n"
},
@@ -2267,38 +1535,10 @@
"translation": "無法開啟 Slack 匯出 zip 檔。\r\n"
},
{
- "id": "api.slackimport.slack_parse_channels.error",
- "translation": "匯入 Slack:剖析部份 Slack 頻道時發生錯誤。匯入可能可以繼續運行。"
- },
- {
- "id": "api.slackimport.slack_parse_posts.error",
- "translation": "匯入 Slack:剖析部份 Slack 訊息時發生錯誤。匯入可能可以繼續運行。"
- },
- {
- "id": "api.status.init.debug",
- "translation": "正在初始化狀態 API 路徑"
- },
- {
- "id": "api.status.init.debug",
- "translation": "正在初始化狀態 API 路徑"
- },
- {
- "id": "api.status.last_activity.error",
- "translation": "更新 user_id=%v 與 session_id=%v 的 LastActivityAt 失敗 err=%v"
- },
- {
- "id": "api.status.save_status.error",
- "translation": "儲存使用者狀態失敗 user_id=%v err=%v"
- },
- {
"id": "api.status.user_not_found.app_error",
"translation": "找不到使用者"
},
{
- "id": "api.system.go_routines",
- "translation": "執行中的 Goroutine 數量超過健康界線 %v (%v)"
- },
- {
"id": "api.team.add_user_to_team.added",
"translation": "%v 已被 %v 加入頻道。"
},
@@ -2307,32 +1547,16 @@
"translation": "需要參數以新增團隊成員。"
},
{
- "id": "api.team.create_team.email_disabled.app_error",
- "translation": "使用電子郵件註冊團隊已被停用。"
- },
- {
- "id": "api.team.create_team_from_signup.email_disabled.app_error",
- "translation": "使用電子郵件註冊團隊已被停用。"
- },
- {
- "id": "api.team.create_team_from_signup.expired_link.app_error",
- "translation": "註冊連結已過期"
- },
- {
- "id": "api.team.create_team_from_signup.unavailable.app_error",
- "translation": "這個網址不存在。請嘗試其他的。"
- },
- {
- "id": "api.team.email_teams.sending.error",
- "translation": "在 emailTeams 中寄送一封電子郵件時發生錯誤 err=%v"
- },
- {
"id": "api.team.get_invite_info.not_open_team",
"translation": "無法在非公開的團隊使用邀請。"
},
{
- "id": "api.team.import_team.admin.app_error",
- "translation": "僅有團隊管理員能匯入資料。"
+ "id": "api.team.get_team_icon.filesettings_no_driver.app_error",
+ "translation": ""
+ },
+ {
+ "id": "api.team.get_team_icon.read_file.app_error",
+ "translation": ""
},
{
"id": "api.team.import_team.array.app_error",
@@ -2363,18 +1587,6 @@
"translation": "要求格式錯誤:沒有檔案大小欄位。"
},
{
- "id": "api.team.init.debug",
- "translation": "正在初始化團隊 API 路徑"
- },
- {
- "id": "api.team.invite_members.admin",
- "translation": "管理員"
- },
- {
- "id": "api.team.invite_members.already.app_error",
- "translation": "此人已在您的團隊中"
- },
- {
"id": "api.team.invite_members.invalid_email.app_error",
"translation": "這些電子郵件地址的網域不被接受:{{.Addresses}}。詳情請聯絡系統管理員。"
},
@@ -2387,22 +1599,6 @@
"translation": "無人可邀請。"
},
{
- "id": "api.team.invite_members.restricted_system_admin.app_error",
- "translation": "只有系統管理能邀請新使用者至團隊"
- },
- {
- "id": "api.team.invite_members.restricted_team_admin.app_error",
- "translation": "只有系統管理以及團隊管理能邀請新使用者至團隊"
- },
- {
- "id": "api.team.invite_members.send.error",
- "translation": "邀請電子郵件傳送失敗 err=%v"
- },
- {
- "id": "api.team.invite_members.sending.info",
- "translation": "正在向 %v %v 寄送邀請"
- },
- {
"id": "api.team.is_team_creation_allowed.disabled.app_error",
"translation": "建立團隊已被停用。請洽詢系統管理員了解詳情。"
},
@@ -2427,14 +1623,6 @@
"translation": "此頻道已從 %v 移動至此團隊。"
},
{
- "id": "api.team.permanent_delete_team.attempting.warn",
- "translation": "正在嘗試永久刪除團隊 %v id=%v"
- },
- {
- "id": "api.team.permanent_delete_team.deleted.warn",
- "translation": "已永久刪除團隊 %v id=%v"
- },
- {
"id": "api.team.remove_team_icon.get_team.app_error",
"translation": "取得團隊時發生錯誤"
},
@@ -2491,10 +1679,6 @@
"translation": "無法儲存團隊標誌"
},
{
- "id": "api.team.signup_team.email_disabled.app_error",
- "translation": "使用電子郵件註冊團隊已被停用。"
- },
- {
"id": "api.team.team_icon.update.app_error",
"translation": "更新團隊時發生錯誤"
},
@@ -2503,10 +1687,6 @@
"translation": "指定的使用者不是指定團隊的成員。"
},
{
- "id": "api.team.update_team.permissions.app_error",
- "translation": "您沒有適當的權限"
- },
- {
"id": "api.team.update_team_scheme.license.error",
"translation": "授權不支援更新團隊的配置"
},
@@ -2515,10 +1695,6 @@
"translation": "由於提供的配置不是團隊配置,無法設定團隊配置。"
},
{
- "id": "api.templates.channel_name.group",
- "translation": "群組訊息"
- },
- {
"id": "api.templates.deactivate_body.info",
"translation": "您在 {{.SiteURL}} 的帳號已被您所停用。<br>如果此變更不是由您所發起或是想要重新啟用帳號,請聯絡系統管理員。"
},
@@ -2571,22 +1747,6 @@
"translation": "寄件者:"
},
{
- "id": "api.templates.find_teams_body.found",
- "translation": "尋找到與您的電子信箱有關聯的團隊如下列:"
- },
- {
- "id": "api.templates.find_teams_body.not_found",
- "translation": "無法經由提供的電子郵件地址尋找到任何團隊。"
- },
- {
- "id": "api.templates.find_teams_body.title",
- "translation": "正在尋找團隊"
- },
- {
- "id": "api.templates.find_teams_subject",
- "translation": "您的 {{ .SiteName }} 團隊"
- },
- {
"id": "api.templates.invite_body.button",
"translation": "加入團隊"
},
@@ -2675,30 +1835,6 @@
"translation": "[{{ .SiteName }}] 登入方式已更新"
},
{
- "id": "api.templates.signup_team_body.button",
- "translation": "設定團隊"
- },
- {
- "id": "api.templates.signup_team_body.info",
- "translation": "{{ .SiteName }} 是一個讓所有團隊隨時隨地都能溝通、搜尋與取用的地方。<br>當團隊持續不斷的溝通時, 善用 {{ .SiteName }} 能讓您獲益良多--讓我們呼朋引伴吧。"
- },
- {
- "id": "api.templates.signup_team_body.title",
- "translation": "感謝您建立了一個團隊!"
- },
- {
- "id": "api.templates.signup_team_subject",
- "translation": "{{ .SiteName }} 團隊設定"
- },
- {
- "id": "api.templates.upgrade_30_body.info",
- "translation": "<h3 style='font-weight: normal; margin-top: 10px;'>您的多重帳號已更新</h3> Mattermost 伺服器已升級到版本3.0,從此可以在多個團隊中使用同一帳號。<br/><br/>升級程式發現伺服器上有其他帳號與您的帳號使用同樣的電子郵件或使用者名稱所以寄信給您。<br/><br/>更新如下:<br/><br/>{{if .EmailChanged }}- `/{{.TeamName}}`團隊裡重覆電子郵件帳號的電子郵件已變更為`{{.Email}}`。您必須使用電子郵件與密碼登入,可用此新的電子郵件進行登入。<br/><br/>{{end}}{{if .UsernameChanged }}- `/{{.TeamName}}`團隊站台重覆使用者名稱帳號的使用者名稱已變更為`{{.Username}}`以避免與其它的帳號混淆。<br/><br/>{{end}} 建議動作:<br/><br/>建議您用重覆的帳號登入並把主要帳號加到要繼續使用的團隊、公開頻道與私有群組。<br/><br/>這樣方可使用主要帳號存取所有公開頻道與私有群組的歷史。可以用其它重覆的帳號登入存取之前的直接傳送訊息。<br/><br/>詳細訊息:<br/><br/>如需關於升到到 Mattermost 3.0 的詳細資訊,請參閱:<a href='http://www.mattermost.org/upgrading-to-mattermost-3-0/'>http://www.mattermost.org/upgrading-to-mattermost-3-0/</a><br/><br/>"
- },
- {
- "id": "api.templates.upgrade_30_subject.info",
- "translation": "[MATTERMOST] 升級至 Mattermost 3.0 後帳號的變更"
- },
- {
"id": "api.templates.user_access_token_body.info",
"translation": "{{ .SiteURL }} 已新增個人存取 Token 至帳號。Token 可用於以您的帳號存取 {{.SiteName}}。<br>如果此變更並非來自您,請聯絡系統管理員。"
},
@@ -2787,10 +1923,6 @@
"translation": "無效的狀態"
},
{
- "id": "api.user.authorize_oauth_user.invalid_state_team.app_error",
- "translation": "無效的狀態;沒有團隊名稱"
- },
- {
"id": "api.user.authorize_oauth_user.missing.app_error",
"translation": "沒有存取 Token"
},
@@ -2839,10 +1971,6 @@
"translation": "此電子郵件位址已有帳號使用且設定使用{{.Service}}以外的登入方法。請用{{.Auth}}登入。"
},
{
- "id": "api.user.create_oauth_user.already_used.app_error",
- "translation": "這個 {{.Service}} 帳號已被用於註冊過了"
- },
- {
"id": "api.user.create_oauth_user.create.app_error",
"translation": "無法建立用於 {{.Service}} 的使用者物件"
},
@@ -2871,10 +1999,6 @@
"translation": "建立使用者已被停用"
},
{
- "id": "api.user.create_user.joining.error",
- "translation": "加入預設頻道時遇到錯誤 user_id=%s, team_id=%s, err=%v"
- },
- {
"id": "api.user.create_user.missing_invite_id.app_error",
"translation": "缺少邀請 ID。"
},
@@ -2887,10 +2011,6 @@
"translation": "本機不開放自由註冊,請從管理員處取得邀請。"
},
{
- "id": "api.user.create_user.save.error",
- "translation": "無法儲存使用者 err=%v"
- },
- {
"id": "api.user.create_user.signup_email_disabled.app_error",
"translation": "已停用電子郵件註冊。"
},
@@ -2903,22 +2023,14 @@
"translation": "此註冊連結不是有效連結"
},
{
- "id": "api.user.create_user.team_name.app_error",
- "translation": "無效的團隊名稱"
- },
- {
- "id": "api.user.create_user.tutorial.error",
- "translation": "儲存教學偏好設定時遇到錯誤 err=%v"
- },
- {
- "id": "api.user.create_user.verified.error",
- "translation": "設定電子郵件為已驗證時失敗 err=%v"
- },
- {
"id": "api.user.email_to_ldap.not_available.app_error",
"translation": "此伺服器不支援 AD/LDAP"
},
{
+ "id": "api.user.email_to_oauth.not_available.app_error",
+ "translation": ""
+ },
+ {
"id": "api.user.generate_mfa_qr.not_available.app_error",
"translation": "本機不支援或尚未設定多重要素驗證"
},
@@ -2927,18 +2039,10 @@
"translation": "不支援的 OAuth 服務供應者"
},
{
- "id": "api.user.get_me.getting.error",
- "translation": "取得使用者 id=%v 資訊時遇到錯誤,強制登出"
- },
- {
"id": "api.user.get_profile_image.not_found.app_error",
"translation": "無法取得個人圖像,找不到使用者。"
},
{
- "id": "api.user.init.debug",
- "translation": "正在初始化使用者 API 路徑"
- },
- {
"id": "api.user.ldap_to_email.not_available.app_error",
"translation": "此伺服器不支援 AD/LDAP"
},
@@ -2951,6 +2055,14 @@
"translation": "密碼欄位不得空白"
},
{
+ "id": "api.user.login.client_side_cert.certificate.app_error",
+ "translation": "Attempted to sign in using the experimental feature ClientSideCert without providing a valid certificate"
+ },
+ {
+ "id": "api.user.login.client_side_cert.license.app_error",
+ "translation": "Attempt to use the experimental feature ClientSideCertEnable without a valid enterprise license"
+ },
+ {
"id": "api.user.login.inactive.app_error",
"translation": "登入失敗,您的帳號已被設定為停用。請向系統管理員聯繫。"
},
@@ -2959,18 +2071,10 @@
"translation": "使用者 ID 或密碼錯誤。"
},
{
- "id": "api.user.login.not_provided.app_error",
- "translation": "必須提供使用者 ID 或團隊名稱與使用者電子郵件"
- },
- {
"id": "api.user.login.not_verified.app_error",
"translation": "登入失敗,電子郵件地址尚未經驗証"
},
{
- "id": "api.user.login.revoking.app_error",
- "translation": "sessionId=%v 已被取消,屬於 userId=%v。請用同樣的設備 ID 再次登入。"
- },
- {
"id": "api.user.login.use_auth_service.app_error",
"translation": "請用 {{.AuthService}} 登入"
},
@@ -2983,18 +2087,6 @@
"translation": "無法解析 {{.Service}} 使用者物件的認證資料"
},
{
- "id": "api.user.login_ldap.blank_pwd.app_error",
- "translation": "密碼欄位不得空白"
- },
- {
- "id": "api.user.login_ldap.disabled.app_error",
- "translation": "此伺服器未啟用 AD/LDAP"
- },
- {
- "id": "api.user.login_ldap.need_id.app_error",
- "translation": "需要一個 ID"
- },
- {
"id": "api.user.login_ldap.not_available.app_error",
"translation": "此伺服器不支援 AD/LDAP"
},
@@ -3003,16 +2095,12 @@
"translation": "更新密碼失敗,目前的 user_id 與要變更的使用者 ID 不符"
},
{
- "id": "api.user.permanent_delete_user.attempting.warn",
- "translation": "試圖將 %v id=%v 帳號永久刪除"
- },
- {
- "id": "api.user.permanent_delete_user.deleted.warn",
- "translation": "已永久刪除帳號 %v id=%v"
+ "id": "api.user.oauth_to_email.not_available.app_error",
+ "translation": ""
},
{
- "id": "api.user.permanent_delete_user.system_admin.warn",
- "translation": "正在刪除系統管理員 %v。刪除後您可能需要用命令列工具將另一個帳號設定為系統管理員。"
+ "id": "api.user.reset_password.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.user.reset_password.invalid_link.app_error",
@@ -3031,10 +2119,6 @@
"translation": "SSO 帳號無法重設密碼"
},
{
- "id": "api.user.reset_password.wrong_team.app_error",
- "translation": "正在嘗試將錯誤團隊中的使用者重設密碼。"
- },
- {
"id": "api.user.saml.not_available.app_error",
"translation": "本機不支援或未設定 SAML 2.0。"
},
@@ -3055,12 +2139,12 @@
"translation": "更改驗證電子郵件傳送失敗"
},
{
- "id": "api.user.send_password_change_email_and_forget.error",
- "translation": "更新密碼電子郵件傳送失敗"
+ "id": "api.user.send_mfa_change_email.error",
+ "translation": ""
},
{
- "id": "api.user.send_password_reset.find.app_error",
- "translation": "無法找到該地址相對應的帳號"
+ "id": "api.user.send_password_change_email_and_forget.error",
+ "translation": "更新密碼電子郵件傳送失敗"
},
{
"id": "api.user.send_password_reset.send.app_error",
@@ -3087,10 +2171,6 @@
"translation": "歡迎電子郵件傳送失敗"
},
{
- "id": "api.user.update_active.no_deactivate_sso.app_error",
- "translation": "不能變更 SSO 帳號的啟用狀態。請透過 SSO 伺服器變更。"
- },
- {
"id": "api.user.update_active.not_enable.app_error",
"translation": "由於此功能沒有啟用,無法停用您的帳號。請聯絡系統管理員。"
},
@@ -3131,26 +2211,6 @@
"translation": "更新密碼失敗,無法找到有效的帳號"
},
{
- "id": "api.user.update_roles.one_admin.app_error",
- "translation": "至少要有一個啟用的管理員"
- },
- {
- "id": "api.user.update_roles.permissions.app_error",
- "translation": "您沒有適當的權限"
- },
- {
- "id": "api.user.update_roles.system_admin_needed.app_error",
- "translation": "限系統管理員方可進行本項作業"
- },
- {
- "id": "api.user.update_roles.system_admin_set.app_error",
- "translation": "僅有系統管理員才能設定另一位系統管理員的角色"
- },
- {
- "id": "api.user.update_roles.team_admin_needed.app_error",
- "translation": "限團隊管理員方可進行本項作業"
- },
- {
"id": "api.user.upload_profile_user.array.app_error",
"translation": "要求中的 'image' 欄位為空陣列"
},
@@ -3195,40 +2255,28 @@
"translation": "錯誤的驗證電子郵件連結。"
},
{
- "id": "api.web_hub.start.starting.debug",
- "translation": "啟動 %v Websocket 中樞"
- },
- {
- "id": "api.web_hub.start.stopping.debug",
- "translation": "停止 Websocket 中樞連線"
- },
- {
- "id": "api.web_socket.connect.error",
- "translation": "Websocket 連接錯誤:%v"
+ "id": "api.user.verify_email.broken_token.app_error",
+ "translation": ""
},
{
"id": "api.web_socket.connect.upgrade.app_error",
"translation": "更新 Websocket 連線失敗"
},
{
- "id": "api.web_socket.init.debug",
- "translation": "正在初始化 web socket API 路徑"
- },
- {
- "id": "api.web_socket_handler.log.error",
- "translation": "%v:%v seq=%v uid=%v %v [詳細:%v]"
+ "id": "api.web_socket_router.bad_action.app_error",
+ "translation": ""
},
{
- "id": "api.web_socket_router.log.error",
- "translation": "Websocket 路由錯誤:seq=%v uid=%v %v [詳細:%v]"
+ "id": "api.web_socket_router.bad_seq.app_error",
+ "translation": ""
},
{
- "id": "api.web_team_hun.start.debug",
- "translation": "正在停止團隊中心 teamId=%v"
+ "id": "api.web_socket_router.no_action.app_error",
+ "translation": ""
},
{
- "id": "api.webhook.create_outgoing.disabled.app_error",
- "translation": "外寄 Webhook 已被系統管理員停用。"
+ "id": "api.web_socket_router.not_authenticated.app_error",
+ "translation": ""
},
{
"id": "api.webhook.create_outgoing.intersect.app_error",
@@ -3247,90 +2295,26 @@
"translation": "必須設定觸發詞或者頻道 ID"
},
{
- "id": "api.webhook.delete_incoming.disabled.app_error",
- "translation": "內送 Webhook 已被系統管理員停用。"
- },
- {
- "id": "api.webhook.delete_incoming.permissions.app_error",
- "translation": "沒有權限刪除內送 Webhook"
- },
- {
- "id": "api.webhook.delete_outgoing.disabled.app_error",
- "translation": "外寄 Webhook 已被系統管理員停用"
- },
- {
- "id": "api.webhook.delete_outgoing.permissions.app_error",
- "translation": "沒有適當的權限刪除外寄 Webhook"
- },
- {
- "id": "api.webhook.incoming.debug",
- "translation": "收到內送 Webhook。內容="
- },
- {
- "id": "api.webhook.incoming.debug.error",
- "translation": "無法讀取內送 Webhook 的內容。"
- },
- {
"id": "api.webhook.incoming.error",
"translation": "無法解碼內送 Webhook 的 multipart 內容。"
},
{
- "id": "api.webhook.init.debug",
- "translation": "正在初始化 Webhook API 路徑"
- },
- {
- "id": "api.webhook.regen_outgoing_token.permissions.app_error",
- "translation": "沒有適當的權限重新產生外寄 Webhook Token"
- },
- {
"id": "api.webhook.team_mismatch.app_error",
"translation": "無法更新不同團隊的 Webhook"
},
{
- "id": "api.webhook.update_incoming.disabled.app_error",
- "translation": "內送 Webhook 已被系統管理員停用。"
- },
- {
- "id": "api.webhook.update_incoming.permissions.app_error",
- "translation": "沒有適當的權限更新內送 Webhook"
- },
- {
- "id": "api.webhook.update_outgoing.disabled.app_error",
- "translation": "外寄 Webhook 已被系統管理員停用。"
- },
- {
"id": "api.webhook.update_outgoing.intersect.app_error",
"translation": "同一頻道的外寄 Webhook 不可以使用相同的觸發關鍵字/回呼網址。"
},
{
- "id": "api.webhook.update_outgoing.not_open.app_error",
- "translation": "只有公開頻道可以更新外寄 Webhook。"
- },
- {
- "id": "api.webhook.update_outgoing.permissions.app_error",
- "translation": "沒有適當的權限更新外寄 Webhook。"
- },
- {
- "id": "api.webhook.update_outgoing.triggers.app_error",
- "translation": "必須設定觸發詞或者頻道 ID"
- },
- {
"id": "api.webrtc.disabled.app_error",
"translation": "此伺服器未啟用 WebRTC。"
},
{
- "id": "api.webrtc.init.debug",
- "translation": "正在初始化 WebRTC API 路徑"
- },
- {
"id": "api.webrtc.register_token.app_error",
"translation": "嘗試註冊 WebRTC Token時發生錯誤"
},
{
- "id": "api.websocket.invalid_session.error",
- "translation": "無效的工作階段 err=%v"
- },
- {
"id": "api.websocket_handler.invalid_param.app_error",
"translation": "無效的參數 {{.Name}}"
},
@@ -3367,6 +2351,10 @@
"translation": "%s 已更新頻道用途為:%s"
},
{
+ "id": "app.cluster.404.app_error",
+ "translation": ""
+ },
+ {
"id": "app.import.bulk_import.file_scan.error",
"translation": "讀取匯入資料檔失敗。"
},
@@ -3375,6 +2363,18 @@
"translation": "JSON 解碼失敗。"
},
{
+ "id": "app.import.bulk_import.unsupported_version.error",
+ "translation": ""
+ },
+ {
+ "id": "app.import.import_channel.scheme_deleted.error",
+ "translation": "Cannot set a channel to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_channel.scheme_wrong_scope.error",
+ "translation": "Channel must be assigned to a Channel-scoped scheme."
+ },
+ {
"id": "app.import.import_channel.team_not_found.error",
"translation": "匯入頻道失敗。不存在名字為 \"{{.TeamName}}\" 的團隊。"
},
@@ -3431,6 +2431,10 @@
"translation": "匯入資料行資料型別為\"訊息\"但訊息物件為 null"
},
{
+ "id": "app.import.import_line.null_scheme.error",
+ "translation": "匯入資料行資料型別為\"頻道\"但頻道物件為 null"
+ },
+ {
"id": "app.import.import_line.null_team.error",
"translation": "匯入資料行資料型別為\"團隊\"但團隊物件為 null"
},
@@ -3459,12 +2463,28 @@
"translation": "匯入訊息失敗。不存在名字為 \"{{.Username}}\" 的使用者。"
},
{
+ "id": "app.import.import_scheme.scope_change.error",
+ "translation": "The bulk importer cannot change the scope of an already-existing scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_deleted.error",
+ "translation": "Cannot set a team to use a deleted scheme."
+ },
+ {
+ "id": "app.import.import_team.scheme_wrong_scope.error",
+ "translation": "Team must be assigned to a Team-scoped scheme."
+ },
+ {
+ "id": "app.import.import_user.save_preferences.error",
+ "translation": ""
+ },
+ {
"id": "app.import.import_user_channels.save_preferences.error",
"translation": "匯入使用者頻道成員時失敗。無法儲存偏好。"
},
{
- "id": "app.import.validate_channel_import_data.create_at_zero.error",
- "translation": "如果有提供頻道建立時間,該值不能為 0。"
+ "id": "app.import.process_import_data_file_version_line.invalid_version.error",
+ "translation": ""
},
{
"id": "app.import.validate_channel_import_data.display_name_length.error",
@@ -3495,6 +2515,10 @@
"translation": "頻道用途過長。"
},
{
+ "id": "app.import.validate_channel_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for channel."
+ },
+ {
"id": "app.import.validate_channel_import_data.team_missing.error",
"translation": "缺少必要的頻道屬性:團隊。"
},
@@ -3639,12 +2663,44 @@
"translation": "缺少必要的回應屬性:使用者。"
},
{
- "id": "app.import.validate_team_import_data.allowed_domains_length.error",
- "translation": "團隊允許網域過長。"
+ "id": "app.import.validate_role_import_data.description_invalid.error",
+ "translation": "無效的敘述"
+ },
+ {
+ "id": "app.import.validate_role_import_data.display_name_invalid.error",
+ "translation": "無效的顯示名稱"
+ },
+ {
+ "id": "app.import.validate_role_import_data.invalid_permission.error",
+ "translation": "Invalid permission on role."
+ },
+ {
+ "id": "app.import.validate_role_import_data.name_invalid.error",
+ "translation": "無效的使用者名稱。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.description_invalid.error",
+ "translation": "無效的敘述"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.display_name_invalid.error",
+ "translation": "無效的顯示名稱"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.name_invalid.error",
+ "translation": "無效的使用者名稱。"
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.null_scope.error",
+ "translation": "Scheme scope is required."
},
{
- "id": "app.import.validate_team_import_data.create_at_zero.error",
- "translation": "如果有提供團隊建立時間,該值不能為 0。"
+ "id": "app.import.validate_scheme_import_data.unknown_scheme.error",
+ "translation": "Unknown scheme scope."
+ },
+ {
+ "id": "app.import.validate_scheme_import_data.wrong_roles_for_scope.error",
+ "translation": "The wrong roles were provided for a scheme with this scope."
},
{
"id": "app.import.validate_team_import_data.description_length.error",
@@ -3675,6 +2731,10 @@
"translation": "團隊名稱帶有保留字。"
},
{
+ "id": "app.import.validate_team_import_data.scheme_invalid.error",
+ "translation": "Invalid scheme name for team."
+ },
+ {
"id": "app.import.validate_team_import_data.type_invalid.error",
"translation": "無效的團隊類型。"
},
@@ -3739,8 +2799,8 @@
"translation": "使用者的頻道觸發 Notify Props 無效。"
},
{
- "id": "app.import.validate_user_import_data.notify_props_comment_trigger_invalid.error",
- "translation": "使用者的註解觸發 Notify Props 無效。"
+ "id": "app.import.validate_user_import_data.notify_props_comments_trigger_invalid.error",
+ "translation": ""
},
{
"id": "app.import.validate_user_import_data.notify_props_desktop_invalid.error",
@@ -3763,6 +2823,10 @@
"translation": "使用者的行動裝置推播狀態 Notify Props 無效。"
},
{
+ "id": "app.import.validate_user_import_data.password_length.error",
+ "translation": ""
+ },
+ {
"id": "app.import.validate_user_import_data.pasword_length.error",
"translation": "使用者密碼長度無效。"
},
@@ -3875,10 +2939,6 @@
"translation": "無法停用模組"
},
{
- "id": "app.plugin.delete_plugin_status_state.app_error",
- "translation": "無法刪除模組狀態。"
- },
- {
"id": "app.plugin.disabled.app_error",
"translation": "模組已被停用。詳情請看系統紀錄。"
},
@@ -3891,8 +2951,8 @@
"translation": "遇到檔案系統錯誤"
},
{
- "id": "app.plugin.get_plugins.app_error",
- "translation": "無法取得啟用的模組"
+ "id": "app.plugin.get_cluster_plugin_statuses.app_error",
+ "translation": ""
},
{
"id": "app.plugin.get_plugins.app_error",
@@ -3951,16 +3011,8 @@
"translation": "此團隊已達最大使用者數量上限。請聯絡系統管理員調大數量限制。"
},
{
- "id": "app.timezones.failed_deserialize.app_error",
- "translation": "無法還原序列化時區設定 檔案={{.Filename}},錯誤={{.Error}}"
- },
- {
- "id": "app.timezones.load_config.app_error",
- "translation": "時區設定檔不存在 檔案={{.Filename}}"
- },
- {
- "id": "app.timezones.read_config.app_error",
- "translation": "無法讀取時區設定 檔案={{.Filename}},錯誤={{.Error}}"
+ "id": "app.user.complete_switch_with_oauth.blank_email.app_error",
+ "translation": ""
},
{
"id": "app.user_access_token.disabled",
@@ -3971,6 +3023,38 @@
"translation": "無效或缺少 Token"
},
{
+ "id": "authentication.permissions.add_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.add_user_to_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.assign_system_admin_role.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_direct_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_group_channel.description",
"translation": "允許建立新的群組訊息頻道"
},
@@ -3979,6 +3063,22 @@
"translation": "建立群組訊息"
},
{
+ "id": "authentication.permissions.create_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_post_ephemeral.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.create_post_public.description",
"translation": "允許在公開頻道建立訊息"
},
@@ -3987,12 +3087,28 @@
"translation": "在公開頻道建立訊息"
},
{
- "id": "authentication.permissions.create_team_roles.description",
- "translation": "允許建立團隊"
+ "id": "authentication.permissions.create_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_public_channel.name",
+ "translation": ""
},
{
- "id": "authentication.permissions.create_team_roles.name",
- "translation": "建立團隊"
+ "id": "authentication.permissions.create_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.create_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.create_user_access_token.description",
@@ -4003,12 +3119,220 @@
"translation": "建立個人存取 Token"
},
{
- "id": "authentication.permissions.manage_jobs.description",
- "translation": "允許管理工作"
+ "id": "authentication.permissions.delete_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_private_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.delete_public_channel.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_other_users.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_others_posts.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.edit_post.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.get_public_link.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.import_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.join_public_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_team_channels.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.list_users_without_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_channel_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_emojis.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_others_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_private_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_members.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_public_channel_properties.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_roles.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_slash_commands.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_system_wide_oauth.description",
+ "translation": ""
},
{
- "id": "authentication.permissions.manage_jobs.name",
- "translation": "管理工作"
+ "id": "authentication.permissions.manage_system_wide_oauth.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_team.name",
+ "translation": ""
},
{
"id": "authentication.permissions.manage_team_roles.description",
@@ -4019,6 +3343,30 @@
"translation": "管理團隊角色"
},
{
+ "id": "authentication.permissions.manage_webhooks.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.manage_webhooks.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.permanent_delete_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.read_channel.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.read_public_channel.description",
"translation": "讀取公開頻道的權限"
},
@@ -4035,6 +3383,30 @@
"translation": "讀取個人存取 Token"
},
{
+ "id": "authentication.permissions.remove_others_reactions.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_others_reactions.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_reaction.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.remove_user_from_team.name",
+ "translation": ""
+ },
+ {
"id": "authentication.permissions.revoke_user_access_token.description",
"translation": "允許撤銷個人 Token"
},
@@ -4059,6 +3431,62 @@
"translation": "使用斜線命令"
},
{
+ "id": "authentication.permissions.upload_file.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.upload_file.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permissions.view_team.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.permisssions.manage_jobs.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.channel_user.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_admin.name",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.global_user.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.system_post_all.description",
"translation": "擁有在公開、私人與直接傳訊頻道發訊權限的角色"
},
@@ -4083,6 +3511,14 @@
"translation": "個人存取 Token"
},
{
+ "id": "authentication.roles.team_admin.description",
+ "translation": ""
+ },
+ {
+ "id": "authentication.roles.team_admin.name",
+ "translation": ""
+ },
+ {
"id": "authentication.roles.team_post_all.description",
"translation": "擁有在公開與私人頻道發訊權限的角色"
},
@@ -4099,96 +3535,108 @@
"translation": "在公開頻道發訊"
},
{
- "id": "cli.license.critical",
- "translation": "功能需要升級至企業版並加入授權碼。請聯絡系統管理員。"
+ "id": "authentication.roles.team_user.description",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode.app_error",
- "translation": "無法解碼圖片。"
+ "id": "authentication.roles.team_user.name",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.decode_config.app_error",
- "translation": "無法解碼圖片設定。"
+ "id": "brand.save_brand_image.decode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.encode.app_error",
- "translation": "無法將圖片編碼成 PNG。"
+ "id": "brand.save_brand_image.decode_config.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.open.app_error",
- "translation": "無法開啟圖片。"
+ "id": "brand.save_brand_image.encode.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.save_image.app_error",
- "translation": "無法儲存圖片"
+ "id": "brand.save_brand_image.open.app_error",
+ "translation": ""
},
{
- "id": "ent.brand.save_brand_image.too_large.app_error",
- "translation": "圖片過大無法開啟。"
+ "id": "brand.save_brand_image.save_image.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.config_changed.info",
- "translation": "叢集設定已改變 id={{ .id }}。此叢集可能不穩定,需要重新啟動。為了確保叢集被正確的設定,您應該馬上進行漸進式重啟。"
+ "id": "brand.save_brand_image.too_large.app_error",
+ "translation": ""
},
{
- "id": "ent.cluster.debug_fail.debug",
- "translation": "在 `%v` 叢集發送失敗:detail=%v extra=%v retry number=%v"
+ "id": "cli.license.critical",
+ "translation": "功能需要升級至企業版並加入授權碼。請聯絡系統管理員。"
},
{
- "id": "ent.cluster.final_fail.error",
- "translation": "在 `%v` 叢集發送最終失敗:detail=%v extra=%v retry number=%v"
+ "id": "ent.account_migration.get_all_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible.warn",
- "translation": "偵測到叢集可能不相容的版本 %v"
+ "id": "ent.account_migration.get_saml_users_failed",
+ "translation": ""
},
{
- "id": "ent.cluster.incompatible_config.warn",
- "translation": "偵測到叢集可能不相容的設定 %v"
+ "id": "ent.cluster.config_changed.info",
+ "translation": "叢集設定已改變 id={{ .id }}。此叢集可能不穩定,需要重新啟動。為了確保叢集被正確的設定,您應該馬上進行漸進式重啟。"
},
{
- "id": "ent.cluster.licence_disable.app_error",
- "translation": "目前授權不提供叢集功能,請聯繫系統管理員將系統升級為企業版授權。"
+ "id": "ent.cluster.save_config.error",
+ "translation": "啟用高可用性時系統控制台將被設定成唯讀模式,在設定檔當中停用 ReadOnlyConfig 以停止此行為。"
},
{
- "id": "ent.cluster.ping_failed.info",
- "translation": "叢集偵測失敗:hostname=%v on=%v id=%v"
+ "id": "ent.compliance.bad_export_type.appError",
+ "translation": "Unknown output format {{.ExportType}}"
},
{
- "id": "ent.cluster.ping_success.info",
- "translation": "叢集偵測成功:hostname=%v on=%v id=%v self=%v"
+ "id": "ent.compliance.csv.attachment.copy.appError",
+ "translation": "Unable to copy the attachment into the zip file."
},
{
- "id": "ent.cluster.save_config.error",
- "translation": "啟用高可用性時系統控制台將被設定成唯讀模式,在設定檔當中停用 ReadOnlyConfig 以停止此行為。"
+ "id": "ent.compliance.csv.attachment.export.appError",
+ "translation": "Unable to add attachment to the CSV export."
},
{
- "id": "ent.cluster.starting.info",
- "translation": "在 %v 上開始監聽叢集節點間通訊:hostname=%v id=%v"
+ "id": "ent.compliance.csv.file.creation.appError",
+ "translation": "Unable to create temporary CSV export file."
},
{
- "id": "ent.cluster.stopping.info",
- "translation": "在 %v 上的叢集節點間通訊正在停止:hostname=%v id=%v"
+ "id": "ent.compliance.csv.header.export.appError",
+ "translation": "Unable to add header to the CSV export."
},
{
- "id": "ent.compliance.licence_disable.app_error",
- "translation": "目前授權不提供規範功能,請聯繫系統管理員將系統升級為企業版授權。"
+ "id": "ent.compliance.csv.metadata.export.appError",
+ "translation": "Unable to add metadata file to the zip file."
},
{
- "id": "ent.compliance.run_failed.error",
- "translation": "規範匯出作業'{{.JobName}}'失敗。路徑為'{{.FilePath}}'"
+ "id": "ent.compliance.csv.metadata.json.marshalling.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.csv.post.export.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_finished.info",
- "translation": "規範匯出作業'{{.JobName}}'完成。{{.Count}}筆紀錄已匯出至'{{.FilePath}}'"
+ "id": "ent.compliance.csv.zip.creation.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_limit.warning",
- "translation": "警告,規範匯出作業 '{{.JobName}}' 行數過多,將只會輸出到第3萬行至'{{.FilePath}}' "
+ "id": "ent.compliance.global_relay.attachments_removed.appError",
+ "translation": ""
},
{
- "id": "ent.compliance.run_started.info",
- "translation": "規範匯出作業 '{{.JobName}}' 開始,匯出到 '{{.FilePath}}'"
+ "id": "ent.compliance.licence_disable.app_error",
+ "translation": "目前授權不提供規範功能,請聯繫系統管理員將系統升級為企業版授權。"
+ },
+ {
+ "id": "ent.compliance.run_export.template_watcher.appError",
+ "translation": ""
+ },
+ {
+ "id": "ent.compliance.run_failed.error",
+ "translation": "規範匯出作業'{{.JobName}}'失敗。路徑為'{{.FilePath}}'"
},
{
"id": "ent.data_retention.generic.license.error",
@@ -4219,14 +3667,6 @@
"translation": "建立 Elasticsearch 索引時失敗"
},
{
- "id": "ent.elasticsearch.create_index_if_not_exists.index_exists_failed",
- "translation": "確認 Elasticsearch 索引是否存在時失敗"
- },
- {
- "id": "ent.elasticsearch.create_index_if_not_exists.index_mapping_failed",
- "translation": "設定 Elasticsearch 索引映射時失敗"
- },
- {
"id": "ent.elasticsearch.data_retention_delete_indexes.delete_index.error",
"translation": "刪除 Elasticsearch 索引時失敗"
},
@@ -4287,18 +3727,6 @@
"translation": "建立 Elasticsearch 批次處理器時失敗"
},
{
- "id": "ent.elasticsearch.start.create_bulk_processor_failed.app_error",
- "translation": "建立 Elasticsearch 批次處理器時失敗"
- },
- {
- "id": "ent.elasticsearch.start.index_settings_failed",
- "translation": "設定 Elasticsearch 索引設定時失敗"
- },
- {
- "id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
- "translation": "啟動 Elasticsearch 批次處理器時失敗"
- },
- {
"id": "ent.elasticsearch.start.start_bulk_processor_failed.app_error",
"translation": "啟動 Elasticsearch 批次處理器時失敗"
},
@@ -4319,10 +3747,6 @@
"translation": "Elasticsearch 伺服器網址或使用者名稱有所變更。請重新輸入 Elasticsearch 密碼以測試連線。"
},
{
- "id": "ent.emoji.licence_disable.app_error",
- "translation": "目前授權不提供限制自訂繪文字,請聯繫系統管理員將系統升級為企業版授權。"
- },
- {
"id": "ent.ldap.create_fail",
"translation": "無法建立 LDAP 使用者。"
},
@@ -4355,10 +3779,6 @@
"translation": "無法連線到 AD/LDAP 伺服器"
},
{
- "id": "ent.ldap.do_login.unable_to_create_user.app_error",
- "translation": "認證有效,但無法建立使用者"
- },
- {
"id": "ent.ldap.do_login.user_filtered.app_error",
"translation": "您的 AD/LDAP 帳號沒有使用此 Mattermost 伺服器的權限。請向系統管理員詢問確認 AD/LDAP 使用者過濾條件。"
},
@@ -4367,40 +3787,16 @@
"translation": "使用者尚未於 AD/LDAP 伺服器註冊"
},
{
- "id": "ent.ldap.mattermost_user_update",
- "translation": "Mattermost 使用者已根據 AD/LDAP 伺服器更新。"
- },
- {
- "id": "ent.ldap.sync.index_job_failed.error",
- "translation": "由於同步工作失敗,LDAP 同步工作失敗。"
- },
- {
- "id": "ent.ldap.sync_worker.create_index_job.error",
- "translation": "LDAP 同步工作無法建立同步工作"
- },
- {
- "id": "ent.ldap.syncdone.info",
- "translation": "AD/LDAP 同步完成"
- },
- {
"id": "ent.ldap.syncronize.get_all.app_error",
"translation": "無法用 AD/LDAP 取得所有使用者"
},
{
- "id": "ent.ldap.validate_filter.app_error",
- "translation": "無效的 AD/LDAP Filter"
- },
- {
- "id": "ent.message_export.generic.license.error",
- "translation": "授權不支援匯出訊息。"
- },
- {
- "id": "ent.metrics.starting.info",
- "translation": "計量與分析伺服器正在 %v 上監聽"
+ "id": "ent.ldap.syncronize.search_failure.app_error",
+ "translation": ""
},
{
- "id": "ent.metrics.stopping.info",
- "translation": "%v 上的計量與分析伺服器正在停止"
+ "id": "ent.ldap.validate_filter.app_error",
+ "translation": "無效的 AD/LDAP Filter"
},
{
"id": "ent.mfa.activate.authenticate.app_error",
@@ -4471,10 +3867,6 @@
"translation": "對與身分識別提供者連接的要求編碼時發生錯誤。請聯繫系統管理員。"
},
{
- "id": "ent.saml.build_request.encoding_signed.app_error",
- "translation": "對與身分識別提供者連接的已簽章要求編碼時發生錯誤。請聯繫系統管理員。"
- },
- {
"id": "ent.saml.configure.app_error",
"translation": "設定 SAML 服務提供者時發生錯誤,err=%v"
},
@@ -4491,10 +3883,6 @@
"translation": "由於找不到服務提供者私鑰,SAML 登入失敗。請聯繫系統管理員。"
},
{
- "id": "ent.saml.configure.load_public_cert.app_error",
- "translation": "找不到服務提供者公開憑證檔案。請聯繫系統管理員。"
- },
- {
"id": "ent.saml.configure.not_encrypted_response.app_error",
"translation": "由於身份識別提供者的回應未加密,SAML 登入失敗。請聯繫系統管理員。"
},
@@ -4527,8 +3915,12 @@
"translation": "本機不支援或未設定 SAML 2.0"
},
{
- "id": "ent.saml.update_saml_user.unable_error",
- "translation": "無法更新現有的 SAML 使用者。總之先允許登入。err=%v"
+ "id": "jobs.do_job.batch_size.parse_error",
+ "translation": ""
+ },
+ {
+ "id": "jobs.do_job.batch_start_timestamp.parse_error",
+ "translation": ""
},
{
"id": "jobs.request_cancellation.status.error",
@@ -4539,34 +3931,14 @@
"translation": "設定工作狀態為錯誤時失敗"
},
{
- "id": "manaultesting.get_channel_id.no_found.debug",
- "translation": "找不到: %v 頻道,已搜尋 %v 的可能性"
- },
- {
- "id": "manaultesting.get_channel_id.unable.debug",
- "translation": "無法取得頻道"
- },
- {
- "id": "manaultesting.manual_test.create.info",
- "translation": "建立使用者與團隊"
+ "id": "jobs.start_synchronize_job.timeout",
+ "translation": ""
},
{
"id": "manaultesting.manual_test.parse.app_error",
"translation": "無法解析網址"
},
{
- "id": "manaultesting.manual_test.setup.info",
- "translation": "正在進行手動測試的設定..."
- },
- {
- "id": "manaultesting.manual_test.uid.debug",
- "translation": "網址中找不到 uid"
- },
- {
- "id": "manaultesting.test_autolink.info",
- "translation": "手動自動連結測試"
- },
- {
"id": "manaultesting.test_autolink.unable.app_error",
"translation": "無法取得頻道"
},
@@ -4575,50 +3947,6 @@
"translation": "Mattermost 安全性公告"
},
{
- "id": "mattermost.config_file",
- "translation": "從 %v 讀取設定檔"
- },
- {
- "id": "mattermost.current_version",
- "translation": "目前的版本為 %v (%v/%v/%v/%v)"
- },
- {
- "id": "mattermost.entreprise_enabled",
- "translation": "企業版已啟用: %v"
- },
- {
- "id": "mattermost.load_license.find.warn",
- "translation": "需要來自 https://mattermost.com 的授權金鑰以解鎖企業功能。"
- },
- {
- "id": "mattermost.security_bulletin.error",
- "translation": "取得安全性公告詳情失敗"
- },
- {
- "id": "mattermost.security_bulletin_read.error",
- "translation": "讀取安全性公告詳情失敗"
- },
- {
- "id": "mattermost.security_checks.debug",
- "translation": "正在檢查來自 Mattermost 的安全性更新"
- },
- {
- "id": "mattermost.security_info.error",
- "translation": "從 Mattermost 抓取安全性更新資訊失敗"
- },
- {
- "id": "mattermost.send_bulletin.info",
- "translation": "正在傳送 %v 至 %v 的安全性公告"
- },
- {
- "id": "mattermost.system_admins.error",
- "translation": "為抓取 Mattermost 上的安全性更新資訊獲取系統管理員失敗。"
- },
- {
- "id": "mattermost.working_dir",
- "translation": "目前的工作目錄為 %v"
- },
- {
"id": "migrations.worker.run_advanced_permissions_phase_2_migration.invalid_progress",
"translation": "由於無效的進度資料,移轉失敗"
},
@@ -4707,10 +4035,6 @@
"translation": "無效的 ID"
},
{
- "id": "model.channel.is_valid.name.app_error",
- "translation": "無效的名稱"
- },
- {
"id": "model.channel.is_valid.purpose.app_error",
"translation": "無效的目的"
},
@@ -4731,10 +4055,6 @@
"translation": "無效的電子郵件通知值"
},
{
- "id": "model.channel_member.is_valid.mute_value.app_error",
- "translation": "無效的靜音值"
- },
- {
"id": "model.channel_member.is_valid.notify_level.app_error",
"translation": "無效的通知等級"
},
@@ -4743,10 +4063,6 @@
"translation": "無效的推播通知等級"
},
{
- "id": "model.channel_member.is_valid.role.app_error",
- "translation": "無效的角色"
- },
- {
"id": "model.channel_member.is_valid.unread_level.app_error",
"translation": "無效的未讀標記等級"
},
@@ -4755,30 +4071,6 @@
"translation": "無效的使用者 ID"
},
{
- "id": "model.channel_member_history.is_valid.channel_id.app_error",
- "translation": "無效的頻道 ID"
- },
- {
- "id": "model.channel_member_history.is_valid.join_time.app_error",
- "translation": "無效的加入時間"
- },
- {
- "id": "model.channel_member_history.is_valid.leave_time.app_error",
- "translation": "無效的離開時間"
- },
- {
- "id": "model.channel_member_history.is_valid.user_email.app_error",
- "translation": "無效的使用者 ID"
- },
- {
- "id": "model.channel_member_history.is_valid.user_id.app_error",
- "translation": "無效的使用者 ID"
- },
- {
- "id": "model.client.command.parse.app_error",
- "translation": "無法解析流入的資料"
- },
- {
"id": "model.client.connecting.app_error",
"translation": "連接伺服器時遇到錯誤"
},
@@ -4803,8 +4095,8 @@
"translation": "缺少團隊參數"
},
{
- "id": "model.client.login.app_error",
- "translation": "認證 Token 不合"
+ "id": "model.client.get_team_icon.app_error",
+ "translation": ""
},
{
"id": "model.client.read_file.app_error",
@@ -4819,6 +4111,14 @@
"translation": "無法寫入要求"
},
{
+ "id": "model.client.set_team_icon.no_file.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.client.set_team_icon.writer.app_error",
+ "translation": ""
+ },
+ {
"id": "model.client.upload_post_attachment.channel_id.app_error",
"translation": "寫入 channel id 至 multipart 表單時遇到錯誤"
},
@@ -4847,10 +4147,30 @@
"translation": "無法建立 multipart 要求"
},
{
+ "id": "model.cluster.is_valid.create_at.app_error",
+ "translation": "CreateAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.hostname.app_error",
+ "translation": "Hostname must be set"
+ },
+ {
"id": "model.cluster.is_valid.id.app_error",
"translation": "無效的 ID"
},
{
+ "id": "model.cluster.is_valid.last_ping_at.app_error",
+ "translation": "LastPingAt must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.name.app_error",
+ "translation": "ClusterName must be set"
+ },
+ {
+ "id": "model.cluster.is_valid.type.app_error",
+ "translation": "Type must be set"
+ },
+ {
"id": "model.command.is_valid.create_at.app_error",
"translation": "\"新增時間\"必須是一個有效時間"
},
@@ -4951,6 +4271,10 @@
"translation": "\"到\"必須大於\"起始\""
},
{
+ "id": "model.config.is_valid.allow_cookies_for_subdomains.app_error",
+ "translation": "Allowing cookies for subdomains requires SiteURL to be set."
+ },
+ {
"id": "model.config.is_valid.atmos_camo_image_proxy_options.app_error",
"translation": "服務設定中的 atmos/camo 圖片代理無效。必須設定為分享金鑰。"
},
@@ -4995,10 +4319,6 @@
"translation": "Elasticsearch 即時索引的批次大小必須至少為 1 。"
},
{
- "id": "model.config.is_valid.elastic_search.password.app_error",
- "translation": "當啟用 ElasticSearch 搜尋時必須設定 ElasticSearch 密碼。"
- },
- {
"id": "model.config.is_valid.elastic_search.posts_aggregator_job_start_time.app_error",
"translation": "Elasticsearch 設定 PostsAggregatorJobStartTime 必須為 \"hh:mm\" 格式的時間"
},
@@ -5007,10 +4327,6 @@
"translation": "Elasticsearch 回應逾期的時間必須至少為 1 秒。"
},
{
- "id": "model.config.is_valid.elastic_search.username.app_error",
- "translation": "當啟用 ElasticSearch 搜尋時必須設定 ElasticSearch 使用者名稱。"
- },
- {
"id": "model.config.is_valid.email_batching_buffer_size.app_error",
"translation": "電子郵件設定的批次郵件緩衝大小值無效。必須大於等於零。"
},
@@ -5023,10 +4339,6 @@
"translation": "郵件通知內容類型無效。必須是 \"full\" 或是 \"generic\"。"
},
{
- "id": "model.config.is_valid.email_reset_salt.app_error",
- "translation": "電子郵件設定中的密碼重設 Salt 無效。必須在32個字元以上。"
- },
- {
"id": "model.config.is_valid.email_salt.app_error",
"translation": "電子郵件設定中的邀請 Salt 無效。必須在32個字元以上。"
},
@@ -5043,34 +4355,10 @@
"translation": "檔案設定中的驅動名稱無效。必須為 'local' 或 'amazons3'"
},
{
- "id": "model.config.is_valid.file_preview_height.app_error",
- "translation": "檔案設定中的預覽高度無效。必須為0或者正數。"
- },
- {
- "id": "model.config.is_valid.file_preview_width.app_error",
- "translation": "檔案設定中的預覽寬度無效。必須為正數。"
- },
- {
- "id": "model.config.is_valid.file_profile_height.app_error",
- "translation": "檔案設定中的個人資訊高度無效。必須為正數。"
- },
- {
- "id": "model.config.is_valid.file_profile_width.app_error",
- "translation": "檔案設定中的個人資訊寬度無效。必須為正數。"
- },
- {
"id": "model.config.is_valid.file_salt.app_error",
"translation": "檔案設定中的公開連結 Salt 無效。必須在32個字元以上。"
},
{
- "id": "model.config.is_valid.file_thumb_height.app_error",
- "translation": "檔案設定中縮圖高度無效。必須為正數。"
- },
- {
- "id": "model.config.is_valid.file_thumb_width.app_error",
- "translation": "檔案設定中縮圖寬度無效。必須為正數。"
- },
- {
"id": "model.config.is_valid.group_unread_channels.app_error",
"translation": "服務設定中的未讀頻道分組無效。必須為 'disabled' 、 'default_on' 或 'default_off'。"
},
@@ -5083,30 +4371,14 @@
"translation": "AD/LDAP 欄位 \"BaseDN\" 為必須欄位。"
},
{
- "id": "model.config.is_valid.ldap_bind_password",
- "translation": "AD/LDAP 欄位 \"綁定使用者密碼\" 為必須欄位。"
- },
- {
- "id": "model.config.is_valid.ldap_bind_username",
- "translation": "AD/LDAP 欄位 \"綁定使用者帳號\" 為必須欄位。"
- },
- {
"id": "model.config.is_valid.ldap_email",
"translation": "AD/LDAP 欄位 \"電子郵件位址屬性\" 為必須欄位。"
},
{
- "id": "model.config.is_valid.ldap_firstname",
- "translation": "AD/LDAP 欄位 \"名字屬性\" 為必須欄位。"
- },
- {
"id": "model.config.is_valid.ldap_id",
"translation": "AD/LDAP 欄位 \"ID 的屬性\" 為必須欄位。"
},
{
- "id": "model.config.is_valid.ldap_lastname",
- "translation": "AD/LDAP 欄位 \"姓氏屬性\" 為必須欄位。"
- },
- {
"id": "model.config.is_valid.ldap_login_id",
"translation": "AD/LDAP 欄位 \"登入 ID 的屬性\" 為必須欄位。"
},
@@ -5115,14 +4387,6 @@
"translation": "無效的最大分頁大小。"
},
{
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "遺漏 AD/LDAP 必填欄位"
- },
- {
- "id": "model.config.is_valid.ldap_required.app_error",
- "translation": "遺漏 AD/LDAP 必填欄位"
- },
- {
"id": "model.config.is_valid.ldap_security.app_error",
"translation": "AD/LDAP 設定中的連線安全性設定無效. 必須為 '', 'TLS', 或 'STARTTLS'"
},
@@ -5191,18 +4455,6 @@
"translation": "訊息匯出工作的 ExportFormat 必須為 'actiance' 或 'globalrelay'"
},
{
- "id": "model.config.is_valid.message_export.export_type.app_error",
- "translation": "訊息匯出工作的 ExportFormat 必須為 'actiance' 或 'globalrelay'"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.app_error",
- "translation": "匯出訊息工作 FileLocation 設定必須為可寫入的目錄,匯出資料將寫入此處"
- },
- {
- "id": "model.config.is_valid.message_export.file_location.relative",
- "translation": "匯出訊息工作 FileLocation 設定必須為 FileSettings.Directory 的子目錄"
- },
- {
"id": "model.config.is_valid.message_export.global_relay.config_missing.app_error",
"translation": "訊息匯出工作的 ExportFormat 為 'globalrelay' 但缺少 GlobalRelaySettings "
},
@@ -5223,18 +4475,10 @@
"translation": "訊息匯出工作 GlobalRelaySettings。SmtpUsername 必須有值"
},
{
- "id": "model.config.is_valid.message_export.global_relay_email_address.app_error",
- "translation": "訊息匯出工作的 GlobalRelayEmailAddress 必須為 'actiance' 或 'globalrelay'"
- },
- {
"id": "model.config.is_valid.password_length.app_error",
"translation": "密碼最小長度必須是一個整數且大於或等於{{.MinLength}}同時小於或等於{{.MaxLength}}。"
},
{
- "id": "model.config.is_valid.password_length_max_min.app_error",
- "translation": "密碼最大長度必須大於等於最小長度。"
- },
- {
"id": "model.config.is_valid.rate_mem.app_error",
"translation": "張貼速率限制設定中的記憶體儲存大小無效。必須為正數。"
},
@@ -5367,10 +4611,6 @@
"translation": "\"新增時間\"必須是一個有效時間"
},
{
- "id": "model.emoji.creator_id.app_error",
- "translation": "無效的建立者 ID"
- },
- {
"id": "model.emoji.id.app_error",
"translation": "無效的繪文字 ID"
},
@@ -5383,10 +4623,38 @@
"translation": "\"更新時間\"必須是一個有效的時間"
},
{
+ "id": "model.emoji.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.file_info.get.gif.app_error",
"translation": "無法將 gif 解碼."
},
{
+ "id": "model.file_info.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.path.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.post_id.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.update_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.file_info.is_valid.user_id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.incoming_hook.channel_id.app_error",
"translation": "無效的頻道 ID"
},
@@ -5411,6 +4679,10 @@
"translation": "無效的 ID"
},
{
+ "id": "model.incoming_hook.parse_data.app_error",
+ "translation": "無法解析流入的資料"
+ },
+ {
"id": "model.incoming_hook.team_id.app_error",
"translation": "無效的團隊 ID"
},
@@ -5443,6 +4715,14 @@
"translation": "無效的工作類型"
},
{
+ "id": "model.license_record.is_valid.create_at.app_error",
+ "translation": ""
+ },
+ {
+ "id": "model.license_record.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.oauth.is_valid.app_id.app_error",
"translation": "無效的應用程式 ID"
},
@@ -5491,6 +4771,10 @@
"translation": "無效的頻道 ID"
},
{
+ "id": "model.outgoing_hook.is_valid.content_type.app_error",
+ "translation": ""
+ },
+ {
"id": "model.outgoing_hook.is_valid.create_at.app_error",
"translation": "\"新增時間\"必須是一個有效時間"
},
@@ -5543,14 +4827,6 @@
"translation": "無效的鍵值。字元長度必須介於 {{.Min}} 與 {{.Max}} 之間。 "
},
{
- "id": "model.plugin_key_value.is_valid.key.app_error",
- "translation": "無效的鍵值。字元長度必須介於 {{.Min}} 與 {{.Max}} 之間。 "
- },
- {
- "id": "model.plugin_key_value.is_valid.plugin_id.app_error",
- "translation": "無效的模組 ID。字元長度必須介於 {{.Min}} 與 {{.Max}} 之間。"
- },
- {
"id": "model.plugin_key_value.is_valid.plugin_id.app_error",
"translation": "無效的模組 ID。字元長度必須介於 {{.Min}} 與 {{.Max}} 之間。"
},
@@ -5699,10 +4975,6 @@
"translation": "無效的 URL 識別碼"
},
{
- "id": "model.team_member.is_valid.role.app_error",
- "translation": "無效的角色"
- },
- {
"id": "model.team_member.is_valid.team_id.app_error",
"translation": "無效的團隊 ID"
},
@@ -5719,130 +4991,18 @@
"translation": "無效的 Token。"
},
{
- "id": "model.user.is_valid.auth_data.app_error",
- "translation": "無效的驗證資料"
- },
- {
- "id": "model.user.is_valid.auth_data_pwd.app_error",
- "translation": "無效的使用者,密碼與認證資料不能同時被設定"
- },
- {
- "id": "model.user.is_valid.auth_data_type.app_error",
- "translation": "無效的使用者,認證資料必須與認證類別一起被設定"
- },
- {
- "id": "model.user.is_valid.create_at.app_error",
- "translation": "\"新增時間\"必須是一個有效時間"
- },
- {
- "id": "model.user.is_valid.email.app_error",
- "translation": "無效的電子郵件地址"
- },
- {
- "id": "model.user.is_valid.first_name.app_error",
- "translation": "無效的名字"
- },
- {
- "id": "model.user.is_valid.id.app_error",
- "translation": "無效的使用者 ID"
- },
- {
- "id": "model.user.is_valid.last_name.app_error",
- "translation": "無效的姓氏"
- },
- {
- "id": "model.user.is_valid.nickname.app_error",
- "translation": "無效的暱稱"
- },
- {
- "id": "model.user.is_valid.password_limit.app_error",
- "translation": "由於 bcrypt 的限制,無法設定超過72字元長度的密碼。"
- },
- {
- "id": "model.user.is_valid.position.app_error",
- "translation": "無效的位置:不能超過128個字元。"
- },
- {
"id": "model.user.is_valid.pwd.app_error",
"translation": "密碼最短必須有{{.Min}}個字元。"
},
{
- "id": "model.user.is_valid.pwd_lowercase.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個小寫英文字母。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個小寫英文字母和一個數字。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_number_symbol.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個小寫英文字母、一個數字和一個符號(\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_symbol.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個小寫英文字母和一個符號(\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個小寫英文字母和一個大寫英文字母。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個小寫英文字母、一個大寫英文字母和一個數字。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_number_symbol.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個小寫英文字母、一個大寫英文字母、一個數字和一個符號(\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_lowercase_uppercase_symbol.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個小寫英文字母、一個大寫英文字母和一個符號(\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_number.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個數字。"
- },
- {
- "id": "model.user.is_valid.pwd_number_symbol.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個數字和一個符號(\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_symbol.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個符號(\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個大寫英文字母。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個大寫英文字母和一個數字。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_number_symbol.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個大寫英文字母、一個數字和一個符號(\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.pwd_uppercase_symbol.app_error",
- "translation": "密碼最短必須有{{.Min}}個字元且至少有一個大寫英文字母和一個符號(\"~!@#$%^&*()\")。"
- },
- {
- "id": "model.user.is_valid.team_id.app_error",
- "translation": "無效的團隊 ID"
- },
- {
- "id": "model.user.is_valid.update_at.app_error",
- "translation": "\"更新時間\"必須是一個有效的時間"
- },
- {
- "id": "model.user.is_valid.username.app_error",
- "translation": "無效的使用者名稱"
- },
- {
"id": "model.user_access_token.is_valid.description.app_error",
"translation": "無效的描述,必須少於 255 個字元"
},
{
+ "id": "model.user_access_token.is_valid.id.app_error",
+ "translation": ""
+ },
+ {
"id": "model.user_access_token.is_valid.token.app_error",
"translation": "無效的存取 Token"
},
@@ -5855,6 +5015,10 @@
"translation": "無法解碼"
},
{
+ "id": "model.websocket_client.connect_fail.app_error",
+ "translation": ""
+ },
+ {
"id": "oauth.gitlab.tos.error",
"translation": "GitLab's Terms of Service have updated. Please go to gitlab.com to accept them and then try logging into Mattermost again."
},
@@ -5863,26 +5027,6 @@
"translation": "呼叫模組 RPC 時錯誤"
},
{
- "id": "store.sql.alter_column_type.critical",
- "translation": "更動欄位類型 %v 失敗"
- },
- {
- "id": "store.sql.check_index.critical",
- "translation": "檢查索引 %v 失敗"
- },
- {
- "id": "store.sql.closing.info",
- "translation": "正在關閉 SqlStore"
- },
- {
- "id": "store.sql.column_exists_missing_driver.critical",
- "translation": "因為找不到驅動,檢查欄位是否存在失敗"
- },
- {
- "id": "store.sql.convert_encrypt_string_map",
- "translation": "FromDb: 無法將 EncryptStringMap 轉換為 *string"
- },
- {
"id": "store.sql.convert_string_array",
"translation": "FromDb: 無法將 StringArray 轉換為 *string"
},
@@ -5895,82 +5039,6 @@
"translation": "FromDb: 無法將 StringMap 轉換為 *string"
},
{
- "id": "store.sql.create_column.critical",
- "translation": "建立欄位 %v 失敗"
- },
- {
- "id": "store.sql.create_column_missing_driver.critical",
- "translation": "因為找不到驅動,建立欄位失敗"
- },
- {
- "id": "store.sql.create_index_missing_driver.critical",
- "translation": "因為找不到驅動,建立索引失敗"
- },
- {
- "id": "store.sql.creating_tables.critical",
- "translation": "建立資料表時遇到錯誤: %v"
- },
- {
- "id": "store.sql.dialect_driver.critical",
- "translation": "建立 SQL 方言專屬驅動失敗"
- },
- {
- "id": "store.sql.dialect_driver.panic",
- "translation": "建立 SQL 方言專屬驅動 %v 失敗"
- },
- {
- "id": "store.sql.incorrect_mac",
- "translation": "密文對應的 MAC 不正確"
- },
- {
- "id": "store.sql.maxlength_column.critical",
- "translation": "取得欄位 %v 最大長度失敗"
- },
- {
- "id": "store.sql.open_conn.panic",
- "translation": "開啟 SQL 連線失敗 %v"
- },
- {
- "id": "store.sql.read_replicas_not_licensed.critical",
- "translation": "目前授權不支援超過一個以上的讀取用複製機,請聯繫系統管理員升級到企業授權。"
- },
- {
- "id": "store.sql.remove_index.critical",
- "translation": "移除索引 %v 失敗"
- },
- {
- "id": "store.sql.rename_column.critical",
- "translation": "更名欄位 %v 失敗"
- },
- {
- "id": "store.sql.schema_out_of_date.warn",
- "translation": "%v 的資料庫結構描述版本似乎過期了"
- },
- {
- "id": "store.sql.schema_upgrade_attempt.warn",
- "translation": "正在嘗試將資料庫結構描述版本升級至 %v"
- },
- {
- "id": "store.sql.schema_version.critical",
- "translation": "不再支援資料庫結構版本 %v。此 Mattermost 伺服器對於結構版本 %v 到 %v 之間支援自動升級。不支援降級。在繼續之前請手動升級版本至最少為 %v 。"
- },
- {
- "id": "store.sql.short_ciphertext",
- "translation": "短密文"
- },
- {
- "id": "store.sql.table_column_type.critical",
- "translation": "取得資料類型失敗,欄位 %s 資料表 %s : %v"
- },
- {
- "id": "store.sql.too_short_ciphertext",
- "translation": "密文太短"
- },
- {
- "id": "store.sql.upgraded.warn",
- "translation": "資料庫結構描述已被升級至版本 %v"
- },
- {
"id": "store.sql_audit.get.finding.app_error",
"translation": "尋找稽核紀錄時遇到錯誤"
},
@@ -5999,16 +5067,24 @@
"translation": "無法取得頻道類別數量"
},
{
- "id": "store.sql_channel.check_open_channel_permissions.app_error",
- "translation": "無法檢查權限"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
},
{
- "id": "store.sql_channel.check_permissions.app_error",
- "translation": "無法檢查權限"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
},
{
- "id": "store.sql_channel.check_permissions_by_name.app_error",
- "translation": "無法檢查權限"
+ "id": "store.sql_channel.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the channel members"
+ },
+ {
+ "id": "store.sql_channel.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the channel member"
},
{
"id": "store.sql_channel.delete.channel.app_error",
@@ -6059,6 +5135,14 @@
"translation": "找不到頻道"
},
{
+ "id": "store.sql_channel.get_deleted.existing.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_channel.get_deleted.missing.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_channel.get_deleted_by_name.existing.app_error",
"translation": "找不到現有的已刪除頻道"
},
@@ -6067,10 +5151,6 @@
"translation": "沒有該名字的已刪除頻道"
},
{
- "id": "store.sql_channel.get_extra_members.app_error",
- "translation": "無法取得頻道成員的更多資訊"
- },
- {
"id": "store.sql_channel.get_for_post.app_error",
"translation": "無法取得此發文的頻道"
},
@@ -6231,10 +5311,6 @@
"translation": "搜尋頻道時遇到錯誤"
},
{
- "id": "store.sql_channel.set_last_viewed_at.app_error",
- "translation": "無法更新最後瀏覽時間"
- },
- {
"id": "store.sql_channel.update.app_error",
"translation": "無法更新頻道"
},
@@ -6259,14 +5335,6 @@
"translation": "更新頻道成員時遇到錯誤"
},
{
- "id": "store.sql_channel_member_history.get_all.app_error",
- "translation": "無法取得紀錄"
- },
- {
- "id": "store.sql_channel_member_history.get_users_in_channel_at.app_error",
- "translation": "無法取得特定時間時在頻道的使用者"
- },
- {
"id": "store.sql_channel_member_history.get_users_in_channel_during.app_error",
"translation": "無法取得特定時間區段中在頻道的使用者"
},
@@ -6275,10 +5343,6 @@
"translation": "無法紀錄頻道成員歷史"
},
{
- "id": "store.sql_channel_member_history.log_leave_event.select_error",
- "translation": "無法紀錄頻道成員歷史。找不到現存的加入紀錄"
- },
- {
"id": "store.sql_channel_member_history.log_leave_event.update_error",
"translation": "無法紀錄頻道成員歷史。無法更新現存的加入紀錄"
},
@@ -6287,6 +5351,30 @@
"translation": "無法清除紀錄"
},
{
+ "id": "store.sql_cluster_discovery.cleanup.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.delete.app_error",
+ "translation": "Failed to delete"
+ },
+ {
+ "id": "store.sql_cluster_discovery.exists.app_error",
+ "translation": "檢查資料表是否存在失敗 %v"
+ },
+ {
+ "id": "store.sql_cluster_discovery.get_all.app_error",
+ "translation": "Failed to get all discovery rows"
+ },
+ {
+ "id": "store.sql_cluster_discovery.save.app_error",
+ "translation": "Failed to save ClusterDiscovery row"
+ },
+ {
+ "id": "store.sql_cluster_discovery.set_last_ping.app_error",
+ "translation": "Failed to update last ping at"
+ },
+ {
"id": "store.sql_command.analytics_command_count.app_error",
"translation": "無法計算命令數量"
},
@@ -6411,10 +5499,6 @@
"translation": "無法儲存檔案訊息"
},
{
- "id": "store.sql_file_info.save_or_update.app_error",
- "translation": "無法儲存或更新檔案訊息"
- },
- {
"id": "store.sql_job.delete.app_error",
"translation": "無法刪除工作"
},
@@ -6567,10 +5651,6 @@
"translation": "無法儲存或更新模組鍵值"
},
{
- "id": "store.sql_plugin_store.save_unique.app_error",
- "translation": "由於唯一性限制,無法儲存或更新模組鍵值"
- },
- {
"id": "store.sql_post.analytics_posts_count.app_error",
"translation": "無法取得訊息數量"
},
@@ -6583,6 +5663,10 @@
"translation": "無法取得訊息的使用者數量"
},
{
+ "id": "store.sql_post.compliance_export.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.delete.app_error",
"translation": "無法刪除訊息"
},
@@ -6591,6 +5675,10 @@
"translation": "無法取得訊息"
},
{
+ "id": "store.sql_post.get_flagged_posts.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_post.get_parents_posts.app_error",
"translation": "無法取得該頻道的上層訊息"
},
@@ -6643,10 +5731,6 @@
"translation": "永久批次刪除訊息時遇到錯誤"
},
{
- "id": "store.sql_post.permanent_delete_batch.app_error",
- "translation": "永久批次刪除訊息時遇到錯誤"
- },
- {
"id": "store.sql_post.permanent_delete_by_channel.app_error",
"translation": "無法根據頻道刪除訊息"
},
@@ -6663,14 +5747,6 @@
"translation": "無法判定最大支援的訊息大小"
},
{
- "id": "store.sql_post.query_max_post_size.max_post_size_bytes",
- "translation": "Post.Message 支援最多 %d 字元 (%d 位元)"
- },
- {
- "id": "store.sql_post.query_max_post_size.unrecognized_driver",
- "translation": "找不到實作以判定最大支援的訊息大小"
- },
- {
"id": "store.sql_post.save.app_error",
"translation": "無法儲存訊息"
},
@@ -6683,10 +5759,6 @@
"translation": "此伺服器已停用搜尋功能。請向系統管理員聯繫。"
},
{
- "id": "store.sql_post.search.warn",
- "translation": "搜尋訊息查詢錯誤:%v"
- },
- {
"id": "store.sql_post.update.app_error",
"translation": "無法更新訊息"
},
@@ -6751,6 +5823,10 @@
"translation": "無法更新偏好設定"
},
{
+ "id": "store.sql_reaction.delete.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_reaction.delete.begin.app_error",
"translation": "刪除互動時無法開啟交易"
},
@@ -6759,20 +5835,12 @@
"translation": "刪除互動時無法交付交易"
},
{
- "id": "store.sql_reaction.delete.save.app_error",
- "translation": "無法刪除互動"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.delete_reactions.app_error",
+ "translation": ""
},
{
- "id": "store.sql_reaction.delete_all_with_emoj_name.delete_reactions.app_error",
- "translation": "無法刪除指定繪文字名稱的互動"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoj_name.get_reactions.app_error",
- "translation": "無法取得指定繪文字名稱的互動"
- },
- {
- "id": "store.sql_reaction.delete_all_with_emoji_name.update_post.warn",
- "translation": "刪除互動時無法更新 Post.HasReactions:post_id=%v, error=%v"
+ "id": "store.sql_reaction.delete_all_with_emoji_name.get_reactions.app_error",
+ "translation": ""
},
{
"id": "store.sql_reaction.get_for_post.app_error",
@@ -6795,6 +5863,18 @@
"translation": "無法儲存互動"
},
{
+ "id": "store.sql_recover.delete.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.get_by_code.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_recover.save.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_role.delete.update.app_error",
"translation": "無法刪除角色"
},
@@ -6823,10 +5903,6 @@
"translation": "該角色無效"
},
{
- "id": "store.sql_role.save.invalid_role.app_error",
- "translation": "該角色無效"
- },
- {
"id": "store.sql_role.save.open_transaction.app_error",
"translation": "開啟交易以儲存角色時失敗"
},
@@ -6843,10 +5919,6 @@
"translation": "無法刪除屬於此配置的角色"
},
{
- "id": "store.sql_scheme.delete.scheme_in_use.app_error",
- "translation": "無法刪除配置,有團隊或頻道正在使用中"
- },
- {
"id": "store.sql_scheme.delete.update.app_error",
"translation": "無法刪除配置"
},
@@ -6895,10 +5967,6 @@
"translation": "無法計算有多少工作階段"
},
{
- "id": "store.sql_session.cleanup_expired_sessions.app_error",
- "translation": "刪除過期的使用者工作階段時遇到錯誤"
- },
- {
"id": "store.sql_session.get.app_error",
"translation": "尋找工作階段時遇到錯誤"
},
@@ -6907,10 +5975,6 @@
"translation": "尋找使用者工作階段時遇到錯誤"
},
{
- "id": "store.sql_session.get_sessions.error",
- "translation": "於 getSessions 清除工作階段失敗 err=%v"
- },
- {
"id": "store.sql_session.permanent_delete_sessions_by_user.app_error",
"translation": "無法移除使用者所有的工作階段"
},
@@ -6927,10 +5991,6 @@
"translation": "無法儲存工作階段"
},
{
- "id": "store.sql_session.save.cleanup.error",
- "translation": "儲存過程中清理工作階段失敗 err=%v"
- },
- {
"id": "store.sql_session.save.existing.app_error",
"translation": "無法更新已存在的工作階段"
},
@@ -6983,6 +6043,10 @@
"translation": "更新狀態時遇到錯誤"
},
{
+ "id": "store.sql_status.update_last_activity_at.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_system.get.app_error",
"translation": "尋找系統參數時遇到錯誤"
},
@@ -6991,10 +6055,6 @@
"translation": "找不到該系統參數。"
},
{
- "id": "store.sql_system.get_version.app_error",
- "translation": "無法取得資料庫版本"
- },
- {
"id": "store.sql_system.permanent_delete_by_name.app_error",
"translation": "無法永久刪除系統表單當中的項目"
},
@@ -7011,6 +6071,26 @@
"translation": "無法計算團隊數"
},
{
+ "id": "store.sql_team.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the team members"
+ },
+ {
+ "id": "store.sql_team.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the team member"
+ },
+ {
"id": "store.sql_team.get.find.app_error",
"translation": "找不到已存在的團隊"
},
@@ -7063,10 +6143,6 @@
"translation": "無法取得團隊成員"
},
{
- "id": "store.sql_team.get_teams_for_email.app_error",
- "translation": "查詢團隊時遇到錯誤"
- },
- {
"id": "store.sql_team.get_unread.app_error",
"translation": "無法取得團隊未讀訊息"
},
@@ -7151,6 +6227,14 @@
"translation": "無法更新團隊名稱"
},
{
+ "id": "store.sql_team.update_last_team_icon_update.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user.analytics_daily_active_users.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.analytics_get_inactive_users_count.app_error",
"translation": "無法計算非活躍使用者的數量"
},
@@ -7163,12 +6247,28 @@
"translation": "無法取得不重複的帳戶數量"
},
{
- "id": "store.sql_user.get.app_error",
- "translation": "尋找帳號時遇到錯誤"
+ "id": "store.sql_user.clear_all_custom_role_assignments.commit_transaction.app_error",
+ "translation": "Failed to commit the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.open_transaction.app_error",
+ "translation": "Failed to begin the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.rollback_transaction.app_error",
+ "translation": "Failed to rollback the database transaction"
+ },
+ {
+ "id": "store.sql_user.clear_all_custom_role_assignments.select.app_error",
+ "translation": "Failed to retrieve the users"
},
{
- "id": "store.sql_user.get_all_using_auth_service.other.app_error",
- "translation": "尋找全部使用特定認證方式的帳號時遇到錯誤。"
+ "id": "store.sql_user.clear_all_custom_role_assignments.update.app_error",
+ "translation": "Failed to update the user"
+ },
+ {
+ "id": "store.sql_user.get.app_error",
+ "translation": "尋找帳號時遇到錯誤"
},
{
"id": "store.sql_user.get_by_auth.missing_account.app_error",
@@ -7219,10 +6319,6 @@
"translation": "無法取得使用者跟頻道的未讀訊息數量"
},
{
- "id": "store.sql_user.migrate_theme.critical",
- "translation": "轉移 User.ThemeProps 到偏好設定表格 %v 時失敗"
- },
- {
"id": "store.sql_user.missing_account.const",
"translation": "找不到使用者"
},
@@ -7271,6 +6367,10 @@
"translation": "有帳號已經使用這個使用者名稱,請聯繫系統管理員。"
},
{
+ "id": "store.sql_user.search.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.update.app_error",
"translation": "無法更新這個帳號"
},
@@ -7311,18 +6411,10 @@
"translation": "無法更新 failed_attempts"
},
{
- "id": "store.sql_user.update_last_activity.app_error",
- "translation": "無法更新 last_activity_at"
- },
- {
"id": "store.sql_user.update_last_picture_update.app_error",
"translation": "無法更新 update_at"
},
{
- "id": "store.sql_user.update_last_ping.app_error",
- "translation": "無法更新 last_ping_at"
- },
- {
"id": "store.sql_user.update_mfa_active.app_error",
"translation": "更新使用者多重要素驗證使用狀態時遇到錯誤"
},
@@ -7335,6 +6427,10 @@
"translation": "無法更新使用者密碼"
},
{
+ "id": "store.sql_user.update_update.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_user.verify_email.app_error",
"translation": "無法更新驗證電子郵件欄位"
},
@@ -7367,6 +6463,18 @@
"translation": "尋找存取 Token 時遇到錯誤"
},
{
+ "id": "store.sql_user_access_token.update_token_disable.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_disble.app_error",
+ "translation": ""
+ },
+ {
+ "id": "store.sql_user_access_token.update_token_enable.app_error",
+ "translation": ""
+ },
+ {
"id": "store.sql_webhooks.analytics_incoming_count.app_error",
"translation": "無法計算內送 Webhook"
},
@@ -7459,18 +6567,10 @@
"translation": "解碼設定時遇到錯誤 file={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.getting.panic",
- "translation": "取得設定資訊時遇到錯誤 file={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.load_config.opening.panic",
"translation": "開啟設定時遇到錯誤 file={{.Filename}}, err={{.Error}}"
},
{
- "id": "utils.config.load_config.validating.panic",
- "translation": "驗證設定時遇到錯誤 file={{.Filename}}, err={{.Error}}"
- },
- {
"id": "utils.config.save_config.saving.app_error",
"translation": "儲存檔案到 {{.Filename}} 時發生錯誤"
},
@@ -7487,18 +6587,6 @@
"translation": "無法讀取 Mattermost 設定檔: DefaultServerLocale 必須為支援的語系。設定 DefaultServerLocale 為 en 當作預設值。"
},
{
- "id": "utils.config.validate_locale.app_error",
- "translation": "無法讀入 Mattermost 設定檔: AvaiableLocales 必須為包含 DefaultClientLocale"
- },
- {
- "id": "utils.diagnostic.analytics_not_found.app_error",
- "translation": "分析尚未初始化"
- },
- {
- "id": "utils.file.list_directory.configured.app_error",
- "translation": "檔案儲存位置設定不正確。請設定為 S3 或是本地伺服器檔案儲存空間。"
- },
- {
"id": "utils.file.list_directory.local.app_error",
"translation": "從本地伺服器儲存空間表列目錄時遇到錯誤"
},
@@ -7507,10 +6595,6 @@
"translation": "從 S3 表列目錄時遇到錯誤"
},
{
- "id": "utils.file.remove_directory.configured.app_error",
- "translation": "檔案儲存位置設定不正確。請設定為 S3 或是本地儲存。"
- },
- {
"id": "utils.file.remove_directory.local.app_error",
"translation": "從本地儲存讀取時遇到錯誤"
},
@@ -7519,10 +6603,6 @@
"translation": "從 S3 刪除目錄時遇到錯誤"
},
{
- "id": "utils.file.remove_file.configured.app_error",
- "translation": "檔案儲存位置設定不正確。請設定為 S3 或是本地儲存。"
- },
- {
"id": "utils.file.remove_file.local.app_error",
"translation": "從本地儲存刪除檔案時遇到錯誤"
},
@@ -7531,38 +6611,6 @@
"translation": "從 S3 刪除檔案時遇到錯誤"
},
{
- "id": "utils.i18n.loaded",
- "translation": "已載入系統翻譯 '%v' 來自 '%v'"
- },
- {
- "id": "utils.iru.with_evict",
- "translation": "必須提供正數的大小"
- },
- {
- "id": "utils.license.load_license.invalid.warn",
- "translation": "找不到有效的企業版授權"
- },
- {
- "id": "utils.license.remove_license.unable.error",
- "translation": "無法移除授權檔案, err=%v"
- },
- {
- "id": "utils.license.validate_license.decode.error",
- "translation": "解碼授權時遇到錯誤, err=%v"
- },
- {
- "id": "utils.license.validate_license.invalid.error",
- "translation": "無效的簽章, err=%v"
- },
- {
- "id": "utils.license.validate_license.not_long.error",
- "translation": "簽章授權長度不夠"
- },
- {
- "id": "utils.license.validate_license.signing.error",
- "translation": "簽章授權時遇到錯誤, err=%v"
- },
- {
"id": "utils.mail.connect_smtp.helo.app_error",
"translation": "設定 HELO 時失敗"
},
@@ -7579,14 +6627,6 @@
"translation": "SMTP 伺服器驗證失敗"
},
{
- "id": "utils.mail.new_client.helo.error",
- "translation": "對 SMTP 伺服器 %v 設定 HELO時失敗"
- },
- {
- "id": "utils.mail.new_client.open.error",
- "translation": "開啟對 SMTP 伺服器 %v 的連線時失敗"
- },
- {
"id": "utils.mail.sendMail.attachments.write_error",
"translation": "無法寫入附加檔案到電子郵件"
},
@@ -7607,42 +6647,10 @@
"translation": "新增電子郵件訊息失敗"
},
{
- "id": "utils.mail.send_mail.sending.debug",
- "translation": "發送電子郵件到 %v 標題為 '%v'"
- },
- {
"id": "utils.mail.send_mail.to_address.app_error",
"translation": "無法設定收件人地址"
},
{
- "id": "utils.mail.test.configured.error",
- "translation": "SMTP 伺服器並未設定正確 err=%v details=%v"
- },
- {
- "id": "utils.mail.test.configured.error",
- "translation": "SMTP 伺服器並未設定正確 err=%v details=%v"
- },
- {
- "id": "web.admin_console.title",
- "translation": "管理控制台"
- },
- {
- "id": "web.authorize_oauth.title",
- "translation": "授權應用程式"
- },
- {
- "id": "web.claim_account.team.error",
- "translation": "找不到團隊 name=%v, err=%v"
- },
- {
- "id": "web.claim_account.title",
- "translation": "宣告帳戶"
- },
- {
- "id": "web.claim_account.user.error",
- "translation": "找不到使用者 teamid=%v, email=%v, err=%v"
- },
- {
"id": "web.command_webhook.command.app_error",
"translation": "找不到命令"
},
@@ -7655,42 +6663,6 @@
"translation": "無法解析流入的資料"
},
{
- "id": "web.create_dir.error",
- "translation": "建立目錄監控 %v 失敗"
- },
- {
- "id": "web.do_load_channel.error",
- "translation": "取得使用者 id=%v 資訊時遇到錯誤,強制登出"
- },
- {
- "id": "web.doc.title",
- "translation": "文件"
- },
- {
- "id": "web.email_verified.title",
- "translation": "電子郵件地址已驗證"
- },
- {
- "id": "web.error.unsupported_browser.help1",
- "translation": "Google Chrome 43+"
- },
- {
- "id": "web.error.unsupported_browser.help2",
- "translation": "Mozilla Firefox 52+"
- },
- {
- "id": "web.error.unsupported_browser.help3",
- "translation": "Microsoft Internet Explorer 11+"
- },
- {
- "id": "web.error.unsupported_browser.help4",
- "translation": "Microsoft Edge 40+"
- },
- {
- "id": "web.error.unsupported_browser.help5",
- "translation": "Apple Safari 9+"
- },
- {
"id": "web.error.unsupported_browser.message",
"translation": "當前的瀏覽器不被支援。請升級至下列瀏覽器之一:"
},
@@ -7699,12 +6671,8 @@
"translation": "不支援的瀏覽器"
},
{
- "id": "web.find_team.title",
- "translation": "尋找團隊"
- },
- {
- "id": "web.header.back",
- "translation": "回上一步"
+ "id": "web.get_access_token.internal_saving.app_error",
+ "translation": ""
},
{
"id": "web.incoming_webhook.channel.app_error",
@@ -7739,99 +6707,7 @@
"translation": "沒有指定文字"
},
{
- "id": "web.incoming_webhook.text.length.app_error",
- "translation": "文字最長可為 {{.Max}} 字元,已接收大小為 {{.Actual}}"
- },
- {
"id": "web.incoming_webhook.user.app_error",
"translation": "找不到使用者"
- },
- {
- "id": "web.init.debug",
- "translation": "正在初始化網站路徑"
- },
- {
- "id": "web.login.error",
- "translation": "找不到團隊 name=%v, err=%v"
- },
- {
- "id": "web.login.login_title",
- "translation": "登入"
- },
- {
- "id": "web.login_with_oauth.invalid_team.app_error",
- "translation": "無效的團隊名稱"
- },
- {
- "id": "web.parsing_templates.debug",
- "translation": "於 %v 解析樣板"
- },
- {
- "id": "web.post_permalink.app_error",
- "translation": "無效的張貼 ID"
- },
- {
- "id": "web.reset_password.expired_link.app_error",
- "translation": "密碼重設連結已過期"
- },
- {
- "id": "web.reset_password.invalid_link.app_error",
- "translation": "此密碼重設連結不是有效連結"
- },
- {
- "id": "web.root.home_title",
- "translation": "首頁"
- },
- {
- "id": "web.root.singup_title",
- "translation": "註冊"
- },
- {
- "id": "web.signup_team_complete.link_expired.app_error",
- "translation": "註冊連結已過期"
- },
- {
- "id": "web.signup_team_complete.title",
- "translation": "完成團隊註冊"
- },
- {
- "id": "web.signup_team_confirm.title",
- "translation": "註冊電子郵件已寄出"
- },
- {
- "id": "web.signup_user_complete.link_expired.app_error",
- "translation": "註冊連結已過期"
- },
- {
- "id": "web.signup_user_complete.no_invites.app_error",
- "translation": "此團隊類型不允許自由加入"
- },
- {
- "id": "web.signup_user_complete.title",
- "translation": "完成使用者註冊"
- },
- {
- "id": "web.singup_with_oauth.invalid_team.app_error",
- "translation": "無效的團隊名稱"
- },
- {
- "id": "web.watcher_fail.error",
- "translation": "新增目錄至監控 %v 失敗"
- },
- {
- "id": "wsapi.status.init.debug",
- "translation": "正在初始化狀態 WebSocket API 路徑"
- },
- {
- "id": "wsapi.system.init.debug",
- "translation": "正在初始化系統 WebSocket API 路徑"
- },
- {
- "id": "wsapi.user.init.debug",
- "translation": "正在初始化使用者 WebSocket API 路徑"
- },
- {
- "id": "wsapi.webrtc.init.debug",
- "translation": "正在初始化 WebRTC WebSocket API 路徑"
}
]
diff --git a/jobs/workers.go b/jobs/workers.go
index 67ab43241..9909e035c 100644
--- a/jobs/workers.go
+++ b/jobs/workers.go
@@ -95,6 +95,8 @@ func (workers *Workers) Start() *Workers {
}
func (workers *Workers) handleConfigChange(oldConfig *model.Config, newConfig *model.Config) {
+ mlog.Debug("Workers received config change.")
+
if workers.DataRetention != nil {
if (!*oldConfig.DataRetentionSettings.EnableMessageDeletion && !*oldConfig.DataRetentionSettings.EnableFileDeletion) && (*newConfig.DataRetentionSettings.EnableMessageDeletion || *newConfig.DataRetentionSettings.EnableFileDeletion) {
go workers.DataRetention.Run()
diff --git a/model/channel.go b/model/channel.go
index 5617240e6..7a57496ae 100644
--- a/model/channel.go
+++ b/model/channel.go
@@ -32,21 +32,22 @@ const (
)
type Channel struct {
- Id string `json:"id"`
- CreateAt int64 `json:"create_at"`
- UpdateAt int64 `json:"update_at"`
- DeleteAt int64 `json:"delete_at"`
- TeamId string `json:"team_id"`
- Type string `json:"type"`
- DisplayName string `json:"display_name"`
- Name string `json:"name"`
- Header string `json:"header"`
- Purpose string `json:"purpose"`
- LastPostAt int64 `json:"last_post_at"`
- TotalMsgCount int64 `json:"total_msg_count"`
- ExtraUpdateAt int64 `json:"extra_update_at"`
- CreatorId string `json:"creator_id"`
- SchemeId *string `json:"scheme_id"`
+ Id string `json:"id"`
+ CreateAt int64 `json:"create_at"`
+ UpdateAt int64 `json:"update_at"`
+ DeleteAt int64 `json:"delete_at"`
+ TeamId string `json:"team_id"`
+ Type string `json:"type"`
+ DisplayName string `json:"display_name"`
+ Name string `json:"name"`
+ Header string `json:"header"`
+ Purpose string `json:"purpose"`
+ LastPostAt int64 `json:"last_post_at"`
+ TotalMsgCount int64 `json:"total_msg_count"`
+ ExtraUpdateAt int64 `json:"extra_update_at"`
+ CreatorId string `json:"creator_id"`
+ SchemeId *string `json:"scheme_id"`
+ Props map[string]interface{} `json:"props" db:"-"`
}
type ChannelPatch struct {
@@ -163,6 +164,18 @@ func (o *Channel) Patch(patch *ChannelPatch) {
}
}
+func (o *Channel) MakeNonNil() {
+ if o.Props == nil {
+ o.Props = make(map[string]interface{})
+ }
+}
+
+func (o *Channel) AddProp(key string, value interface{}) {
+ o.MakeNonNil()
+
+ o.Props[key] = value
+}
+
func GetDMNameFromIds(userId1, userId2 string) string {
if userId1 > userId2 {
return userId2 + "__" + userId1
diff --git a/model/channel_mentions.go b/model/channel_mentions.go
new file mode 100644
index 000000000..795ec379c
--- /dev/null
+++ b/model/channel_mentions.go
@@ -0,0 +1,28 @@
+// Copyright (c) 2015-present Mattermost, Inc. All Rights Reserved.
+// See License.txt for license information.
+
+package model
+
+import (
+ "regexp"
+ "strings"
+)
+
+var channelMentionRegexp = regexp.MustCompile(`\B~[a-zA-Z0-9\-_]+`)
+
+func ChannelMentions(message string) []string {
+ var names []string
+
+ if strings.Contains(message, "~") {
+ alreadyMentioned := make(map[string]bool)
+ for _, match := range channelMentionRegexp.FindAllString(message, -1) {
+ name := match[1:]
+ if !alreadyMentioned[name] {
+ names = append(names, name)
+ alreadyMentioned[name] = true
+ }
+ }
+ }
+
+ return names
+}
diff --git a/model/config.go b/model/config.go
index 868bb01d5..ce66f2f05 100644
--- a/model/config.go
+++ b/model/config.go
@@ -210,6 +210,9 @@ type ServiceSettings struct {
WebserverMode *string
EnableCustomEmoji *bool
EnableEmojiPicker *bool
+ EnableGifPicker *bool
+ GfycatApiKey *string
+ GfycatApiSecret *string
RestrictCustomEmojiCreation *string
RestrictPostDelete *string
AllowEditPost *string
@@ -413,6 +416,18 @@ func (s *ServiceSettings) SetDefaults() {
s.EnableEmojiPicker = NewBool(true)
}
+ if s.EnableGifPicker == nil {
+ s.EnableGifPicker = NewBool(true)
+ }
+
+ if s.GfycatApiKey == nil {
+ s.GfycatApiKey = NewString("")
+ }
+
+ if s.GfycatApiSecret == nil {
+ s.GfycatApiSecret = NewString("")
+ }
+
if s.RestrictCustomEmojiCreation == nil {
s.RestrictCustomEmojiCreation = NewString(RESTRICT_EMOJI_CREATION_ALL)
}
diff --git a/model/gitlab/gitlab.go b/model/gitlab/gitlab.go
index 7e0cb10af..f0a388b6a 100644
--- a/model/gitlab/gitlab.go
+++ b/model/gitlab/gitlab.go
@@ -47,7 +47,7 @@ func userFromGitLabUser(glu *GitLabUser) *model.User {
user.FirstName = glu.Name
}
user.Email = glu.Email
- userId := strconv.FormatInt(glu.Id, 10)
+ userId := glu.getAuthData()
user.AuthData = &userId
user.AuthService = model.USER_AUTH_SERVICE_GITLAB
@@ -90,10 +90,6 @@ func (glu *GitLabUser) getAuthData() string {
return strconv.FormatInt(glu.Id, 10)
}
-func (m *GitLabProvider) GetIdentifier() string {
- return model.USER_AUTH_SERVICE_GITLAB
-}
-
func (m *GitLabProvider) GetUserFromJson(data io.Reader) *model.User {
glu := gitLabUserFromJson(data)
if glu.IsValid() {
@@ -102,13 +98,3 @@ func (m *GitLabProvider) GetUserFromJson(data io.Reader) *model.User {
return &model.User{}
}
-
-func (m *GitLabProvider) GetAuthDataFromJson(data io.Reader) string {
- glu := gitLabUserFromJson(data)
-
- if glu.IsValid() {
- return glu.getAuthData()
- }
-
- return ""
-}
diff --git a/model/post.go b/model/post.go
index 3d7a31ab5..1dd0a4db6 100644
--- a/model/post.go
+++ b/model/post.go
@@ -7,7 +7,6 @@ import (
"encoding/json"
"io"
"net/http"
- "regexp"
"sort"
"strings"
"unicode/utf8"
@@ -343,20 +342,8 @@ func PostPatchFromJson(data io.Reader) *PostPatch {
return &post
}
-var channelMentionRegexp = regexp.MustCompile(`\B~[a-zA-Z0-9\-_]+`)
-
-func (o *Post) ChannelMentions() (names []string) {
- if strings.Contains(o.Message, "~") {
- alreadyMentioned := make(map[string]bool)
- for _, match := range channelMentionRegexp.FindAllString(o.Message, -1) {
- name := match[1:]
- if !alreadyMentioned[name] {
- names = append(names, name)
- alreadyMentioned[name] = true
- }
- }
- }
- return
+func (o *Post) ChannelMentions() []string {
+ return ChannelMentions(o.Message)
}
func (r *PostActionIntegrationRequest) ToJson() string {
diff --git a/store/layered_store.go b/store/layered_store.go
index 851d7536c..6587868d6 100644
--- a/store/layered_store.go
+++ b/store/layered_store.go
@@ -181,6 +181,14 @@ func (s *LayeredStore) Close() {
s.DatabaseLayer.Close()
}
+func (s *LayeredStore) LockToMaster() {
+ s.DatabaseLayer.LockToMaster()
+}
+
+func (s *LayeredStore) UnlockFromMaster() {
+ s.DatabaseLayer.UnlockFromMaster()
+}
+
func (s *LayeredStore) DropAllTables() {
s.DatabaseLayer.DropAllTables()
}
diff --git a/store/sqlstore/channel_store.go b/store/sqlstore/channel_store.go
index eb88bc42a..e062d41d1 100644
--- a/store/sqlstore/channel_store.go
+++ b/store/sqlstore/channel_store.go
@@ -298,7 +298,7 @@ func (s SqlChannelStore) CreateIndexesIfNotExists() {
s.CreateIndexIfNotExists("idx_channelmembers_channel_id", "ChannelMembers", "ChannelId")
s.CreateIndexIfNotExists("idx_channelmembers_user_id", "ChannelMembers", "UserId")
- s.CreateFullTextIndexIfNotExists("idx_channels_txt", "Channels", "Name, DisplayName")
+ s.CreateFullTextIndexIfNotExists("idx_channel_search_txt", "Channels", "Name, DisplayName, Purpose")
}
func (s SqlChannelStore) Save(channel *model.Channel, maxChannelsPerTeam int64) store.StoreChannel {
@@ -1573,7 +1573,7 @@ func (s SqlChannelStore) SearchMore(userId string, teamId string, term string) s
func (s SqlChannelStore) buildLIKEClause(term string) (likeClause, likeTerm string) {
likeTerm = term
- searchColumns := "Name, DisplayName"
+ searchColumns := "Name, DisplayName, Purpose"
// These chars must be removed from the like query.
for _, c := range ignoreLikeSearchChar {
@@ -1608,7 +1608,7 @@ func (s SqlChannelStore) buildFulltextClause(term string) (fulltextClause, fullt
// Copy the terms as we will need to prepare them differently for each search type.
fulltextTerm = term
- searchColumns := "Name, DisplayName"
+ searchColumns := "Name, DisplayName, Purpose"
// These chars must be treated as spaces in the fulltext query.
for _, c := range spaceFulltextSearchChar {
diff --git a/store/sqlstore/store.go b/store/sqlstore/store.go
index fc7b3be18..500f98235 100644
--- a/store/sqlstore/store.go
+++ b/store/sqlstore/store.go
@@ -65,6 +65,8 @@ type SqlStore interface {
RemoveIndexIfExists(indexName string, tableName string) bool
GetAllConns() []*gorp.DbMap
Close()
+ LockToMaster()
+ UnlockFromMaster()
Team() store.TeamStore
Channel() store.ChannelStore
Post() store.PostStore
diff --git a/store/sqlstore/supplier.go b/store/sqlstore/supplier.go
index 02a3cef7f..1e6bdcba1 100644
--- a/store/sqlstore/supplier.go
+++ b/store/sqlstore/supplier.go
@@ -105,6 +105,7 @@ type SqlSupplier struct {
searchReplicas []*gorp.DbMap
oldStores SqlSupplierOldStores
settings *model.SqlSettings
+ lockedToMaster bool
}
func NewSqlSupplier(settings model.SqlSettings, metrics einterfaces.MetricsInterface) *SqlSupplier {
@@ -283,7 +284,7 @@ func (ss *SqlSupplier) GetSearchReplica() *gorp.DbMap {
}
func (ss *SqlSupplier) GetReplica() *gorp.DbMap {
- if len(ss.settings.DataSourceReplicas) == 0 {
+ if len(ss.settings.DataSourceReplicas) == 0 || ss.lockedToMaster {
return ss.GetMaster()
}
@@ -801,6 +802,14 @@ func (ss *SqlSupplier) Close() {
}
}
+func (ss *SqlSupplier) LockToMaster() {
+ ss.lockedToMaster = true
+}
+
+func (ss *SqlSupplier) UnlockFromMaster() {
+ ss.lockedToMaster = false
+}
+
func (ss *SqlSupplier) Team() store.TeamStore {
return ss.oldStores.team
}
diff --git a/store/sqlstore/upgrade.go b/store/sqlstore/upgrade.go
index 65c2c11e2..fc2d53235 100644
--- a/store/sqlstore/upgrade.go
+++ b/store/sqlstore/upgrade.go
@@ -446,6 +446,8 @@ func UpgradeDatabaseToVersion50(sqlStore SqlStore) {
sqlStore.GetMaster().Exec("UPDATE Roles SET SchemeManaged=false WHERE Name NOT IN ('system_user', 'system_admin', 'team_user', 'team_admin', 'channel_user', 'channel_admin')")
sqlStore.CreateColumnIfNotExists("IncomingWebhooks", "ChannelLocked", "boolean", "boolean", "0")
+ sqlStore.RemoveIndexIfExists("idx_channels_txt", "Channels")
+
saveSchemaVersion(sqlStore, VERSION_5_0_0)
}
}
diff --git a/store/store.go b/store/store.go
index bb967e614..203c637ff 100644
--- a/store/store.go
+++ b/store/store.go
@@ -67,6 +67,8 @@ type Store interface {
Plugin() PluginStore
MarkSystemRanUnitTests()
Close()
+ LockToMaster()
+ UnlockFromMaster()
DropAllTables()
TotalMasterDbConnections() int
TotalReadDbConnections() int
diff --git a/store/storetest/channel_store.go b/store/storetest/channel_store.go
index ecec7fab9..b033e9c98 100644
--- a/store/storetest/channel_store.go
+++ b/store/storetest/channel_store.go
@@ -1708,6 +1708,14 @@ func testChannelStoreSearchMore(t *testing.T, ss store.Store) {
o8.Type = model.CHANNEL_PRIVATE
store.Must(ss.Channel().Save(&o8, -1))
+ o9 := model.Channel{}
+ o9.TeamId = o1.TeamId
+ o9.DisplayName = "Channel With Purpose"
+ o9.Purpose = "This can now be searchable!"
+ o9.Name = "with-purpose"
+ o9.Type = model.CHANNEL_OPEN
+ store.Must(ss.Channel().Save(&o9, -1))
+
if result := <-ss.Channel().SearchMore(m1.UserId, o1.TeamId, "ChannelA"); result.Err != nil {
t.Fatal(result.Err)
} else {
@@ -1773,6 +1781,19 @@ func testChannelStoreSearchMore(t *testing.T, ss store.Store) {
}
}
+ if result := <-ss.Channel().SearchMore(m1.UserId, o1.TeamId, "now searchable"); result.Err != nil {
+ t.Fatal(result.Err)
+ } else {
+ channels := result.Data.(*model.ChannelList)
+ if len(*channels) != 1 {
+ t.Fatal("should return 1 channel")
+ }
+
+ if (*channels)[0].Name != o9.Name {
+ t.Fatal("wrong channel returned")
+ }
+ }
+
/*
// Disabling this check as it will fail on PostgreSQL as we have "liberalised" channel matching to deal with
// Full-Text Stemming Limitations.
@@ -1884,6 +1905,14 @@ func testChannelStoreSearchInTeam(t *testing.T, ss store.Store) {
o11.Type = model.CHANNEL_OPEN
store.Must(ss.Channel().Save(&o11, -1))
+ o12 := model.Channel{}
+ o12.TeamId = o1.TeamId
+ o12.DisplayName = "Channel With Purpose"
+ o12.Purpose = "This can now be searchable!"
+ o12.Name = "with-purpose"
+ o12.Type = model.CHANNEL_OPEN
+ store.Must(ss.Channel().Save(&o12, -1))
+
for name, search := range map[string]func(teamId string, term string) store.StoreChannel{
"AutocompleteInTeam": ss.Channel().AutocompleteInTeam,
"SearchInTeam": ss.Channel().SearchInTeam,
@@ -1986,6 +2015,19 @@ func testChannelStoreSearchInTeam(t *testing.T, ss store.Store) {
t.Fatal("wrong channel returned")
}
}
+
+ if result := <-search(o1.TeamId, "now searchable"); result.Err != nil {
+ t.Fatal(result.Err)
+ } else {
+ channels := result.Data.(*model.ChannelList)
+ if len(*channels) != 1 {
+ t.Fatal("should return 1 channel")
+ }
+
+ if (*channels)[0].Name != o12.Name {
+ t.Fatal("wrong channel returned")
+ }
+ }
})
}
}
diff --git a/store/storetest/mocks/LayeredStoreDatabaseLayer.go b/store/storetest/mocks/LayeredStoreDatabaseLayer.go
index adbe1068c..47b594a81 100644
--- a/store/storetest/mocks/LayeredStoreDatabaseLayer.go
+++ b/store/storetest/mocks/LayeredStoreDatabaseLayer.go
@@ -200,6 +200,11 @@ func (_m *LayeredStoreDatabaseLayer) License() store.LicenseStore {
return r0
}
+// LockToMaster provides a mock function with given fields:
+func (_m *LayeredStoreDatabaseLayer) LockToMaster() {
+ _m.Called()
+}
+
// MarkSystemRanUnitTests provides a mock function with given fields:
func (_m *LayeredStoreDatabaseLayer) MarkSystemRanUnitTests() {
_m.Called()
@@ -851,6 +856,11 @@ func (_m *LayeredStoreDatabaseLayer) TotalSearchDbConnections() int {
return r0
}
+// UnlockFromMaster provides a mock function with given fields:
+func (_m *LayeredStoreDatabaseLayer) UnlockFromMaster() {
+ _m.Called()
+}
+
// User provides a mock function with given fields:
func (_m *LayeredStoreDatabaseLayer) User() store.UserStore {
ret := _m.Called()
diff --git a/store/storetest/mocks/SqlStore.go b/store/storetest/mocks/SqlStore.go
index 021baa7d3..a0cc3f0cc 100644
--- a/store/storetest/mocks/SqlStore.go
+++ b/store/storetest/mocks/SqlStore.go
@@ -411,6 +411,11 @@ func (_m *SqlStore) License() store.LicenseStore {
return r0
}
+// LockToMaster provides a mock function with given fields:
+func (_m *SqlStore) LockToMaster() {
+ _m.Called()
+}
+
// MarkSystemRanUnitTests provides a mock function with given fields:
func (_m *SqlStore) MarkSystemRanUnitTests() {
_m.Called()
@@ -706,6 +711,11 @@ func (_m *SqlStore) TotalSearchDbConnections() int {
return r0
}
+// UnlockFromMaster provides a mock function with given fields:
+func (_m *SqlStore) UnlockFromMaster() {
+ _m.Called()
+}
+
// User provides a mock function with given fields:
func (_m *SqlStore) User() store.UserStore {
ret := _m.Called()
diff --git a/store/storetest/mocks/Store.go b/store/storetest/mocks/Store.go
index dd1967cd5..3a5b7726c 100644
--- a/store/storetest/mocks/Store.go
+++ b/store/storetest/mocks/Store.go
@@ -198,6 +198,11 @@ func (_m *Store) License() store.LicenseStore {
return r0
}
+// LockToMaster provides a mock function with given fields:
+func (_m *Store) LockToMaster() {
+ _m.Called()
+}
+
// MarkSystemRanUnitTests provides a mock function with given fields:
func (_m *Store) MarkSystemRanUnitTests() {
_m.Called()
@@ -437,6 +442,11 @@ func (_m *Store) TotalSearchDbConnections() int {
return r0
}
+// UnlockFromMaster provides a mock function with given fields:
+func (_m *Store) UnlockFromMaster() {
+ _m.Called()
+}
+
// User provides a mock function with given fields:
func (_m *Store) User() store.UserStore {
ret := _m.Called()
diff --git a/store/storetest/store.go b/store/storetest/store.go
index 677a63101..e73596ec4 100644
--- a/store/storetest/store.go
+++ b/store/storetest/store.go
@@ -77,6 +77,8 @@ func (s *Store) ChannelMemberHistory() store.ChannelMemberHistoryStore {
}
func (s *Store) MarkSystemRanUnitTests() { /* do nothing */ }
func (s *Store) Close() { /* do nothing */ }
+func (s *Store) LockToMaster() { /* do nothing */ }
+func (s *Store) UnlockFromMaster() { /* do nothing */ }
func (s *Store) DropAllTables() { /* do nothing */ }
func (s *Store) TotalMasterDbConnections() int { return 1 }
func (s *Store) TotalReadDbConnections() int { return 1 }
diff --git a/utils/config.go b/utils/config.go
index d3cdbd3ee..10661aa54 100644
--- a/utils/config.go
+++ b/utils/config.go
@@ -555,6 +555,9 @@ func GenerateClientConfig(c *model.Config, diagnosticId string, license *model.L
props["SQLDriverName"] = *c.SqlSettings.DriverName
props["EnableEmojiPicker"] = strconv.FormatBool(*c.ServiceSettings.EnableEmojiPicker)
+ props["EnableGifPicker"] = strconv.FormatBool(*c.ServiceSettings.EnableGifPicker)
+ props["GfycatApiKey"] = *c.ServiceSettings.GfycatApiKey
+ props["GfycatApiSecret"] = *c.ServiceSettings.GfycatApiSecret
props["RestrictCustomEmojiCreation"] = *c.ServiceSettings.RestrictCustomEmojiCreation
props["MaxFileSize"] = strconv.FormatInt(*c.FileSettings.MaxFileSize, 10)
diff --git a/web/handlers.go b/web/handlers.go
index c12466fee..c089f460b 100644
--- a/web/handlers.go
+++ b/web/handlers.go
@@ -157,7 +157,7 @@ func (h Handler) ServeHTTP(w http.ResponseWriter, r *http.Request) {
c.Err.IsOAuth = false
}
- if IsApiCall(c.App, r) || len(r.Header.Get("X-Mobile-App")) > 0 {
+ if IsApiCall(c.App, r) || IsWebhookCall(c.App, r) || len(r.Header.Get("X-Mobile-App")) > 0 {
w.WriteHeader(c.Err.StatusCode)
w.Write([]byte(c.Err.ToJson()))
} else {
diff --git a/web/web.go b/web/web.go
index 479f439fb..f41854cbd 100644
--- a/web/web.go
+++ b/web/web.go
@@ -73,7 +73,13 @@ func Handle404(a *app.App, w http.ResponseWriter, r *http.Request) {
func IsApiCall(a *app.App, r *http.Request) bool {
subpath, _ := utils.GetSubpathFromConfig(a.Config())
- return strings.Index(r.URL.Path, path.Join(subpath, "api")+"/") == 0
+ return strings.HasPrefix(r.URL.Path, path.Join(subpath, "api")+"/")
+}
+
+func IsWebhookCall(a *app.App, r *http.Request) bool {
+ subpath, _ := utils.GetSubpathFromConfig(a.Config())
+
+ return strings.HasPrefix(r.URL.Path, path.Join(subpath, "hooks")+"/")
}
func ReturnStatusOK(w http.ResponseWriter) {