Compare commits

...

16 Commits

Author SHA1 Message Date
enahum
768d843e37 Hotfix for release-1.5 (#1405)
* Request data retention policies only when the user is logged in (#1351)

* Bump App version to 1.5.3

* Bump app build version to 83
2018-02-01 17:37:20 -03:00
Harrison Healey
6b8c36171c RN-523 Added a try-catch when cleaning up state following a rehydrate (#1342) 2018-01-10 16:33:53 -03:00
Elias Nahum
87cb6d68db Bump build version for Android and iOS to 77 2018-01-10 16:33:33 -03:00
Elias Nahum
71654ccfe9 fix custom_section_list keyExtractor 2018-01-09 17:46:50 -03:00
Elias Nahum
3da18b4dae Bump Android and iOS build to 76 2018-01-09 17:34:20 -03:00
enahum
db09e1376a Make sure that channelIdToNotification is not null (#1320) 2018-01-09 17:24:06 -03:00
enahum
2d5dba1fc0 Fix Application Not Responding (ANR) executing service android (#1319) 2018-01-09 17:23:54 -03:00
enahum
7c3f4b9659 Prevent onLayout if it was already run (#1316) 2018-01-09 17:23:45 -03:00
enahum
666e99dd76 Fix uploading videos from Android (#1315)
* Fix uploading videos from Android

* Fix upload of gif files in iOS
2018-01-09 17:22:59 -03:00
enahum
fbf0f8344f Fix keyboard avoiding view when switching keyboard (#1314) 2018-01-09 17:22:48 -03:00
enahum
08743639bf Ensure the user has permission to access ringtones (#1313) 2018-01-09 17:22:34 -03:00
Harrison Healey
a4bdda15ea RN-566 Re-rendered PostList footer when channel ID changes (#1309)
* RN-566 Re-rendered PostList footer when channel ID changes

* Refactor ChannelIntro mapStateToProps into selectors
2018-01-09 17:22:23 -03:00
Harrison Healey
27b3001fd3 Removed unused props from ChannelPostList (#1306) 2018-01-09 17:21:50 -03:00
enahum
78a80c4afe translations PR 20171218 (#1300) 2018-01-09 17:21:31 -03:00
enahum
d55766f039 translations PR 20171211 (#1295) 2018-01-09 17:21:20 -03:00
Elias Nahum
8eaf11d284 Bump for version 1.5.2 dot release 2018-01-09 17:19:08 -03:00
38 changed files with 901 additions and 838 deletions

View File

@@ -106,8 +106,8 @@ android {
applicationId "com.mattermost.rnbeta"
minSdkVersion 21
targetSdkVersion 23
versionCode 74
versionName "1.5.1"
versionCode 83
versionName "1.5.3"
multiDexEnabled true
ndk {
abiFilters "armeabi-v7a", "x86"

View File

@@ -210,9 +210,15 @@ public class CustomPushNotification extends PushNotification {
String summaryTitle = String.format("%s (%d)", title, numMessages);
Notification.InboxStyle style = new Notification.InboxStyle();
List<Bundle> list = new ArrayList<Bundle>(channelIdToNotification.get(channelId));
List<Bundle> bundleArray = channelIdToNotification.get(channelId);
List<Bundle> list;
if (bundleArray != null) {
list = new ArrayList<Bundle>(bundleArray);
} else {
list = new ArrayList<Bundle>();
}
for (Bundle data : list){
for (Bundle data : list) {
String msg = data.getString("message");
if (msg != message) {
style.addLine(data.getString("message"));

View File

@@ -69,7 +69,9 @@ public class NotificationPreferencesModule extends ReactContextBaseJavaModule {
}
Uri defaultUri = RingtoneManager.getActualDefaultRingtoneUri(context, RingtoneManager.TYPE_NOTIFICATION);
result.putString("defaultUri", Uri.decode(defaultUri.toString()));
if (defaultUri != null) {
result.putString("defaultUri", Uri.decode(defaultUri.toString()));
}
result.putString("selectedUri", mNotificationPreference.getNotificationSound());
result.putBoolean("shouldVibrate", mNotificationPreference.getShouldVibrate());
result.putBoolean("shouldBlink", mNotificationPreference.getShouldBlink());

View File

@@ -19,7 +19,12 @@ export function handleUploadFiles(files, rootId) {
const re = /heic/i;
files.forEach((file) => {
let name = file.fileName;
let name = file.fileName || file.path || file.uri;
if (name.includes('/')) {
name = name.split('/').pop();
}
let mimeType = lookupMimeType(name);
let extension = name.split('.').pop().replace('.', '');
const uri = file.uri;

View File

@@ -1,5 +1,7 @@
// Copyright (c) 2016-present Mattermost, Inc. All Rights Reserved.
// See License.txt for license information.
import {getDataRetentionPolicy} from 'mattermost-redux/actions/general';
import {GeneralTypes} from 'mattermost-redux/action_types';
import {Client, Client4} from 'mattermost-redux/client';
@@ -25,8 +27,10 @@ export function handlePasswordChanged(password) {
export function handleSuccessfulLogin() {
return async (dispatch, getState) => {
const {config, license} = getState().entities.general;
const token = Client4.getToken();
const url = Client4.getUrl();
dispatch({
type: GeneralTypes.RECEIVED_APP_CREDENTIALS,
data: {
@@ -38,6 +42,13 @@ export function handleSuccessfulLogin() {
Client.setToken(token);
Client.setUrl(url);
if (config.DataRetentionEnableMessageDeletion && config.DataRetentionEnableMessageDeletion === 'true' &&
license.IsLicensed === 'true' && license.DataRetention === 'true') {
getDataRetentionPolicy()(dispatch, getState);
} else {
dispatch({type: GeneralTypes.RECEIVED_DATA_RETENTION_POLICY, data: {}});
}
return true;
};
}

View File

@@ -19,6 +19,7 @@ import {
export function loadConfigAndLicense() {
return async (dispatch, getState) => {
const {currentUserId} = getState().entities.users;
const [configData, licenseData] = await Promise.all([
getClientConfig()(dispatch, getState),
getLicenseConfig()(dispatch, getState)
@@ -27,11 +28,13 @@ export function loadConfigAndLicense() {
const config = configData.data || {};
const license = licenseData.data || {};
if (config.DataRetentionEnableMessageDeletion && config.DataRetentionEnableMessageDeletion === 'true' &&
license.IsLicensed === 'true' && license.DataRetention === 'true') {
getDataRetentionPolicy()(dispatch, getState);
} else {
dispatch({type: GeneralTypes.RECEIVED_DATA_RETENTION_POLICY, data: {}});
if (currentUserId) {
if (config.DataRetentionEnableMessageDeletion && config.DataRetentionEnableMessageDeletion === 'true' &&
license.IsLicensed === 'true' && license.DataRetention === 'true') {
getDataRetentionPolicy()(dispatch, getState);
} else {
dispatch({type: GeneralTypes.RECEIVED_DATA_RETENTION_POLICY, data: {}});
}
}
return {config, license};

View File

@@ -33,6 +33,7 @@ export default class Badge extends PureComponent {
super(props);
this.mounted = false;
this.layoutReady = false;
}
componentWillMount() {
@@ -49,6 +50,12 @@ export default class Badge extends PureComponent {
this.mounted = true;
}
componentWillReceiveProps(nextProps) {
if (nextProps.count !== this.props.count) {
this.layoutReady = false;
}
}
componentWillUnmount() {
this.mounted = false;
}
@@ -66,24 +73,27 @@ export default class Badge extends PureComponent {
};
onLayout = (e) => {
const height = Math.max(e.nativeEvent.layout.height, this.props.minHeight);
const borderRadius = height / 2;
let width;
if (!this.layoutReady) {
const height = Math.max(e.nativeEvent.layout.height, this.props.minHeight);
const borderRadius = height / 2;
let width;
if (e.nativeEvent.layout.width <= e.nativeEvent.layout.height) {
width = e.nativeEvent.layout.height;
} else {
width = e.nativeEvent.layout.width + this.props.extraPaddingHorizontal;
}
width = Math.max(width, this.props.minWidth);
this.setNativeProps({
style: {
width,
height,
borderRadius,
opacity: 1
if (e.nativeEvent.layout.width <= e.nativeEvent.layout.height) {
width = e.nativeEvent.layout.height;
} else {
width = e.nativeEvent.layout.width + this.props.extraPaddingHorizontal;
}
});
width = Math.max(width, this.props.minWidth);
this.setNativeProps({
style: {
width,
height,
borderRadius,
opacity: 1
}
});
this.layoutReady = true;
}
};
renderText = () => {

View File

@@ -2,9 +2,11 @@
// See License.txt for license information.
import {connect} from 'react-redux';
import {createSelector} from 'reselect';
import {General, RequestStatus} from 'mattermost-redux/constants';
import {makeGetChannel} from 'mattermost-redux/selectors/entities/channels';
import {getCurrentUser, makeGetProfilesInChannel} from 'mattermost-redux/selectors/entities/users';
import {getCurrentUserId, getUser, makeGetProfilesInChannel} from 'mattermost-redux/selectors/entities/users';
import {getTheme} from 'mattermost-redux/selectors/entities/preferences';
@@ -14,31 +16,62 @@ function makeMapStateToProps() {
const getChannel = makeGetChannel();
const getProfilesInChannel = makeGetProfilesInChannel();
const getOtherUserIdForDm = createSelector(
(state, channel) => channel,
getCurrentUserId,
(channel, currentUserId) => {
if (!channel) {
return '';
}
return channel.name.split('__').find((m) => m !== currentUserId);
}
);
const getChannelMembers = createSelector(
getCurrentUserId,
(state, channel) => getProfilesInChannel(state, channel.id),
(currentUserId, profilesInChannel) => {
const currentChannelMembers = profilesInChannel || [];
return currentChannelMembers.filter((m) => m.id !== currentUserId);
}
);
const getChannelMembersForDm = createSelector(
(state, channel) => getUser(state, getOtherUserIdForDm(state, channel)),
(otherUser) => {
if (!otherUser) {
return [];
}
return [otherUser];
}
);
return function mapStateToProps(state, ownProps) {
const currentChannel = getChannel(state, {id: ownProps.channelId}) || {};
const currentUser = getCurrentUser(state) || {};
const {status: getPostsRequestStatus} = state.requests.posts.getPosts;
let currentChannelMembers = [];
if (currentChannel.type === General.DM_CHANNEL) {
const otherChannelMember = currentChannel.name.split('__').find((m) => m !== currentUser.id);
const otherProfile = state.entities.users.profiles[otherChannelMember];
if (otherProfile) {
currentChannelMembers.push(otherProfile);
}
} else {
currentChannelMembers = getProfilesInChannel(state, ownProps.channelId) || [];
currentChannelMembers = currentChannelMembers.filter((m) => m.id !== currentUser.id);
}
let currentChannelMembers;
let creator;
let postsInChannel;
const creator = currentChannel.creator_id === currentUser.id ? currentUser : state.entities.users.profiles[currentChannel.creator_id];
const postsInChannel = state.entities.posts.postsInChannel[ownProps.channelId] || [];
if (currentChannel) {
if (currentChannel.type === General.DM_CHANNEL) {
currentChannelMembers = getChannelMembersForDm(state, currentChannel);
} else {
currentChannelMembers = getChannelMembers(state, currentChannel);
}
creator = getUser(state, currentChannel.creator_id);
postsInChannel = state.entities.posts.postsInChannel[currentChannel.Id];
}
return {
creator,
currentChannel,
currentChannelMembers,
isLoadingPosts: !postsInChannel.length && getPostsRequestStatus === RequestStatus.STARTED,
isLoadingPosts: (!postsInChannel || postsInChannel.length === 0) && getPostsRequestStatus === RequestStatus.STARTED,
theme: getTheme(state)
};
};

View File

@@ -88,13 +88,11 @@ export default class CustomSectionList extends React.PureComponent {
initialNumToRender: PropTypes.number
};
static defaultKeyExtractor = (item) => {
return item.id;
};
static defaultProps = {
showNoResults: true,
keyExtractor: CustomSectionList.defaultKeyExtractor,
keyExtractor: (item) => {
return item.id;
},
onListEndReached: () => true,
onListEndReachedThreshold: 50,
loadingText: null,

View File

@@ -45,7 +45,7 @@ export default class FileUploadPreview extends PureComponent {
buildFilePreviews = () => {
return this.props.files.map((file) => {
let filePreviewComponent;
if (file.loading | file.has_preview_image) {
if (file.loading | (file.has_preview_image || file.mime_type === 'image/gif')) {
filePreviewComponent = (
<FileAttachmentImage
addFileToFetchCache={this.props.actions.addFileToFetchCache}

View File

@@ -23,6 +23,7 @@ export default class KeyboardLayout extends PureComponent {
constructor(props) {
super(props);
this.subscriptions = [];
this.count = 0;
this.state = {
bottom: new Animated.Value(0)
};
@@ -31,7 +32,8 @@ export default class KeyboardLayout extends PureComponent {
componentWillMount() {
if (Platform.OS === 'ios') {
this.subscriptions = [
Keyboard.addListener('keyboardWillChangeFrame', this.onKeyboardChange)
Keyboard.addListener('keyboardWillChangeFrame', this.onKeyboardChange),
Keyboard.addListener('keyboardWillHide', this.onKeyboardWillHide)
];
}
}
@@ -40,20 +42,22 @@ export default class KeyboardLayout extends PureComponent {
this.subscriptions.forEach((sub) => sub.remove());
}
onKeyboardWillHide = (e) => {
const {duration} = e;
Animated.timing(this.state.bottom, {
toValue: 0,
duration
}).start();
};
onKeyboardChange = (e) => {
if (!e) {
this.setState({bottom: new Animated.Value(0)});
return;
}
const {endCoordinates, duration, startCoordinates} = e;
let height = 0;
if (startCoordinates.height < endCoordinates.height || endCoordinates.screenY < startCoordinates.screenY) {
height = endCoordinates.height;
}
this.setState({bottom: new Animated.Value(height)});
const {endCoordinates, duration} = e;
const {height} = endCoordinates;
Animated.timing(this.state.bottom, {
toValue: height,
duration

View File

@@ -14,6 +14,7 @@ import ChannelIntro from 'app/components/channel_intro';
import Post from 'app/components/post';
import {DATE_LINE, START_OF_NEW_MESSAGES} from 'app/selectors/post_list';
import mattermostManaged from 'app/mattermost_managed';
import {makeExtraData} from 'app/utils/list_view';
import DateHeader from './date_header';
import LoadMorePosts from './load_more_posts';
@@ -49,6 +50,9 @@ export default class PostList extends PureComponent {
super(props);
this.newMessagesIndex = -1;
this.makeExtraData = makeExtraData();
this.state = {
managedConfig: {}
};
@@ -233,7 +237,7 @@ export default class PostList extends PureComponent {
<FlatList
ref='list'
data={postIds}
extraData={highlightPostId}
extraData={this.makeExtraData(channelId, highlightPostId)}
initialNumToRender={15}
inverted={true}
keyExtractor={this.keyExtractor}

View File

@@ -165,6 +165,7 @@ export default class Mattermost {
popInitialNotification: true,
requestPermissions: true
});
this.isConfigured = true;
};
handleAppStateChange = async (appState) => {
@@ -424,7 +425,6 @@ export default class Mattermost {
} else if (isNotActive) {
// for IOS replying from push notification starts the app in the background
this.shouldRelaunchonActive = true;
this.configurePushNotifications();
this.startFakeApp();
} else {
this.launchApp();
@@ -433,6 +433,7 @@ export default class Mattermost {
};
onRegisterDevice = (data) => {
this.isConfigured = true;
const {dispatch, getState} = this.store;
let prefix;
if (Platform.OS === 'ios') {
@@ -445,7 +446,6 @@ export default class Mattermost {
}
setDeviceToken(`${prefix}:${data.token}`)(dispatch, getState);
this.isConfigured = true;
};
onPushNotification = (deviceNotification) => {

View File

@@ -1,12 +1,36 @@
// Copyright (c) 2017-present Mattermost, Inc. All Rights Reserved.
// See License.txt for license information.
import {NativeModules} from 'react-native';
import {NativeModules, PermissionsAndroid} from 'react-native';
const {NotificationPreferences} = NativeModules;
const defaultPreferences = {
sounds: [],
shouldBlink: false,
shouldVibrate: true
};
export default {
getPreferences: NotificationPreferences.getPreferences,
getPreferences: async () => {
try {
const hasPermission = await PermissionsAndroid.check(PermissionsAndroid.PERMISSIONS.READ_EXTERNAL_STORAGE);
let granted;
if (!hasPermission) {
granted = await PermissionsAndroid.request(
PermissionsAndroid.PERMISSIONS.READ_EXTERNAL_STORAGE
);
}
if (hasPermission || granted === PermissionsAndroid.RESULTS.GRANTED) {
return await NotificationPreferences.getPreferences();
}
return defaultPreferences;
} catch (error) {
return defaultPreferences;
}
},
setNotificationSound: NotificationPreferences.setNotificationSound,
setShouldVibrate: NotificationPreferences.setShouldVibrate,
setShouldBlink: NotificationPreferences.setShouldBlink,

View File

@@ -11,6 +11,11 @@ class PushNotification {
this.onNotification = null;
this.onReply = null;
this.deviceNotification = null;
this.deviceToken = null;
NotificationsAndroid.setRegistrationTokenUpdateListener((deviceToken) => {
this.deviceToken = deviceToken;
});
NotificationsAndroid.setNotificationReceivedListener((notification) => {
if (notification) {
@@ -61,12 +66,9 @@ class PushNotification {
this.onNotification = options.onNotification;
this.onReply = options.onReply;
NotificationsAndroid.refreshToken();
NotificationsAndroid.setRegistrationTokenUpdateListener((deviceToken) => {
if (this.onRegister) {
this.onRegister({token: deviceToken});
}
});
if (this.onRegister && this.deviceToken) {
this.onRegister({token: this.deviceToken});
}
if (options.popInitialNotification) {
PendingNotifications.getInitialNotification().

View File

@@ -3,7 +3,6 @@
import React, {PureComponent} from 'react';
import PropTypes from 'prop-types';
import {injectIntl, intlShape} from 'react-intl';
import {
Platform,
StyleSheet,
@@ -15,7 +14,7 @@ import PostListRetry from 'app/components/post_list_retry';
import RetryBarIndicator from 'app/components/retry_bar_indicator';
import tracker from 'app/utils/time_tracker';
class ChannelPostList extends PureComponent {
export default class ChannelPostList extends PureComponent {
static propTypes = {
actions: PropTypes.shape({
loadPostsIfNecessaryWithRetry: PropTypes.func.isRequired,
@@ -28,12 +27,10 @@ class ChannelPostList extends PureComponent {
channelId: PropTypes.string.isRequired,
channelRefreshingFailed: PropTypes.bool,
currentUserId: PropTypes.string,
intl: intlShape.isRequired,
lastViewedAt: PropTypes.number,
navigator: PropTypes.object,
postIds: PropTypes.array.isRequired,
postVisibility: PropTypes.number,
totalMessageCount: PropTypes.number,
theme: PropTypes.object.isRequired
};
@@ -175,5 +172,3 @@ const style = StyleSheet.create({
flex: 1
}
});
export default injectIntl(ChannelPostList);

View File

@@ -6,7 +6,7 @@ import {connect} from 'react-redux';
import {selectPost} from 'mattermost-redux/actions/posts';
import {getPostIdsInCurrentChannel} from 'mattermost-redux/selectors/entities/posts';
import {getCurrentChannelId, getMyCurrentChannelMembership, makeGetChannel} from 'mattermost-redux/selectors/entities/channels';
import {getCurrentChannelId, getMyCurrentChannelMembership} from 'mattermost-redux/selectors/entities/channels';
import {getCurrentUserId} from 'mattermost-redux/selectors/entities/users';
import {getTheme} from 'mattermost-redux/selectors/entities/preferences';
@@ -15,24 +15,18 @@ import {recordLoadTime} from 'app/actions/views/root';
import ChannelPostList from './channel_post_list';
function makeMapStateToProps() {
const getChannel = makeGetChannel();
function mapStateToProps(state) {
const channelId = getCurrentChannelId(state);
const channelRefreshingFailed = state.views.channel.retryFailed;
return function mapStateToProps(state) {
const channelId = getCurrentChannelId(state);
const channelRefreshingFailed = state.views.channel.retryFailed;
const channel = getChannel(state, {id: channelId}) || {};
return {
channelId,
channelRefreshingFailed,
currentUserId: getCurrentUserId(state),
postIds: getPostIdsInCurrentChannel(state),
postVisibility: state.views.channel.postVisibility[channelId],
lastViewedAt: getMyCurrentChannelMembership(state).last_viewed_at,
totalMessageCount: channel.total_msg_count,
theme: getTheme(state)
};
return {
channelId,
channelRefreshingFailed,
currentUserId: getCurrentUserId(state),
postIds: getPostIdsInCurrentChannel(state),
postVisibility: state.views.channel.postVisibility[channelId],
lastViewedAt: getMyCurrentChannelMembership(state).last_viewed_at,
theme: getTheme(state)
};
}
@@ -49,4 +43,4 @@ function mapDispatchToProps(dispatch) {
};
}
export default connect(makeMapStateToProps, mapDispatchToProps)(ChannelPostList);
export default connect(mapStateToProps, mapDispatchToProps)(ChannelPostList);

View File

@@ -119,22 +119,24 @@ class NotificationSettings extends PureComponent {
const {currentUser, intl, navigator, theme} = this.props;
NotificationPreferences.getPreferences().then((notificationPreferences) => {
navigator.push({
backButtonTitle: '',
screen: 'NotificationSettingsMobile',
title: intl.formatMessage({id: 'mobile.notification_settings.mobile_title', defaultMessage: 'Mobile Notifications'}),
animated: true,
navigatorStyle: {
navBarTextColor: theme.sidebarHeaderTextColor,
navBarBackgroundColor: theme.sidebarHeaderBg,
navBarButtonColor: theme.sidebarHeaderTextColor,
screenBackgroundColor: theme.centerChannelBg
},
passProps: {
currentUser,
onBack: this.saveNotificationProps,
notificationPreferences
}
requestAnimationFrame(() => {
navigator.push({
backButtonTitle: '',
screen: 'NotificationSettingsMobile',
title: intl.formatMessage({id: 'mobile.notification_settings.mobile_title', defaultMessage: 'Mobile Notifications'}),
animated: true,
navigatorStyle: {
navBarTextColor: theme.sidebarHeaderTextColor,
navBarBackgroundColor: theme.sidebarHeaderBg,
navBarButtonColor: theme.sidebarHeaderTextColor,
screenBackgroundColor: theme.centerChannelBg
},
passProps: {
currentUser,
onBack: this.saveNotificationProps,
notificationPreferences
}
});
});
}).catch((e) => {
Alert.alert('There was a problem getting the device preferences', e.message);

View File

@@ -6,7 +6,12 @@ import DeviceInfo from 'react-native-device-info';
import {ViewTypes} from 'app/constants';
import initialState from 'app/initial_state';
export function messageRetention() {
import {
captureException,
LOGGER_JAVASCRIPT_WARNING
} from 'app/utils/sentry';
export function messageRetention(store) {
return (next) => (action) => {
if (action.type === 'persist/REHYDRATE') {
const {app} = action.payload;
@@ -23,7 +28,17 @@ export function messageRetention() {
// Keep only the last 60 messages for the last 5 viewed channels in each team
// and apply data retention on those posts if applies
return next(cleanupState(action));
let nextAction;
try {
nextAction = cleanupState(action);
} catch (e) {
// Sometimes, the payload is incomplete so log the error to Sentry and skip the cleanup
console.warn(e); // eslint-disable-line no-console
captureException(e, LOGGER_JAVASCRIPT_WARNING, store);
nextAction = action;
}
return next(nextAction);
} else if (action.type === ViewTypes.DATA_CLEANUP) {
const nextAction = cleanupState(action, true);
return next(nextAction);

22
app/utils/list_view.js Normal file
View File

@@ -0,0 +1,22 @@
// Copyright (c) 2017-present Mattermost, Inc. All Rights Reserved.
// See License.txt for license information.
import shallowEqual from 'shallow-equals';
// Returns a function that will construct a memoized array of its arguments for use as
// the extraData prop for a ListView so that its rows can be re-rendered even if the items
// themselves don't change.
export function makeExtraData() {
let lastArgs = [];
// Returns an array containing the arguments provided to this function.
// If this function is called twice in a row with the same arguments,
// it will return the exact same array.
return (...args) => {
if (!shallowEqual(lastArgs, args)) {
lastArgs = args;
}
return lastArgs;
};
}

View File

@@ -12,6 +12,7 @@ import {getCurrentTeam, getCurrentTeamMembership} from 'mattermost-redux/selecto
import {getCurrentChannel, getMyCurrentChannelMembership} from 'mattermost-redux/selectors/entities/channels';
export const LOGGER_JAVASCRIPT = 'javascript';
export const LOGGER_JAVASCRIPT_WARNING = 'javascript_warning';
export const LOGGER_NATIVE = 'native';
export const LOGGER_REDUX = 'redux';

View File

@@ -44,8 +44,8 @@
"add_command.cancel": "Abbrechen",
"add_command.description": "Beschreibung",
"add_command.description.help": "Beschreibung des eingehenden Webhooks.",
"add_command.displayName": "Title",
"add_command.displayName.help": "Choose a title to be displayed on the slash command settings page. Maximum 64 characters.",
"add_command.displayName": "Titel",
"add_command.displayName.help": "Wählen Sie einen Titel der in der Slash-Befehl-Einstellungsseite angezeigt wird. Maximal 64 Zeichen.",
"add_command.doneHelp": "Ihr Slash-Befehl wurde eingerichtet. Der folgende Token wird in der ausgehenden Payload mitgesendet. Bitte verwenden Sie ihn, um zu verifizieren, dass er von Ihrem Mattermost-Team kam (sehen Sie in die <a href=\"https://docs.mattermost.com/developer/slash-commands.html\">Dokumentation</a> für mehr Details).",
"add_command.iconUrl": "Antwort-Symbol",
"add_command.iconUrl.help": "(Optional) Wählen Sie ein überschreibendes Profilbild für die Antwort für diesen Slash-Befehl. Geben Sie eine URL zu einem .png oder .jpg mit mindestens 128x128 Pixeln ein.",
@@ -93,8 +93,8 @@
"add_incoming_webhook.channelRequired": "Ein gültiger Kanal ist notwendig",
"add_incoming_webhook.description": "Beschreibung",
"add_incoming_webhook.description.help": "Beschreibung des eingehenden Webhooks.",
"add_incoming_webhook.displayName": "Title",
"add_incoming_webhook.displayName.help": "Choose a title to be displayed on the webhook settings page. Maximum 64 characters.",
"add_incoming_webhook.displayName": "Titel",
"add_incoming_webhook.displayName.help": "Wählen Sie einen Titel der in der Webhook-Einstellungsseite angezeigt wird. Maximal 64 Zeichen.",
"add_incoming_webhook.doneHelp": "Ihr eingehender Webhook wurde eingerichtet. Bitte senden Sie die Daten an folgende URL (sehen Sie in die <a href=\"https://docs.mattermost.com/developer/webhooks-incoming.html\">Dokumentation</a> für mehr Details).",
"add_incoming_webhook.name": "Name",
"add_incoming_webhook.save": "Speichern",
@@ -127,8 +127,8 @@
"add_outgoing_webhook.content_Type": "Inhaltstyp",
"add_outgoing_webhook.description": "Beschreibung",
"add_outgoing_webhook.description.help": "Beschreibung für Ihren ausgehenden Webhook.",
"add_outgoing_webhook.displayName": "Title",
"add_outgoing_webhook.displayName.help": "Choose a title to be displayed on the webhook settings page. Maximum 64 characters.",
"add_outgoing_webhook.displayName": "Titel",
"add_outgoing_webhook.displayName.help": "Wählen Sie einen Titel der in der Webhook-Einstellungsseite angezeigt wird. Maximal 64 Zeichen.",
"add_outgoing_webhook.doneHelp": "Ihr ausgehender Webhook wurde eingerichtet. Der folgende Token wird in der ausgehenden Payload mitgesendet. Der folgende Token wird in der ausgehenden Payload mitgesendet. Bitte verwenden Sie ihn um zu verifizieren, dass er von Ihrem Mattermost-Team kam (sehen Sie in die <a href=\"https://docs.mattermost.com/developer/webhooks-outgoing.html\">Dokumentation</a> für mehr Details).",
"add_outgoing_webhook.name": "Name",
"add_outgoing_webhook.save": "Speichern",
@@ -160,7 +160,7 @@
"admin.client_versions.desktopMinVersion": "Minimale Desktop-Version",
"admin.client_versions.desktopMinVersionHelp": "Die minimale konforme Desktop-Version",
"admin.client_versions.iosLatestVersion": "Neueste iOS-Version",
"admin.client_versions.iosLatestVersionHelp": "Die neueste veröffentlichte iOS-Version",
"admin.client_versions.iosLatestVersionHelp": "Die zuletzt veröffentlichte iOS-Version",
"admin.client_versions.iosMinVersion": "Minimale iOS-Version",
"admin.client_versions.iosMinVersionHelp": "Die minimale konforme iOS-Version",
"admin.cluster.enableDescription": "Wenn wahr, wird Mattermost im High-Availability-Modus laufen. Bitte sehen Sie sich die <a href=\"http://docs.mattermost.com/deployment/cluster.html\" target='_blank'>Dokumentation</a> an um mehr über die High-Availability-Konfiguration für Mattermost zu lernen.",
@@ -195,6 +195,16 @@
"admin.compliance.saving": "Speichere Einstellung...",
"admin.compliance.title": "Compliance Einstellungen",
"admin.compliance.true": "wahr",
"admin.complianceExport.createJob.help": "Initiiert sofort einen Compliance-Export.",
"admin.complianceExport.createJob.title": "Complicance-Export-Aufgabe sofort starten",
"admin.complianceExport.description": "Dieses Feature ermöglicht den Compliance-Export im Actiance-XML-Format und befindet sich im Beta-Stadium. Unterstützung für GlobalRelay-EML- und Mattermost-CSV-Format sind für ein zukünftiges Release geplant und wird das existierende <a href=\"/admin_console/general/compliance\">Compliance</a> Feature ersetzen. Compliance-Export-Dateien werden in das Unterverzeichnis \"exports\" im konfigurierten <a href=\"/admin_console/files/storage\">Lokaler Speicherort</a> geschrieben.",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "Dateiformat des Compliance-Exports. Entspricht das System in welches Sie die Daten importieren möchten.",
"admin.complianceExport.exportFormat.title": "Exportdateiformat:",
"admin.complianceExport.exportJobStartTime.description": "Stellt die Startzeit für den täglich geplanten Job für die Compliance-Export-Aufgabe ein. Wählen Sie eine Zeit, in der weniger Benutzer ihr System benutzen. Muss ein 24-Stunden-Zeitstempel im Format HH:MM sein.",
"admin.complianceExport.exportJobStartTime.example": "Z.B.: \"02:00\"",
"admin.complianceExport.exportJobStartTime.title": "Compliance-Export Zeitpunkt:",
"admin.complianceExport.title": "Compliance-Export (Beta)",
"admin.compliance_reports.desc": "Auftragsname:",
"admin.compliance_reports.desc_placeholder": "Z.B.: \"Audit 445 for HR\"",
"admin.compliance_reports.emails": "E-Mails:",
@@ -248,12 +258,12 @@
"admin.customization.support": "Rechtsabteilung und Support",
"admin.data_retention.confirmChangesModal.clarification": "Gelöschte Nachrichten können nicht wiederhergestellt werden.",
"admin.data_retention.confirmChangesModal.confirm": "Einstellungen bestätigen",
"admin.data_retention.confirmChangesModal.description": "Are you sure you want to apply the following data retention policy:",
"admin.data_retention.confirmChangesModal.description.itemFileDeletion": "All files will be permanently deleted after {days} days.",
"admin.data_retention.confirmChangesModal.description.itemFileIndefinite": "All files will be retained indefinitely.",
"admin.data_retention.confirmChangesModal.description.itemMessageDeletion": "All messages will be permanently deleted after {days} days.",
"admin.data_retention.confirmChangesModal.description.itemMessageIndefinite": "All messages will be retained indefinitely.",
"admin.data_retention.confirmChangesModal.title": "Confirm data retention policy",
"admin.data_retention.confirmChangesModal.description": "Sind Sie sich sicher, dass Sie die folgende Datenaufbewahrungsrichtlinie anwenden möchten?",
"admin.data_retention.confirmChangesModal.description.itemFileDeletion": "Alle Dateien werden nach {days} Tagen permanent gelöscht.",
"admin.data_retention.confirmChangesModal.description.itemFileIndefinite": "Alle Dateien werden unbefristet aufbewahrt.",
"admin.data_retention.confirmChangesModal.description.itemMessageDeletion": "Alle Nachrichten werden nach {days} Tagen permanent gelöscht",
"admin.data_retention.confirmChangesModal.description.itemMessageIndefinite": "Alle Nachrichten werden unbefristet aufbewahrt.",
"admin.data_retention.confirmChangesModal.title": "Datenaufbewahrungsrichtlinie bestätigen",
"admin.data_retention.createJob.help": "Initiiert unmittelbar einen Löschvorgang für die Datenaufbewahrung.",
"admin.data_retention.createJob.title": "Löschvorgang jetzt starten",
"admin.data_retention.deletionJobStartTime.description": "Stellt die Startzeit für den täglich geplanten Job zur Datenaufbewahrung ein. Wählen Sie eine Zeit, in der weniger Benutzer ihr System benutzen. Muss ein 24-Stunden-Zeitstempel im Format HH:MM sein.",
@@ -487,7 +497,7 @@
"admin.image.amazonS3IdDescription": "Erhalten Sie diesen Wert von Ihrem Amazon EC2 Administrator.",
"admin.image.amazonS3IdExample": "Z.B.: \"AKIADTOVBGERKLCBV\"",
"admin.image.amazonS3IdTitle": "Amazon S3 Zugangsschlüssel-ID:",
"admin.image.amazonS3RegionDescription": "(Optional) AWS-Region, die Sie beim Erstellen ihres S3-Buckets gewählt haben. Wenn keine Region eingestellt ist, versucht Mattermost die entsprechende Region von AWS zu erhalten oder setzt sie auf 'us-east-1', falls keine gefunden wird.",
"admin.image.amazonS3RegionDescription": "AWS-Region, die Sie beim Erstellen ihres S3-Buckets gewählt haben. Wenn keine Region eingestellt ist, versucht Mattermost die entsprechende Region von AWS zu erhalten oder setzt sie auf 'us-east-1', falls keine gefunden wird.",
"admin.image.amazonS3RegionExample": "Z.B.: \"us-east-1\"",
"admin.image.amazonS3RegionTitle": "Amazon S3 Region:",
"admin.image.amazonS3SSEDescription": "Wenn wahr, werden Dateien in Amazon S3 mit serverseitiger Verschlüsselung mit Amazon S3-verwalteten Schlüsseln verschlüsselt. Schauen Sie in die <a href=\"https://about.mattermost.com/default-server-side-encryption\">Dokumentation</a>, um mehr zu erfahren.",
@@ -543,7 +553,7 @@
"admin.ldap.emailAttrEx": "Z.B.: \"mail\" oder \"userPrincipalName\"",
"admin.ldap.emailAttrTitle": "E-Mail Attribut:",
"admin.ldap.enableDesc": "Wenn wahr, erlaubt Mattermost den Login mit AD/LDAP",
"admin.ldap.enableSyncDesc": "When true, Mattermost periodically synchronizes users from AD/LDAP. When false, user attributes are updated from SAML during user login.",
"admin.ldap.enableSyncDesc": "Wenn wahr wird Mattermost periodisch Benutzer von AD/LDAP synchronisieren. Wenn falsch werden Benutzerattribute beim Login über SAML aktualisiert.",
"admin.ldap.enableSyncTitle": "Synchronisierung mit AD/LDAP aktivieren:",
"admin.ldap.enableTitle": "Erlaube Login mit AD/LDAP:",
"admin.ldap.firstnameAttrDesc": "(Optional) Das Attribut im AD/LDAP-Serves, das dazu verwendet wird, den Vornamen von Nutzern in Mattermost zu füllen. Wenn aktiv, können Nutzer ihren Vornamen nicht ändern, da er mit dem LDAP-Server synchronisiert wird. Wenn nicht gesetzt, können Nutzer ihren eigenen Vornamen in den Kontoeinstellungen ändern.",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "Persönliche Zugriffs-Token verwalten",
"admin.manage_tokens.userAccessTokensDescription": "Persönliche Zugriffs-Token funktionieren ähnlich wie Sitzungs-Token und können von Integrationen zur <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">Interaktion mit diesem Mattermost-Server</a> verwendet werden. Token sind deaktiviert, falls der Benutzer deaktiviert ist. Lernen Sie mehr über <a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">Benutzer-Zugriffs-Token</a>.",
"admin.manage_tokens.userAccessTokensNone": "Keine persönlichen Zugriffs-Token.",
"admin.messageExport.createJob.help": "Initiates a Message Export job immediately.",
"admin.messageExport.createJob.title": "Run Message Export job now",
"admin.messageExport.description": "Message Export dumps all posts into a file that can be imported into third-party systems. The export task is scheduled to run once per day.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "The file format to write exported data in. Corresponds to the system that you want to import the data into.",
"admin.messageExport.exportFormat.title": "Export File Format:",
"admin.messageExport.exportFromTimestamp.description": "Posts older than this will not be exported. Expressed as the number of seconds since the Unix Epoch (January 1, 1970).",
"admin.messageExport.exportFromTimestamp.example": "E.g.: Tuesday October 24, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Creation Time of Oldest Post to Export:",
"admin.messageExport.exportJobStartTime.description": "Stellt die Startzeit für den täglich geplanten Job zur Datenaufbewahrung ein. Wählen Sie eine Zeit, in der weniger Benutzer ihr System benutzen. Muss ein 24-Stunden-Zeitstempel im Format HH:MM sein.",
"admin.messageExport.exportJobStartTime.example": "Z.B.: \"02:00\"",
"admin.messageExport.exportJobStartTime.title": "Message Export time:",
"admin.messageExport.exportLocation.description": "The directory on your hard drive to write export files to. Mattermost must have write access to this directory. Do not include a filename.",
"admin.messageExport.exportLocation.example": "E.g.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Export Directory:",
"admin.messageExport.title": "Message Export (Beta)",
"admin.metrics.enableDescription": "Wenn wahr, wird Mattermost Performance-Daten sammeln und profilieren. Bitte schauen Sie in die <a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>Dokumentation</a> um mehr über die Konfiguration von Performanceüberwachung für Mattermost zu erfahren.",
"admin.metrics.enableTitle": "Performance Monitoring aktivieren:",
"admin.metrics.listenAddressDesc": "Die Adresse auf die der Server hören wird um die Performancemetriken auszugeben.",
@@ -713,10 +707,10 @@
"admin.password.symbol": "Mindestens ein Symbol (wie \"~!@#$%^&*()\")",
"admin.password.uppercase": "Mindestens ein Großbuchstabe",
"admin.plugin.activate": "Aktivieren",
"admin.plugin.activating": "Activating...",
"admin.plugin.activating": "Wird aktiviert...",
"admin.plugin.banner": "Plugins sind experimentell und sind nicht für die Verwendung in produktiven Umgebungen empfohlen.",
"admin.plugin.deactivate": "Deaktivieren",
"admin.plugin.deactivating": "Deactivating...",
"admin.plugin.deactivating": "Wird deaktiviert...",
"admin.plugin.desc": "Beschreibung:",
"admin.plugin.error.activate": "Fehler beim Hochladen des Plugins. Es könnte einen Konflikt mit einem anderen Plugin auf ihrem Serve geben.",
"admin.plugin.error.extract": "Fehler beim Extrahieren des Plugins. Prüfen Sie den Inhalt ihrer Plugin-Datei und versuchen es erneut.",
@@ -724,31 +718,22 @@
"admin.plugin.installedDesc": "Installierte Plugins auf ihrem Mattermost-Server. Vorgepackte Plugins werden standardmäßig installiert und können deaktiviert, aber nicht entfernt werden.",
"admin.plugin.installedTitle": "Installierte Plugins: ",
"admin.plugin.management.title": "Verwaltung",
"admin.plugin.name": "Name:",
"admin.plugin.no_plugins": "Keine Plugins installiert.",
"admin.plugin.prepackaged": "Vorpacketiert",
"admin.plugin.remove": "Entfernen",
"admin.plugin.removing": "Entferne...",
"admin.plugin.settingsButton": "Einstellungen",
"admin.plugin.upload": "Hochladen",
"admin.plugin.uploadDesc": "Laden Sie ein Plugin für ihren Mattermost-Server hoch. Sehen Sie in der <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">Dokumentation</a> für mehr Details nach.",
"admin.plugin.uploadDisabledDesc": "Um Plugins hochladen zu können, gehen Sie zu <strong>Plugins > Konfiguration</strong>. Schauen Sie in die <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">Dokumentation</a> um mehr zu erfahren.",
"admin.plugin.uploadTitle": "Lade Plugin hoch: ",
"admin.plugin.uploading": "Lade hoch..",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "channelurl",
"admin.plugins.jira.enabledDescription": "Wenn wahr, können Sie JIRA-Webhooks konfigurieren um Nachrichten an Mattermost zu senden. Um Phishing-Angriffe zu vermeiden, werden alle Beiträge durch ein BOT-Tag markiert.",
"admin.plugins.jira.enabledLabel": "JIRA aktivieren:",
"admin.plugins.jira.secretDescription": "Dieses Geheimnis wird zur Authentifizierung gegenüber Mattermost verwendet.",
"admin.plugins.jira.secretLabel": "Schlüssel:",
"admin.plugins.jira.secretParamPlaceholder": "Schlüssel",
"admin.plugins.jira.secretRegenerateDescription": "Regeneriert das Geheimnis für den Webhooks-URL-Endpunkt. Dadurch werden ihre existierenden JIRA-Integrationen ungültig.",
"admin.plugins.jira.setupDescription": "Benutzen Sie diese Webhook-URL, um die JIRA-Integration einzurichten. {webhookDocsLink} ansehen, um mehr zu lernen.",
"admin.plugins.jira.teamParamPlaceholder": "teamurl",
"admin.plugins.jira.userDescription": "Benutzernamen auswählen, mit dem die Integration verbunden ist.",
"admin.plugins.jira.userLabel": "Benutzer:",
"admin.plugins.jira.webhookDocsLink": "Dokumentation",
"admin.plugin.version": "Version:",
"admin.plugins.settings.enable": "Plugins aktivieren: ",
"admin.plugins.settings.enableDesc": "Wenn wahr, werden Plugins auf ihrem Mattermost-Server aktiviert. Verwenden Sie Plugins zur Integration mit Drittanbietersystemen oder passen sie die Benutzeroberfläche ihres Mattermost-Servers an.Sehen Sie in der <a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">Dokumentation</a> für mehr Details nach.",
"admin.plugins.settings.enableUploads": "Plugin-Uploads aktivieren: ",
"admin.plugins.settings.enableUploadsDesc": "Wenn wahr, werden Plugin-Uploads durch Systemadministratoren in <strong>Plugins > Verwaltung</strong> aktiviert. Falls Sie nicht vorhaben ein Plugin hochzuladen, setzen Sie auf falsch, um zu kontrollieren welche Plugins auf ihrem Server installiert werden. Sehen Sie in der<a href=\"https://about.mattermost.com/default-plugins-uploads\" target=\"_blank\">Dokumentation</a> für mehr Details nach.",
"admin.plugins.settings.enableUploadsDesc": "Wenn wahr, werden Plugin-Uploads durch Systemadministratoren in <strong>Plugins > Verwaltung</strong> aktiviert. Falls Sie nicht vorhaben ein Plugin hochzuladen, setzen Sie auf falsch, um zu kontrollieren welche Plugins auf ihrem Server installiert werden. Sehen Sie in der <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">Dokumentation</a> für mehr Details nach.",
"admin.plugins.settings.title": "Konfiguration",
"admin.privacy.showEmailDescription": "Wenn falsch wird die E-Mail Adresse der Mitglieder vor jedem außer den Systemadministratoren versteckt.",
"admin.privacy.showEmailTitle": "Zeige E-Mail-Adresse: ",
@@ -807,7 +792,7 @@
"admin.saml.emailAttrEx": "Z.B.: \"Email\" oder \"PrimaryEmail\"",
"admin.saml.emailAttrTitle": "E-Mail-Attribut:",
"admin.saml.enableDescription": "Wenn wahr, erlaubt Mattermost Login mit SAML 2.0. Bitte sehen Sie sich die <a href='http://docs.mattermost.com/deployment/sso-saml.html' target='_blank'>Dokumentation</a> an um mehr über die SAML-Konfiguration für Mattermost zu lernen.",
"admin.saml.enableSyncWithLdapDescription": "Wenn wahr, synchronisiert Mattermost periodisch SAML-Benutzerattribute, inklusive Benutzer-Deaktivierung und -Entfernung, vom AD/LDAP. Aktivieren und konfigurieren Sie die Synchronisierungseinstellungen unter <strong>Authentifizierung > AD/LDAP</strong>. Sehen Siein der <a href='https://about.mattermost.com/default-saml-ldap-sync' target='_blank'>Dokumentation</a> für mehr Details nach.",
"admin.saml.enableSyncWithLdapDescription": "Wenn wahr, synchronisiert Mattermost periodisch SAML-Benutzerattribute, inklusive Benutzer-Deaktivierung und -Entfernung, vom AD/LDAP. Aktivieren und konfigurieren Sie die Synchronisierungseinstellungen unter <strong>Authentifizierung > AD/LDAP</strong>. Sehen Sie in der <a href='https://about.mattermost.com/default-saml-ldap-sync' target='_blank'>Dokumentation</a> für mehr Details nach.",
"admin.saml.enableSyncWithLdapTitle": "Synchronisierung von SAML-Konten mit AD/LDAP aktivieren:",
"admin.saml.enableTitle": "Erlaube Login mit SAML 2.0:",
"admin.saml.encryptDescription": "Wenn falsch wird Mattermost nicht die verschlüsselten SAML Assertions mit dem öffentlichen Zertifikat des Service Providers entschlüsseln. Nicht empfohlen für Produktionsumgebungen. Nur für Testzwecke.",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "Max. Anmeldeversuche:",
"admin.service.cmdsDesc": "Wenn wahr, werden benutzerdefinierte Slash-Befehle erlaubt. <a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>Dokumentation</a> für mehr Details.",
"admin.service.cmdsTitle": "Aktiviere benutzerdefinierte Slash-Befehle: ",
"admin.service.complianceExportDesc": "Wenn wahr, wird Mattermost Compliance-Export-Dateien mit allen innerhalb der letzten 24 Stunden gesendeten Nachrichten erstellen. Die Export-Aufgabe läuft einmal am Tag. Sehen Sie in der <a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">Dokumentation</a> für mehr Details nach.",
"admin.service.complianceExportTitle": "Aktiviere Compliance-Export:",
"admin.service.corsDescription": "Aktiviere HTTP Cross Origin Request für spezifische Domains. Verwenden Sie \"*\" wenn Sie CORS von jeder Domain zulassen möchten oder lassen sie es leer um es zu deaktivieren.",
"admin.service.corsEx": "http://beispiel.com",
"admin.service.corsTitle": "Erlaube Cross Origin Requests von:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "Empfangs-Adresse:",
"admin.service.listenDescription": "Die Adresse und Port an die gebunden und gehört wird. Bei Angabe von \":8065\" wird an alle Netzwerkkarten gebunden. Bei Angabe von \"127.0.0.1:8065\" wird nur an die Netzwerkkarte mit der IP Adresse gebunden. Wenn Sie einen Port eines niedrigen Levels wählen (auch \"System Ports\" oder \"Well Known Ports\" im Bereich 0-1023), müssen Sie Berechtigungen für das Binden an den Port haben. Auf Linux können Sie \"sudo setcap cap_net_bind_service=+ep ./bin/platform\" verwenden um Mattermost das Binden an Well Known Ports zu erlauben.",
"admin.service.listenExample": "Z.B.: \":8065\"",
"admin.service.messageExportDesc": "When true, the system will export all messages that are sent once per day.",
"admin.service.messageExportTitle": "Enable Message Export:",
"admin.service.mfaDesc": "Wenn wahr, können Benutzer mit AD/LDAP- oder E-Mail-Anmeldung Multi-Faktor-Authentifizierung ihrem Konto mit Google-Authenticator hinzufügen.",
"admin.service.mfaTitle": "Multi-Faktor-Authentifizierung einschalten:",
"admin.service.mobileSessionDays": "Sessiondauer für mobile Anwendungen (Tage):",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "Client-Versionen",
"admin.sidebar.cluster": "Hochverfügbarkeit",
"admin.sidebar.compliance": "Compliance",
"admin.sidebar.compliance_export": "Compliance-Export (Beta)",
"admin.sidebar.configuration": "Konfiguration",
"admin.sidebar.connections": "Verbindungen",
"admin.sidebar.customBrand": "Eigenes Branding",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "Allgemein",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "Integrationen",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "Rechtsabteilung und Support",
"admin.sidebar.license": "Edition und Lizenz",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "Protokollierung",
"admin.sidebar.login": "Anmelden",
"admin.sidebar.logs": "Protokolle",
"admin.sidebar.message_export": "Message Export (Beta)",
"admin.sidebar.metrics": "Performance Überwachung",
"admin.sidebar.mfa": "MFA",
"admin.sidebar.nativeAppLinks": "Mattermost-App-Links",
@@ -1122,7 +1106,7 @@
"admin.user_item.mfaYes": "<strong>MFA</strong>: Ja",
"admin.user_item.resetMfa": "MFA entfernen",
"admin.user_item.resetPwd": "Passwort zurücksetzen",
"admin.user_item.revokeSessions": "Revoke Sessions",
"admin.user_item.revokeSessions": "Sitzung zurückziehen",
"admin.user_item.switchToEmail": "Umschalten zu E-Mail-Adresse/Passwort",
"admin.user_item.sysAdmin": "Systemadministrator",
"admin.user_item.teamAdmin": "Teamadministrator",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "Aktive Nutzer mit Beiträgen",
"analytics.system.channelTypes": "Kanal Typen",
"analytics.system.dailyActiveUsers": "Tägliche aktive Benutzer",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "Monatliche aktive Benutzer",
"analytics.system.postTypes": "Nachrichten, Dateien und Hashtags",
"analytics.system.privateGroups": "Private Kanäle",
"analytics.system.publicChannels": "Öffentliche Kanäle",
"analytics.system.skippedIntensiveQueries": "Um die Performance zu maximieren sind einige Statistiken deaktiviert. Sie können diese in der config.json wieder reaktivieren. Sie erfahren mehr in der <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>Dokumentation</a>",
"analytics.system.textPosts": "Nur-Text Beiträge",
"analytics.system.title": "Systemstatistiken",
"analytics.system.totalChannels": "Kanäle Gesamt",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "Info anzeigen",
"channel_header.viewMembers": "Zeige Mitglieder",
"channel_header.webrtc.call": "Videoanruf starten",
"channel_header.webrtc.doNotDisturb": "Nicht stören",
"channel_header.webrtc.offline": "Der Benutzer ist offline",
"channel_header.webrtc.unavailable": "Neuer Anruf nicht möglich bis ihr bestehender Anruf beendet ist",
"channel_info.about": "Über",
@@ -1374,7 +1360,7 @@
"channel_notifications.sendDesktop": "Desktop-Benachrichtigungen senden",
"channel_notifications.unreadInfo": "Der Kanalname wird fettgedruckt dargestellt wenn es ungelesene Nachrichten gibt. Auswählen von \"Nur für Erwähnungen\" wird die Fettschreibung der Kanäle nur durchführen wenn Sie erwähnt werden.",
"channel_select.placeholder": "--- Wählen Sie einen Kanal ---",
"channel_switch_modal.deactivated": "Deaktivieren",
"channel_switch_modal.deactivated": "Deaktiviert",
"channel_switch_modal.dm": "(Direktnachricht)",
"channel_switch_modal.failed_to_open": "Fehler beim Öffnen des Kanals.",
"channel_switch_modal.not_found": "Keine Treffer.",
@@ -1428,7 +1414,7 @@
"create_comment.file": "Datei wird hochgeladen",
"create_comment.files": "Dateien werden hochgeladen",
"create_post.comment": "Kommentar",
"create_post.deactivated": "You are viewing an archived channel with a deactivated user.",
"create_post.deactivated": "Sie betrachten einen archivierten Kanal mit einem deaktivierten Benutzer.",
"create_post.error_message": "Ihre Mitteilung ist zu lang. Zeichenanzahl: {length}/{limit}",
"create_post.post": "Senden",
"create_post.shortcutsNotSupported": "Tastaturkürzel werden auf Ihrem Gerät nicht unterstützt.",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "Abbrechen",
"deactivate_member_modal.deactivate": "Deaktivieren",
"deactivate_member_modal.desc": "Diese Aktion deaktiviert {username}. Der Nutzer wird abgemeldet und hat keinen Zugriff auf Teams oder Kanäle auf diesem System. Sind Sie sicher, dass Sie {username} deaktivieren möchten?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "{username} deaktivieren",
"default_channel.purpose": "Senden Sie Nachrichten hier, die jeder sehen können soll. Jeder wird automatisch ein permanentes Mitglied in diesem Kanal wenn Sie dem Team beitreten.",
"delete_channel.cancel": "Abbrechen",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "Die Teambeschreibung bieten weitere Informationen um Benutzern die Wahl des richtigen Teams zu ermöglichen. Maximal 50 Zeichen.",
"general_tab.teamName": "Teamname",
"general_tab.teamNameInfo": "Setzen Sie den Namen Ihres Teams, wie er beim Anmelden und oben in der Seitenleiste erscheinen soll.",
"general_tab.teamNameRestrictions": "Name muss zwischen {min} und {max} Zeichen lang sein. Sie können eine längere Teambeschreibung später hinzufügen.",
"general_tab.title": "Allgemeine Einstellungen",
"general_tab.yes": "Ja",
"get_app.alreadyHaveIt": "Haben Sie bereits?",
@@ -1914,8 +1902,8 @@
"mobile.account_notifications.threads_start": "Diskussionen die ich starte",
"mobile.account_notifications.threads_start_participate": "Diskussionen die ich starte oder an denen ich teilnehme",
"mobile.advanced_settings.delete": "Löschen",
"mobile.advanced_settings.delete_file_cache": "Delete File Cache",
"mobile.advanced_settings.delete_file_cache_message": "\nThis will delete all the files stored in the cache. Are you sure you want to delete them?\n",
"mobile.advanced_settings.delete_file_cache": "Datei-Cache löschen",
"mobile.advanced_settings.delete_file_cache_message": "\nDies wird alle Dateien im Cache löschen. Möchten Sie diese wirklich löschen?\n",
"mobile.advanced_settings.reset_button": "Zurücksetzen",
"mobile.advanced_settings.reset_message": "\nDies wird alle gespeicherten Offlinedaten löschen und die Anwendung neustarten. Sie werden automatisch wieder angemeldet, sobald die App neugestartet wurde.\n",
"mobile.advanced_settings.reset_title": "Cache zurücksetzen",
@@ -1928,7 +1916,7 @@
"mobile.android.photos_permission_denied_title": "Zugriff auf Fotobibliothek wird benötigt",
"mobile.android.videos_permission_denied_description": "Um Videos aus ihrer Bibliothek hochzuladen, ändern Sie bitte ihre Berechtigungseinstellungen.",
"mobile.android.videos_permission_denied_title": "Zugriff auf Videobibliothek wird benötigt",
"mobile.channel.markAsRead": "Mark As Read",
"mobile.channel.markAsRead": "Als gelesen markieren",
"mobile.channel_drawer.search": "Springe zu...",
"mobile.channel_info.alertMessageDeleteChannel": "Sind Sie sicher, dass Sie den {term} {name} löschen möchten?",
"mobile.channel_info.alertMessageLeaveChannel": "Sind Sie sicher, dass Sie den {term} {name} verlassen möchten?",
@@ -1937,14 +1925,14 @@
"mobile.channel_info.alertTitleLeaveChannel": "{term} verlassen",
"mobile.channel_info.alertYes": "Ja",
"mobile.channel_info.delete_failed": "Der Kanal {displayName} konnte nicht gelöscht werden. Bitte überprüfen Sie Ihre Verbindung und versuchen es erneut.",
"mobile.channel_info.edit": "Edit Channel",
"mobile.channel_info.edit": "Kanal bearbeiten",
"mobile.channel_info.privateChannel": "Privater Kanal",
"mobile.channel_info.publicChannel": "Öffentlicher Kanal",
"mobile.channel_list.alertMessageLeaveChannel": "Sind Sie sicher, dass Sie den {term} {name} verlassen möchten?",
"mobile.channel_list.alertNo": "Nein",
"mobile.channel_list.alertTitleLeaveChannel": "{term} verlassen",
"mobile.channel_list.alertYes": "Ja",
"mobile.channel_list.channels": "CHANNELS",
"mobile.channel_list.channels": "KANÄLE",
"mobile.channel_list.closeDM": "Direktnachricht schließen",
"mobile.channel_list.closeGM": "Gruppennachricht schließen",
"mobile.channel_list.dm": "Direktnachricht",
@@ -1969,7 +1957,7 @@
"mobile.client_upgrade.no_upgrade_subtitle": "Sie haben bereits die neueste Version.",
"mobile.client_upgrade.no_upgrade_title": "Ihre App ist aktuell",
"mobile.client_upgrade.upgrade": "Aktualisieren",
"mobile.commands.error_title": "Error Executing Command",
"mobile.commands.error_title": "Fehler beim Ausführen des Befehls",
"mobile.components.channels_list_view.yourChannels": "Ihre Kanäle:",
"mobile.components.error_list.dismiss_all": "Alle verwerfen",
"mobile.components.select_server_view.connect": "Verbunden",
@@ -1982,18 +1970,18 @@
"mobile.create_channel.private": "Neuer privater Kanal",
"mobile.create_channel.public": "Neuer Öffentlicher Kanal",
"mobile.custom_list.no_results": "Keine Ergebnisse",
"mobile.document_preview.failed_description": "An error occurred while opening the document. Please make sure you have a {fileType} viewer installed and try again.\n",
"mobile.document_preview.failed_title": "Open Document failed",
"mobile.downloader.android_complete": "Download complete",
"mobile.downloader.android_failed": "Download failed",
"mobile.downloader.android_started": "Download started",
"mobile.downloader.android_success": "download successful",
"mobile.downloader.complete": "Download complete",
"mobile.downloader.downloading": "Downloading...",
"mobile.downloader.failed_description": "An error occurred while downloading the file. Please check your internet connection and try again.\n",
"mobile.downloader.failed_title": "Download failed",
"mobile.downloader.image_saved": "Image Saved",
"mobile.downloader.video_saved": "Video Saved",
"mobile.document_preview.failed_description": "Es trat ein Fehler beim Öffnen des Dokuments auf. Bitte stellen Sie sicher Sie haben einen Betrachter für {fileType} installiert und versuchen es erneut.\n",
"mobile.document_preview.failed_title": "Dokument öffnen fehlgeschlagen",
"mobile.downloader.android_complete": "Herunterladen abgeschlossen",
"mobile.downloader.android_failed": "Herunterladen gescheitert",
"mobile.downloader.android_started": "Herunterladen gestartet",
"mobile.downloader.android_success": "Herunterladen erfolgreich",
"mobile.downloader.complete": "Herunterladen abgeschlossen",
"mobile.downloader.downloading": "Wird herunter geladen...",
"mobile.downloader.failed_description": "Beim Herunterladen der Datei ist ein Fehler aufgetreten. Überprüfen Sie Ihre Internetverbindung und versuchen Sie es erneut.\n",
"mobile.downloader.failed_title": "Herunterladen gescheitert",
"mobile.downloader.image_saved": "Bild gespeichert",
"mobile.downloader.video_saved": "Video gespeichert",
"mobile.drawer.teamsTitle": "Teams",
"mobile.edit_channel": "Speichern",
"mobile.edit_post.title": "Nachricht bearbeiten",
@@ -2005,20 +1993,21 @@
"mobile.emoji_picker.objects": "OBJEKTE",
"mobile.emoji_picker.people": "MENSCHEN",
"mobile.emoji_picker.places": "ORTE",
"mobile.emoji_picker.recent": "RECENTLY USED",
"mobile.emoji_picker.recent": "ZULETZT VERWENDET",
"mobile.emoji_picker.symbols": "SYMBOLE",
"mobile.error_handler.button": "Neustarten",
"mobile.error_handler.description": "\nKlicken Sie auf Neustarten um die App neu zu öffnen. Nach dem Neustart können Sie das Problem über das Einstellungsmenü melden.\n",
"mobile.error_handler.title": "Ein unerwarteter Fehler ist aufgetreten",
"mobile.file_upload.camera": "Ein Foto oder ein Video aufnehmen",
"mobile.file_upload.library": "Foto-Bibliothek",
"mobile.file_upload.max_warning": "Uploads limited to 5 files maximum.",
"mobile.file_upload.more": "Mehr",
"mobile.file_upload.video": "Videobibliothek",
"mobile.help.title": "Hilfe",
"mobile.image_preview.deleted_post_message": "Die Nachricht und die dazugehörigen Dateien wurden gelöscht. Die Vorschau wird nun geschlossen.",
"mobile.image_preview.deleted_post_title": "Nachricht gelöscht",
"mobile.image_preview.save": "Bild speichern",
"mobile.image_preview.save_video": "Save Video",
"mobile.image_preview.save_video": "Video speichern",
"mobile.intro_messages.DM": "Dies ist der Start der Privatnachrichten mit {teammate}. Privatnachrichten und hier geteilte Dateien sind für Personen außerhalb dieses Bereichs nicht sichtbar.",
"mobile.intro_messages.default_message": "Dies ist der Kanal, den Teammitglieder sehen, wenn sie sich anmelden - benutzen Sie ihn zum Veröffentlichen von Aktualisierungen, die jeder kennen muss.",
"mobile.intro_messages.default_welcome": "Willkommen bei {name}!",
@@ -2033,8 +2022,8 @@
"mobile.managed.secured_by": "Gesichert durch {vendor}",
"mobile.markdown.code.copy_code": "Code kopieren",
"mobile.markdown.code.plusMoreLines": "+{count, number} mehr Zeilen",
"mobile.markdown.image.error": "Image failed to load:",
"mobile.markdown.image.too_large": "Image exceeds max dimensions of {maxWidth} by {maxHeight}:",
"mobile.markdown.image.error": "Bild konnte nicht geladen werden:",
"mobile.markdown.image.too_large": "Bild überschreitet die maximale Auflösung von {maxWidth} x {maxHeight}:",
"mobile.markdown.link.copy_url": "Adresse (URL) kopieren",
"mobile.mention.copy_mention": "Erwähnung kopieren",
"mobile.more_dms.start": "Start",
@@ -2086,13 +2075,13 @@
"mobile.post.retry": "Aktualisieren",
"mobile.post_info.add_reaction": "Reaktion hinzufügen",
"mobile.post_info.copy_post": "Nachricht kopieren",
"mobile.rename_channel.display_name_maxLength": "Dieses Feld muss kleiner als {maxLength, number} Zeichen sein",
"mobile.rename_channel.display_name_minLength": "Kanalname muss {minLength, number} oder mehr Zeichen enthalten.",
"mobile.rename_channel.display_name_required": "Channel name is required",
"mobile.rename_channel.name_lowercase": "Dürfen nur Kleinbuchstaben oder Ziffern sein",
"mobile.rename_channel.name_maxLength": "Dieses Feld muss kleiner als {maxLength, number} Zeichen sein",
"mobile.rename_channel.name_minLength": "Kanalname muss {minLength, number} oder mehr Zeichen enthalten.",
"mobile.rename_channel.name_required": "URL is required",
"mobile.rename_channel.display_name_maxLength": "Kanalname muss kürzer als {maxLength, number} Zeichen sein",
"mobile.rename_channel.display_name_minLength": "Kanalname muss {minLength, number} oder mehr Zeichen enthalten",
"mobile.rename_channel.display_name_required": "Kanalname ist erforderlich",
"mobile.rename_channel.name_lowercase": "URLdarf nur Kleinbuchstaben oder Ziffern sein",
"mobile.rename_channel.name_maxLength": "URL muss kürzer als {maxLength, number} Zeichen sein",
"mobile.rename_channel.name_minLength": "URL muss {minLength, number} oder mehr Zeichen enthalten",
"mobile.rename_channel.name_required": "URL ist erforderlich",
"mobile.request.invalid_response": "Ungültige Antwort vom Server erhalten.",
"mobile.retry_message": "Aktualisierung der Nachrichten fehlgeschlagen. Nach oben ziehen, um erneut zu versuchen.",
"mobile.routes.channelInfo": "Info",
@@ -2139,10 +2128,10 @@
"mobile.settings.modal.check_for_upgrade": "Nach Aktualisierungen suchen",
"mobile.settings.team_selection": "Teamauswahl",
"mobile.suggestion.members": "Mitglieder",
"mobile.video.save_error_message": "To save the video file you need to download it first.",
"mobile.video.save_error_title": "Save Video Error",
"mobile.video_playback.failed_description": "An error occurred while trying to play the video.\n",
"mobile.video_playback.failed_title": "Video playback failed",
"mobile.video.save_error_message": "Um das Video zu speichern müssen Sie es zuerst herunterladen.",
"mobile.video.save_error_title": "Fehler beim Speichern des Videos",
"mobile.video_playback.failed_description": "Beim Abspielen des Videos ist ein Fehler aufgetreten.\n",
"mobile.video_playback.failed_title": "Videowiedergabe fehlgeschlagen",
"modal.manaul_status.ask": "Nicht wieder nachfragen",
"modal.manaul_status.button": "Ja, meinen Status auf \"Online\" setzen",
"modal.manaul_status.message": "Möchten Sie Ihren Status auf \"Online\" umschalten?",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "Zurück",
"more_channels.title": "Weitere Kanäle",
"more_direct_channels.close": "Schließen",
"more_direct_channels.directchannel.deactivated": "{displayname} - Deaktiviert",
"more_direct_channels.directchannel.you": "{displayname} (Sie)",
"more_direct_channels.message": "Nachricht",
"more_direct_channels.new_convo_note": "Dies wird eine neue Unterhaltung starten. Wenn Sie viele Personen hinzufügen, könnte ein privater Kanal besser geeignet sein.",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "Team-Einladungslink erhalten",
"navbar_dropdown.teamSettings": "Teameinstellungen",
"navbar_dropdown.viewMembers": "Zeige Mitglieder",
"navbar_dropdown.webrtc.call": "Videoanruf starten",
"navbar_dropdown.webrtc.offline": "Videoanruf Offline",
"navbar_dropdown.webrtc.unavailable": "Videoanruf nicht verfügbar",
"notification.dm": "Direktnachricht",
"notify_all.confirm": "Bestätigen",
"notify_all.question": "Durch die Verwendung von @all oder @channel werden Sie Benachrichtigungen an {totalMembers} Personen senden. Sind Sie sicher, dass Sie dies tun wollen?",
@@ -2305,9 +2298,9 @@
"rename_channel.save": "Speichern",
"rename_channel.title": "Kanal umbenennen",
"rename_channel.url": "URL",
"revoke_user_sessions_modal.desc": "This action revokes all sessions for {username}. They will be logged out from all devices. Are you sure you want to revoke all sessions for {username}?",
"revoke_user_sessions_modal.revoke": "Revoke",
"revoke_user_sessions_modal.title": "Revoke Sessions for {username}",
"revoke_user_sessions_modal.desc": "Diese Aktion zieht alle Sitzungen für {username} zurück. Sie werden von allen Geräten abgemeldet. Möchten Sie wirklich alle Sitzungen für {username} zurückziehen?",
"revoke_user_sessions_modal.revoke": "Zurückziehen",
"revoke_user_sessions_modal.title": "Sitzungen für {username} zurückziehen",
"rhs_comment.comment": "Kommentar",
"rhs_comment.del": "Löschen",
"rhs_comment.edit": "Bearbeiten",
@@ -2334,7 +2327,7 @@
"rhs_root.unpin": "Vom Kanal abheften",
"rhs_thread.rootPostDeletedMessage.body": "Ein Teil dieses Nachrichtenverlaufes wurde wegen einer Datenaufbewahrungsrichtlinie gelöscht. Sie können nicht länger auf diesen Strang antworten.",
"save_button.save": "Speichern",
"save_button.saving": "Saving",
"save_button.saving": "Wird gespeichert",
"search_bar.search": "Suche",
"search_bar.usage": "<h4>Suchoptionen</h4><ul><li><span>Verwenden Sie </span><b>\"Anführungszeichen\"</b><span> zur Suche nach Phrasen</span></li><li><span>Verwenden Sie </span><b>from:</b><span> um nach Nachrichten eines bestimmten Absenders zu suchen und </span><b>in:</b><span> für Nachrichten in einem bestimmten Kanal</span></li></ul>",
"search_header.results": "Suchergebnisse",
@@ -2402,8 +2395,8 @@
"shortcuts.msgs.reprint_prev.mac": "Vorherige Nachricht wiederholen:\t⌘|Aufwärts",
"shortcuts.nav.direct_messages_menu": "Direktnachrichtenmenü:\tStrg|Shift|K",
"shortcuts.nav.direct_messages_menu.mac": "Direktnachrichtenmenü:\t⌘|Shift|K",
"shortcuts.nav.focus_center": "Set focus to input field:\tCtrl|Shift|L",
"shortcuts.nav.focus_center.mac": "Set focus to input field:\t⌘|Shift|L",
"shortcuts.nav.focus_center": "Setze Fokus auf Eingabefeld:\tStrg|Shift|L",
"shortcuts.nav.focus_center.mac": "Setze Fokus auf Eingabefeld:\t⌘|Shift|L",
"shortcuts.nav.header": "Navigation",
"shortcuts.nav.next": "Nächster Kanal:\tAlt|Abwärts",
"shortcuts.nav.next.mac": "Nächster Kanal:\t⌥|Abwärts",
@@ -2566,7 +2559,7 @@
"textbox.help": "Hilfe",
"textbox.inlinecode": "`inline code`",
"textbox.italic": "_kursiv_",
"textbox.preformatted": "```vorvormatiert´´´",
"textbox.preformatted": "```vorvormatiert```",
"textbox.preview": "Vorschau",
"textbox.quote": ">Zitat",
"textbox.strike": "Durchgestrichen",
@@ -2895,16 +2888,16 @@
"user.settings.tokens.confirmCreateButton": "Ja, erstellen",
"user.settings.tokens.confirmCreateMessage": "Sie generieren einen persönlichen Zugriffs-Token mit Systemadministrator-Berechtigungen. Sind Sie sicher, dass Sie dieses Token erstellen wollen?",
"user.settings.tokens.confirmCreateTitle": "Persönlichen Systemadministrator-Zugriffs-Token erstellen",
"user.settings.tokens.confirmDeactivateButton": "Yes, Deactivate",
"user.settings.tokens.confirmDeactivateMessage": "Any integrations using this token will not be able to access the Mattermost API until the token is reactivated. <br /><br />Are you sure want to deactivate the {description} token?",
"user.settings.tokens.confirmDeactivateTitle": "Deactivate Token?",
"user.settings.tokens.confirmDeactivateButton": "Ja, deaktivieren",
"user.settings.tokens.confirmDeactivateMessage": "Jede Integration, welche dieses Token verwendet, wird nicht mehr auf die Mattermost-API zugreifen können bis dieses Token reaktiviert wurde.<br /><br /> Möchten Sie wirklich das Token {description} deaktivieren?",
"user.settings.tokens.confirmDeactivateTitle": "Token deaktivieren?",
"user.settings.tokens.confirmDeleteButton": "Ja, löschen",
"user.settings.tokens.confirmDeleteMessage": "Alle Integrationen, die dieses Token verwenden, werden nicht weiter in der Lage sein auf die Mattermost-API zuzugreifen. Diese Aktion kann nicht rückgängig gemacht werden.<br /><br />Sind Sie sicher, dass sie das Token <strong>{description}</strong> löschen möchten?",
"user.settings.tokens.confirmDeleteTitle": "Token löschen?",
"user.settings.tokens.copy": "Bitte kopieren Sie das unten stehende Token. Sie werden es nicht erneut ansehen können!",
"user.settings.tokens.create": "Neues Token erstellen",
"user.settings.tokens.deactivate": "Deaktivieren",
"user.settings.tokens.deactivatedWarning": "Inaktiv",
"user.settings.tokens.deactivatedWarning": "(Inaktiv)",
"user.settings.tokens.delete": "Löschen",
"user.settings.tokens.description": "<a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">Persönliche Zugriffs-Token</a> funktionieren ähnlich wie Sitzungs-Token und können von Integrationen zur <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">Authentifizierung gegenüber der REST-API</a> verwendet werden.",
"user.settings.tokens.description_mobile": "<a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">Persönliche Zugriffs-Token</a> funktionieren ähnlich wie Sitzungs-Token und können von Integrationen zur <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">Authentifizierung gegenüber der REST-API</a> verwendet werden. Erstellen Sie neue Token auf ihrem Desktop.",

View File

@@ -195,6 +195,16 @@
"admin.compliance.saving": "Saving Config...",
"admin.compliance.title": "Compliance Settings",
"admin.compliance.true": "true",
"admin.complianceExport.createJob.help": "Initiates a Compliance Export job immediately.",
"admin.complianceExport.createJob.title": "Run Compliance Export Job Now",
"admin.complianceExport.description": "This feature supports compliance exports to the Actiance XML format, and is currently in beta. Support for the GlobalRelay EML format and the Mattermost CSV format are scheduled for a future release, and will replace the existing <a href=\"/admin_console/general/compliance\">Compliance</a> feature. Compliance Export files will be written to the \"exports\" subdirectory of the configured <a href=\"/admin_console/files/storage\">Local Storage Directory</a>.",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "File format of the compliance export. Corresponds to the system that you want to import the data into.",
"admin.complianceExport.exportFormat.title": "Export File Format:",
"admin.complianceExport.exportJobStartTime.description": "Set the start time of the daily scheduled compliance export job. Choose a time when fewer people are using your system. Must be a 24-hour time stamp in the form HH:MM.",
"admin.complianceExport.exportJobStartTime.example": "E.g.: \"02:00\"",
"admin.complianceExport.exportJobStartTime.title": "Compliance Export time:",
"admin.complianceExport.title": "Compliance Export (Beta)",
"admin.compliance_reports.desc": "Job Name:",
"admin.compliance_reports.desc_placeholder": "E.g. \"Audit 445 for HR\"",
"admin.compliance_reports.emails": "Emails:",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "Manage Personal Access Tokens",
"admin.manage_tokens.userAccessTokensDescription": "Personal access tokens function similarly to session tokens and can be used by integrations to <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">interact with this Mattermost server</a>. Tokens are disabled if the user is deactivated. Learn more about <a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">personal access tokens</a>.",
"admin.manage_tokens.userAccessTokensNone": "No personal access tokens.",
"admin.messageExport.createJob.help": "Initiates a Message Export job immediately.",
"admin.messageExport.createJob.title": "Run Message Export job now",
"admin.messageExport.description": "Message Export dumps all posts into a file that can be imported into third-party systems. The export task is scheduled to run once per day.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "The file format to write exported data in. Corresponds to the system that you want to import the data into.",
"admin.messageExport.exportFormat.title": "Export File Format:",
"admin.messageExport.exportFromTimestamp.description": "Posts older than this will not be exported. Expressed as the number of seconds since the Unix Epoch (January 1, 1970).",
"admin.messageExport.exportFromTimestamp.example": "E.g.: Tuesday October 24, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Creation Time of Oldest Post to Export:",
"admin.messageExport.exportJobStartTime.description": "Set the start time of the daily scheduled message export job. Choose a time when fewer people are using your system. Must be a 24-hour time stamp in the form HH:MM.",
"admin.messageExport.exportJobStartTime.example": "E.g.: \"02:00\"",
"admin.messageExport.exportJobStartTime.title": "Message Export time:",
"admin.messageExport.exportLocation.description": "The directory on your hard drive to write export files to. Mattermost must have write access to this directory. Do not include a filename.",
"admin.messageExport.exportLocation.example": "E.g.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Export Directory:",
"admin.messageExport.title": "Message Export (Beta)",
"admin.metrics.enableDescription": "When true, Mattermost will enable performance monitoring collection and profiling. Please see <a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>documentation</a> to learn more about configuring performance monitoring for Mattermost.",
"admin.metrics.enableTitle": "Enable Performance Monitoring:",
"admin.metrics.listenAddressDesc": "The address the server will listen on to expose performance metrics.",
@@ -720,31 +714,22 @@
"admin.plugin.desc": "Description:",
"admin.plugin.error.activate": "Unable to upload the plugin. It may conflict with another plugin on your server.",
"admin.plugin.error.extract": "Encountered an error when extracting the plugin. Review your plugin file content and try again.",
"admin.plugin.id": "ID:",
"admin.plugin.id": "Id:",
"admin.plugin.installedDesc": "Installed plugins on your Mattermost server. Pre-packaged plugins are installed by default, and can be deactivated but not removed.",
"admin.plugin.installedTitle": "Installed Plugins: ",
"admin.plugin.management.title": "Management",
"admin.plugin.name": "Name:",
"admin.plugin.no_plugins": "No installed plugins.",
"admin.plugin.prepackaged": "Pre-packaged",
"admin.plugin.remove": "Remove",
"admin.plugin.removing": "Removing...",
"admin.plugin.settingsButton": "Settings",
"admin.plugin.upload": "Upload",
"admin.plugin.uploadDesc": "Upload a plugin for your Mattermost server. See <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugin.uploadDisabledDesc": "To enable plugin uploads, go to <strong>Plugins > Configuration</strong>. See <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugin.uploadTitle": "Upload Plugin: ",
"admin.plugin.uploading": "Uploading...",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "channelurl",
"admin.plugins.jira.enabledDescription": "When true, you can configure JIRA webhooks to post message in Mattermost. To help combat phishing attacks, all posts are labelled by a BOT tag.",
"admin.plugins.jira.enabledLabel": "Enable JIRA:",
"admin.plugins.jira.secretDescription": "This secret is used to authenticate to Mattermost.",
"admin.plugins.jira.secretLabel": "Secret:",
"admin.plugins.jira.secretParamPlaceholder": "secret",
"admin.plugins.jira.secretRegenerateDescription": "Regenerates the secret for the webhook URL endpoint. Regenerating the secret invalidates your existing JIRA integrations.",
"admin.plugins.jira.setupDescription": "Use this webhook URL to set up the JIRA integration. See {webhookDocsLink} to learn more.",
"admin.plugins.jira.teamParamPlaceholder": "teamurl",
"admin.plugins.jira.userDescription": "Select the username that this integration is attached to.",
"admin.plugins.jira.userLabel": "User:",
"admin.plugins.jira.webhookDocsLink": "documentation",
"admin.plugin.version": "Version:",
"admin.plugins.settings.enable": "Enable Plugins: ",
"admin.plugins.settings.enableDesc": "When true, enables plugins on your Mattermost server. Use plugins to integrate with third-party systems, extend functionality or customize the user interface of your Mattermost server. See <a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugins.settings.enableUploads": "Enable Plugin Uploads: ",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "Maximum Login Attempts:",
"admin.service.cmdsDesc": "When true, custom slash commands will be allowed. See <a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>documentation</a> to learn more.",
"admin.service.cmdsTitle": "Enable Custom Slash Commands: ",
"admin.service.complianceExportDesc": "When true, Mattermost will generate a compliance export file that contains all messages that were posted in the last 24 hours. The export task is scheduled to run once per day. See <a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">the documentation</a> to learn more.",
"admin.service.complianceExportTitle": "Enable Compliance Export:",
"admin.service.corsDescription": "Enable HTTP Cross origin request from a specific domain. Use \"*\" if you want to allow CORS from any domain or leave it blank to disable it.",
"admin.service.corsEx": "http://example.com",
"admin.service.corsTitle": "Enable cross-origin requests from:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "Listen Address:",
"admin.service.listenDescription": "The address and port to which to bind and listen. Specifying \":8065\" will bind to all network interfaces. Specifying \"127.0.0.1:8065\" will only bind to the network interface having that IP address. If you choose a port of a lower level (called \"system ports\" or \"well-known ports\", in the range of 0-1023), you must have permissions to bind to that port. On Linux you can use: \"sudo setcap cap_net_bind_service=+ep ./bin/platform\" to allow Mattermost to bind to well-known ports.",
"admin.service.listenExample": "E.g.: \":8065\"",
"admin.service.messageExportDesc": "When true, the system will export all messages that are sent once per day.",
"admin.service.messageExportTitle": "Enable Message Export:",
"admin.service.mfaDesc": "When true, users with AD/LDAP or email login can add multi-factor authentication to their account using Google Authenticator.",
"admin.service.mfaTitle": "Enable Multi-factor Authentication:",
"admin.service.mobileSessionDays": "Session Length Mobile (days):",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "Client Versions",
"admin.sidebar.cluster": "High Availability",
"admin.sidebar.compliance": "Compliance",
"admin.sidebar.compliance_export": "Compliance Export (Beta)",
"admin.sidebar.configuration": "Configuration",
"admin.sidebar.connections": "Connections",
"admin.sidebar.customBrand": "Custom Branding",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "General",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "Integrations",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "Legal and Support",
"admin.sidebar.license": "Edition and License",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "Logging",
"admin.sidebar.login": "Login",
"admin.sidebar.logs": "Logs",
"admin.sidebar.message_export": "Message Export (Beta)",
"admin.sidebar.metrics": "Performance Monitoring",
"admin.sidebar.mfa": "MFA",
"admin.sidebar.nativeAppLinks": "Mattermost App Links",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "Active Users With Posts",
"analytics.system.channelTypes": "Channel Types",
"analytics.system.dailyActiveUsers": "Daily Active Users",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "Monthly Active Users",
"analytics.system.postTypes": "Posts, Files and Hashtags",
"analytics.system.privateGroups": "Private Channels",
"analytics.system.publicChannels": "Public Channels",
"analytics.system.skippedIntensiveQueries": "To maximize performance, some statistics are disabled. You can re-enable them in config.json. See: <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a>",
"analytics.system.textPosts": "Posts with Text-only",
"analytics.system.title": "System Statistics",
"analytics.system.totalChannels": "Total Channels",
@@ -1260,7 +1245,7 @@
"audit_table.userAdded": "Added {username} to the {channelName} channel",
"audit_table.userId": "User ID",
"audit_table.userRemoved": "Removed {username} to the {channelName} channel",
"audit_table.verified": "Sucessfully verified your email address",
"audit_table.verified": "Successfully verified your email address",
"authorize.access": "Allow <strong>{appName}</strong> access?",
"authorize.allow": "Allow",
"authorize.app": "The app <strong>{appName}</strong> would like the ability to access and modify your basic information.",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "View Info",
"channel_header.viewMembers": "View Members",
"channel_header.webrtc.call": "Start Video Call",
"channel_header.webrtc.doNotDisturb": "Do not disturb",
"channel_header.webrtc.offline": "The user is offline",
"channel_header.webrtc.unavailable": "New call unavailable until your existing call ends",
"channel_info.about": "About",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "Cancel",
"deactivate_member_modal.deactivate": "Deactivate",
"deactivate_member_modal.desc": "This action deactivates {username}. They will be logged out and not have access to any teams or channels on this system. Are you sure you want to deactivate {username}?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "Deactivate {username}",
"default_channel.purpose": "Post messages here that you want everyone to see. Everyone automatically becomes a permanent member of this channel when they join the team.",
"delete_channel.cancel": "Cancel",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "Team description provides additional information to help users select the right team. Maximum of 50 characters.",
"general_tab.teamName": "Team Name",
"general_tab.teamNameInfo": "Set the name of the team as it appears on your sign-in screen and at the top of the left-hand sidebar.",
"general_tab.teamNameRestrictions": "Team Name must be {min} or more characters up to a maximum of {max}. You can add a longer team description.",
"general_tab.title": "General Settings",
"general_tab.yes": "Yes",
"get_app.alreadyHaveIt": "Already have it?",
@@ -2012,6 +2000,7 @@
"mobile.error_handler.title": "Unexpected error occurred",
"mobile.file_upload.camera": "Take Photo or Video",
"mobile.file_upload.library": "Photo Library",
"mobile.file_upload.max_warning": "Uploads limited to 5 files maximum.",
"mobile.file_upload.more": "More",
"mobile.file_upload.video": "Video Library",
"mobile.help.title": "Help",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "Previous",
"more_channels.title": "More Channels",
"more_direct_channels.close": "Close",
"more_direct_channels.directchannel.deactivated": "{displayname} - Deactivated",
"more_direct_channels.directchannel.you": "{displayname} (you)",
"more_direct_channels.message": "Message",
"more_direct_channels.new_convo_note": "This will start a new conversation. If youre adding a lot of people, consider creating a private channel instead.",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "Get Team Invite Link",
"navbar_dropdown.teamSettings": "Team Settings",
"navbar_dropdown.viewMembers": "View Members",
"navbar_dropdown.webrtc.call": "Start Video Call",
"navbar_dropdown.webrtc.offline": "Video Call Offline",
"navbar_dropdown.webrtc.unavailable": "Video Call Unavailable",
"notification.dm": "Direct Message",
"notify_all.confirm": "Confirm",
"notify_all.question": "By using @all or @channel you are about to send notifications to {totalMembers} people. Are you sure you want to do this?",
@@ -2767,7 +2760,7 @@
"user.settings.notifications.desktop.allSoundHiddenTimed": "For all activity, shown for {seconds} seconds",
"user.settings.notifications.desktop.allSoundTimed": "For all activity, with sound, shown for {seconds} seconds",
"user.settings.notifications.desktop.duration": "Notification duration",
"user.settings.notifications.desktop.durationInfo": "Sets how long desktop notifications will remain on screen when using Firefox or Chrome. Desktop notifications in Edge and Safari can only stay on screen for a maximum of 5 seconds.",
"user.settings.notifications.desktop.durationInfo": "Sets how long desktop notifications will remain on screen when using Firefox or Chrome. Desktop notifications in Edge, Safari and Mattermost Desktop Apps can only stay on screen for a maximum of 5 seconds.",
"user.settings.notifications.desktop.mentionsNoSoundForever": "For mentions and direct messages, without sound, shown indefinitely",
"user.settings.notifications.desktop.mentionsNoSoundTimed": "For mentions and direct messages, without sound, shown for {seconds} seconds",
"user.settings.notifications.desktop.mentionsSoundForever": "For mentions and direct messages, with sound, shown indefinitely",

View File

@@ -182,19 +182,29 @@
"admin.cluster.status_table.url": "Dirección de murmuración",
"admin.cluster.status_table.version": "Versión:",
"admin.cluster.unknown": "desconocido",
"admin.compliance.directoryDescription": "Directorio en el que se escriben los informes de cumplimiento. Si se deja en blanco, se utilizará ./data/.",
"admin.compliance.directoryDescription": "Directorio en el que se escriben los informes de conformidad. Si se deja en blanco, se utilizará ./data/.",
"admin.compliance.directoryExample": "Ej.: \"./data/\"",
"admin.compliance.directoryTitle": "Directorio del Informe De Cumplimiento:",
"admin.compliance.enableDailyDesc": "Cuando es verdadero, Mattermost generará un reporte de cumplimiento diario.",
"admin.compliance.directoryTitle": "Directorio del Informe de Conformidad:",
"admin.compliance.enableDailyDesc": "Cuando es verdadero, Mattermost generará un reporte de conformidad diario.",
"admin.compliance.enableDailyTitle": "Habilitar Informes Diarios:",
"admin.compliance.enableDesc": "Cuando es verdadedo, Mattermost permite la creación de informes de cumplimiento desde la ficha <strong>Cumplimiento y Auditoría</strong>. Ver la <a href=\"https://docs.mattermost.com/administration/compliance.html\" target='_blank'>documentación</a> para obtener más información.",
"admin.compliance.enableTitle": "Habilitar Los Informes De Cumplimiento:",
"admin.compliance.enableDesc": "Cuando es verdadero, Mattermost permite la creación de informes de conformidad desde la ficha <strong>Conformidad y Auditoría</strong>. Ver la <a href=\"https://docs.mattermost.com/administration/compliance.html\" target='_blank'>documentación</a> para obtener más información.",
"admin.compliance.enableTitle": "Habilitar Los Informes de Conformidad:",
"admin.compliance.false": "falso",
"admin.compliance.noLicense": "<h4 class=\"banner__heading\">Nota:</h4><p>El Cumplimiento es una característica de la edición enterprise. Tu licencia actual no soporta Cumplimiento. Haz clic <a href=\"http://mattermost.com\" target='_blank'>aquí</a> para información y precio de las licencias empresariales.</p>",
"admin.compliance.noLicense": "<h4 class=\"banner__heading\">Nota:</h4><p>Conformidad es una característica de la edición enterprise. Tu licencia actual no soporta Conformidad. Haz clic <a href=\"http://mattermost.com\" target='_blank'>aquí</a> para información y precio de las licencias empresariales.</p>",
"admin.compliance.save": "Guardar",
"admin.compliance.saving": "Guardando...",
"admin.compliance.title": "Configuración de Cumplimiento",
"admin.compliance.title": "Configuración de Conformidad",
"admin.compliance.true": "verdadero",
"admin.complianceExport.createJob.help": "Inicia un trabajo de Exportación de Conformidad de inmediato.",
"admin.complianceExport.createJob.title": "Ejecutar el trabajo de Exportación de Conformidad",
"admin.complianceExport.description": "Esta característica soporta la exportación de conformidad a formatos de Actiance XML, y se encuentra actualmente en Beta. Soporte para los formatos GlobalRelay EML y Mattermost CSV serán incluidos en una futura versión, y reemplazará la característica de <a href=\"/admin_console/general/compliance\">Conformidad</a> existente. Los archivos de Conformidad exportados serán almacenados en el subdirectorio \"exports\" bajo el <a href=\"/admin_console/files/storage\">Directorio de Almacenamiento Local</a> configurado.",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "Formato del archivo de la exportación de conformidad. Corresponde al sistema al cual será importada la data.",
"admin.complianceExport.exportFormat.title": "Exportar a formato de archivo:",
"admin.complianceExport.exportJobStartTime.description": "Establece la hora de inicio diaria para la ejecución del trabajo de exportación de conformidad. Elige un momento en el que menos personas estén usando el sistema. Debe ser una hora en horario de 24 horas en la forma HH:MM.",
"admin.complianceExport.exportJobStartTime.example": "Ej.: \"20:00\"",
"admin.complianceExport.exportJobStartTime.title": "Hora de exportación:",
"admin.complianceExport.title": "Exportación de Conformidad (Beta)",
"admin.compliance_reports.desc": "Nombre del trabajo:",
"admin.compliance_reports.desc_placeholder": "Ej \"Auditoria 445 para RRHH\"",
"admin.compliance_reports.emails": "Correos electrónicos:",
@@ -205,7 +215,7 @@
"admin.compliance_reports.keywords_placeholder": "Ej \"acortar inventario\"",
"admin.compliance_reports.reload": "Recargar",
"admin.compliance_reports.run": "Ejecutar",
"admin.compliance_reports.title": "Informes de Cumplimiento",
"admin.compliance_reports.title": "Informes de Conformidad",
"admin.compliance_reports.to": "Hasta:",
"admin.compliance_reports.to_placeholder": "Ej \"2016-03-15\"",
"admin.compliance_table.desc": "Descripción",
@@ -340,9 +350,9 @@
"admin.email.mtpnsHelp": "Descarga <a href=\"https://about.mattermost.com/mattermost-ios-app\" target='_blank'>la app de Mattermost para iOS</a> desde iTunes. Descarga <a href=\"https://about.mattermost.com/mattermost-android-app\" target='_blank'>la app de Mattermost para Android</a> desde Google Play. Conoce más acerca de <a href=\"https://about.mattermost.com/default-tpns/\" target='_blank'>TPNS</a>.",
"admin.email.nofificationOrganizationExample": "Ej: \"© ABC Corporation, 565 Knight Way, Palo Alto, California, 94305, USA\"",
"admin.email.notification.contents.full": "Enviar contenido completo del mensaje",
"admin.email.notification.contents.full.description": "Nombre del remitente y del canal son incluidos en las notificaciones de correo electrónico.</br>Normalmente utilizado por razones de cumplimiento si Mattermost contiene información confidencial y la política dicta que no se puede almacenar en un correo electrónico.",
"admin.email.notification.contents.full.description": "Nombre del remitente y del canal son incluidos en las notificaciones de correo electrónico.</br>Normalmente utilizado por razones de conformidad si Mattermost contiene información confidencial y la política dicta que no se puede almacenar en un correo electrónico.",
"admin.email.notification.contents.generic": "Enviar descripción genérica con sólo el nombre del remitente",
"admin.email.notification.contents.generic.description": "Sólo el nombre de la persona que envió el mensaje, el nombre del canal o el contenido del mensaje no son incluidos en las notificaciones de correo electrónico.</br>Normalmente utilizado por razones de cumplimiento si Mattermost contiene información confidencial y la política dicta que no se puede almacenar en un correo electrónico.",
"admin.email.notification.contents.generic.description": "Sólo el nombre de la persona que envió el mensaje, el nombre del canal o el contenido del mensaje no son incluidos en las notificaciones de correo electrónico.</br>Normalmente utilizado por razones de conformidad si Mattermost contiene información confidencial y la política dicta que no se puede almacenar en un correo electrónico.",
"admin.email.notification.contents.title": "Contenido de las Notificaciones por correo electrónico: ",
"admin.email.notificationDisplayDescription": "Muestra el nombre en la cuenta del email utilizada para enviar notificaciones por correo electrónico desde Mattermost.",
"admin.email.notificationDisplayExample": "Ej: \"Notificación de Mattermost\", \"Sistema\", \"No-Responder\"",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "Gestionar Tokens de Acceso Personales",
"admin.manage_tokens.userAccessTokensDescription": "Tokens de acceso personales funcionan similar a un token de sesión y pueden ser utilizado por integraciones para <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">interactuar con este servidor de Mattermost</a>. Los Tokens son desactivados si el usuario es inhabilitado. Conoce más acerca de <a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">tokens de acceso personales</a>.",
"admin.manage_tokens.userAccessTokensNone": "No hay tokens de acceso personales.",
"admin.messageExport.createJob.help": "Inicia el trabajo de Exportación de Mensajes inmediatamente.",
"admin.messageExport.createJob.title": "Ejecutar la Exportación de Mensajes de trabajo ahora",
"admin.messageExport.description": "La Exportación de mensajes vuelca todos los mensajes en un archivo que se pueden importar en sistemas de terceros. La tarea de exportación está programada para que se ejecute una vez al día.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "El formato de archivo para escribir los datos exportados. Corresponde al sistema que desea importar los datos.",
"admin.messageExport.exportFormat.title": "Exportar a formato de archivo:",
"admin.messageExport.exportFromTimestamp.description": "Los mensajes más antiguos a este valor no serán exportado. Se expresa como el número de segundos desde la época Unix (1 de enero de 1970).",
"admin.messageExport.exportFromTimestamp.example": "Ej.: Martes 24 de octubre de 2017 @ 12h UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "El Momento de la creación del mensaje más antiguo a Exportar:",
"admin.messageExport.exportJobStartTime.description": "Establece la hora de inicio diaria para la ejecución del trabajo de exportación de mensajes. Elige un momento en el que menos personas estén usando el sistema. Debe ser una hora en horario de 24 horas en la forma HH:MM.",
"admin.messageExport.exportJobStartTime.example": "Ej.: \"20:00\"",
"admin.messageExport.exportJobStartTime.title": "Hora para exportar los mensajes:",
"admin.messageExport.exportLocation.description": "El directorio en el disco duro para escribir los archivos de exportación. Mattermost debe tener acceso de escritura a este directorio. No incluir el nombre del archivo.",
"admin.messageExport.exportLocation.example": "Ej.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Directorio de exportación:",
"admin.messageExport.title": "Exportación de Mensajes (Beta)",
"admin.metrics.enableDescription": "Cuando es verdadero, Mattermost habilitará el monitoreo de desempeño, la recolección y la elaboración de perfiles. Por favor, consulta la <a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>documentación</a> para obtener más información acerca de la configuración del monitoreo del rendimiento para Mattermost.",
"admin.metrics.enableTitle": "Habilitar el Monitoreo de Desempeño:",
"admin.metrics.listenAddressDesc": "La dirección del servidor que escuchará para mostrar las métricas de rendimiento.",
@@ -720,31 +714,22 @@
"admin.plugin.desc": "Descripción",
"admin.plugin.error.activate": "No puede cargar el plugin. Puede que cause conflicto con otro plugin en el servidor.",
"admin.plugin.error.extract": "Se ha encontrado un error al extraer el plugin. Revisa el contenido del archivo del plugin y prueba de nuevo.",
"admin.plugin.id": "ID: ",
"admin.plugin.id": "Id:",
"admin.plugin.installedDesc": "Complemenos instalados en tu servidor de Mattermost. Los complementos pre-empacados están instalados de forma predeterminada y pueden ser desactivados pero no removidos.",
"admin.plugin.installedTitle": "Complementos instalados: ",
"admin.plugin.management.title": "Administración",
"admin.plugin.name": "Nombre:",
"admin.plugin.no_plugins": "No hay complementos instalados.",
"admin.plugin.prepackaged": "Pre-empaquetado",
"admin.plugin.remove": "Eliminar",
"admin.plugin.removing": "Eliminando...",
"admin.plugin.settingsButton": "Configuración",
"admin.plugin.upload": "Cargar",
"admin.plugin.uploadDesc": "Cargar un complemento en tu servidor Mattermost. Ver la <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentación</a> para obtener más información.",
"admin.plugin.uploadDisabledDesc": "Para habilitar la carga de plugins, dirígete a <strong>Plugins > Configuración</strong>. Ver la <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentación</a> para conocer más.",
"admin.plugin.uploadTitle": "Cargar Plugin: ",
"admin.plugin.uploading": "Cargando…",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "URL del canal",
"admin.plugins.jira.enabledDescription": "Cuando es verdadero, se puede configurar JIRA webhooks para publicar mensajes en Mattermost. Para ayudar a combatir los ataques de phishing, todos los mensajes están marcados por una etiqueta BOT.",
"admin.plugins.jira.enabledLabel": "Habilitar JIRA:",
"admin.plugins.jira.secretDescription": "Esta clave secreta se utiliza para autenticar a Mattermost.",
"admin.plugins.jira.secretLabel": "Clave Secreta:",
"admin.plugins.jira.secretParamPlaceholder": "clave secreta",
"admin.plugins.jira.secretRegenerateDescription": "Regenera la clave secreta para la de dirección URL del webhook. La regeneración de la clave secreta invalida su actual integración de JIRA.",
"admin.plugins.jira.setupDescription": "Utiliza esta URL del webhook para configurar la integración de JIRA. Ver {webhookDocsLink} para obtener más información.",
"admin.plugins.jira.teamParamPlaceholder": "URL del equipo",
"admin.plugins.jira.userDescription": "Seleccione el nombre de usuario que será utilizado por esta integración.",
"admin.plugins.jira.userLabel": "Usuario:",
"admin.plugins.jira.webhookDocsLink": "documentación",
"admin.plugin.version": "Versión:",
"admin.plugins.settings.enable": "Activar complementos: ",
"admin.plugins.settings.enableDesc": "Cuando es verdadero, activa los complementos en tu servidor Mattermost. Utiliza complementos para integrar con sistemas de terceros, extender la funcionalidad o personalizar la interfaz de usuario de tu servidor Mattermost. Lee la <a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">documentación</a> para obtener más información.",
"admin.plugins.settings.enableUploads": "Habilitar Carga de Complementos: ",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "Máximo de intentos de conexión:",
"admin.service.cmdsDesc": "Cuando es verdadero, los comandos de barra serán permitidos. Revisa la <a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>documentación</a> para obtener más información.",
"admin.service.cmdsTitle": "Habilitar Comandos de Barra Personalizados: ",
"admin.service.complianceExportDesc": "Cuando es verdadero, Mattermost generará un archivo de exportación de conformidad que contiene todos los mensajes publicados en las últimas 24 horas. La tarea de exportación está programada para ejecutarse una vez al día. Lee la <a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">documentación</a> para obtener más información.",
"admin.service.complianceExportTitle": "Habilitar Los Informes de Conformidad:",
"admin.service.corsDescription": "Habilitar solicitudes HTTP de origen cruzado desde un dominio específico. Utiliza \"*\" si quieres permitir CORS desde cualquier dominio o déjalo en blanco para inhabilitarlo.",
"admin.service.corsEx": "http://ejemplo.com",
"admin.service.corsTitle": "Habilitar la procedencia de las solicitudes cruzadas de:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "Dirección de escucha:",
"admin.service.listenDescription": "La dirección y el puerto al que se debe enlazar y escuchar. Si se especifica \":8065\" se enlaza a todas las interfaces de red. Al especificar \"127.0.0.1:8065\" sólo se enlaza a la interfaz de red que tiene esa dirección IP. Si eliges un puerto de un nivel inferior (llamado \"puertos de sistema\" o \"puertos conocidos\", en el rango de 0-1023), debes tener permisos para enlazar a ese puerto. En Linux puedes usar: \"sudo setcap cap_net_bind_service=+ep ./bin/platform\" para permitir que Mattermost sea enlazado a los puertos conocidos.",
"admin.service.listenExample": "Ej.: \":8065\"",
"admin.service.messageExportDesc": "Cuando es verdadero, el sistema exportará todos los mensajes que han sido enviados una vez al día.",
"admin.service.messageExportTitle": "Habilitar la Exportación de Mensajes:",
"admin.service.mfaDesc": "Cuando es verdadero, los usuarios con inicio de sesión AD/LDAP o correo electrónico podrán agregar la autenticación de múltiples factores a su cuenta utilizando Google Authenticator.",
"admin.service.mfaTitle": "Habilitar Autenticación de Múltiples Factores:",
"admin.service.mobileSessionDays": "Duración de la sesión para móviles (días):",
@@ -952,7 +937,8 @@
"admin.sidebar.authentication": "Autenticación",
"admin.sidebar.client_versions": "Versión de Clientes",
"admin.sidebar.cluster": "Alta disponibilidad",
"admin.sidebar.compliance": "Cumplimiento",
"admin.sidebar.compliance": "Conformidad",
"admin.sidebar.compliance_export": "Exportación de Conformidad (Beta)",
"admin.sidebar.configuration": "Configuración",
"admin.sidebar.connections": "Conexiones",
"admin.sidebar.customBrand": "Marca Personalizada",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "General",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "Integraciones",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "Legal y Soporte",
"admin.sidebar.license": "Edición y Licencia",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "Registros",
"admin.sidebar.login": "Inicio de Sesión",
"admin.sidebar.logs": "Registros",
"admin.sidebar.message_export": "Exportación de Mensajes (Beta)",
"admin.sidebar.metrics": "Monitoreo de Desempeño",
"admin.sidebar.mfa": "MFA",
"admin.sidebar.nativeAppLinks": "Enlaces de Mattermost App",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "Usuarios Activos con Mensajes",
"analytics.system.channelTypes": "Tipos de Canales",
"analytics.system.dailyActiveUsers": "Usuarios Activos Diarios",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "Usuarios Activos Mensuales",
"analytics.system.postTypes": "Mesajes, Archivos y Hashtags",
"analytics.system.privateGroups": "Canales Privados",
"analytics.system.publicChannels": "Canales Públicos",
"analytics.system.skippedIntensiveQueries": "Para maximizar el rendimiento, algunas estadísticas están inhabilitadas. Puedes volver a activarlas en el archivo config.json. Ver: <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a>",
"analytics.system.textPosts": "Mensajes de sólo Texto",
"analytics.system.title": "Estadísticas del Sistema",
"analytics.system.totalChannels": "Total de Canales",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "Ver Info",
"channel_header.viewMembers": "Ver Miembros",
"channel_header.webrtc.call": "Iniciar llamada de vídeo",
"channel_header.webrtc.doNotDisturb": "No molestar",
"channel_header.webrtc.offline": "El usuario está desconectado",
"channel_header.webrtc.unavailable": "No se puede realizar una nueva llamada hasta que la llamada actual finalice",
"channel_info.about": "Acerca",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "Cancelar",
"deactivate_member_modal.deactivate": "Desactivar",
"deactivate_member_modal.desc": "Esta acción desactiva a {username}. Se cerrará la sesión del usuario y no tendrá acceso a ningún equipo o canal en este sistema. ¿Estás seguro de querer desactivar a {username}?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "Descativar a {username}",
"default_channel.purpose": "Publica mensajes aquí que quieras que todos vean. Todo el mundo se convierte automáticamente en un miembro permanente de este canal cuando se unan al equipo.",
"delete_channel.cancel": "Cancelar",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "Descripción del equipo proporciona información adicional para ayudar a los usuarios a seleccionar el equipo adecuado. Máximo de 50 caracteres.",
"general_tab.teamName": "Nombre del Equipo",
"general_tab.teamNameInfo": "Asigna el nombre del equipo como aparecerá en la página de inicio de sesión y en la parte superior izquierda de la barra lateral.",
"general_tab.teamNameRestrictions": "El nombre debe ser {min} o más caracteres hasta un máximo de {max}. Puedes agregar una descripción mas larga al equipo más adelante.",
"general_tab.title": "Configuración General",
"general_tab.yes": "Sí",
"get_app.alreadyHaveIt": "Ya la tienes?",
@@ -2012,6 +2000,7 @@
"mobile.error_handler.title": "Ocurrió un error inesperado.",
"mobile.file_upload.camera": "Sacar Foto o Vídeo",
"mobile.file_upload.library": "Librería de Fotos",
"mobile.file_upload.max_warning": "Se pueden subir un máximo de 5 archivos.",
"mobile.file_upload.more": "Más",
"mobile.file_upload.video": "Librería de Videos",
"mobile.help.title": "Ayuda",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "Anterior",
"more_channels.title": "Más Canales",
"more_direct_channels.close": "Cerrar",
"more_direct_channels.directchannel.deactivated": "{displayname} - Desactivado",
"more_direct_channels.directchannel.you": "{displayname} (tu)",
"more_direct_channels.message": "Mensaje",
"more_direct_channels.new_convo_note": "Se iniciará una nueva conversación. Si estás agregando a mucha gente, considera crear un canal privado en su lugar.",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "Enlace invitación al equipo",
"navbar_dropdown.teamSettings": "Configurar Equipo",
"navbar_dropdown.viewMembers": "Ver Miembros",
"navbar_dropdown.webrtc.call": "Iniciar Vídeo Llamada",
"navbar_dropdown.webrtc.offline": "Video Llamada sin conexión",
"navbar_dropdown.webrtc.unavailable": "Video Llamada no disponible",
"notification.dm": "Mensaje Directo",
"notify_all.confirm": "Confirmar",
"notify_all.question": "Al utilizar @all o @channel estás a punto de enviar una notificación a {totalMembers} personas. ¿Estás seguro que quieres hacerlo?",
@@ -2767,7 +2760,7 @@
"user.settings.notifications.desktop.allSoundHiddenTimed": "Para toda actividad, que se muestran por {seconds} segundos",
"user.settings.notifications.desktop.allSoundTimed": "Para toda actividad, con sonido, que se muestran por {seconds} segundos",
"user.settings.notifications.desktop.duration": "Duración de la notificación:",
"user.settings.notifications.desktop.durationInfo": "Determina el tiempo que las notificaciones de escritorio permanecerá en la pantalla cuando se utiliza Firefox o Chrome. Las notificaciones de escritorio en Edge y Safari sólo puede permanecer en la pantalla por un máximo de 5 segundos.",
"user.settings.notifications.desktop.durationInfo": "Determina el tiempo que las notificaciones de escritorio permanecerá en la pantalla cuando se utiliza Firefox o Chrome. Las notificaciones de escritorio en Edge, Safari las Aplicaciones de escritorio de Mattermost sólo puede permanecer en la pantalla por un máximo de 5 segundos.",
"user.settings.notifications.desktop.mentionsNoSoundForever": "Para las menciones y mensajes directos, sin sonido, que se muestran de forma permanente",
"user.settings.notifications.desktop.mentionsNoSoundTimed": "Para las menciones y mensajes directos, sin sonido, que se muestran por {seconds} segundos",
"user.settings.notifications.desktop.mentionsSoundForever": "Para las menciones y mensajes directos, con sonido, que se muestran de forma permanente",

View File

@@ -195,6 +195,16 @@
"admin.compliance.saving": "Enregistrement des paramètres...",
"admin.compliance.title": "Paramètres de conformité",
"admin.compliance.true": "vrai",
"admin.complianceExport.createJob.help": "Initiates a Compliance Export job immediately.",
"admin.complianceExport.createJob.title": "Run Compliance Export Job Now",
"admin.complianceExport.description": "This feature supports compliance exports to the Actiance XML format, and is currently in beta. Support for the GlobalRelay EML format and the Mattermost CSV format are scheduled for a future release, and will replace the existing <a href=\"/admin_console/general/compliance\">Compliance</a> feature. Compliance Export files will be written to the \"exports\" subdirectory of the configured <a href=\"/admin_console/files/storage\">Local Storage Directory</a>.",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "File format of the compliance export. Corresponds to the system that you want to import the data into.",
"admin.complianceExport.exportFormat.title": "Export File Format:",
"admin.complianceExport.exportJobStartTime.description": "Définit l'heure de début du job quotidien de conservation des données. Choisissez une heure lorsque moins de personnes utilisent le système. Doit être un horodatage de 24 heures sous le format HH:MM.",
"admin.complianceExport.exportJobStartTime.example": "Ex. : \"02:00\"",
"admin.complianceExport.exportJobStartTime.title": "Compliance Export time:",
"admin.complianceExport.title": "Compliance Export (Beta)",
"admin.compliance_reports.desc": "Profession :",
"admin.compliance_reports.desc_placeholder": "Ex : \"Audit 445 pour les RH\"",
"admin.compliance_reports.emails": "Adresses e-mail :",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "Gérer les jetons d'accès personnel",
"admin.manage_tokens.userAccessTokensDescription": "La fonction des jetons d'accès personnel est similaire aux jetons de sessions et peut être utilisé par les intégrations pour <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">interagir avec ce serveur Mattermost</a>. Les jetons sont désactivés si l'utilisateur est désactivé. En savoir plus sur les <a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">jetons d'accès personnel</a>.",
"admin.manage_tokens.userAccessTokensNone": "Aucun jeton d'accès personnel.",
"admin.messageExport.createJob.help": "Initiates a Message Export job immediately.",
"admin.messageExport.createJob.title": "Run Message Export job now",
"admin.messageExport.description": "Message Export dumps all posts into a file that can be imported into third-party systems. The export task is scheduled to run once per day.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "The file format to write exported data in. Corresponds to the system that you want to import the data into.",
"admin.messageExport.exportFormat.title": "Export File Format:",
"admin.messageExport.exportFromTimestamp.description": "Posts older than this will not be exported. Expressed as the number of seconds since the Unix Epoch (January 1, 1970).",
"admin.messageExport.exportFromTimestamp.example": "E.g.: Tuesday October 24, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Creation Time of Oldest Post to Export:",
"admin.messageExport.exportJobStartTime.description": "Définit l'heure de début du job quotidien de conservation des données. Choisissez une heure lorsque moins de personnes utilisent le système. Doit être un horodatage de 24 heures sous le format HH:MM.",
"admin.messageExport.exportJobStartTime.example": "Ex. : \"02:00\"",
"admin.messageExport.exportJobStartTime.title": "Message Export time:",
"admin.messageExport.exportLocation.description": "The directory on your hard drive to write export files to. Mattermost must have write access to this directory. Do not include a filename.",
"admin.messageExport.exportLocation.example": "E.g.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Export Directory:",
"admin.messageExport.title": "Message Export (Beta)",
"admin.metrics.enableDescription": "Lorsqu'activé, Mattermost active la collecte des rapports de performance et de profilage. Veuillez vous référer à la <a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>documentation</a> pour en savoir plus sur la configuration du suivi des performances de Mattermost.",
"admin.metrics.enableTitle": "Activer le suivi des performances :",
"admin.metrics.listenAddressDesc": "L'adresse d'écoute du serveur pour publier les mesures de performances.",
@@ -720,31 +714,22 @@
"admin.plugin.desc": "Description :",
"admin.plugin.error.activate": "Impossible d'envoyer le plugin. Il se peut qu'il rentre en conflit avec un autre plugin sur votre serveur.",
"admin.plugin.error.extract": "Une erreur s'est produite lors de l'extraction du plugin. Vérifiez le contenu de votre plugin et réessayez.",
"admin.plugin.id": "ID :",
"admin.plugin.id": "Id:",
"admin.plugin.installedDesc": "Les plugins installés sur votre serveur Mattermost. Les plugins pré-empaquetés sont installés par défaut et peuvent être désactivés mais pas supprimés.",
"admin.plugin.installedTitle": "Plugins installés : ",
"admin.plugin.management.title": "Gestion",
"admin.plugin.name": "Nom",
"admin.plugin.no_plugins": "Aucun plugin installé.",
"admin.plugin.prepackaged": "Pre-packaged",
"admin.plugin.remove": "Supprimer",
"admin.plugin.removing": "Suppression en cours...",
"admin.plugin.settingsButton": "Paramètres",
"admin.plugin.upload": "Envoyer",
"admin.plugin.uploadDesc": "Envoyez un plugin pour votre serveur Mattermost. Lisez la <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> pour en savoir plus.",
"admin.plugin.uploadDisabledDesc": "To enable plugin uploads, go to <strong>Plugins > Configuration</strong>. See <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugin.uploadTitle": "Envoi de plugins : ",
"admin.plugin.uploading": "Envoi en cours...",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "urldecanal",
"admin.plugins.jira.enabledDescription": "Lorsqu'activé, vous pouvez configurer les webhooks de JIRA à publier un message dans Mattermost. Pour aider à lutter contre les attaques de phishing, tous les messages sont étiquetées par l'indicateur BOT.",
"admin.plugins.jira.enabledLabel": "Activer JIRA :",
"admin.plugins.jira.secretDescription": "Cette clé secrète est utilisée pour s'authentifier à Mattermost.",
"admin.plugins.jira.secretLabel": "Clé secrète :",
"admin.plugins.jira.secretParamPlaceholder": "secret",
"admin.plugins.jira.secretRegenerateDescription": "Régénère la clé secrète pour l'URL du nœud du webhook. La régénération de la clé secrète invalide vos intégrations JIRA existantes.",
"admin.plugins.jira.setupDescription": "Utilisez cette URL de webhook pour configurer l'intégration JIRA. Rendez-vous dans la {webhookDocsLink} pour en savoir plus.",
"admin.plugins.jira.teamParamPlaceholder": "urldequipe",
"admin.plugins.jira.userDescription": "Spécifiez le nom d'utilisateur auquel cette intégration est liée.",
"admin.plugins.jira.userLabel": "Utilisateur :",
"admin.plugins.jira.webhookDocsLink": "documentation",
"admin.plugin.version": "Version :",
"admin.plugins.settings.enable": "Activer des plugins : ",
"admin.plugins.settings.enableDesc": "Lorsqu'activé, active les plugins sur votre serveur Mattermost. Utilisez les plugins pour vous intégrer des systèmes tiers, étendre des fonctionnalités ou personnaliser l'interface utilisateur de votre serveur Mattermost. Lisez la <a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">documentation</a> pour en savoir plus.",
"admin.plugins.settings.enableUploads": "Activer l'envoi de plugins : ",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "Nombre maximum de tentatives de connexion :",
"admin.service.cmdsDesc": "Lorsqu'activé, les commandes slash personnalisées sont autorisées. Consultez la <a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>documentation</a> pour en savoir plus.",
"admin.service.cmdsTitle": "Activer les commandes slash : ",
"admin.service.complianceExportDesc": "When true, Mattermost will generate a compliance export file that contains all messages that were posted in the last 24 hours. The export task is scheduled to run once per day. See <a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">the documentation</a> to learn more.",
"admin.service.complianceExportTitle": "Activer le rapport de conformité :",
"admin.service.corsDescription": "Autoriser les requêtes HTTP cross-origin depuis un domaine spécifique. Utilisez \"*\" pour autoriser le partage de ressource de différentes origines (CORS pour cross-origin resource sharing, en anglais) de n'importe quel domaine ou laissez vide pour désactiver.",
"admin.service.corsEx": "http://exemple.com ou https://exemple.com",
"admin.service.corsTitle": "Autoriser les requêtes cross-origin depuis :",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "Adresse IP du serveur :",
"admin.service.listenDescription": "L'adresse et le port sur laquelle se lier et écouter. Spécifier \":8065\" se lie sur toutes les interfaces réseau. Spécifier \"127.0.0.1:8065\" se lie uniquement sur l'interface réseau disposant de cette adresse IP. Si vous choisissez un port de bas niveau (également appelés \"ports systèmes\" ou \"ports bien connus\", dans l'intervalle 0-1023), vous devez disposer des permissions pour vous lier sur ces ports. Sous Linux, vous pouvez utiliser : \"sudo setcap cap_net_bind_service=+ep ./bin/platform\" pour autoriser Mattermost à se lier sur ces ports bien connus.",
"admin.service.listenExample": "Ex. : \":8065\"",
"admin.service.messageExportDesc": "When true, the system will export all messages that are sent once per day.",
"admin.service.messageExportTitle": "Enable Message Export:",
"admin.service.mfaDesc": "Lorsqu'activé, les utilisateurs se connectant à l'aide de AD/LDAP ou d'une adresse e-mail peuvent ajouter l'authentification multi-facteurs (MFA) à leur compte en utilisant Google Authenticator.",
"admin.service.mfaTitle": "Activité lauthentification multi-facteurs :",
"admin.service.mobileSessionDays": "Durée de la session des applications mobiles (en jours) :",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "Versions du client",
"admin.sidebar.cluster": "Haute disponibilité",
"admin.sidebar.compliance": "Conformité",
"admin.sidebar.compliance_export": "Compliance Export (Beta)",
"admin.sidebar.configuration": "Configuration",
"admin.sidebar.connections": "Connexions",
"admin.sidebar.customBrand": "Image de marque personnalisée",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "Général",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "Intégrations",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "Mentions légales",
"admin.sidebar.license": "Édition et licence",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "Journalisation",
"admin.sidebar.login": "Sidentifier",
"admin.sidebar.logs": "Journaux",
"admin.sidebar.message_export": "Message Export (Beta)",
"admin.sidebar.metrics": "Suivi des performances",
"admin.sidebar.mfa": "Authentification multi-facteurs (MFA)",
"admin.sidebar.nativeAppLinks": "Liens des applications Mattermost",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "Utilisateurs actifs avec messages",
"analytics.system.channelTypes": "Types de canaux",
"analytics.system.dailyActiveUsers": "Utilisateurs quotidiens",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "Utilisateurs mensuels",
"analytics.system.postTypes": "Messages, fichiers et hashtags",
"analytics.system.privateGroups": "Canaux privés",
"analytics.system.publicChannels": "Canaux publics",
"analytics.system.skippedIntensiveQueries": "Pour optimiser les performances, certaines statistiques ont été désactivées. Vous pouvez les réactiver dans la config.json. Voir : <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a>",
"analytics.system.textPosts": "Messages avec texte uniquement",
"analytics.system.title": "Statistiques du serveur",
"analytics.system.totalChannels": "Nombre de canaux",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "Informations",
"channel_header.viewMembers": "Voir les membres",
"channel_header.webrtc.call": "Démarrer un appel vidéo",
"channel_header.webrtc.doNotDisturb": "Ne pas déranger",
"channel_header.webrtc.offline": "L'utilisateur est hors ligne",
"channel_header.webrtc.unavailable": "Passer un nouvel appel n'est pas possible tant que l'appel en cours n'a pas été terminé",
"channel_info.about": "À propos de",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "Annuler",
"deactivate_member_modal.deactivate": "Désactiver",
"deactivate_member_modal.desc": "Cette action désactive {username}. Cet utilisateur sera déconnecté et n'aura plus accès aux équipes et canaux de ce système. Voulez-vous vraiment désactiver {username} ?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "Désactiver {username}",
"default_channel.purpose": "Publiez ici les messages que vous souhaitez que tout le monde voie. Chaque utilisateur devient un membre permanent de ce canal lorsqu'il rejoint l'équipe.",
"delete_channel.cancel": "Annuler",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "La description de l'équipe fournit des informations supplémentaires pour aider les utilisateurs à choisir la bonne équipe. Maximum 50 caractères.",
"general_tab.teamName": "Nom de l'équipe",
"general_tab.teamNameInfo": "Spécifiez le nom de l'équipe tel qu'il apparaîtra sur la page de connexion et en haut de la barre latérale de gauche.",
"general_tab.teamNameRestrictions": "Le nom doit être de {min} caractères ou plus, jusqu'à un maximum de {max}. Vous pourrez ajouter une description d'équipe plus longue par la suite.",
"general_tab.title": "Paramètres généraux",
"general_tab.yes": "Oui",
"get_app.alreadyHaveIt": "Vous l'avez déjà ?",
@@ -2012,6 +2000,7 @@
"mobile.error_handler.title": "Une erreur inattendue s'est produite",
"mobile.file_upload.camera": "Prendre une photo ou une vidéo",
"mobile.file_upload.library": "Bibliothèque de photos",
"mobile.file_upload.max_warning": "Uploads limited to 5 files maximum.",
"mobile.file_upload.more": "Plus…",
"mobile.file_upload.video": "Bibliothèque vidéo",
"mobile.help.title": "Aide",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "Précédent",
"more_channels.title": "Plus de canaux",
"more_direct_channels.close": "Fermer",
"more_direct_channels.directchannel.deactivated": "{displayname} - Deactivated",
"more_direct_channels.directchannel.you": "{displayname} (you)",
"more_direct_channels.message": "Message",
"more_direct_channels.new_convo_note": "Ceci va démarrer une nouvelle conversation. Si vous ajoutez beaucoup de personnes, veuillez envisager la création d'un canal privé à la place.",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "Créer une invitation",
"navbar_dropdown.teamSettings": "Paramètres d'équipe",
"navbar_dropdown.viewMembers": "Voir les membres",
"navbar_dropdown.webrtc.call": "Démarrer un appel vidéo",
"navbar_dropdown.webrtc.offline": "Video Call Offline",
"navbar_dropdown.webrtc.unavailable": "Video Call Unavailable",
"notification.dm": "Message personnel",
"notify_all.confirm": "Confirmer",
"notify_all.question": "En utilisant @all ou @channel que vous êtes sur le point d'envoyer des notifications à {totalMembers} personnes. Voulez-vous vraiment continuer ?",

View File

@@ -195,6 +195,16 @@
"admin.compliance.saving": "Salvataggio configurazione...",
"admin.compliance.title": "Impostazioni di Compliance",
"admin.compliance.true": "vero",
"admin.complianceExport.createJob.help": "Inizia un lavoro di esportazione conforme immediatamente.",
"admin.complianceExport.createJob.title": "Esegui un lavoro di esportazione conforme adesso",
"admin.complianceExport.description": "Questa funzione supporta l'esportazione conforme al formato Actiance XML, ed è attualmente in beta. Il supporto per il formato GlobalRelayEML e per il formato Mattermost CSV sono schedulati per i rilasci futuri, e sostituiranno l'esistente funzione <a href=\"/admin_console/general/compliance\">Conforme</a>. L'esportazione conforme verrà salvata nella cartella \"exports\" nella <a href=\"/admin_console/files/storage\">Cartella di Storage Locale</a> configurata.",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "Formato dell'esportazione conforme. Corrisponde al sistema in cui verranno importati i dati.",
"admin.complianceExport.exportFormat.title": "Formato File Esportato:",
"admin.complianceExport.exportJobStartTime.description": "Impostare l'ora di inizio del lavoro giornaliero di esportazione conforme dei dati. Scegliere un ora in cui il sistema è utilizzato da poche persone. Deve essere un'ora valida in formato HH:MM.",
"admin.complianceExport.exportJobStartTime.example": "Es.: \"20:00\"",
"admin.complianceExport.exportJobStartTime.title": "Ora Esportazione Conforme:",
"admin.complianceExport.title": "Esportazione Conforme (Beta)",
"admin.compliance_reports.desc": "Nome Lavoro:",
"admin.compliance_reports.desc_placeholder": "Es. \"Audit 445 per HR\"",
"admin.compliance_reports.emails": "Email:",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "Gestione Token di accesso personali",
"admin.manage_tokens.userAccessTokensDescription": "I Token di accesso sono simili ai token di sessione e possono essere utilizzati dalle integrazioni per <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">interagire con il server di Mattermost</a>. I token sono disattivati se l'utente viene disattivato. Più informazioni sui <a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">token di accesso</a>.",
"admin.manage_tokens.userAccessTokensNone": "Nessun Token di accesso personale.",
"admin.messageExport.createJob.help": "Inizia un lavoro di esportazione messaggi immediatamente.",
"admin.messageExport.createJob.title": "Esegui il lavoro di esportazione messaggi ora",
"admin.messageExport.description": "Esportazione Messaggi salva tutte le pubblicazioni in un file che può essere importato in sistemi di terze parti. Il lavoro di esportazione è schedulato per l'esecuzione giornaliera.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "Il formato del file in cui scrivere i dati esportati. Corrisponde a quello richiesto dal sistema in cui si intende importare il file.",
"admin.messageExport.exportFormat.title": "Formato File Esportato:",
"admin.messageExport.exportFromTimestamp.description": "Le pubblicazioni più vecchie di questa data non verranno esportate. Valore espresso in secondi da Unix Epoch (1 Gennaio 1970).",
"admin.messageExport.exportFromTimestamp.example": "Es.: Giovedì 24 Ottobre, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Data di Creazione delle pubblicazioni più vecchie da Esportare:",
"admin.messageExport.exportJobStartTime.description": "Impostare l'ora di inizio del lavoro giornaliero di esportazione dei dati. Scegliere un ora in cui il sistema è utilizzato da poche persone. Deve essere un'ora valida in formato HH:MM.",
"admin.messageExport.exportJobStartTime.example": "Es.: \"20:00\"",
"admin.messageExport.exportJobStartTime.title": "Ora Esportazione Messaggi:",
"admin.messageExport.exportLocation.description": "La cartella sul disco fisso in cui salvare i dati esportati. Mattermost deve avere accesso in scrittura a questa cartella. Non includere il nome del file.",
"admin.messageExport.exportLocation.example": "Es.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Cartella di Esportazione:",
"admin.messageExport.title": "Esportazione Messaggi (Beta)",
"admin.metrics.enableDescription": "Quando abilitato, Mattermost abiliterà il monitoraggio e l'analisi delle prestazioni. Consultare la <a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>documentazione</a> per ottenere maggiori informazioni su come configurare il monitoraggio delle prestazioni per Mattermost.",
"admin.metrics.enableTitle": "Abilitare il monitor delle performance:",
"admin.metrics.listenAddressDesc": "L'indirizzo su cui il server starà in ascolto per esporre le informazioni di performace.",
@@ -720,31 +714,22 @@
"admin.plugin.desc": "Descrizione:",
"admin.plugin.error.activate": "Impossibile caricare il plugin. Può interferire con un altro plugin sul tuo server.",
"admin.plugin.error.extract": "Rilevato errore durante l'estrazione del plugin. Ricontrolla il contenuto del plugin e riprova.",
"admin.plugin.id": "ID:",
"admin.plugin.id": "Id:",
"admin.plugin.installedDesc": "Plugin installati sul server Mattermost. I plugin precompilati sono installati per impostazione predefinita e possono essere disattivati ma non rimossi.",
"admin.plugin.installedTitle": "Plugin installati: ",
"admin.plugin.management.title": "Gestione",
"admin.plugin.name": "Nome:",
"admin.plugin.no_plugins": "Nessun plugin installato.",
"admin.plugin.prepackaged": "Precompilato",
"admin.plugin.remove": "Rimuovi",
"admin.plugin.removing": "Cancellazione...",
"admin.plugin.settingsButton": "Impostazioni",
"admin.plugin.upload": "Carica",
"admin.plugin.uploadDesc": "Carica un plugin per il server di Mattermost. Vedere la <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentazione</a> per ulteriori informazioni.",
"admin.plugin.uploadDisabledDesc": "Per abilitare l'upload dei plugin, andare in <strong>Plugins > Configurazione</strong>. Vedere la <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentazione</a> per ulteriori informazioni.",
"admin.plugin.uploadTitle": "Carica Plugin: ",
"admin.plugin.uploading": "Caricamento...",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "channelurl",
"admin.plugins.jira.enabledDescription": "Se vero, puoi configurare i webhook JIRA per inviare messaggi in Mattermost. Per aiutare a combattere i tentativi di phishing, tutte le pubblicazioni saranno etichettate come BOT.",
"admin.plugins.jira.enabledLabel": "Attiva JIRA:",
"admin.plugins.jira.secretDescription": "Questo segreto è utilizzato per autenticarsi in Mattermost.",
"admin.plugins.jira.secretLabel": "Segreto:",
"admin.plugins.jira.secretParamPlaceholder": "segreto",
"admin.plugins.jira.secretRegenerateDescription": "Rigenera il segreto per il webhook. Rigenerare il segreto invalida tutte le integrazioni JIRA esistenti.",
"admin.plugins.jira.setupDescription": "Utilizza questo webhook per configurare l'integrazione con JIRA. Vedere {webhookDocsLink} per ulteriori informazioni.",
"admin.plugins.jira.teamParamPlaceholder": "teamurl",
"admin.plugins.jira.userDescription": "Seleziona il nome utente utilizzato dall'integrazione.",
"admin.plugins.jira.userLabel": "Utente:",
"admin.plugins.jira.webhookDocsLink": "documentazione",
"admin.plugin.version": "Versione:",
"admin.plugins.settings.enable": "Abilita plugin: ",
"admin.plugins.settings.enableDesc": "Se vero, abilita i plugin sul server di Mattermost. Utilizzare i plugin per integrare applicazioni di terze parti, estendere le funzionalità o personalizzare l'interfaccia utente di Mattermost. Vedere la <a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">documentazione</a> per ulteriori informazioni.",
"admin.plugins.settings.enableUploads": "Abilita l'upload dei plugin: ",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "Numero massimo tentativi di login:",
"admin.service.cmdsDesc": "Se vero, comandi con slash personalizzati saranno ammessi. Consultare la <a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>documentazione</a> per maggiori informazioni.",
"admin.service.cmdsTitle": "Abilita Comandi con Slash Personalizzati: ",
"admin.service.complianceExportDesc": "Se vero, Mattermost genererà un file di esportazione conforme che conterrà tutti i messaggi pubblicati nelle ultime 24 ore. Il lavoro di esportazione viene eseguito una volta al giorno. Vedere la <a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">documentazione</a> per ulteriori informazioni.",
"admin.service.complianceExportTitle": "Abilita esportazione conforme:",
"admin.service.corsDescription": "Abilita richieste HTTP Cross origin da uno specifico dominio. Usa \"*\" se vuoi ammettere CORS da qualsiasi dominio o lasciare non compilato per disabilitarlo.",
"admin.service.corsEx": "http://esempio.com",
"admin.service.corsTitle": "Abilita richieste cross-origin da:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "Indirizzo di ascolto:",
"admin.service.listenDescription": "L'indirizzo e porta a cui associarsi e mettersi in ascolto. Specificando \":8065\" ci si associerà a tutte le interfaccie di rete. Specificando \"127.0.0.1:8065\" ci si assocerà solo all'interfaccia corrispondente a quell'indirizzo. Qualora venga scelta una porta di livello basso (chiamate \"porte di sistema\" o \"porte note\", nel range di 0-1023), si dovrà disporre dei permessi necessari per associarsi a quella porta. Su linux è possibile usare: \"sudo setcap cap_net_bind_service=+ep ./bin/platform\" per consentire a Mattermost di associarsi alle porte note.",
"admin.service.listenExample": "Es. \":8065\"",
"admin.service.messageExportDesc": "Se vero, il sistema esporterà giornalmente tutti i messaggi inviati.",
"admin.service.messageExportTitle": "Attiva Esportazione Messaggi:",
"admin.service.mfaDesc": "Se vero, gli utenti con login AD/LDAP o email possono aggiungere al loro account autenticazione multifattore utilizzando Google Authenticator.",
"admin.service.mfaTitle": "Forza Autenticazione Multi-fattore:",
"admin.service.mobileSessionDays": "Durata sessione mobile (giorni):",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "Versioni del client",
"admin.sidebar.cluster": "Alta Disponibilità (HA)",
"admin.sidebar.compliance": "Conformità",
"admin.sidebar.compliance_export": "Esportazione Conforme (Beta)",
"admin.sidebar.configuration": "Configurazione",
"admin.sidebar.connections": "Connessioni",
"admin.sidebar.customBrand": "Intestazione personalizzata",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "Generale",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "Integrazioni",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "Aspetti legali e supporto",
"admin.sidebar.license": "Versione e Licenza",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "Registrazione",
"admin.sidebar.login": "Accesso",
"admin.sidebar.logs": "Logs",
"admin.sidebar.message_export": "Esportazione Messaggi (Beta)",
"admin.sidebar.metrics": "Monitoraggio prestazioni",
"admin.sidebar.mfa": "AMF",
"admin.sidebar.nativeAppLinks": "Collegamenti App Mattermost",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "Utenti attivi con post",
"analytics.system.channelTypes": "Tipi di canale",
"analytics.system.dailyActiveUsers": "Utenti attivi quotidianamente",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "Utenti attivi mensilmente",
"analytics.system.postTypes": "Pubblicazioni, File e Hashtag",
"analytics.system.privateGroups": "Canali Privati",
"analytics.system.publicChannels": "Canali Pubblici",
"analytics.system.skippedIntensiveQueries": "Per massimizzare le performance, alcune statistiche sono state disattivate. Puoi riattivarle nel file config.json. Vedi <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a>",
"analytics.system.textPosts": "Pubblicazioni con solo testo",
"analytics.system.title": "Statistiche di Sistema",
"analytics.system.totalChannels": "Canali totali",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "Mostra informazioni",
"channel_header.viewMembers": "Mostra membri",
"channel_header.webrtc.call": "Avvia videochiamata",
"channel_header.webrtc.doNotDisturb": "Non disturbare",
"channel_header.webrtc.offline": "L'utente è offline",
"channel_header.webrtc.unavailable": "Nuove chiamate non disponibili fino al termine della chiamata esistente",
"channel_info.about": "Informazioni",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "Annulla",
"deactivate_member_modal.deactivate": "Disattiva",
"deactivate_member_modal.desc": "Questa azione disattiverà {username}. L'utente sarà disconnesso e non avrà accesso a nessun gruppo o canale su questo sistem. Sei sicuro di voler disattivare {username}?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "Disattiva {username}",
"default_channel.purpose": "Pubblica qui i messaggi che vuoi far vedere a tutti. Tutti diventeranno automaticamente membri permanenti di questo canale quando si uniranno al gruppo.",
"delete_channel.cancel": "Cancella",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "La descrizione del gruppo offre informazioni aggiunti per aiutare gli utenti a scegliere il gruppo corretto. Massimo 50 caratteri.",
"general_tab.teamName": "Nome del gruppo",
"general_tab.teamNameInfo": "Imposta il nome del gruppo così come appare nella tua schermata di accesso e in cima alla barra laterale.",
"general_tab.teamNameRestrictions": "Il nome deve essere lungo {min} o più caratteri fino ad un massimo di {max}. Puoi aggiungere una descrizione più lunga in seguito.",
"general_tab.title": "Impostazioni Generali",
"general_tab.yes": "Si",
"get_app.alreadyHaveIt": "Lo possiedi già?",
@@ -2012,6 +2000,7 @@
"mobile.error_handler.title": "Rilevato errore non previsto",
"mobile.file_upload.camera": "Scatta una Foto o registra un Video",
"mobile.file_upload.library": "Galleria Fotografica",
"mobile.file_upload.max_warning": "Numero massimo di file caricabili limitato a 5.",
"mobile.file_upload.more": "Più",
"mobile.file_upload.video": "Libreria video",
"mobile.help.title": "Aiuto",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "Precedente",
"more_channels.title": "Più Canali",
"more_direct_channels.close": "Chiudi",
"more_direct_channels.directchannel.deactivated": "{displayname} - Disattivato",
"more_direct_channels.directchannel.you": "{displayname} (tu)",
"more_direct_channels.message": "Messaggio",
"more_direct_channels.new_convo_note": "Avviare una nuova conversazione. Se aggiungi molte persone prova a creare un gruppo privato.",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "Prendi collegamento di invito al gruppo",
"navbar_dropdown.teamSettings": "Impostazioni gruppo",
"navbar_dropdown.viewMembers": "Visualizza membri",
"navbar_dropdown.webrtc.call": "Avvia videochiamata",
"navbar_dropdown.webrtc.offline": "Videochiamata offline",
"navbar_dropdown.webrtc.unavailable": "Videochiamata non disponibile",
"notification.dm": "Messaggio diretto",
"notify_all.confirm": "Conferma",
"notify_all.question": "Usando @all o @channel si inviano notifiche a {totalMembers} persone. Sicuro di volerlo fare?",

View File

@@ -195,6 +195,16 @@
"admin.compliance.saving": "設定を保存しています…",
"admin.compliance.title": "コンプライアンス設定",
"admin.compliance.true": "有効",
"admin.complianceExport.createJob.help": "まもなくコンプライアンスエクスポート処理を開始します。",
"admin.complianceExport.createJob.title": "現在コンプライアンスエクスポート処理を実行中です",
"admin.complianceExport.description": "この機能によりActiance XML形式でコンプライアンスをエクスポートできるようになります。この機能は現在ベータ版です。今後、既存の<a href=\"/admin_console/general/compliance\">コンプライアンス</a>機能に代わり、GlobalRelay EML形式とMattermost CSV形式のサポートが予定されています。コンプライアンスエクスポートファイルは<a href=\"/admin_console/files/storage\">Local Storage Directory</a>に設定されたディレクトリのサブディレクトリである\"exports\"に書き出されます。",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "コンプライアンスエクスポートのファイル形式です。データインポート先のシステムに依存します。",
"admin.complianceExport.exportFormat.title": "エクスポートファイルフォーマット:",
"admin.complianceExport.exportJobStartTime.description": "毎日スケジュールされているコンプライアンスエクスポート処理の開始時刻を設定してください。システムを使用する人が少ない時間を選択してください。また、HH:MM形式の24時間表記で指定してください。",
"admin.complianceExport.exportJobStartTime.example": "例: \"02:00\"",
"admin.complianceExport.exportJobStartTime.title": "コンプライアンスエクスポート時刻:",
"admin.complianceExport.title": "コンプライアンスエクスポート (ベータ版)",
"admin.compliance_reports.desc": "ジョブ名",
"admin.compliance_reports.desc_placeholder": "例: \"Audit 445 for HR\"",
"admin.compliance_reports.emails": "電子メールアドレス:",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "パーソナルアクセストークン管理",
"admin.manage_tokens.userAccessTokensDescription": "パーソナルアクセストークンはセッショントークンと同様に機能し、統合機能が<a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">Mattermostサーバーとやり取りする</a>する統合機能で使用することができます。ユーザーが無効化されるとトークンんも無効になります。詳しくは<a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">パーソナルアクセストークン</a>を参照してください。",
"admin.manage_tokens.userAccessTokensNone": "パーソナルアクセストークンが存在しません。",
"admin.messageExport.createJob.help": "まもなくメッセージエクスポート処理を開始します。",
"admin.messageExport.createJob.title": "今すぐメッセージエクスポート処理を開始する",
"admin.messageExport.description": "メッセージエクスポートはすべての投稿をサードパーティシステムにインポート可能な形式でファイルに出力します。エクスポート処理は一日に一度実行されるようスケジュールされます。",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "エクスポートデータのファイルフォーマットです。データのインポート先のシステムに合わせてください。",
"admin.messageExport.exportFormat.title": "エクスポートファイルフォーマット:",
"admin.messageExport.exportFromTimestamp.description": "これより古い投稿はエクスポートされません。ユニックス標準時(1970年日)からの秒数として指定してください。",
"admin.messageExport.exportFromTimestamp.example": "例: 2017年10月24日(火) @ PM 12:00 UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "エクスポートする最も古い投稿の作成日時: ",
"admin.messageExport.exportJobStartTime.description": "毎日スケジュールされているメッセージエクスポート処理の開始時刻を設定してください。システムを使用する人が少ない時間を選択してください。また、HH:MM形式の24時間表記で指定してください。",
"admin.messageExport.exportJobStartTime.example": "例: \"02:00\"",
"admin.messageExport.exportJobStartTime.title": "メッセージエクスポート時刻:",
"admin.messageExport.exportLocation.description": "エクスポートファイルを書き込むハードディスク上のディレクトリです。Mattermostが書き込み可能なディレクトリである必要があります。ファイル名は含めないでください。",
"admin.messageExport.exportLocation.example": "例: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "エクスポートディレクトリ:",
"admin.messageExport.title": "メッセージエクスポート(ベータ版)",
"admin.metrics.enableDescription": "有効な場合、Mattermostはパフォーマンスのモニタリングやプロファイリングが有効になります。Mattermostのパフォーマンスモニタリングの設定について、詳しくは<a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>documentation</a>を参照してください。",
"admin.metrics.enableTitle": "パフォーマンスモニタリングを有効にする:",
"admin.metrics.listenAddressDesc": "パフォーマンスメトリクスの公開先のサーバーが接続待ちをするアドレスです。",
@@ -724,27 +718,18 @@
"admin.plugin.installedDesc": "Mattermostにインストールされているプラグインです。事前にパッケージ化されているプラグインはデフォルトでインストールされており、無効化はできますが削除はできません。",
"admin.plugin.installedTitle": "インストール済みプラグイン: ",
"admin.plugin.management.title": "管理",
"admin.plugin.name": "名前:",
"admin.plugin.no_plugins": "インストールされたプラグインはありません。",
"admin.plugin.prepackaged": "事前パッケージング",
"admin.plugin.remove": "削除",
"admin.plugin.removing": "削除中...",
"admin.plugin.settingsButton": "設定",
"admin.plugin.upload": "アップロード",
"admin.plugin.uploadDesc": "Mattermostサーバーにプラグインをインストールします。詳しくは<a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">説明文書</a>を参照してください。",
"admin.plugin.uploadDisabledDesc": "プラグインアップロードを有効にするには、<strong>プラグイン > 設定</strong>より設定してください。詳しくは<a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">説明文書</a>を参照してください。",
"admin.plugin.uploadTitle": "アップロードするプラグイン: ",
"admin.plugin.uploading": "アップロード中...",
"admin.plugins.jira": "JIRA (ベータ版)",
"admin.plugins.jira.channelParamNamePlaceholder": "channelurl",
"admin.plugins.jira.enabledDescription": "有効な場合、Mattermostへのメッセージ投稿のためのJIRAウェブフックを設定できるようになります。フィッシング攻撃対策のため、全ての投稿にはBOTタグが表示されます。",
"admin.plugins.jira.enabledLabel": "JIRAを有効にする:",
"admin.plugins.jira.secretDescription": "この秘密情報はMattermostへの認証に使われます。",
"admin.plugins.jira.secretLabel": "秘密情報:",
"admin.plugins.jira.secretParamPlaceholder": "秘密情報",
"admin.plugins.jira.secretRegenerateDescription": "ウェブフックURLエンドポイントの秘密情報を再生成する。秘密情報の再生成は既存のJIRA統合機能を無効化します。",
"admin.plugins.jira.setupDescription": "JIRA統合機能のセットアップには、このウェブフックURLを使用してください。詳しくは {webhookDocsLink} を参照してください。",
"admin.plugins.jira.teamParamPlaceholder": "teamurl",
"admin.plugins.jira.userDescription": "この統合機能が付与されるユーザー名を選択してください。",
"admin.plugins.jira.userLabel": "ユーザー:",
"admin.plugins.jira.webhookDocsLink": "説明文書",
"admin.plugin.version": "バージョン:",
"admin.plugins.settings.enable": "プラグインを有効にする: ",
"admin.plugins.settings.enableDesc": "有効な場合、Mattermostでプラグインを利用できるようになります。プラグインを使用してサードパーティーシステムと連携し、Mattermostサーバーの機能拡張やユーザーインターフェースのカスタマイズを行えます。詳しくは<a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">説明文書</a>を参照してください。",
"admin.plugins.settings.enableUploads": "プラグインのアップロードを有効にする: ",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "最大のログイン試行回数:",
"admin.service.cmdsDesc": "有効な場合、カスタムスラッシュコマンドが使用できます。詳しくは<a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>説明文書</a>を参照してください。",
"admin.service.cmdsTitle": "カスタムスラッシュコマンドを有効にする: ",
"admin.service.complianceExportDesc": "有効な場合、Mattermostは過去24時間に投稿された全てのメッセージを含むコンプライアンスエクスポートファイルを生成します。エクスポート処理は日に一度実行するようスケジュールされています。詳しくは<a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">説明文書</a>を参照してください。",
"admin.service.complianceExportTitle": "コンプライアンスエクスポートを有効にする:",
"admin.service.corsDescription": "HTTPクロスオリジンリクエスト(CORS)を特定のドメインで有効にします。全てのドメインでCORSを許可するには\"*\"を指定してください。空欄にした場合、CORSは無効になります。",
"admin.service.corsEx": "http://example.com",
"admin.service.corsTitle": "クロスオリジンリクエストを許可する:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "接続待ちアドレス:",
"admin.service.listenDescription": "使用するIPアドレスとポート番号を設定します。\":8065\"と入力することで全てのインターフェイスのIPアドレスでアクセスを待ちます。\"127.0.0.1:8065\"と指定することで、一つのIPアドレスでアクセスを待ちます。\"システムポート\"や\"ウェルノウンポート\"と呼ばれる 01023 までの範囲のポート番号を選んだ場合、そのポートを使用する権限が必要になります。Linuxでは、Mattermostがウェルウンポートを使用するために \"sudo setcap cap_net_bind_service=+ep ./bin/platform\" を利用することができます。",
"admin.service.listenExample": "例: \":8065\"",
"admin.service.messageExportDesc": "有効な場合、システムは一日に一度、送信された全てのメッセージをエクスポートします。",
"admin.service.messageExportTitle": "メッセージエクスポートを有効にする:",
"admin.service.mfaDesc": "有効な場合、AD/LDAPか電子メールログインのユーザーはGoogle Authenticatorを使用した多要素認証をアカウントに追加することができます。",
"admin.service.mfaTitle": "多要素認証を有効にする:",
"admin.service.mobileSessionDays": "モバイルのセッション維持期間 (日数):",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "クライアントバージョン",
"admin.sidebar.cluster": "高可用",
"admin.sidebar.compliance": "コンプライアンス",
"admin.sidebar.compliance_export": "コンプライアンスエクスポート (ベータ版)",
"admin.sidebar.configuration": "設定",
"admin.sidebar.connections": "接続",
"admin.sidebar.customBrand": "独自ブランド設定",
@@ -962,14 +948,13 @@
"admin.sidebar.database": "データベース",
"admin.sidebar.developer": "開発者",
"admin.sidebar.elasticsearch": "Elasticsearch (ベータ版)",
"admin.sidebar.email": "電子メールアドレス",
"admin.sidebar.email": "電子メール",
"admin.sidebar.emoji": "絵文字",
"admin.sidebar.external": "外部のサービス",
"admin.sidebar.files": "ファイル",
"admin.sidebar.general": "全般",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "統合機能",
"admin.sidebar.jira": "JIRA (ベータ版)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "法的事項とサポート",
"admin.sidebar.license": "Editionとライセンス",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "ログ",
"admin.sidebar.login": "ログイン",
"admin.sidebar.logs": "ログ",
"admin.sidebar.message_export": "メッセージエクスポート(ベータ版)",
"admin.sidebar.metrics": "パフォーマンスモニタリング",
"admin.sidebar.mfa": "多要素認証",
"admin.sidebar.nativeAppLinks": "Mattermostアプリリンク",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "投稿実績のあるアクティブユーザー",
"analytics.system.channelTypes": "チャンネル形式",
"analytics.system.dailyActiveUsers": "日次アクティブユーザー",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "月次アクティブユーザー",
"analytics.system.postTypes": "投稿、ファイル、ハッシュタグ",
"analytics.system.privateGroups": "非公開チャンネル",
"analytics.system.publicChannels": "公開チャンネル",
"analytics.system.skippedIntensiveQueries": "パフォーマンスを最大にするために無効化された統計情報があります。config.jsonで再び有効化にすることができます。<a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a>を参照してください。",
"analytics.system.textPosts": "テキストのみの投稿数",
"analytics.system.title": "システムの使用統計",
"analytics.system.totalChannels": "総チャンネル数",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "情報を表示する",
"channel_header.viewMembers": "メンバーを見る",
"channel_header.webrtc.call": "ビデオ通話の開始",
"channel_header.webrtc.doNotDisturb": "取り込み中",
"channel_header.webrtc.offline": "ユーザーはオフラインです",
"channel_header.webrtc.unavailable": "あなたの現在の通話を終了するまで新しい通話を利用することはできません",
"channel_info.about": "チャンネル情報",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "キャンセル",
"deactivate_member_modal.deactivate": "無効にする",
"deactivate_member_modal.desc": "この操作により {username} は無効になります。無効化されたユーザーはログアウトされ、このシステムのどのチームやチャンネルにもアクセスできなくなります。本当に {username} を無効にしますか?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "{username} を無効にする",
"default_channel.purpose": "全員に見てほしいメッセージをここに投稿して下さい。チームに参加すると、全員が自動的にこのチャンネルのメンバーになります。",
"delete_channel.cancel": "キャンセル",
@@ -1497,7 +1484,7 @@
"email_signup.createTeam": "チームを作成する",
"email_signup.emailError": "有効な電子メールアドレスを入力してください。",
"email_signup.find": "参加しているチームを探す",
"email_verify.almost": "{siteName}: ほとんど完了です",
"email_verify.almost": "{siteName}: あともう少しです",
"email_verify.failed": " 確認電子メールが送信できませんでした。",
"email_verify.notVerifiedBody": "電子メールアドレスを確認します。電子メールの受信ボックスを見てみてください。",
"email_verify.resend": "電子メールを再送信する",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "チームの説明はユーザーが正しいチームを選択しやすいよう追加の情報を提供します。最大50文字です。",
"general_tab.teamName": "チーム名",
"general_tab.teamNameInfo": "サインイン画面とサイドバーの左上に表示されるチームの名称を設定します。",
"general_tab.teamNameRestrictions": "名前は{min}文字以上の{max}文字以下にしてください。後でより長いチームの説明を追加することができます。",
"general_tab.title": "全般の設定",
"general_tab.yes": "はい",
"get_app.alreadyHaveIt": "既に使用していますか?",
@@ -2012,6 +2000,7 @@
"mobile.error_handler.title": "予期しないエラーが発生しました。",
"mobile.file_upload.camera": "写真もしくはビデオを撮る",
"mobile.file_upload.library": "フォトライブラリー",
"mobile.file_upload.max_warning": "最大5ファイルまでアップロードできます。",
"mobile.file_upload.more": "もっと",
"mobile.file_upload.video": "ビデオライブラリー",
"mobile.help.title": "ヘルプ",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "前へ",
"more_channels.title": "他のチャンネル",
"more_direct_channels.close": "閉じる",
"more_direct_channels.directchannel.deactivated": "{displayname} - 無効",
"more_direct_channels.directchannel.you": "{displayname} (あなた)",
"more_direct_channels.message": "メッセージ",
"more_direct_channels.new_convo_note": "新しい会話を始めます。多くの人々を追加する場合、非公開チャンネルの作成を検討してください。",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "チーム招待リンクを入手",
"navbar_dropdown.teamSettings": "チームの設定",
"navbar_dropdown.viewMembers": "メンバーを見る",
"navbar_dropdown.webrtc.call": "ビデオ通話の開始",
"navbar_dropdown.webrtc.offline": "ビデオ通話オフライン",
"navbar_dropdown.webrtc.unavailable": "ビデオ通話利用不可",
"notification.dm": "ダイレクトメッセージ",
"notify_all.confirm": "確認",
"notify_all.question": "@allや@channelを利用すると{totalMembers}人へ通知を送信することになります。本当にこの操作を行いますか?",
@@ -2767,7 +2760,7 @@
"user.settings.notifications.desktop.allSoundHiddenTimed": "全てのアクティビティーについて{seconds}秒間表示します",
"user.settings.notifications.desktop.allSoundTimed": "全てのアクティビティーについて、通知音有りで{seconds}秒間表示します",
"user.settings.notifications.desktop.duration": "通知持続時間",
"user.settings.notifications.desktop.durationInfo": "FirefoxかChromeを使用している場合のデスクトップ通知が画面に残る時間を設定してください。EdgeSafariでのデスクトップ通知は最大5秒間表示されます。",
"user.settings.notifications.desktop.durationInfo": "FirefoxかChromeを使用している場合のデスクトップ通知が画面に残る時間を設定してください。EdgeSafari、デスクトップアプリでのデスクトップ通知は最大5秒間表示されます。",
"user.settings.notifications.desktop.mentionsNoSoundForever": "あなたについての投稿とダイレクトメッセージについて、通知音無しで無期限に表示します",
"user.settings.notifications.desktop.mentionsNoSoundTimed": "あなたについての投稿とダイレクトメッセージについて、通知音無しで{seconds}秒間表示します",
"user.settings.notifications.desktop.mentionsSoundForever": "あなたについての投稿とダイレクトメッセージについて、通知音有りで無期限に表示します",

View File

@@ -195,6 +195,16 @@
"admin.compliance.saving": "설정 저장중...",
"admin.compliance.title": "Compliance 설정",
"admin.compliance.true": "활성화",
"admin.complianceExport.createJob.help": "Initiates a Compliance Export job immediately.",
"admin.complianceExport.createJob.title": "Run Compliance Export Job Now",
"admin.complianceExport.description": "This feature supports compliance exports to the Actiance XML format, and is currently in beta. Support for the GlobalRelay EML format and the Mattermost CSV format are scheduled for a future release, and will replace the existing <a href=\"/admin_console/general/compliance\">Compliance</a> feature. Compliance Export files will be written to the \"exports\" subdirectory of the configured <a href=\"/admin_console/files/storage\">Local Storage Directory</a>.",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "File format of the compliance export. Corresponds to the system that you want to import the data into.",
"admin.complianceExport.exportFormat.title": "Export File Format:",
"admin.complianceExport.exportJobStartTime.description": "Set the start time of the daily scheduled compliance export job. Choose a time when fewer people are using your system. Must be a 24-hour time stamp in the form HH:MM.",
"admin.complianceExport.exportJobStartTime.example": "예시 \"2000\"",
"admin.complianceExport.exportJobStartTime.title": "Compliance Export time:",
"admin.complianceExport.title": "Compliance Export (Beta)",
"admin.compliance_reports.desc": "작업명:",
"admin.compliance_reports.desc_placeholder": "예시. \"Audit 445 for HR\"",
"admin.compliance_reports.emails": "이메일:",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "Manage Personal Access Tokens",
"admin.manage_tokens.userAccessTokensDescription": "Personal access tokens function similarly to session tokens and can be used by integrations to <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">interact with this Mattermost server</a>. Tokens are disabled if the user is deactivated. Learn more about <a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">personal access tokens</a>.",
"admin.manage_tokens.userAccessTokensNone": "No personal access tokens.",
"admin.messageExport.createJob.help": "Initiates a Message Export job immediately.",
"admin.messageExport.createJob.title": "Run Message Export job now",
"admin.messageExport.description": "Message Export dumps all posts into a file that can be imported into third-party systems. The export task is scheduled to run once per day.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "The file format to write exported data in. Corresponds to the system that you want to import the data into.",
"admin.messageExport.exportFormat.title": "Export File Format:",
"admin.messageExport.exportFromTimestamp.description": "Posts older than this will not be exported. Expressed as the number of seconds since the Unix Epoch (January 1, 1970).",
"admin.messageExport.exportFromTimestamp.example": "E.g.: Tuesday October 24, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Creation Time of Oldest Post to Export:",
"admin.messageExport.exportJobStartTime.description": "Set the start time of the daily scheduled message export job. Choose a time when fewer people are using your system. Must be a 24-hour time stamp in the form HH:MM.",
"admin.messageExport.exportJobStartTime.example": "예시 \"2000\"",
"admin.messageExport.exportJobStartTime.title": "Message Export time:",
"admin.messageExport.exportLocation.description": "The directory on your hard drive to write export files to. Mattermost must have write access to this directory. Do not include a filename.",
"admin.messageExport.exportLocation.example": "E.g.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Export Directory:",
"admin.messageExport.title": "Message Export (Beta)",
"admin.metrics.enableDescription": "When true, Mattermost will enable performance monitoring collection and profiling. Please see <a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>documentation</a> to learn more about configuring performance monitoring for Mattermost.",
"admin.metrics.enableTitle": "Enable Performance Monitoring:",
"admin.metrics.listenAddressDesc": "The address the server will listen on to expose performance metrics.",
@@ -720,31 +714,22 @@
"admin.plugin.desc": "설명",
"admin.plugin.error.activate": "Unable to upload the plugin. It may conflict with another plugin on your server.",
"admin.plugin.error.extract": "Encountered an error when extracting the plugin. Review your plugin file content and try again.",
"admin.plugin.id": "ID: ",
"admin.plugin.id": "Id:",
"admin.plugin.installedDesc": "Installed plugins on your Mattermost server. Pre-packaged plugins are installed by default, and can be deactivated but not removed.",
"admin.plugin.installedTitle": "Installed Plugins: ",
"admin.plugin.management.title": "Management",
"admin.plugin.name": "이름:",
"admin.plugin.no_plugins": "No installed plugins.",
"admin.plugin.prepackaged": "Pre-packaged",
"admin.plugin.remove": "제거하기",
"admin.plugin.removing": "Removing...",
"admin.plugin.settingsButton": "Settings",
"admin.plugin.upload": "업로드",
"admin.plugin.uploadDesc": "Upload a plugin for your Mattermost server. See <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugin.uploadDisabledDesc": "To enable plugin uploads, go to <strong>Plugins > Configuration</strong>. See <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugin.uploadTitle": "Upload Plugin: ",
"admin.plugin.uploading": "업로드 중..",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "channelurl",
"admin.plugins.jira.enabledDescription": "When true, you can configure JIRA webhooks to post message in Mattermost. To help combat phishing attacks, all posts are labelled by a BOT tag.",
"admin.plugins.jira.enabledLabel": "Enable JIRA:",
"admin.plugins.jira.secretDescription": "This secret is used to authenticate to Mattermost.",
"admin.plugins.jira.secretLabel": "보안",
"admin.plugins.jira.secretParamPlaceholder": "보안",
"admin.plugins.jira.secretRegenerateDescription": "Regenerates the secret for the webhook URL endpoint. Regenerating the secret invalidates your existing JIRA integrations.",
"admin.plugins.jira.setupDescription": "Use this webhook URL to set up the JIRA integration. See {webhookDocsLink} to learn more.",
"admin.plugins.jira.teamParamPlaceholder": "teamurl",
"admin.plugins.jira.userDescription": "Select the username that this integration is attached to.",
"admin.plugins.jira.userLabel": "사용자",
"admin.plugins.jira.webhookDocsLink": "문서",
"admin.plugin.version": "버전:",
"admin.plugins.settings.enable": "Enable Plugins: ",
"admin.plugins.settings.enableDesc": "When true, enables plugins on your Mattermost server. Use plugins to integrate with third-party systems, extend functionality or customize the user interface of your Mattermost server. See <a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugins.settings.enableUploads": "Enable Plugin Uploads: ",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "최대 로그인 시도:",
"admin.service.cmdsDesc": "When true, custom slash commands will be allowed. See <a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>documentation</a> to learn more.",
"admin.service.cmdsTitle": "커스텀 명령어: ",
"admin.service.complianceExportDesc": "When true, Mattermost will generate a compliance export file that contains all messages that were posted in the last 24 hours. The export task is scheduled to run once per day. See <a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">the documentation</a> to learn more.",
"admin.service.complianceExportTitle": "감사 보고:",
"admin.service.corsDescription": "Enable HTTP Cross origin request from a specific domain. Use \"*\" if you want to allow CORS from any domain or leave it blank to disable it.",
"admin.service.corsEx": "http://example.com",
"admin.service.corsTitle": "CORS 요청 허용:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "Listen Address:",
"admin.service.listenDescription": "The address and port to which to bind and listen. Specifying \":8065\" will bind to all network interfaces. Specifying \"127.0.0.1:8065\" will only bind to the network interface having that IP address. If you choose a port of a lower level (called \"system ports\" or \"well-known ports\", in the range of 0-1023), you must have permissions to bind to that port. On Linux you can use: \"sudo setcap cap_net_bind_service=+ep ./bin/platform\" to allow Mattermost to bind to well-known ports.",
"admin.service.listenExample": "예시 \":8065\"",
"admin.service.messageExportDesc": "When true, the system will export all messages that are sent once per day.",
"admin.service.messageExportTitle": "Enable Message Export:",
"admin.service.mfaDesc": "When true, users with AD/LDAP or email login can add multi-factor authentication to their account using Google Authenticator.",
"admin.service.mfaTitle": "Enable Multi-factor Authentication:",
"admin.service.mobileSessionDays": "Session length for mobile apps (days):",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "Client Versions",
"admin.sidebar.cluster": "High Availability",
"admin.sidebar.compliance": "감사",
"admin.sidebar.compliance_export": "Compliance Export (Beta)",
"admin.sidebar.configuration": "환경설정",
"admin.sidebar.connections": "연결",
"admin.sidebar.customBrand": "커스텀 브랜딩",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "일반",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "통합",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "지원",
"admin.sidebar.license": "라이센스와 에디션",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "로그",
"admin.sidebar.login": "로그인",
"admin.sidebar.logs": "서버 로그 보기",
"admin.sidebar.message_export": "Message Export (Beta)",
"admin.sidebar.metrics": "Performance Monitoring",
"admin.sidebar.mfa": "MFA",
"admin.sidebar.nativeAppLinks": "Mattermost 애플리케이션 링크",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "활성 사용자 (글 작성 기준)",
"analytics.system.channelTypes": "Channel Types",
"analytics.system.dailyActiveUsers": "Daily Active Users",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "Monthly Active Users",
"analytics.system.postTypes": "글, 파일, 해시태그",
"analytics.system.privateGroups": "비공개 채널",
"analytics.system.publicChannels": "공개 채널",
"analytics.system.skippedIntensiveQueries": "To maximize performance, some statistics are disabled. You can re-enable them in config.json. See: <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a>",
"analytics.system.textPosts": "텍스트 글 수",
"analytics.system.title": "시스템 통계",
"analytics.system.totalChannels": "전체 채널",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "정보 보기",
"channel_header.viewMembers": "회원 보기",
"channel_header.webrtc.call": "영상 통화 시작하기",
"channel_header.webrtc.doNotDisturb": "Do not disturb",
"channel_header.webrtc.offline": "사용자가 오프라인입니다",
"channel_header.webrtc.unavailable": "New call unavailable until your existing call ends",
"channel_info.about": "정보",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "취소",
"deactivate_member_modal.deactivate": "Deactivate",
"deactivate_member_modal.desc": "This action deactivates {username}. They will be logged out and not have access to any teams or channels on this system. Are you sure you want to deactivate {username}?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "Deactivate {username}",
"default_channel.purpose": "Post messages here that you want everyone to see. Everyone automatically becomes a permanent member of this channel when they join the team.",
"delete_channel.cancel": "취소",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "Team description provides additional information to help users select the right team. Maximum of 50 characters.",
"general_tab.teamName": "팀 이름",
"general_tab.teamNameInfo": "설정한 팀 이름은 로그인 화면과 왼쪽 사이드바 상단에 표시됩니다.",
"general_tab.teamNameRestrictions": "Team Name must be {min} or more characters up to a maximum of {max}. You can add a longer team description.",
"general_tab.title": "일반 설정",
"general_tab.yes": "네",
"get_app.alreadyHaveIt": "Already have it?",
@@ -2012,6 +2000,7 @@
"mobile.error_handler.title": "Unexpected error occurred",
"mobile.file_upload.camera": "Take Photo or Video",
"mobile.file_upload.library": "Photo Library",
"mobile.file_upload.max_warning": "Uploads limited to 5 files maximum.",
"mobile.file_upload.more": "더 보기",
"mobile.file_upload.video": "Video Library",
"mobile.help.title": "도움말",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "Previous",
"more_channels.title": "채널 더보기",
"more_direct_channels.close": "닫기",
"more_direct_channels.directchannel.deactivated": "{displayname} - Deactivated",
"more_direct_channels.directchannel.you": "{displayname} (you)",
"more_direct_channels.message": "메시지",
"more_direct_channels.new_convo_note": "This will start a new conversation. If youre adding a lot of people, consider creating a private channel instead.",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "가입 링크",
"navbar_dropdown.teamSettings": "팀 설정",
"navbar_dropdown.viewMembers": "회원 목록",
"navbar_dropdown.webrtc.call": "영상 통화 시작하기",
"navbar_dropdown.webrtc.offline": "Video Call Offline",
"navbar_dropdown.webrtc.unavailable": "Video Call Unavailable",
"notification.dm": "개인 메시지",
"notify_all.confirm": "Confirm",
"notify_all.question": "By using @all or @channel you are about to send notifications to {totalMembers} people. Are you sure you want to do this?",
@@ -2767,7 +2760,7 @@
"user.settings.notifications.desktop.allSoundHiddenTimed": "모든 활동에 대해, {seconds}초 동안 보여줍니다.",
"user.settings.notifications.desktop.allSoundTimed": "모든 활동에 대해 {seconds}초 동안 보여줍니다.",
"user.settings.notifications.desktop.duration": "알림 지속시간",
"user.settings.notifications.desktop.durationInfo": "Sets how long desktop notifications will remain on screen when using Firefox or Chrome. Desktop notifications in Edge and Safari can only stay on screen for a maximum of 5 seconds.",
"user.settings.notifications.desktop.durationInfo": "Sets how long desktop notifications will remain on screen when using Firefox or Chrome. Desktop notifications in Edge, Safari and Mattermost Desktop Apps can only stay on screen for a maximum of 5 seconds.",
"user.settings.notifications.desktop.mentionsNoSoundForever": "개인 메시지와 멘션에 대해, 소리 없이 무기한 보여줍니다.",
"user.settings.notifications.desktop.mentionsNoSoundTimed": "개인 메시지와 멘션에 대해, 소리 없이 {seconds}초 동안 보여줍니다.",
"user.settings.notifications.desktop.mentionsSoundForever": "개인 메시지와 멘션에 대해 무기한 보여줍니다.",

View File

@@ -195,6 +195,16 @@
"admin.compliance.saving": "Configuratie opslaan...",
"admin.compliance.title": "\"Compliance\" instellingen",
"admin.compliance.true": "ingeschakeld",
"admin.complianceExport.createJob.help": "Initiates a Compliance Export job immediately.",
"admin.complianceExport.createJob.title": "Run Compliance Export Job Now",
"admin.complianceExport.description": "This feature supports compliance exports to the Actiance XML format, and is currently in beta. Support for the GlobalRelay EML format and the Mattermost CSV format are scheduled for a future release, and will replace the existing <a href=\"/admin_console/general/compliance\">Compliance</a> feature. Compliance Export files will be written to the \"exports\" subdirectory of the configured <a href=\"/admin_console/files/storage\">Local Storage Directory</a>.",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "File format of the compliance export. Corresponds to the system that you want to import the data into.",
"admin.complianceExport.exportFormat.title": "Export File Format:",
"admin.complianceExport.exportJobStartTime.description": "Set the start time of the daily scheduled compliance export job. Choose a time when fewer people are using your system. Must be a 24-hour time stamp in the form HH:MM.",
"admin.complianceExport.exportJobStartTime.example": "Bijv.: \"2000\"",
"admin.complianceExport.exportJobStartTime.title": "Compliance Export time:",
"admin.complianceExport.title": "Compliance Export (Beta)",
"admin.compliance_reports.desc": "Functie naam:",
"admin.compliance_reports.desc_placeholder": "Bv. \"Audit 445 voor PZ\"",
"admin.compliance_reports.emails": "E-mailadressen:",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "Manage Personal Access Tokens",
"admin.manage_tokens.userAccessTokensDescription": "Personal access tokens function similarly to session tokens and can be used by integrations to <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">interact with this Mattermost server</a>. Tokens are disabled if the user is deactivated. Learn more about <a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">personal access tokens</a>.",
"admin.manage_tokens.userAccessTokensNone": "No personal access tokens.",
"admin.messageExport.createJob.help": "Initiates a Message Export job immediately.",
"admin.messageExport.createJob.title": "Run Message Export job now",
"admin.messageExport.description": "Message Export dumps all posts into a file that can be imported into third-party systems. The export task is scheduled to run once per day.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "The file format to write exported data in. Corresponds to the system that you want to import the data into.",
"admin.messageExport.exportFormat.title": "Export File Format:",
"admin.messageExport.exportFromTimestamp.description": "Posts older than this will not be exported. Expressed as the number of seconds since the Unix Epoch (January 1, 1970).",
"admin.messageExport.exportFromTimestamp.example": "E.g.: Tuesday October 24, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Creation Time of Oldest Post to Export:",
"admin.messageExport.exportJobStartTime.description": "Set the start time of the daily scheduled message export job. Choose a time when fewer people are using your system. Must be a 24-hour time stamp in the form HH:MM.",
"admin.messageExport.exportJobStartTime.example": "Bijv.: \"2000\"",
"admin.messageExport.exportJobStartTime.title": "Message Export time:",
"admin.messageExport.exportLocation.description": "The directory on your hard drive to write export files to. Mattermost must have write access to this directory. Do not include a filename.",
"admin.messageExport.exportLocation.example": "E.g.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Export Directory:",
"admin.messageExport.title": "Message Export (Beta)",
"admin.metrics.enableDescription": "When true, Mattermost will enable performance monitoring collection and profiling. Please see <a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>documentation</a> to learn more about configuring performance monitoring for Mattermost.",
"admin.metrics.enableTitle": "Enable Performance Monitoring:",
"admin.metrics.listenAddressDesc": "The address the server will listen on to expose performance metrics.",
@@ -720,31 +714,22 @@
"admin.plugin.desc": "Omschrijving",
"admin.plugin.error.activate": "Unable to upload the plugin. It may conflict with another plugin on your server.",
"admin.plugin.error.extract": "Encountered an error when extracting the plugin. Review your plugin file content and try again.",
"admin.plugin.id": "ID: ",
"admin.plugin.id": "Id:",
"admin.plugin.installedDesc": "Installed plugins on your Mattermost server. Pre-packaged plugins are installed by default, and can be deactivated but not removed.",
"admin.plugin.installedTitle": "Installed Plugins: ",
"admin.plugin.management.title": "Management",
"admin.plugin.name": "Naam:",
"admin.plugin.no_plugins": "No installed plugins.",
"admin.plugin.prepackaged": "Pre-packaged",
"admin.plugin.remove": "Verwijderen",
"admin.plugin.removing": "Removing...",
"admin.plugin.settingsButton": "Settings",
"admin.plugin.upload": "Upload",
"admin.plugin.uploadDesc": "Upload a plugin for your Mattermost server. See <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugin.uploadDisabledDesc": "To enable plugin uploads, go to <strong>Plugins > Configuration</strong>. See <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugin.uploadTitle": "Upload Plugin: ",
"admin.plugin.uploading": "Bezig met uploaden..",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "channelurl",
"admin.plugins.jira.enabledDescription": "When true, you can configure JIRA webhooks to post message in Mattermost. To help combat phishing attacks, all posts are labelled by a BOT tag.",
"admin.plugins.jira.enabledLabel": "Enable JIRA:",
"admin.plugins.jira.secretDescription": "This secret is used to authenticate to Mattermost.",
"admin.plugins.jira.secretLabel": "Geheim:",
"admin.plugins.jira.secretParamPlaceholder": "Geheim:",
"admin.plugins.jira.secretRegenerateDescription": "Regenerates the secret for the webhook URL endpoint. Regenerating the secret invalidates your existing JIRA integrations.",
"admin.plugins.jira.setupDescription": "Use this webhook URL to set up the JIRA integration. See {webhookDocsLink} to learn more.",
"admin.plugins.jira.teamParamPlaceholder": "teamurl",
"admin.plugins.jira.userDescription": "Select the username that this integration is attached to.",
"admin.plugins.jira.userLabel": "Gebruikers",
"admin.plugins.jira.webhookDocsLink": "documentatie",
"admin.plugin.version": "Versie:",
"admin.plugins.settings.enable": "Enable Plugins: ",
"admin.plugins.settings.enableDesc": "When true, enables plugins on your Mattermost server. Use plugins to integrate with third-party systems, extend functionality or customize the user interface of your Mattermost server. See <a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugins.settings.enableUploads": "Enable Plugin Uploads: ",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "Maximum aantal aanmeldingspogingen:",
"admin.service.cmdsDesc": "Wanneer dit aanstaat, aangepaste slash commando's zijn toegestaan. Bekijk de <a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>documentatie</a> om hier meer over te leren.",
"admin.service.cmdsTitle": "Inschakelen van Slash opdrachten: ",
"admin.service.complianceExportDesc": "When true, Mattermost will generate a compliance export file that contains all messages that were posted in the last 24 hours. The export task is scheduled to run once per day. See <a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">the documentation</a> to learn more.",
"admin.service.complianceExportTitle": "Inschakelen Nalevingsrapport:",
"admin.service.corsDescription": "HTTP \"Cross origin request\" van een specifiek domein inschakelen. Gebruik \"*\" als je CORS van elk domein wilt toestaan, of laat leeg om uit te schakelen.",
"admin.service.corsEx": "http://voorbeeld.nl",
"admin.service.corsTitle": "Cross-origin Requests toestaan van:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "Luister Adres:",
"admin.service.listenDescription": "The address and port to which to bind and listen. Specifying \":8065\" will bind to all network interfaces. Specifying \"127.0.0.1:8065\" will only bind to the network interface having that IP address. If you choose a port of a lower level (called \"system ports\" or \"well-known ports\", in the range of 0-1023), you must have permissions to bind to that port. On Linux you can use: \"sudo setcap cap_net_bind_service=+ep ./bin/platform\" to allow Mattermost to bind to well-known ports.",
"admin.service.listenExample": "Bijv.: \":8065\"",
"admin.service.messageExportDesc": "When true, the system will export all messages that are sent once per day.",
"admin.service.messageExportTitle": "Enable Message Export:",
"admin.service.mfaDesc": "When true, users with AD/LDAP or email login can add multi-factor authentication to their account using Google Authenticator.",
"admin.service.mfaTitle": "Aanzetten multi-factor authenticatie:",
"admin.service.mobileSessionDays": "Sessie duur voor mobiel (dagen):",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "Client Versions",
"admin.sidebar.cluster": "High Availability",
"admin.sidebar.compliance": "Voldoet aan",
"admin.sidebar.compliance_export": "Compliance Export (Beta)",
"admin.sidebar.configuration": "Configuratie",
"admin.sidebar.connections": "Verbindingen",
"admin.sidebar.customBrand": "Aangepast huisstijl",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "Algemeen",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "Integraties",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "Wettelijk en Ondersteuning",
"admin.sidebar.license": "Editie en Licentie",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "Loggen",
"admin.sidebar.login": "Login",
"admin.sidebar.logs": "Logs",
"admin.sidebar.message_export": "Message Export (Beta)",
"admin.sidebar.metrics": "Performance Monitoring",
"admin.sidebar.mfa": "MFA",
"admin.sidebar.nativeAppLinks": "Mattermost App Links",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "Actieve gebruikers met berichten",
"analytics.system.channelTypes": "Kanaal types",
"analytics.system.dailyActiveUsers": "Daily Active Users",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "Monthly Active Users",
"analytics.system.postTypes": "Berichten, bestanden en hashtags",
"analytics.system.privateGroups": "Verlaat kanaal",
"analytics.system.publicChannels": "Publieke kanalen",
"analytics.system.skippedIntensiveQueries": "To maximize performance, some statistics are disabled. You can re-enable them in config.json. See: <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a>",
"analytics.system.textPosts": "Berichten met enkel tekst",
"analytics.system.title": "Systeem-statistieken",
"analytics.system.totalChannels": "Totaal aantal kanalen",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "Bekijk informatie",
"channel_header.viewMembers": "Bekijk Leden",
"channel_header.webrtc.call": "Een video-oproep starten",
"channel_header.webrtc.doNotDisturb": "Do not disturb",
"channel_header.webrtc.offline": "The user is offline",
"channel_header.webrtc.unavailable": "New call unavailable until your existing call ends",
"channel_info.about": "Over",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "Annuleren",
"deactivate_member_modal.deactivate": "Deactivate",
"deactivate_member_modal.desc": "This action deactivates {username}. They will be logged out and not have access to any teams or channels on this system. Are you sure you want to deactivate {username}?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "Deactivate {username}",
"default_channel.purpose": "Post messages here that you want everyone to see. Everyone automatically becomes a permanent member of this channel when they join the team.",
"delete_channel.cancel": "Annuleren",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "Team description provides additional information to help users select the right team. Maximum of 50 characters.",
"general_tab.teamName": "Team naam",
"general_tab.teamNameInfo": "Zet de teamnaam zoals die zal verschijnen op uw login scherm en bovenaan de navigatiekolom aan de linkerkant.",
"general_tab.teamNameRestrictions": "Team Name must be {min} or more characters up to a maximum of {max}. You can add a longer team description.",
"general_tab.title": "Algemene instellingen",
"general_tab.yes": "Ja",
"get_app.alreadyHaveIt": "Heb je het al?",
@@ -2012,6 +2000,7 @@
"mobile.error_handler.title": "Unexpected error occurred",
"mobile.file_upload.camera": "Take Photo or Video",
"mobile.file_upload.library": "Photo Library",
"mobile.file_upload.max_warning": "Uploads limited to 5 files maximum.",
"mobile.file_upload.more": "Meer",
"mobile.file_upload.video": "Video Library",
"mobile.help.title": "Help",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "Previous",
"more_channels.title": "Meer kanalen",
"more_direct_channels.close": "Afsluiten",
"more_direct_channels.directchannel.deactivated": "{displayname} - Deactivated",
"more_direct_channels.directchannel.you": "{displayname} (you)",
"more_direct_channels.message": "Bericht",
"more_direct_channels.new_convo_note": "This will start a new conversation. If youre adding a lot of people, consider creating a private channel instead.",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "Verkrijg de team uitnodigings-link",
"navbar_dropdown.teamSettings": "Team instellingen",
"navbar_dropdown.viewMembers": "Bekijk Leden",
"navbar_dropdown.webrtc.call": "Een video-oproep starten",
"navbar_dropdown.webrtc.offline": "Video Call Offline",
"navbar_dropdown.webrtc.unavailable": "Video Call Unavailable",
"notification.dm": "Privé bericht",
"notify_all.confirm": "Confirm",
"notify_all.question": "By using @all or @channel you are about to send notifications to {totalMembers} people. Are you sure you want to do this?",
@@ -2767,7 +2760,7 @@
"user.settings.notifications.desktop.allSoundHiddenTimed": "Voor alle activiteit, tonen voor {seconds} secondes",
"user.settings.notifications.desktop.allSoundTimed": "Voor alle activiteit, met geluid, tonen voor {seconds} secondes",
"user.settings.notifications.desktop.duration": "Duur van notificatie",
"user.settings.notifications.desktop.durationInfo": "Sets how long desktop notifications will remain on screen when using Firefox or Chrome. Desktop notifications in Edge and Safari can only stay on screen for a maximum of 5 seconds.",
"user.settings.notifications.desktop.durationInfo": "Sets how long desktop notifications will remain on screen when using Firefox or Chrome. Desktop notifications in Edge, Safari and Mattermost Desktop Apps can only stay on screen for a maximum of 5 seconds.",
"user.settings.notifications.desktop.mentionsNoSoundForever": "Voor vermeldingen en directe berichten, zonder geluid, toon altijd",
"user.settings.notifications.desktop.mentionsNoSoundTimed": "Voor vermeldingen en directe berichten, zonder geluid, toon voor {seconds} secondes",
"user.settings.notifications.desktop.mentionsSoundForever": "Voor vermeldingen en directe berichten, met geluid, toon altijd",

View File

@@ -195,6 +195,16 @@
"admin.compliance.saving": "Zapisuję konfigurację...",
"admin.compliance.title": "Ustawienia zgodności",
"admin.compliance.true": "prawda",
"admin.complianceExport.createJob.help": "Initiates a Compliance Export job immediately.",
"admin.complianceExport.createJob.title": "Run Compliance Export Job Now",
"admin.complianceExport.description": "This feature supports compliance exports to the Actiance XML format, and is currently in beta. Support for the GlobalRelay EML format and the Mattermost CSV format are scheduled for a future release, and will replace the existing <a href=\"/admin_console/general/compliance\">Compliance</a> feature. Compliance Export files will be written to the \"exports\" subdirectory of the configured <a href=\"/admin_console/files/storage\">Local Storage Directory</a>.",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "File format of the compliance export. Corresponds to the system that you want to import the data into.",
"admin.complianceExport.exportFormat.title": "Export File Format:",
"admin.complianceExport.exportJobStartTime.description": "Set the start time of the daily scheduled compliance export job. Choose a time when fewer people are using your system. Must be a 24-hour time stamp in the form HH:MM.",
"admin.complianceExport.exportJobStartTime.example": "Np. \"2000\"",
"admin.complianceExport.exportJobStartTime.title": "Compliance Export time:",
"admin.complianceExport.title": "Compliance Export (Beta)",
"admin.compliance_reports.desc": "Nazwa zadania:",
"admin.compliance_reports.desc_placeholder": "Np. \"Audyt 445 dla działu HR\"",
"admin.compliance_reports.emails": "Adresy e-mail:",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "Manage Personal Access Tokens",
"admin.manage_tokens.userAccessTokensDescription": "Personal access tokens function similarly to session tokens and can be used by integrations to <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">interact with this Mattermost server</a>. Tokens are disabled if the user is deactivated. Learn more about <a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">personal access tokens</a>.",
"admin.manage_tokens.userAccessTokensNone": "Brak osobistych tokenów dostępu.",
"admin.messageExport.createJob.help": "Initiates a Message Export job immediately.",
"admin.messageExport.createJob.title": "Run Message Export job now",
"admin.messageExport.description": "Message Export dumps all posts into a file that can be imported into third-party systems. The export task is scheduled to run once per day.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "The file format to write exported data in. Corresponds to the system that you want to import the data into.",
"admin.messageExport.exportFormat.title": "Export File Format:",
"admin.messageExport.exportFromTimestamp.description": "Posts older than this will not be exported. Expressed as the number of seconds since the Unix Epoch (January 1, 1970).",
"admin.messageExport.exportFromTimestamp.example": "E.g.: Tuesday October 24, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Creation Time of Oldest Post to Export:",
"admin.messageExport.exportJobStartTime.description": "Set the start time of the daily scheduled message export job. Choose a time when fewer people are using your system. Must be a 24-hour time stamp in the form HH:MM.",
"admin.messageExport.exportJobStartTime.example": "Np. \"2000\"",
"admin.messageExport.exportJobStartTime.title": "Message Export time:",
"admin.messageExport.exportLocation.description": "The directory on your hard drive to write export files to. Mattermost must have write access to this directory. Do not include a filename.",
"admin.messageExport.exportLocation.example": "E.g.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Export Directory:",
"admin.messageExport.title": "Message Export (Beta)",
"admin.metrics.enableDescription": "Jeśli włączone, Mattermost umożliwi monitorowanie wydajności oraz profilowanie. Zobacz proszę <a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>dokumentację</a> aby dowiedzieć się więcej na temat konfiguracji monitoringu wydajności dla Mattermost.",
"admin.metrics.enableTitle": "Włącz Monitorowanie Wydajności:",
"admin.metrics.listenAddressDesc": "Adres na którym serwer będzie nasłuchiwał aby udostępnić metrykę wydajności.",
@@ -720,31 +714,22 @@
"admin.plugin.desc": "Opis",
"admin.plugin.error.activate": "Unable to upload the plugin. It may conflict with another plugin on your server.",
"admin.plugin.error.extract": "Encountered an error when extracting the plugin. Review your plugin file content and try again.",
"admin.plugin.id": "Identyfikator: ",
"admin.plugin.id": "Id:",
"admin.plugin.installedDesc": "Installed plugins on your Mattermost server. Pre-packaged plugins are installed by default, and can be deactivated but not removed.",
"admin.plugin.installedTitle": "Installed Plugins: ",
"admin.plugin.management.title": "Management",
"admin.plugin.name": "Nazwa:",
"admin.plugin.no_plugins": "No installed plugins.",
"admin.plugin.prepackaged": "Pre-packaged",
"admin.plugin.remove": "Usuń",
"admin.plugin.removing": "Usuwanie...",
"admin.plugin.settingsButton": "Ustawienia",
"admin.plugin.upload": "Wyślij",
"admin.plugin.uploadDesc": "Upload a plugin for your Mattermost server. See <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugin.uploadDisabledDesc": "To enable plugin uploads, go to <strong>Plugins > Configuration</strong>. See <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugin.uploadTitle": "Wyślij plugin: ",
"admin.plugin.uploading": "Wysyłanie..",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "channelurl",
"admin.plugins.jira.enabledDescription": "When true, you can configure JIRA webhooks to post message in Mattermost. To help combat phishing attacks, all posts are labelled by a BOT tag.",
"admin.plugins.jira.enabledLabel": "Enable JIRA:",
"admin.plugins.jira.secretDescription": "Te hasło jest używany przy uwierzytelnianiu do Mattermost.",
"admin.plugins.jira.secretLabel": "Hasło",
"admin.plugins.jira.secretParamPlaceholder": "Hasło",
"admin.plugins.jira.secretRegenerateDescription": "Regenerates the secret for the webhook URL endpoint. Regenerating the secret invalidates your existing JIRA integrations.",
"admin.plugins.jira.setupDescription": "Use this webhook URL to set up the JIRA integration. See {webhookDocsLink} to learn more.",
"admin.plugins.jira.teamParamPlaceholder": "teamurl",
"admin.plugins.jira.userDescription": "Wybierz nazwę użytkownika, z którą powiązana jest ta integracja.",
"admin.plugins.jira.userLabel": "Użytkownicy",
"admin.plugins.jira.webhookDocsLink": "dokumentacja",
"admin.plugin.version": "Wersja:",
"admin.plugins.settings.enable": "Enable Plugins: ",
"admin.plugins.settings.enableDesc": "When true, enables plugins on your Mattermost server. Use plugins to integrate with third-party systems, extend functionality or customize the user interface of your Mattermost server. See <a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugins.settings.enableUploads": "Enable Plugin Uploads: ",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "Maksymalna liczba prób logowania:",
"admin.service.cmdsDesc": "Jeśli włączone, niestandardowe polecenia z ukośnikiem będą dozwolone. Zobacz <a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>dokumentację</a> aby dowiedzieć się więcej.",
"admin.service.cmdsTitle": "Włącz Niestandardowe Polecenia z Ukośnikiem:",
"admin.service.complianceExportDesc": "When true, Mattermost will generate a compliance export file that contains all messages that were posted in the last 24 hours. The export task is scheduled to run once per day. See <a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">the documentation</a> to learn more.",
"admin.service.complianceExportTitle": "Włącz raport zgodności:",
"admin.service.corsDescription": "Włącz żądanie HTTP cross origin z określonej domeny. Użyj \"*\", jeśli chcesz zezwolić CORS z dowolnej domeny lub pozostaw to puste, aby go wyłączyć.",
"admin.service.corsEx": "http://example.com",
"admin.service.corsTitle": "Pozwól na zapytania Cross-domain z:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "Adres nasłuchiwania:",
"admin.service.listenDescription": "Adres z którym się powiązać i nasłuchiwać. Podanie \":8065\" powiąże ze wszystkimi interfejsami sieci. Podanie \"127.0.0.1:8065\" powiąże tylko z podanym adresem IP. Jeśli wybierzesz niższy port (zwane \"portami systemowymi\" lub \"dobrze znanymi portami\", w zakresie 0-1023), musisz mieć uprawnienia sudo żeby powiązać z takim portem. Na Linuksie możesz użyć: \"sudo setcap cap_net_bind_service=+ep ./bin/platform\" by pozwolić Mattermost na wiązanie z portami systemowymi.",
"admin.service.listenExample": "Np. \":8065\"",
"admin.service.messageExportDesc": "When true, the system will export all messages that are sent once per day.",
"admin.service.messageExportTitle": "Enable Message Export:",
"admin.service.mfaDesc": "Gdy włączone, użytkownicy z lodowaniem AD/LDAP albo email, mogą dodać do swojego konta uwierzytelnianie za pomocą Uwierzytelniania Google.",
"admin.service.mfaTitle": "Włącz uwierzytelnianie wieloskładnikowe:",
"admin.service.mobileSessionDays": "Długość sesji mobilnej (dni):",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "Client Versions",
"admin.sidebar.cluster": "Wysoka dostępność",
"admin.sidebar.compliance": "Zgodność",
"admin.sidebar.compliance_export": "Compliance Export (Beta)",
"admin.sidebar.configuration": "Konfiguracja",
"admin.sidebar.connections": "Połączenia",
"admin.sidebar.customBrand": "Własna marka",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "Ogólne",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "Integracje",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "Informacje prawne i wsparcie",
"admin.sidebar.license": "Licencja",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "Logowanie",
"admin.sidebar.login": "Login",
"admin.sidebar.logs": "Logi",
"admin.sidebar.message_export": "Message Export (Beta)",
"admin.sidebar.metrics": "Monitorowanie Wydajności",
"admin.sidebar.mfa": "MFA",
"admin.sidebar.nativeAppLinks": "Link do aplikacji Mattermost",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "Aktywni użytkownicy z wiadomościami",
"analytics.system.channelTypes": "Typy Kanałów",
"analytics.system.dailyActiveUsers": "Dzienna Aktywność Użytkowników",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "Miesięczna Aktywność Użytkowników",
"analytics.system.postTypes": "Wiadomości, Pliki i Hashtagi",
"analytics.system.privateGroups": "Kanały prywatne",
"analytics.system.publicChannels": "Kanały publiczne",
"analytics.system.skippedIntensiveQueries": "Aby zmaksymalizować wydajność, niektóre statystyki są wyłączone. Możesz je ponownie włączyć w config.json. Zobacz: <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'> https://docs.mattermost.com/administration/statistics.html </a>",
"analytics.system.textPosts": "Wiadomości z samym tekstem",
"analytics.system.title": "Statystyki systemu",
"analytics.system.totalChannels": "Wszystkie Kanały",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "Wyświetl Informacje",
"channel_header.viewMembers": "Wyświetl użytkowników",
"channel_header.webrtc.call": "Rozpocznij rozmowę wideo",
"channel_header.webrtc.doNotDisturb": "Do not disturb",
"channel_header.webrtc.offline": "Użytkownik jest w trybie offline",
"channel_header.webrtc.unavailable": "Nowe połączenie jest niedostępne do momentu zakończenia istniejących połączeń",
"channel_info.about": "O",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "Anuluj",
"deactivate_member_modal.deactivate": "Dezaktywuj",
"deactivate_member_modal.desc": "To działanie dezaktywuje {username}. Zostanie wylogowany i straci dostęp do zespołów i kanałów w tym systemie. Czy na pewno chcesz dezaktywować {username}?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "Dezaktywuj {username}",
"default_channel.purpose": "Wyślij tutaj wiadomości które chcesz aby każdy zobaczył. Każdy automatycznie zostaje stałym uczestnikiem tego kanału gdy dołączają do zespołu.",
"delete_channel.cancel": "Anuluj",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "Opis zespołu dostarcza dodatkowych informacji, które pomagają użytkownikom wybrać odpowiedni zespół. Maksymalnie 50 znaków.",
"general_tab.teamName": "Nazwa zespołu",
"general_tab.teamNameInfo": "Określ nazwę zespołu, jest ona wyświetlana na ekranie logowania w górnej części lewego panelu.",
"general_tab.teamNameRestrictions": "Nazwa musi zawierać pomiędzy {min} a {max} znaków. Możesz dodać dłuższy opis zespołu później.",
"general_tab.title": "Ustawienia ogólne",
"general_tab.yes": "Tak",
"get_app.alreadyHaveIt": "Już ją masz?",
@@ -2012,6 +2000,7 @@
"mobile.error_handler.title": "Unexpected error occurred",
"mobile.file_upload.camera": "Zrób Zdjęcie lub nagraj Film",
"mobile.file_upload.library": "Biblioteka Zdjęć",
"mobile.file_upload.max_warning": "Uploads limited to 5 files maximum.",
"mobile.file_upload.more": "Więcej",
"mobile.file_upload.video": "Biblioteka wideo",
"mobile.help.title": "Pomoc",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "Wstecz",
"more_channels.title": "Więcej kanałów",
"more_direct_channels.close": "Zamknij",
"more_direct_channels.directchannel.deactivated": "{displayname} - Deactivated",
"more_direct_channels.directchannel.you": "{displayname} (you)",
"more_direct_channels.message": "Wiadomość",
"more_direct_channels.new_convo_note": "To rozpocznie nową rozmowę. Jeśli dodasz więcej osób, rozważ utworzenie kanału prywatnego.",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "Uzyskaj link zaproszenia",
"navbar_dropdown.teamSettings": "Opcje zespołu",
"navbar_dropdown.viewMembers": "Wyświetl użytkowników",
"navbar_dropdown.webrtc.call": "Rozpocznij rozmowę wideo",
"navbar_dropdown.webrtc.offline": "Video Call Offline",
"navbar_dropdown.webrtc.unavailable": "Video Call Unavailable",
"notification.dm": "Wiadomość bezpośrednia",
"notify_all.confirm": "Potwierdź",
"notify_all.question": "Korzystając z @all lub @channel chcesz wysłać powiadomienia do {totalMembers} ludzi. Czy na pewno chcesz to zrobić?",

View File

@@ -195,6 +195,16 @@
"admin.compliance.saving": "Salvando Config...",
"admin.compliance.title": "Configurações Conformidade",
"admin.compliance.true": "verdadeiro",
"admin.complianceExport.createJob.help": "Inicia um trabalho de Conformidade de Exportação imediatamente.",
"admin.complianceExport.createJob.title": "Executar Trabalho de Conformidade de Exportação Agora",
"admin.complianceExport.description": "Esse recurso oferece suporte a exportações de conformidade no formato Actiance XML, que atualmente está em versão beta. O suporte ao formato EML GlobalRelay e o formato Mattermost CSV estão agendados para uma versão futura e substituirão o recurso de <a href=\"/admin_console/general/compliance\">Conformidade</a> existente. Os arquivos de exportação de conformidade serão gravados no subdiretório \"exportações\" do <a href=\"/admin_console/files/storage\">Diretório de armazenamento local</a> configurado.",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "Formato de arquivo da exportação de conformidade. Corresponde ao sistema ao qual deseja importar os dados.",
"admin.complianceExport.exportFormat.title": "Formato do Arquivo de Exportação:",
"admin.complianceExport.exportJobStartTime.description": "Ajuste a hora de início para exportação de diária de conformidade. Escolha uma hora em que tenha menos pessoas utilizando o sistema. A hora em 24 horas e no formato HH:MM.",
"admin.complianceExport.exportJobStartTime.example": "Ex.: \"02:00\"",
"admin.complianceExport.exportJobStartTime.title": "Hora Exportação de Conformidade:",
"admin.complianceExport.title": "Exportação de Conformidade (Beta)",
"admin.compliance_reports.desc": "Nome da Tarefa:",
"admin.compliance_reports.desc_placeholder": "Ex: \"Audit 445 for HR\"",
"admin.compliance_reports.emails": "Emails:",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "Gerenciar Tokens de Acesso Individual",
"admin.manage_tokens.userAccessTokensDescription": "Os tokens de acesso individual funcionam de forma semelhante aos tokens de sessão e podem ser usados por integrações para <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">interagir com este servidor Mattermost</a>. Tokens são desativados se o usuário está desativado. Saiba mais sobre <a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">tokens de acesso individual</a>.",
"admin.manage_tokens.userAccessTokensNone": "Não há tokens de acesso individual.",
"admin.messageExport.createJob.help": "Initiates a Message Export job immediately.",
"admin.messageExport.createJob.title": "Run Message Export job now",
"admin.messageExport.description": "Message Export dumps all posts into a file that can be imported into third-party systems. The export task is scheduled to run once per day.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "The file format to write exported data in. Corresponds to the system that you want to import the data into.",
"admin.messageExport.exportFormat.title": "Export File Format:",
"admin.messageExport.exportFromTimestamp.description": "Posts older than this will not be exported. Expressed as the number of seconds since the Unix Epoch (January 1, 1970).",
"admin.messageExport.exportFromTimestamp.example": "E.g.: Tuesday October 24, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Creation Time of Oldest Post to Export:",
"admin.messageExport.exportJobStartTime.description": "Ajuste a hora de início para exportação de mensagens diária. Escolha uma hora em que tenha menos pessoas utilizando o sistema. A hora em 24 horas e no formato HH:MM.",
"admin.messageExport.exportJobStartTime.example": "Ex.: \"02:00\"",
"admin.messageExport.exportJobStartTime.title": "Hora Exportação de Mensagem:",
"admin.messageExport.exportLocation.description": "The directory on your hard drive to write export files to. Mattermost must have write access to this directory. Do not include a filename.",
"admin.messageExport.exportLocation.example": "Ex.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Diretório para Exportação:",
"admin.messageExport.title": "Exportação de Mensagem (Beta)",
"admin.metrics.enableDescription": "Quando verdadeiro, Mattermost irá habilitar a coleta do monitoramento de performance e profiling. Por favor verifique <a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>documentação</a> para ler mais sobre como configurar o monitoramento de performance para Mattermost.",
"admin.metrics.enableTitle": "Habilitar Monitoramento de Performance:",
"admin.metrics.listenAddressDesc": "O endereço que o servidor irá escutar para expor as métricas de performance.",
@@ -720,31 +714,22 @@
"admin.plugin.desc": "Descrição:",
"admin.plugin.error.activate": "Não foi possível fazer o upload do plugin. Pode ter algum conflito com algum outro plugin no seu servidor.",
"admin.plugin.error.extract": "Erro encontrado enquando extraia o plugin. Revise o conteúdo do seu arquivo do plugin e tente novamente.",
"admin.plugin.id": "ID:",
"admin.plugin.id": "Id:",
"admin.plugin.installedDesc": "Plugins instalados no servidor Mattermost. Plugins pré-empacotados são instalador por padrão e podem ser desativados mas não removidos.",
"admin.plugin.installedTitle": "Plugins Instalados: ",
"admin.plugin.management.title": "Gerenciamento",
"admin.plugin.name": "Nome:",
"admin.plugin.no_plugins": "Plugins não instalados.",
"admin.plugin.prepackaged": "Pré-empacotado",
"admin.plugin.remove": "Remover",
"admin.plugin.removing": "Removendo...",
"admin.plugin.settingsButton": "Configurações",
"admin.plugin.upload": "Enviar",
"admin.plugin.uploadDesc": "Envie um plugin para seu servidor Mattermost. Veja a <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentação</a> para saber mais.",
"admin.plugin.uploadDisabledDesc": "Para ativar o envio de plugins, vá para <strong>Plugins > Configurações</strong>. Veja a <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentação</a> para saber mais.",
"admin.plugin.uploadTitle": "Enviar Plugin: ",
"admin.plugin.uploading": "Enviando..",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "channelurl",
"admin.plugins.jira.enabledDescription": "Quando verdadeiro, você pode configurar os webhooks do JIRA para postar mensagens no Mattermost. Para ajudar a combater ataques de phishing, todas as postagens são rotuladas por uma tag BOT.",
"admin.plugins.jira.enabledLabel": "Ativar JIRA:",
"admin.plugins.jira.secretDescription": "Está chave secreta é usada para autenticar no Mattermost.",
"admin.plugins.jira.secretLabel": "Chave Secreta:",
"admin.plugins.jira.secretParamPlaceholder": "chave secreta",
"admin.plugins.jira.secretRegenerateDescription": "Gerar novamente a chave secreta para a URL do webhook. Gerando uma nova chave secreta invalida suas integrações com o JIRA.",
"admin.plugins.jira.setupDescription": "Use esta URL do webhook para configurar a integração do JIRA. Veja {webhookDocsLink} para saber mais.",
"admin.plugins.jira.teamParamPlaceholder": "teamurl",
"admin.plugins.jira.userDescription": "Selecione o nome de usuário para o qual essa integração está anexada.",
"admin.plugins.jira.userLabel": "Usuário:",
"admin.plugins.jira.webhookDocsLink": "documentação",
"admin.plugin.version": "Versão:",
"admin.plugins.settings.enable": "Ativar Plugins: ",
"admin.plugins.settings.enableDesc": "Quando verdadeiro, ativa plugins no servidor Mattermost. Utilize plugins para integrar com sistemas de terceiros, estenda funcionalidades ou personalize a interface do seu servidor Mattermost. Veja a <a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">documentação</a> para saber mais. ",
"admin.plugins.settings.enableUploads": "Ativa Envio de Plugins: ",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "Máxima Tentativas de Login:",
"admin.service.cmdsDesc": "Quando verdadeiro, comandos slash personalizados serão permitidos. Veja a <a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>documentação</a> para saber mais.",
"admin.service.cmdsTitle": "Ativar Comandos Slash Personalizados: ",
"admin.service.complianceExportDesc": "Quando verdadeiro, o Mattermost irá gerar um arquivo de exportação de conformidade que contém todas as mensagens que foram postadas nas últimas 24 horas. A tarefa de exportação é agendada para ser executada uma vez por dia. Veja a <a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">documentação</a> para saber mais.",
"admin.service.complianceExportTitle": "Habilitar Exportação de Conformidade:",
"admin.service.corsDescription": "Ativar requisição de origem HTTP Cross dos domínios especificados. Usar \"*\" se você quiser permitir CORS de qualquer domínio ou deixe em branco para desativar.",
"admin.service.corsEx": "http://example.com",
"admin.service.corsTitle": "Permitir requisição cross-origin de:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "Endereço à Escutar:",
"admin.service.listenDescription": "O endereço e a porta à qual se ligar e ouvir. Especificando \":8065\" irá ligar-se a todas as interfaces de rede. Especificando \"127.0.0.1:8065\" só irá ligar à interface de rede com esse endereço IP. Se você escolher uma porta de um nível mais baixo (chamadas de \"portas do sistema\" ou \"portas conhecidas\", na faixa de 0-1023), você deve ter permissões para se ligar a essa porta. No Linux, você pode usar: \"sudo setcap cap_net_bind_service=+ep ./bin/platform\" para permitir o Mattermost vincular a portas conhecidas.",
"admin.service.listenExample": "Ex.: \":8065\"",
"admin.service.messageExportDesc": "When true, the system will export all messages that are sent once per day.",
"admin.service.messageExportTitle": "Enable Message Export:",
"admin.service.mfaDesc": "Quando verdadeiro, usuários com AD/LDAP ou login por email poderão adicionar a autenticação multi-fator nas suas contas usando o Google Authenticator.",
"admin.service.mfaTitle": "Ativar Autenticação Multi-Fator:",
"admin.service.mobileSessionDays": "Tamanho da Sessão Móvel (dias):",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "Versões dos Clientes",
"admin.sidebar.cluster": "Alta Disponibilidade",
"admin.sidebar.compliance": "Conformidade",
"admin.sidebar.compliance_export": "Exportação de Conformidade (Beta)",
"admin.sidebar.configuration": "Configuração",
"admin.sidebar.connections": "Conexões",
"admin.sidebar.customBrand": "Marca Personalizada",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "Geral",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "Integrações",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "Legal e Suporte",
"admin.sidebar.license": "Edição e Licença",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "Logs",
"admin.sidebar.login": "Login",
"admin.sidebar.logs": "Logs",
"admin.sidebar.message_export": "Message Export (Beta)",
"admin.sidebar.metrics": "Monitoramento de Performance",
"admin.sidebar.mfa": "MFA",
"admin.sidebar.nativeAppLinks": "Links Aplicativo Mattermost",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "Usuários Ativos Com Posts",
"analytics.system.channelTypes": "Tipos de Canal",
"analytics.system.dailyActiveUsers": "Usuários Diários Ativos",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "Usuários Mensais Ativos",
"analytics.system.postTypes": "Posts, Arquivos e Hashtags",
"analytics.system.privateGroups": "Canais Privados",
"analytics.system.publicChannels": "Canais Públicos",
"analytics.system.skippedIntensiveQueries": "Para maximizar a performance, algumas estatísticas foram desativadas. Veja: <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a>",
"analytics.system.textPosts": "Post com Texto somente",
"analytics.system.title": "Estatísticas do Sistema",
"analytics.system.totalChannels": "Total de Canais",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "Ver Informações",
"channel_header.viewMembers": "Ver Membros",
"channel_header.webrtc.call": "Iniciar Vídeo Chamada",
"channel_header.webrtc.doNotDisturb": "Não perturbe",
"channel_header.webrtc.offline": "O usuário está desconectado",
"channel_header.webrtc.unavailable": "Nova chamada não disponível até que você termine a chamada existente",
"channel_info.about": "Sobre",
@@ -1428,7 +1414,7 @@
"create_comment.file": "Enviando arquivo",
"create_comment.files": "Enviando arquivos",
"create_post.comment": "Comentário",
"create_post.deactivated": "You are viewing an archived channel with a deactivated user.",
"create_post.deactivated": "Você está vendo um canal arquivado com um usuário inativo.",
"create_post.error_message": "Sua mensagem é muito longa. Número de caracteres: {length}/{limit}",
"create_post.post": "Post",
"create_post.shortcutsNotSupported": "Atalhos do teclado não está disponível no seu dispositivo.",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "Cancelar",
"deactivate_member_modal.deactivate": "Desativar",
"deactivate_member_modal.desc": "Esta ação desativa {username}. Eles serão desconectados e não terão acesso a nenhuma equipe ou canais neste sistema. Você tem certeza que deseja desativar {username}?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "Desativar {username}",
"default_channel.purpose": "Poste mensagens aqui que você quer que todos vejam. Todos se tornam automaticamente membros permanentes deste canal quando se juntam à equipe.",
"delete_channel.cancel": "Cancelar",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "Descrição da equipe fornece informações adicionais para ajudar os usuários a selecionar a equipe correta. Máximo de 50 caracteres.",
"general_tab.teamName": "Nome da Equipe",
"general_tab.teamNameInfo": "Defina o nome da equipe como aparece na sua tela de login e no topo na lateral esquerda.",
"general_tab.teamNameRestrictions": "O nome deve ter {min} ou mais caracteres até um máximo de {max}. Você pode adicionar uma descrição da equipe depois.",
"general_tab.title": "Definições Gerais",
"general_tab.yes": "Sim",
"get_app.alreadyHaveIt": "Já tem isso?",
@@ -2012,6 +2000,7 @@
"mobile.error_handler.title": "Ocorreu um erro inesperado",
"mobile.file_upload.camera": "Tirar Foto ou Vídeo",
"mobile.file_upload.library": "Biblioteca de Fotos",
"mobile.file_upload.max_warning": "Upload limitado ao máximo de 5 arquivos.",
"mobile.file_upload.more": "Mais",
"mobile.file_upload.video": "Galeria de Videos",
"mobile.help.title": "Ajuda",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "Anterior",
"more_channels.title": "Mais Canais",
"more_direct_channels.close": "Fechar",
"more_direct_channels.directchannel.deactivated": "{displayname} - Desativado",
"more_direct_channels.directchannel.you": "{displayname} (você)",
"more_direct_channels.message": "Mensagem",
"more_direct_channels.new_convo_note": "Isto irá iniciar uma nova conversa. Se você adicionar muitas pessoas, considere em criar um canal privado.",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "Obter Link de Convite de Equipe",
"navbar_dropdown.teamSettings": "Configurações da Equipe",
"navbar_dropdown.viewMembers": "Ver Membros",
"navbar_dropdown.webrtc.call": "Iniciar Vídeo Chamada",
"navbar_dropdown.webrtc.offline": "Vídeo chamada offline",
"navbar_dropdown.webrtc.unavailable": "Vídeo chamada não disponível",
"notification.dm": "Mensagem Direta",
"notify_all.confirm": "Confirmar",
"notify_all.question": "Usando @all ou @channel você irá enviar notificações para {totalMembers} pessoas. Você está certo que deseja fazer isso?",
@@ -2767,7 +2760,7 @@
"user.settings.notifications.desktop.allSoundHiddenTimed": "Para toda atividade, mostrada por {seconds} segundos",
"user.settings.notifications.desktop.allSoundTimed": "Para toda atividade, sem som, mostrada por {seconds} segundos",
"user.settings.notifications.desktop.duration": "Duração da notificação",
"user.settings.notifications.desktop.durationInfo": "Define o tempo que as notificações no desktop permanecerão na tela ao usar o Firefox ou o Chrome. As notificações no desktop no Edge e no Safari só podem permanecer na tela por um máximo de 5 segundos.",
"user.settings.notifications.desktop.durationInfo": "Define o tempo que as notificações no desktop permanecerão na tela ao usar o Firefox ou o Chrome. As notificações no desktop no Edge, Safari e no App Mattermost Desktop só podem permanecer na tela por um máximo de 5 segundos.",
"user.settings.notifications.desktop.mentionsNoSoundForever": "Para menções e mensagens diretas, sem som, mostrada indefinidamente",
"user.settings.notifications.desktop.mentionsNoSoundTimed": "Para menções e mensagens diretas, sem som, mostradas por {seconds} segundos",
"user.settings.notifications.desktop.mentionsSoundForever": "Para menções e mensagens diretas, com som, mostrada indefinidamente",

View File

@@ -195,6 +195,16 @@
"admin.compliance.saving": "Сохранение конфигурации...",
"admin.compliance.title": "Настройки комплаенса",
"admin.compliance.true": "включено",
"admin.complianceExport.createJob.help": "Initiates a Compliance Export job immediately.",
"admin.complianceExport.createJob.title": "Run Compliance Export Job Now",
"admin.complianceExport.description": "This feature supports compliance exports to the Actiance XML format, and is currently in beta. Support for the GlobalRelay EML format and the Mattermost CSV format are scheduled for a future release, and will replace the existing <a href=\"/admin_console/general/compliance\">Compliance</a> feature. Compliance Export files will be written to the \"exports\" subdirectory of the configured <a href=\"/admin_console/files/storage\">Local Storage Directory</a>.",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "File format of the compliance export. Corresponds to the system that you want to import the data into.",
"admin.complianceExport.exportFormat.title": "Export File Format:",
"admin.complianceExport.exportJobStartTime.description": "Установите время начала ежедневного задания сохранения данных. Выберите время, когда наименьшее число людей используют вашу систему. Время должно быть в 24-часовом формате ЧЧ:ММ.",
"admin.complianceExport.exportJobStartTime.example": "Например: \"02:00\"",
"admin.complianceExport.exportJobStartTime.title": "Compliance Export time:",
"admin.complianceExport.title": "Compliance Export (Beta)",
"admin.compliance_reports.desc": "Имя задачи:",
"admin.compliance_reports.desc_placeholder": "Напр.: \"Аудит 445 для кадровой службы\"",
"admin.compliance_reports.emails": "Адреса электронной почты:",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "Manage Personal Access Tokens",
"admin.manage_tokens.userAccessTokensDescription": "Personal access tokens function similarly to session tokens and can be used by integrations to <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">interact with this Mattermost server</a>. Tokens are disabled if the user is deactivated. Learn more about <a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">personal access tokens</a>.",
"admin.manage_tokens.userAccessTokensNone": "No personal access tokens.",
"admin.messageExport.createJob.help": "Initiates a Message Export job immediately.",
"admin.messageExport.createJob.title": "Run Message Export job now",
"admin.messageExport.description": "Message Export dumps all posts into a file that can be imported into third-party systems. The export task is scheduled to run once per day.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "The file format to write exported data in. Corresponds to the system that you want to import the data into.",
"admin.messageExport.exportFormat.title": "Export File Format:",
"admin.messageExport.exportFromTimestamp.description": "Posts older than this will not be exported. Expressed as the number of seconds since the Unix Epoch (January 1, 1970).",
"admin.messageExport.exportFromTimestamp.example": "E.g.: Tuesday October 24, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Creation Time of Oldest Post to Export:",
"admin.messageExport.exportJobStartTime.description": "Установите время начала ежедневного задания сохранения данных. Выберите время, когда наименьшее число людей используют вашу систему. Время должно быть в 24-часовом формате ЧЧ:ММ.",
"admin.messageExport.exportJobStartTime.example": "Например: \"02:00\"",
"admin.messageExport.exportJobStartTime.title": "Message Export time:",
"admin.messageExport.exportLocation.description": "The directory on your hard drive to write export files to. Mattermost must have write access to this directory. Do not include a filename.",
"admin.messageExport.exportLocation.example": "E.g.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Export Directory:",
"admin.messageExport.title": "Message Export (Beta)",
"admin.metrics.enableDescription": "Если включено, в Mattermost будет включен сбор данных о производительности и профилирование. Дополнительную информацию по конфигурации мониторинга производительности смотрите в <a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>документации</a>.",
"admin.metrics.enableTitle": "Включить мониторинг производительности",
"admin.metrics.listenAddressDesc": "Адрес, прослушиваемый сервером для предоставления метрик производительности",
@@ -720,31 +714,22 @@
"admin.plugin.desc": "Описание:",
"admin.plugin.error.activate": "Не удалось загрузить плагин. Он может конфликтовать с другими плагинами на вашем сервере.",
"admin.plugin.error.extract": "Обнаружена ошибка при распаковке плагина. Проверьте содержимое файла плагина и попробуйте заново.",
"admin.plugin.id": "ID: ",
"admin.plugin.id": "Id:",
"admin.plugin.installedDesc": "Installed plugins on your Mattermost server. Pre-packaged plugins are installed by default, and can be deactivated but not removed.",
"admin.plugin.installedTitle": "Installed Plugins: ",
"admin.plugin.management.title": "Management",
"admin.plugin.management.title": "Управление",
"admin.plugin.name": "Имя:",
"admin.plugin.no_plugins": "No installed plugins.",
"admin.plugin.prepackaged": "Pre-packaged",
"admin.plugin.remove": "Удалить",
"admin.plugin.removing": "Удаление...",
"admin.plugin.settingsButton": "Параметры",
"admin.plugin.upload": "Загрузить",
"admin.plugin.uploadDesc": "Upload a plugin for your Mattermost server. See <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugin.uploadDisabledDesc": "To enable plugin uploads, go to <strong>Plugins > Configuration</strong>. See <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugin.uploadTitle": "Загрузить плагин: ",
"admin.plugin.uploading": "Загрузка…",
"admin.plugins.jira": "JIRA (Бета)",
"admin.plugins.jira.channelParamNamePlaceholder": "channelurl",
"admin.plugins.jira.enabledDescription": "Если включено, вы сможете настроить вебхуки JIRA для отправки сообщений в Mattermost. Для защиты от фишинга, все сообщения будут сопровождаться тегом BOT.",
"admin.plugins.jira.enabledLabel": "Включить JIRA:",
"admin.plugins.jira.secretDescription": "This secret is used to authenticate to Mattermost.",
"admin.plugins.jira.secretLabel": "Secret:",
"admin.plugins.jira.secretParamPlaceholder": "secret",
"admin.plugins.jira.secretRegenerateDescription": "Regenerates the secret for the webhook URL endpoint. Regenerating the secret invalidates your existing JIRA integrations.",
"admin.plugins.jira.setupDescription": "Use this webhook URL to set up the JIRA integration. See {webhookDocsLink} to learn more.",
"admin.plugins.jira.teamParamPlaceholder": "teamurl",
"admin.plugins.jira.userDescription": "Select the username that this integration is attached to.",
"admin.plugins.jira.userLabel": "Пользователь:",
"admin.plugins.jira.webhookDocsLink": "документация",
"admin.plugin.version": "Версия:",
"admin.plugins.settings.enable": "Enable Plugins: ",
"admin.plugins.settings.enableDesc": "When true, enables plugins on your Mattermost server. Use plugins to integrate with third-party systems, extend functionality or customize the user interface of your Mattermost server. See <a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">documentation</a> to learn more.",
"admin.plugins.settings.enableUploads": "Enable Plugin Uploads: ",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "Максимальное количество попыток входа:",
"admin.service.cmdsDesc": "Если истина, пользовательские слэш-команды будут разрешены. Смотрите <a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>документацию</a>, чтобы узнать больше.",
"admin.service.cmdsTitle": "Включить пользовательские Slash-команды: ",
"admin.service.complianceExportDesc": "When true, Mattermost will generate a compliance export file that contains all messages that were posted in the last 24 hours. The export task is scheduled to run once per day. See <a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">the documentation</a> to learn more.",
"admin.service.complianceExportTitle": "Разрешить отчеты о соответствии:",
"admin.service.corsDescription": "Разрешить кросс-доменные запросы с указанного домена. Укажите \"*\", если Вы хотите разрешить CORS с любого домена, или оставьте поле пустым, что бы отключить эту возможность.",
"admin.service.corsEx": "http://example.com",
"admin.service.corsTitle": "Разрешить кроссдоменные запросы от:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "Прослушиваемый адрес:",
"admin.service.listenDescription": "Адрес и порт для привязки и ожидания соединений. Указание \":8065\" приведет к привязке ко всем сетевым интерфейсам. Указание \"127.0.0.1:8065\" приведет к привязке к сетевому интерфейсу, с указанным IP-адресом. Если вы выбираете порт нижнего уровня (так называемые \"системные порты\" или \"хорошо известные порты\", в диапазоне 0-1023), вы должны обладать необходимыми правами, для привязку к этому порту. На Linux вы можете выполнить: \"sudo setcap cap_net_bind_service=+ep ./bin/platform\", что позволит Mattermost привязываться к известным портам.",
"admin.service.listenExample": "Например: \":8065\"",
"admin.service.messageExportDesc": "When true, the system will export all messages that are sent once per day.",
"admin.service.messageExportTitle": "Enable Message Export:",
"admin.service.mfaDesc": "When true, users with AD/LDAP or email login can add multi-factor authentication to their account using Google Authenticator.",
"admin.service.mfaTitle": "Включить мультифакторную аутентификацию:",
"admin.service.mobileSessionDays": "Длина сессии на мобильных устройствах (дней):",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "Client Versions",
"admin.sidebar.cluster": "Высокая доступность (HA)",
"admin.sidebar.compliance": "Соответствие стандартам",
"admin.sidebar.compliance_export": "Compliance Export (Beta)",
"admin.sidebar.configuration": "Конфигурация",
"admin.sidebar.connections": "Соединения",
"admin.sidebar.customBrand": "Пользовательский бренд",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "Общие",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "Интеграции",
"admin.sidebar.jira": "JIRA (Бета)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "Право и поддержка",
"admin.sidebar.license": "Редакция и Лицензия",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "Журналирование",
"admin.sidebar.login": "Login",
"admin.sidebar.logs": "Журналы",
"admin.sidebar.message_export": "Message Export (Beta)",
"admin.sidebar.metrics": "Мониторинг производительности",
"admin.sidebar.mfa": "МФА",
"admin.sidebar.nativeAppLinks": "Ссылки на приложения Mattermost",
@@ -1128,7 +1112,7 @@
"admin.user_item.teamAdmin": "Team Admin",
"admin.user_item.userAccessTokenPostAll": "(with post:all personal access tokens)",
"admin.user_item.userAccessTokenPostAllPublic": "(with post:channels personal access tokens)",
"admin.user_item.userAccessTokenYes": "(with personal access tokens)",
"admin.user_item.userAccessTokenYes": "с токенами доступа",
"admin.webrtc.enableDescription": "При выборе Mattermost позволяет совершать <strong>тет-а-тет</strong> видеозвонки. WebRTC звонки доступны в браузерах Chrome и Firefox, а так же в приложениях Mattermost.",
"admin.webrtc.enableTitle": "Включить Mattermost WebRTC:",
"admin.webrtc.gatewayAdminSecretDescription": "Введите пароль для доступа к узлу администрирования.",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "Активные пользователи с сообщениями",
"analytics.system.channelTypes": "Типы канала",
"analytics.system.dailyActiveUsers": "Активность пользователей за день",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "Активность пользователей за месяц",
"analytics.system.postTypes": "Сообщения, файлы и хештэги",
"analytics.system.privateGroups": "Приватные каналы",
"analytics.system.publicChannels": "Публичные каналы",
"analytics.system.skippedIntensiveQueries": "Для максимальной производительности некоторая статистика отключена. Вы можете включить её снова в файле конфигурации config.json. Смотрите: <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a>",
"analytics.system.textPosts": "Только текстовые сообщения",
"analytics.system.title": "Статистика системы",
"analytics.system.totalChannels": "Всего каналов",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "Информация",
"channel_header.viewMembers": "Просмотреть список участников",
"channel_header.webrtc.call": "Видеовызов",
"channel_header.webrtc.doNotDisturb": "Не беспокоить",
"channel_header.webrtc.offline": "Пользователь не в сети",
"channel_header.webrtc.unavailable": "Новый вызов недоступен до завершения текущего вызова",
"channel_info.about": "О канале",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "Отмена",
"deactivate_member_modal.deactivate": "Деактивировать",
"deactivate_member_modal.desc": "This action deactivates {username}. They will be logged out and not have access to any teams or channels on this system. Are you sure you want to deactivate {username}?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "Деактивировать {username}",
"default_channel.purpose": "Post messages here that you want everyone to see. Everyone automatically becomes a permanent member of this channel when they join the team.",
"delete_channel.cancel": "Отмена",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "Описание команды предоставляет дополнительную информацию, помогающую пользователям выбрать нужную им команду. Максимум 50 символов.",
"general_tab.teamName": "Название команды",
"general_tab.teamNameInfo": "Установите название команды, отображаемое на экране входа и в левом верхнем углу боковой панели.",
"general_tab.teamNameRestrictions": "Имя должно быть длиннее {min} и меньше {max} символов. Вы можете добавить описание команды позже.",
"general_tab.title": "Общие настройки",
"general_tab.yes": "Да",
"get_app.alreadyHaveIt": "Уже есть?",
@@ -1914,7 +1902,7 @@
"mobile.account_notifications.threads_start": "Ветки начатые мной",
"mobile.account_notifications.threads_start_participate": "Threads that I start or participate in",
"mobile.advanced_settings.delete": "Удалить",
"mobile.advanced_settings.delete_file_cache": "Delete File Cache",
"mobile.advanced_settings.delete_file_cache": "Удалить кеш файлов",
"mobile.advanced_settings.delete_file_cache_message": "\nThis will delete all the files stored in the cache. Are you sure you want to delete them?\n",
"mobile.advanced_settings.reset_button": "Reset",
"mobile.advanced_settings.reset_message": "\nДанное действие приведёт к очистке локальных данных и перезапуску приложения.\n",
@@ -2012,6 +2000,7 @@
"mobile.error_handler.title": "Произошла непредвиденная ошибка",
"mobile.file_upload.camera": "Сделать фото или видео",
"mobile.file_upload.library": "Библиотека изображений",
"mobile.file_upload.max_warning": "Uploads limited to 5 files maximum.",
"mobile.file_upload.more": "Еще",
"mobile.file_upload.video": "Библиотека видео",
"mobile.help.title": "Помощь",
@@ -2085,7 +2074,7 @@
"mobile.post.failed_title": "Не удалось отправить сообщение",
"mobile.post.retry": "Обновить",
"mobile.post_info.add_reaction": "Добавить реакцию",
"mobile.post_info.copy_post": "Copy Post",
"mobile.post_info.copy_post": "Копировать сообщение",
"mobile.rename_channel.display_name_maxLength": "Channel name must be less than {maxLength, number} characters",
"mobile.rename_channel.display_name_minLength": "Channel name must be {minLength, number} or more characters",
"mobile.rename_channel.display_name_required": "Channel name is required",
@@ -2136,7 +2125,7 @@
"mobile.settings.clear": "Очистить локальное хранилище",
"mobile.settings.clear_button": "Очистить",
"mobile.settings.clear_message": "\nДанное действие приведёт к очистке локальных данных и перезапуску приложения.\n",
"mobile.settings.modal.check_for_upgrade": "Check for Updates",
"mobile.settings.modal.check_for_upgrade": "Проверить обновления",
"mobile.settings.team_selection": "Выбор команды",
"mobile.suggestion.members": "Участники",
"mobile.video.save_error_message": "To save the video file you need to download it first.",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "Предыдущая",
"more_channels.title": "Больше каналов",
"more_direct_channels.close": "Закрыть",
"more_direct_channels.directchannel.deactivated": "{displayname} - Deactivated",
"more_direct_channels.directchannel.you": "{displayname} (you)",
"more_direct_channels.message": "Сообщение",
"more_direct_channels.new_convo_note": "This will start a new conversation. If youre adding a lot of people, consider creating a private channel instead.",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "Ссылка для приглашения",
"navbar_dropdown.teamSettings": "Настройки команды",
"navbar_dropdown.viewMembers": "Просмотреть список участников",
"navbar_dropdown.webrtc.call": "Видеовызов",
"navbar_dropdown.webrtc.offline": "Video Call Offline",
"navbar_dropdown.webrtc.unavailable": "Video Call Unavailable",
"notification.dm": "Прямое сообщение",
"notify_all.confirm": "Подтвердить",
"notify_all.question": "By using @all or @channel you are about to send notifications to {totalMembers} people. Are you sure you want to do this?",
@@ -2253,7 +2246,7 @@
"post_focus_view.beginning": "Начало архива канала",
"post_info.del": "Удалить",
"post_info.edit": "Редактировать",
"post_info.message.visible": "(Only visible to you)",
"post_info.message.visible": "(Только видимый для вас)",
"post_info.message.visible.compact": " (Only visible to you)",
"post_info.mobile.flag": "Отметить",
"post_info.mobile.unflag": "Не помечено",
@@ -2373,10 +2366,10 @@
"shortcuts.browser.channel_next.mac": "Forward in history:\t⌘|]",
"shortcuts.browser.channel_prev": "Back in history:\tAlt|Left",
"shortcuts.browser.channel_prev.mac": "Back in history:\t⌘|[",
"shortcuts.browser.font_decrease": "Zoom out:\tCtrl|-",
"shortcuts.browser.font_decrease.mac": "Zoom out:\t⌘|-",
"shortcuts.browser.font_increase": "Zoom in:\tCtrl|+",
"shortcuts.browser.font_increase.mac": "Zoom in:\t⌘|+",
"shortcuts.browser.font_decrease": "Уменьшить масштаб:\tCtrl|-",
"shortcuts.browser.font_decrease.mac": "Уменьшить масштаб:\tCtrl|-",
"shortcuts.browser.font_increase": "Увеличить масштаб:\tCtrl|+",
"shortcuts.browser.font_increase.mac": "Увеличить масштаб:\t⌘|+",
"shortcuts.browser.header": "Built-in Browser Commands",
"shortcuts.browser.highlight_next": "Highlight text to the next line:\tShift|Down",
"shortcuts.browser.highlight_prev": "Highlight text to the previous line:\tShift|Up",

View File

@@ -195,6 +195,16 @@
"admin.compliance.saving": "Ayarlar Kaydediliyor...",
"admin.compliance.title": "Uygunluk Ayarları",
"admin.compliance.true": "doğru",
"admin.complianceExport.createJob.help": "Bir Uygunluk Dışa Aktarma görevini başlatır.",
"admin.complianceExport.createJob.title": "Uygunluk Dışa Aktarma Görevini Başlat",
"admin.complianceExport.description": "Bu özellik, Actiance XML biçiminde uygulama dışa aktarımlarını destekler ve şu anda beta deneme aşamasındadır. Gelecekte GlobalRelay EML ve Mattermost CSV biçimlerinin desteklenmesi ve var olan <a href=\"/admin_console/general/compliance\">Uygunluk</a> özelliğinin yerine geçmesi planlandı. Uygunluk Dışa Aktarma dosyaları, <a href=\"/admin_console/files/storage\">Yerel Depolama Klasörü</a> bölümünden ayarlanmış klasörün altındaki \"exports\" klasörüne kaydedilir.",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "Uygunluk dışa aktarma dosyasının biçimi. İçe aktarma yapacağınız sisteme uygun olmalıdır.",
"admin.complianceExport.exportFormat.title": "Dışa Aktarılacak Dosya Biçimi:",
"admin.complianceExport.exportJobStartTime.description": "Günlük ileti dışa aktarma görevinin başlangıç zamanını ayarlayın. Sistemde en az kullanıcının bulunacağı bir saat seçin. SS:DD biçiminde ve 24 saat düzeninde olmalıdır.",
"admin.complianceExport.exportJobStartTime.example": "Örnek: \"02:00\"",
"admin.complianceExport.exportJobStartTime.title": "Uygunluk Dışa Aktarma Zamanı:",
"admin.complianceExport.title": "Uygunluk Dışa Aktarma (Beta)",
"admin.compliance_reports.desc": "İş Adı:",
"admin.compliance_reports.desc_placeholder": "Örnek: \"İK için Denetim 445\"",
"admin.compliance_reports.emails": "E-postalar:",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "Kişisel Erişim Kodları Yönetimi",
"admin.manage_tokens.userAccessTokensDescription": "Kişisel erişim kodları, oturum kodlarına benzer ve bütünleştirmeler tarafından <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">Mattermost sunucusu ile etkileşime geçmek için kullanılır</a>. <a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">Kişisel erişim kodları hakkında ayrıntılı bilgi almak için buraya tıklayın</a>.",
"admin.manage_tokens.userAccessTokensNone": "Herhangi bir kişisel erişim kodu yok.",
"admin.messageExport.createJob.help": "Bir ileti dışa aktarma görevini başlatır.",
"admin.messageExport.createJob.title": "İleti dışa aktarma görevini başlat",
"admin.messageExport.description": "İleti dışa aktarma işlemi tüm iletileri üçüncü taraf uygulamalar tarafından içe aktarılabilecek bir dosyaya kaydeder. Dışa aktarma görevi günde bir kez çalışmak üzere zamanlanmıştır.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "Dışa aktarılan verilerin kaydedileceği dosya biçimi. Verileri içe aktaracağınız uygulamaya göre seçin.",
"admin.messageExport.exportFormat.title": "Dışa Aktarılacak Dosya Biçimi:",
"admin.messageExport.exportFromTimestamp.description": "Bu zamandan önceki iletiler dışa aktarılmayacak. Unix Epoch başlangıcından (1 Ocak 1970) itibaren geçmiş saniye sayısı olarak belirtilir.",
"admin.messageExport.exportFromTimestamp.example": "Örnek: Tuesday October 24, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Dışa Aktarılacak En Eski İletinin Oluşturulma Zamanı:",
"admin.messageExport.exportJobStartTime.description": "Günlük ileti dışa aktarma görevinin başlangıç zamanını ayarlayın. Sistemde en az kullanıcının bulunacağı bir saat seçin. SS:DD biçiminde 24 saat düzeninde olmalıdır.",
"admin.messageExport.exportJobStartTime.example": "Örnek: \"02:00\"",
"admin.messageExport.exportJobStartTime.title": "İleti Dışa Aktarma Zamanı:",
"admin.messageExport.exportLocation.description": "Sabit disk üzerinde dışa aktarılan dosyaların yazılacağı klasör. Mattermost uygulamasının bu klasöre yazma izni olmalıdır. Bir dosya adı belirtmeyin.",
"admin.messageExport.exportLocation.example": "Örnek: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Dışa Aktarma Klasörü:",
"admin.messageExport.title": "İleti Dışa Aktarma (Beta)",
"admin.metrics.enableDescription": "Bu seçenek etkinleştirildiğinde, Mattermost başarım izleme derleme ve profillemesi kullanılır. Lütfen Mattermost başarım izlemesi ayarları hakkında ayrıntılı bilgi almak için <a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>belgeler</a> bölümüne bakın.",
"admin.metrics.enableTitle": "Başarım İzlemesi Kullanılsın:",
"admin.metrics.listenAddressDesc": "Başarım ölçütlerinin dinleneceği sunucu adresi.",
@@ -720,31 +714,22 @@
"admin.plugin.desc": "Açıklama:",
"admin.plugin.error.activate": "Uygulama eki yüklenemedi. Sunucunuzdaki başka bir uygulama eki ile çakışıyor olabilir.",
"admin.plugin.error.extract": "Uygulama eki ayıklanırken bir sorun çıktı. Uygulama eki içeriğinizi gözden geçirip yeniden deneyin.",
"admin.plugin.id": "Kod: ",
"admin.plugin.id": "Kod:",
"admin.plugin.installedDesc": "Mattermost sunucunuzda kurulu olan uygulama ekleri. Önceden eklenmiş uygulama ekleri varsayılan olarak kurulur ve devre dışı bırakılabilir ancak silinemez.",
"admin.plugin.installedTitle": "Kurulu Uygulama Ekleri: ",
"admin.plugin.management.title": "Yönetim",
"admin.plugin.name": "Ad:",
"admin.plugin.no_plugins": "Kurulu bir uygulama eki yok.",
"admin.plugin.prepackaged": "Önceden paketlenmiş",
"admin.plugin.remove": "Kaldır",
"admin.plugin.removing": "Kaldırılıyor...",
"admin.plugin.settingsButton": "Ayarlar",
"admin.plugin.upload": "Yükle",
"admin.plugin.uploadDesc": "Mattermost sunucunuza bir uygulama eki yükleyin. Ayrıntılı bilgi almak için <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">belgeler</a> bölümüne bakın.",
"admin.plugin.uploadDisabledDesc": "Uygulama eklerinin yüklenebilmesi için <strong>Uygulama Eki > Yapılandırma</strong> bölümüne gidin. Ayrıntılı bilgi almak için <a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">belgeler</a> bölümüne bakın.",
"admin.plugin.uploadTitle": "Uygulama Eki Yükle: ",
"admin.plugin.uploading": "Yükleniyor...",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "kanaladresi",
"admin.plugins.jira.enabledDescription": "Bu seçenek etkinleştirildiğinde, Mattermost iletileri gönderilirken JIRA web bağlantıları belirtebilirsiniz. Sahtecilik girişimlerini engellemeye yardımcı olmak için tüm iletiler BOT kod imi ile etiketlenir.",
"admin.plugins.jira.enabledLabel": "JIRA kullanılsın:",
"admin.plugins.jira.secretDescription": "Mattermost kimlik doğrulaması için kullanılacak parola.",
"admin.plugins.jira.secretLabel": "Parola:",
"admin.plugins.jira.secretParamPlaceholder": "parola",
"admin.plugins.jira.secretRegenerateDescription": "Web bağlantısı uç noktasının parolasını yeniden üretir. Parolanın yeniden üretilmesi varolan JIRA bütünleştirmelerinizi geçersiz kılar.",
"admin.plugins.jira.setupDescription": "JIRA bütünleştirmesini kurmak için bu bağlantı adresini kullanın. Ayrıntılı bilgi almak için {webhookDocsLink} bölümüne bakın.",
"admin.plugins.jira.teamParamPlaceholder": "takimadresi",
"admin.plugins.jira.userDescription": "Bu bütünleştirmenin ekleneceği kullanıcı adını seçin.",
"admin.plugins.jira.userLabel": "Kullanıcı:",
"admin.plugins.jira.webhookDocsLink": "belgeler",
"admin.plugin.version": "Sürüm:",
"admin.plugins.settings.enable": "Uygulama Ekleri Kullanılsın: ",
"admin.plugins.settings.enableDesc": "Bu seçenek etkinleştirildiğinde, Mattermost sunucusu üzerindeki uygulama ekleri kullanılır. Uygulama eklerini kullanarak Mattermost sunucunuz üzerinde üçüncü taraf sistemler ile bütünleştirme, özellikleri arttırma ve kullanıcı arayüzünü özelleştirme gibi işlemleri yapabilirsiniz. Ayrıntılı bilgi almak için <a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">belgeler</a> bölümüne bakın.",
"admin.plugins.settings.enableUploads": "Uygulama Eki Yüklenebilsin: ",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "En Fazla Oturum Açma Girişimi:",
"admin.service.cmdsDesc": "Bu seçenek etkinleştirildiğinde, özel Bölü Komutları kullanılabilir. Ayrıntılı bilgi almak için <a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>belgeler</a> bölümüne bakın.",
"admin.service.cmdsTitle": "Özel Bölü Komutları Kullanılsın: ",
"admin.service.complianceExportDesc": "Bu seçenek etkinleştirildiğinde Mattermost son 24 saat içinde gönderilmiş tüm iletileri içeren bir uygunluk dışa aktarma dosyası oluşturur. Dışa aktarma görevi günde bir kez yürütülmek üzere zamanlanmıştır. Ayrıntılı bilgi almak için <a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">belgeler</a> bölümüne bakın.",
"admin.service.complianceExportTitle": "Uygunluk Raporu Oluşturulsun:",
"admin.service.corsDescription": "Belirli bir etki alanından gelen HTTP kaynaklar arası istekleri almak için etkinleştirin. Tüm etki alanlarından gelen kaynaklar arası isteklere izin vermek için \"*\" yazın. Devre dışı bırakmak için boş bırakın.",
"admin.service.corsEx": "http://kurulus.com",
"admin.service.corsTitle": "Şuradan gelen kaynaklar arası istekler alınsın:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "Dinleme Adresi:",
"admin.service.listenDescription": "Bağlanılacak ve dinlenecek adres ve kapı numarası. \":8065\" yazıldığında tüm ağ adreslerine bağlanılır. \"127.0.0.1:8065\" yazıldığında yalnız belirtilen IP adresine bağlanılır. Düşük düzeyli kapı numarası seçerseniz (0-1023 aralığındaki \"sistem kapıları\" ya da \"bilinen kapılar\"), bu kapı numarasına bağlanma izinleriniz olmalıdır. Linux üzerinde bilinen kapı numaralarına Mattermost tarafından bağlanma izni vermek için şunu yazın: \"sudo setcap cap_net_bind_service=+ep ./bin/platform\".",
"admin.service.listenExample": "Örnek: \":8065\"",
"admin.service.messageExportDesc": "Bu seçenek etkinleştirildiğinde, gönderilmiş tüm iletiler günde bir kez dışa aktarılır.",
"admin.service.messageExportTitle": "İletiler Dışarı Aktarılsın:",
"admin.service.mfaDesc": "Bu seçenek etkinleştirildiğinde, AD/LDAP ya da e-posta ile oturum açan kullanıcılar, hesaplarına Google Authenticator çok aşamalı kimlik doğrulaması ekleyebilir.",
"admin.service.mfaTitle": "Çok Aşamalı Kimlik Doğrulaması Kullanılsın:",
"admin.service.mobileSessionDays": "Mobil için oturum süresi (gün):",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "İstemci Sürümleri",
"admin.sidebar.cluster": "Yüksek Erişilebilirlik",
"admin.sidebar.compliance": "Uygunluk",
"admin.sidebar.compliance_export": "Uygunluk Dışa Aktarımı (Beta)",
"admin.sidebar.configuration": "Ayarlar",
"admin.sidebar.connections": "Bağlantılar",
"admin.sidebar.customBrand": "Özel Marka",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "Genel",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "Bütünleştirmeler",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "Hükümler ve Destek",
"admin.sidebar.license": "Sürüm ve Lisans",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "Günlük",
"admin.sidebar.login": "Oturum Aç",
"admin.sidebar.logs": "Günlükler",
"admin.sidebar.message_export": "İleti Dışa Aktarma (Beta)",
"admin.sidebar.metrics": "Başarım İzleme",
"admin.sidebar.mfa": "ÇAKD",
"admin.sidebar.nativeAppLinks": "Mattermost Uygulama Bağlantıları",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "İleti Yazmış Etkin Kullanıcılar",
"analytics.system.channelTypes": "Kanal Türleri",
"analytics.system.dailyActiveUsers": "Günlük Etkin Kullanıcılar",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "Aylık Etkin Kullanıcılar",
"analytics.system.postTypes": "İletiler, Dosyalar ve Hashtaglar",
"analytics.system.privateGroups": "Özel Kanallar",
"analytics.system.publicChannels": "Herkese Açık Kanallar",
"analytics.system.skippedIntensiveQueries": "Başarımı arttırmak için bazı istatistikler devre dışı bırakılmıştır. Bu istatistikler config.json dosyasından etkinleştirilebilir. Ayrıntılı bilgi almak için <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a> adresine bakın",
"analytics.system.textPosts": "Yalnız Metin İçeren İletiler",
"analytics.system.title": "Sistem İstatistikleri",
"analytics.system.totalChannels": "Toplam Kanal",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "Bilgileri Görüntüle",
"channel_header.viewMembers": "Üyeleri Görüntüle",
"channel_header.webrtc.call": "Görüntülü Görüşme Başlat",
"channel_header.webrtc.doNotDisturb": "Rahatsız Etmeyin",
"channel_header.webrtc.offline": "Kullanıcı çevrimdışı",
"channel_header.webrtc.unavailable": "Geçerli görüşmeniz sona erene kadar yeni arama yapılamaz",
"channel_info.about": "Hakkında",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "İptal",
"deactivate_member_modal.deactivate": "Devre Dışı Bırak",
"deactivate_member_modal.desc": "Bu işlem {username} kullanıcısını devre dışı bırakır. Kullanıcının oturumu kapatılır ve sistemdeki tüm takım ve kanal erişimleri kaldırılır. {username} kullanıcısını devre dışı bırakmak istediğinize emin misiniz?",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "{username} Kullanıcısını Devre Dışı Bırak",
"default_channel.purpose": "Buraya herkesin görmesini istediğiniz iletileri gönderin. Takıma katılan herkes otomatik olarak bu kanalın kalıcı üyesi olur.",
"delete_channel.cancel": "İptal",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "Takım açıklaması kullanıcıların doğru takımı seçmesine yardımcı olur. En fazla 50 karakter uzunluğunda olabilir.",
"general_tab.teamName": "Takım Adı",
"general_tab.teamNameInfo": "Oturum açma sayfasında ve sol yan çubuğun üzerinde görüntülenecek takım adını ayarlayın.",
"general_tab.teamNameRestrictions": "Ad {min} ile {max} karakter arasında olmalıdır. Daha sonra daha uzun bir takım açıklaması ekleyebilirsiniz.",
"general_tab.title": "Genel Ayarlar",
"general_tab.yes": "Evet",
"get_app.alreadyHaveIt": "Zaten var mı?",
@@ -2012,6 +2000,7 @@
"mobile.error_handler.title": "Beklenmeyen bir sorun çıktı",
"mobile.file_upload.camera": "Fotoğraf ya da Görüntü Çek",
"mobile.file_upload.library": "Fotoğraf Kitaplığı",
"mobile.file_upload.max_warning": "En fazla 5 dosya yüklenebilir.",
"mobile.file_upload.more": "Diğer",
"mobile.file_upload.video": "Görüntü Kitaplığı",
"mobile.help.title": "Yardım",
@@ -2163,6 +2152,7 @@
"more_channels.prev": "Önceki",
"more_channels.title": "Diğer Kanallar",
"more_direct_channels.close": "Kapat",
"more_direct_channels.directchannel.deactivated": "{displayname} - Devre dışı bırakıldı",
"more_direct_channels.directchannel.you": "{displayname} (siz)",
"more_direct_channels.message": "İleti",
"more_direct_channels.new_convo_note": "Bu işlem yeni bir sohbet başlatacak. Çok fazla sayıda kişi eklemeniz gerekiyorsa, bir özel kanal eklemeyi düşünün.",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "Takım Çağrı Bağlantısını Al",
"navbar_dropdown.teamSettings": "Takım Ayarları",
"navbar_dropdown.viewMembers": "Üyeleri Görüntüle",
"navbar_dropdown.webrtc.call": "Görüntülü Görüşme Başlat",
"navbar_dropdown.webrtc.offline": "Görüntülü Görüşme Çevrimdışı",
"navbar_dropdown.webrtc.unavailable": "Görüntülü Görüşme Kullanılamıyor",
"notification.dm": "Doğrudan İleti",
"notify_all.confirm": "Onayla",
"notify_all.question": "@all ya da @channel kullandığınızda bildirimler {totalMembers} kişiye gönderilir. Bunu yapmak istediğinize emin misiniz?",
@@ -2767,7 +2760,7 @@
"user.settings.notifications.desktop.allSoundHiddenTimed": "Tüm işlemler için {seconds} saniye görüntülensin",
"user.settings.notifications.desktop.allSoundTimed": "Tüm işlemler için, ses çalınarak {seconds} saniye görüntülensin",
"user.settings.notifications.desktop.duration": "Bildirim süresi",
"user.settings.notifications.desktop.durationInfo": "Firefox ya da Chrome kullanırken masaüstü bildirimlerinin ekranda görüntülenme süresi. Edge ve Safari kullanırken masaüstü bildirimleri en fazla 5 saniye görüntülenir.",
"user.settings.notifications.desktop.durationInfo": "Firefox ya da Chrome kullanırken masaüstü bildirimlerinin ekranda görüntülenme süresi. Edge, Safari ve Mattermost Masaüstü Uygulamasını kullanırken masaüstü bildirimleri en fazla 5 saniye görüntülenir.",
"user.settings.notifications.desktop.mentionsNoSoundForever": "Anma ve doğrudan iletiler için, ses çalınmadan süresiz görüntülensin",
"user.settings.notifications.desktop.mentionsNoSoundTimed": "Anma ve doğrudan iletiler için, ses çalınarak {seconds} saniye görüntülensin",
"user.settings.notifications.desktop.mentionsSoundForever": "Anma ve doğrudan iletiler için, ses çalınarak süresiz görüntülensin",

View File

@@ -44,8 +44,8 @@
"add_command.cancel": "取消",
"add_command.description": "描述",
"add_command.description.help": "传入 webhook 的简述。",
"add_command.displayName": "Title",
"add_command.displayName.help": "Choose a title to be displayed on the slash command settings page. Maximum 64 characters.",
"add_command.displayName": "标题",
"add_command.displayName.help": "选择个显示在斜杠命令设定页面的标题。最多 64 个字符。",
"add_command.doneHelp": "您的斜杠命令已设定。以下令牌将包含在传出负载。请用这来验证请求是否来自您的Mattermost团队详见<a href=\"https://docs.mattermost.com/developer/slash-commands.html\">文档</a>)。",
"add_command.iconUrl": "回复图标",
"add_command.iconUrl.help": "(可选) 选择一个头像覆盖此斜杠命令产生的信息。输入的.png或.jpg文件URL至少128像素x128像素。",
@@ -93,8 +93,8 @@
"add_incoming_webhook.channelRequired": "需要是有效的频道",
"add_incoming_webhook.description": "描述",
"add_incoming_webhook.description.help": "传入webhook的简述。",
"add_incoming_webhook.displayName": "Title",
"add_incoming_webhook.displayName.help": "Choose a title to be displayed on the webhook settings page. Maximum 64 characters.",
"add_incoming_webhook.displayName": "标题",
"add_incoming_webhook.displayName.help": "选择个显示在 webhook 设定页面的标题。最多 64 个字符。",
"add_incoming_webhook.doneHelp": "您的传入webhook已设定。请传数据至此网址详见<a href=\"https://docs.mattermost.com/developer/webhooks-incoming.html\">文档</a>)。",
"add_incoming_webhook.name": "名称",
"add_incoming_webhook.save": "保存",
@@ -127,8 +127,8 @@
"add_outgoing_webhook.content_Type": "内容类型",
"add_outgoing_webhook.description": "描述",
"add_outgoing_webhook.description.help": "您的传出webhook简述。",
"add_outgoing_webhook.displayName": "Title",
"add_outgoing_webhook.displayName.help": "Choose a title to be displayed on the webhook settings page. Maximum 64 characters.",
"add_outgoing_webhook.displayName": "标题",
"add_outgoing_webhook.displayName.help": "选择个显示在 webhook 设定页面的标题。最多 64 个字符。",
"add_outgoing_webhook.doneHelp": "您的传出webhook已设定。以下令牌将包含在传出负载。请用这来验证请求是否来自您的Mattermost团队详见<a href=\"https://docs.mattermost.com/developer/webhooks-outgoing.html\">文档</a>)。",
"add_outgoing_webhook.name": "名称",
"add_outgoing_webhook.save": "保存",
@@ -195,6 +195,16 @@
"admin.compliance.saving": "保存配置中...",
"admin.compliance.title": "合规性设置",
"admin.compliance.true": "是",
"admin.complianceExport.createJob.help": "立刻开始合规导出任务。",
"admin.complianceExport.createJob.title": "立刻运行合规导出任务",
"admin.complianceExport.description": "此功能支持导出合规到 Actiance XML 格式目前属于测试阶段。GlobalRelay EML 以及 Mattermost CSV 格式将在未来的版本中支持,并会替换现有的<a href=\"/admin_console/general/compliance\">合规</a>功能。合规导出文件将会写到<a href=\"/admin_console/files/storage\">本地储存目录</a>下的 \"导出\" 子目录。",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "合规导出文件格式。此与您想导入到的系统对应。",
"admin.complianceExport.exportFormat.title": "导出文件格式:",
"admin.complianceExport.exportJobStartTime.description": "设置每日合规导出任务开始的时间。设置一个较少人使用的时间。必须为 24 小时制并格式为 HH:MM。",
"admin.complianceExport.exportJobStartTime.example": "例如 \"02:00\"",
"admin.complianceExport.exportJobStartTime.title": "合规导出时间:",
"admin.complianceExport.title": "合规导出 (Beta)",
"admin.compliance_reports.desc": "职位名称",
"admin.compliance_reports.desc_placeholder": "例如 \"Audit 445 for HR\"",
"admin.compliance_reports.emails": "电子邮件:",
@@ -246,14 +256,14 @@
"admin.customization.restrictCustomEmojiCreationSystemAdmin": "只允许系统管理员创建自定义表情符号",
"admin.customization.restrictCustomEmojiCreationTitle": "限制创建自定义表情符号:",
"admin.customization.support": "法律和支持",
"admin.data_retention.confirmChangesModal.clarification": "Once deleted, messages and files cannot be retrieved.",
"admin.data_retention.confirmChangesModal.confirm": "Confirm Settings",
"admin.data_retention.confirmChangesModal.description": "Are you sure you want to apply the following data retention policy:",
"admin.data_retention.confirmChangesModal.description.itemFileDeletion": "All files will be permanently deleted after {days} days.",
"admin.data_retention.confirmChangesModal.description.itemFileIndefinite": "All files will be retained indefinitely.",
"admin.data_retention.confirmChangesModal.description.itemMessageDeletion": "All messages will be permanently deleted after {days} days.",
"admin.data_retention.confirmChangesModal.description.itemMessageIndefinite": "All messages will be retained indefinitely.",
"admin.data_retention.confirmChangesModal.title": "Confirm data retention policy",
"admin.data_retention.confirmChangesModal.clarification": "一旦删除,消息和文件将无法获取。",
"admin.data_retention.confirmChangesModal.confirm": "确认设定",
"admin.data_retention.confirmChangesModal.description": "您确认应用以下数据保留政策:",
"admin.data_retention.confirmChangesModal.description.itemFileDeletion": "所有文件将在 {days} 天后永久删除。",
"admin.data_retention.confirmChangesModal.description.itemFileIndefinite": "所有文件将永久保存。",
"admin.data_retention.confirmChangesModal.description.itemMessageDeletion": "所有消息将在 {days} 天后永久删除。",
"admin.data_retention.confirmChangesModal.description.itemMessageIndefinite": "所有消息将被永久保存。",
"admin.data_retention.confirmChangesModal.title": "确认数据保留政策",
"admin.data_retention.createJob.help": "立刻开始数据保留删除任务。",
"admin.data_retention.createJob.title": "现在运行删除任务",
"admin.data_retention.deletionJobStartTime.description": "设置每日数据保留任务开始的时间。设置一个较少人使用的时间。必须为 24 小时制并格式为 HH:MM。",
@@ -487,7 +497,7 @@
"admin.image.amazonS3IdDescription": "从您的Amazon EC2管理员获得此证书。",
"admin.image.amazonS3IdExample": "例如 \"AKIADTOVBGERKLCBV\"",
"admin.image.amazonS3IdTitle": "Amazon S3 访问密钥 ID",
"admin.image.amazonS3RegionDescription": "(可选) 创建 S3 储存桶时选择的 AWS 区域。如果没设定区域, Mattermost 将尝试从 AWS 获取适当的区域,如果没有找到则使用 'us-east-1'。",
"admin.image.amazonS3RegionDescription": "创建 S3 储存桶时选择的 AWS 区域。如果没设定区域, Mattermost 将尝试从 AWS 获取适当的区域,如果没有找到则使用 'us-east-1'。",
"admin.image.amazonS3RegionExample": "例如 \"us-east-1\"",
"admin.image.amazonS3RegionTitle": "Amazon S3区域",
"admin.image.amazonS3SSEDescription": "当设为是时,在亚马逊 S3 的文件将使用亚马逊 S3 管理的要是加密。参见<a href=\"https://about.mattermost.com/default-server-side-encryption\">文档</a>了解详情。",
@@ -543,7 +553,7 @@
"admin.ldap.emailAttrEx": "例如 \"mail\" 或 \"userPrincipalName\"",
"admin.ldap.emailAttrTitle": "电子邮箱属性:",
"admin.ldap.enableDesc": "当设置为是时Mattermost 允许使用 AD/LDAP 登录",
"admin.ldap.enableSyncDesc": "When true, Mattermost periodically synchronizes users from AD/LDAP. When false, user attributes are updated from SAML during user login.",
"admin.ldap.enableSyncDesc": "当设为是时Mattermost 定时从 AD/LDAP 同步用户。当设为否时,用户属性将在用户登入时从 SAML 更新。",
"admin.ldap.enableSyncTitle": "开启于AD/LDAP 同步:",
"admin.ldap.enableTitle": "开启 AD/LDAP 登入:",
"admin.ldap.firstnameAttrDesc": "(可选) AD/LDAP服务器中的属性用来填充 Mattermost 用户的名字。当设置后,用户将没法修改他们的名字,因为它时和 LDAP 服务器同步的。当留空时,用户可以在帐号设置里修改名字。",
@@ -582,7 +592,7 @@
"admin.ldap.skipCertificateVerification": "跳过证书验证:",
"admin.ldap.skipCertificateVerificationDesc": "跳过TLS或STARTTLS连接的证书验证。不建议用在需要TLS的正式环境下。仅限测试。",
"admin.ldap.syncFailure": "同步失败:{error}",
"admin.ldap.syncIntervalHelpText": "AD/LDAP 的同步机制会将 Mattermost 中的用户信息同步以反映在 AD/LDAP 服务器上进行的更新。例如,当 AD/LDAP 服务器上一个用户姓名更改时,这一改变将在 Mattermost 同步执行。在 AD/LDAP 服务器中删除或禁用账户时将他们的 Mattermost 账号设置为\"停用\"并且已撤走会话。Mattermost 会按照一定的时间频率定期进行同步。例如如果设置为60那么会在每 60 分钟进行同步。",
"admin.ldap.syncIntervalHelpText": "AD/LDAP 的同步机制会将 Mattermost 中的用户信息同步以反映在 AD/LDAP 服务器上进行的更新。例如,当 AD/LDAP 服务器上一个用户姓名更改时,这一改变将在 Mattermost 同步执行。在 AD/LDAP 服务器中删除或禁用账户时将他们的 Mattermost 账号设置为\"停用\"并且吊销会话。Mattermost 会按照一定的时间频率定期进行同步。例如如果设置为60那么会在每 60 分钟进行同步。",
"admin.ldap.syncIntervalTitle": "同步间隔(分钟):",
"admin.ldap.syncNowHelpText": "立即启动一个 AD/LDAP 同步。",
"admin.ldap.sync_button": "开始 AD/LDAP 同步",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "管理个人访问令牌",
"admin.manage_tokens.userAccessTokensDescription": "个人访问令牌功能于会话令牌类似并可以让整合用来<a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">与本 Mattermost 服务器互动</a>。如果用户被停用,令牌也会被停用。了解更多关于<a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">个人访问令牌</a>。",
"admin.manage_tokens.userAccessTokensNone": "无个人访问令牌。",
"admin.messageExport.createJob.help": "Initiates a Message Export job immediately.",
"admin.messageExport.createJob.title": "Run Message Export job now",
"admin.messageExport.description": "Message Export dumps all posts into a file that can be imported into third-party systems. The export task is scheduled to run once per day.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "The file format to write exported data in. Corresponds to the system that you want to import the data into.",
"admin.messageExport.exportFormat.title": "Export File Format:",
"admin.messageExport.exportFromTimestamp.description": "Posts older than this will not be exported. Expressed as the number of seconds since the Unix Epoch (January 1, 1970).",
"admin.messageExport.exportFromTimestamp.example": "E.g.: Tuesday October 24, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Creation Time of Oldest Post to Export:",
"admin.messageExport.exportJobStartTime.description": "设置每日数据保留任务开始的时间。设置一个较少人使用的时间。必须为 24 小时制并格式为 HH:MM。",
"admin.messageExport.exportJobStartTime.example": "例如 \"02:00\"",
"admin.messageExport.exportJobStartTime.title": "Message Export time:",
"admin.messageExport.exportLocation.description": "The directory on your hard drive to write export files to. Mattermost must have write access to this directory. Do not include a filename.",
"admin.messageExport.exportLocation.example": "E.g.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Export Directory:",
"admin.messageExport.title": "Message Export (Beta)",
"admin.metrics.enableDescription": "当设置为是时Mattermost 会启用性能监控收集和分析。请查看<a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>文档</a>了解更多Mattermost 性能监控配置信息。",
"admin.metrics.enableTitle": "开启性能监视:",
"admin.metrics.listenAddressDesc": "服务端监听的地址以公开性能指标数据。",
@@ -712,43 +706,34 @@
"admin.password.requirementsDescription": "有效的密码所需的字符类型。",
"admin.password.symbol": "至少有一个符号 (例如:\"~!@#$%^&*()\")",
"admin.password.uppercase": "至少有一个大写字母",
"admin.plugin.activate": "激活",
"admin.plugin.activating": "Activating...",
"admin.plugin.activate": "启用",
"admin.plugin.activating": "正在启用...",
"admin.plugin.banner": "插件为实验功能并不推荐在正式环境使用。",
"admin.plugin.deactivate": "停用",
"admin.plugin.deactivating": "Deactivating...",
"admin.plugin.deactivating": "正在停用...",
"admin.plugin.desc": "描述:",
"admin.plugin.error.activate": "无法上传插件。可能和现有的插件冲突。",
"admin.plugin.error.extract": "解压插件时发送错误。确认您的插件内容后再次尝试。",
"admin.plugin.id": "ID",
"admin.plugin.id": "Id:",
"admin.plugin.installedDesc": "已在您的 Mattermost 服务器安装的插件。预安装的插件可被停用但不能删除。",
"admin.plugin.installedTitle": "已安装的插件:",
"admin.plugin.management.title": "管理",
"admin.plugin.name": "名称:",
"admin.plugin.no_plugins": "没有已安装的插件。",
"admin.plugin.prepackaged": "预包装",
"admin.plugin.remove": "移除",
"admin.plugin.removing": "移除中...",
"admin.plugin.settingsButton": "设置",
"admin.plugin.upload": "上传",
"admin.plugin.uploadDesc": "上传插件到您的 Mattermost 服务器。详情参见<a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">文档</a>了解更多。",
"admin.plugin.uploadDisabledDesc": "请至<strong>插件 > 设置</strong>开启插件上传。参见<a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">文档</a>了解更多。",
"admin.plugin.uploadTitle": "上传插件:",
"admin.plugin.uploading": "上传中...",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "channelurl",
"admin.plugins.jira.enabledDescription": "当设为是时,您可以设置 JIRA webhooks 发送消息到 Mattermost。为了避免钓鱼攻击所有消息会被标上 BOT 标签。",
"admin.plugins.jira.enabledLabel": "开启 JIRA",
"admin.plugins.jira.secretDescription": "此秘钥用于和 Mattermost 验证。",
"admin.plugins.jira.secretLabel": "秘钥:",
"admin.plugins.jira.secretParamPlaceholder": "secret",
"admin.plugins.jira.secretRegenerateDescription": "重新生成 webhook 网址端点秘钥。重新生成秘钥将使现有 JIRA 整合无效。",
"admin.plugins.jira.setupDescription": "使用 webhook 网址设置 JIRA 整合。参见 {webhookDocsLink} 了解详情。",
"admin.plugins.jira.teamParamPlaceholder": "teamurl",
"admin.plugins.jira.userDescription": "选择此整合关联的用户名。",
"admin.plugins.jira.userLabel": "用户:",
"admin.plugins.jira.webhookDocsLink": "文档",
"admin.plugin.version": "版本:",
"admin.plugins.settings.enable": "启用插件:",
"admin.plugins.settings.enableDesc": "当设为是时,启用您 Mattermost 服务器上的插件。使用插件以和第三方系统整合、扩展功能或自定义您 Mattermost 服务器的界面。详情参见<a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">文档</a>了解更多。",
"admin.plugins.settings.enableUploads": "开启插件上传:",
"admin.plugins.settings.enableUploadsDesc": "当设为是时,允许系统管理员在<strong>插件 > 管理</strong>上传插件。如果您不想上传插件,设为否以控制哪些插件安装在服务器。详情参见<a href=\"https://about.mattermost.com/default-plugins-uploads\" target=\"_blank\">文档</a>了解更多。",
"admin.plugins.settings.enableUploadsDesc": "当设为是时,允许系统管理员在<strong>插件 > 管理</strong>上传插件。如果您不想上传插件,设为否以控制哪些插件安装在服务器。详情参见<a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">文档</a>了解更多。",
"admin.plugins.settings.title": "配置",
"admin.privacy.showEmailDescription": "当设为否时,从除了系统管理员外隐藏成员的电子邮件。",
"admin.privacy.showEmailTitle": "显示电子邮箱地址:",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "最大登录尝试次数:",
"admin.service.cmdsDesc": "当设为是时,允许自定义斜杠命令。详情参见<a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>文档</a>。",
"admin.service.cmdsTitle": "启用自定义斜杠命令:",
"admin.service.complianceExportDesc": "当设为是时Mattermost 将生成包含所有过去 24 小时内的消息到合规文件。导出任务将会每天运行一次。参阅<a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">文档</a>了解更多。",
"admin.service.complianceExportTitle": "启动合规导出:",
"admin.service.corsDescription": "启用一个特定域的HTTP跨起源请求。如果您想允许来自任何域的CORS请求使用“*”,或者将其保留为空禁用请求。",
"admin.service.corsEx": "http://example.com",
"admin.service.corsTitle": "允许来自以下跨源请求网址:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "监听地址:",
"admin.service.listenDescription": "绑定和监听的地址和端口。指定 \":8065\" 将会绑定所有网络接口。指定 \"127.0.0.1:8065\" 将只绑定拥有此 IP 的网络接口。如果您选择一个低级端口 (叫 \"system ports\" 或 \"well-known ports\" 于 0-1023 之间),您必须要拥有权限才能绑定到此端口。在 Linux 上您可以使用:\"sudo setcap cap_net_bind_service=+ep ./bin/platform\" 以允许 Mattermost 绑定知名端口。",
"admin.service.listenExample": "例如 \":8065\"",
"admin.service.messageExportDesc": "When true, the system will export all messages that are sent once per day.",
"admin.service.messageExportTitle": "Enable Message Export:",
"admin.service.mfaDesc": "当设为是时,使用 AD/LDAP 或电子邮件登入的用户可以使用添加 Google Authenticator 多重验证到他们的帐号。",
"admin.service.mfaTitle": "启用多重身份验证:",
"admin.service.mobileSessionDays": "移动会话时长 (天)",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "客户端版本",
"admin.sidebar.cluster": "高可用性",
"admin.sidebar.compliance": "合规",
"admin.sidebar.compliance_export": "合规导出 (Beta)",
"admin.sidebar.configuration": "配置",
"admin.sidebar.connections": "连接",
"admin.sidebar.customBrand": "自定义品牌",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "常规",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "集成",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "法律和支持",
"admin.sidebar.license": "版本和许可证",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "日志",
"admin.sidebar.login": "登录",
"admin.sidebar.logs": "日志",
"admin.sidebar.message_export": "Message Export (Beta)",
"admin.sidebar.metrics": "性能监视",
"admin.sidebar.mfa": "多重验证",
"admin.sidebar.nativeAppLinks": "Mattermost 应用链接",
@@ -1122,7 +1106,7 @@
"admin.user_item.mfaYes": "<strong>多重验证</strong>:是",
"admin.user_item.resetMfa": "移除多重验证",
"admin.user_item.resetPwd": "重置密码",
"admin.user_item.revokeSessions": "Revoke Sessions",
"admin.user_item.revokeSessions": "吊销会话",
"admin.user_item.switchToEmail": "切换到电子邮件/密码",
"admin.user_item.sysAdmin": "系统管理员",
"admin.user_item.teamAdmin": "团队管理员",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "有发信息的的正常用户",
"analytics.system.channelTypes": "频道类型",
"analytics.system.dailyActiveUsers": "每日活动用户",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "每月活动用户",
"analytics.system.postTypes": "发文,文件和标签",
"analytics.system.privateGroups": "私有频道",
"analytics.system.publicChannels": "公共频道",
"analytics.system.skippedIntensiveQueries": "为了最大化性能,部分统计已屏蔽。您可以在 config.json 中重新开启他们。参见:<a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a>",
"analytics.system.textPosts": "纯文字帖文",
"analytics.system.title": "系统统计",
"analytics.system.totalChannels": "频道总数",
@@ -1240,10 +1225,10 @@
"audit_table.member": "成员",
"audit_table.nameUpdated": "更新了 {channelName} 频道名称",
"audit_table.oauthTokenFailed": "获取OAuth令牌 - {token}",
"audit_table.revokedAll": "销团队所有当前会话",
"audit_table.revokedAll": "销团队所有当前会话",
"audit_table.sentEmail": "已发送电子邮件到 {email} 以重置您的密码",
"audit_table.session": "会话ID",
"audit_table.sessionRevoked": "ID {sessionId} 的会话被销",
"audit_table.sessionRevoked": "ID {sessionId} 的会话被销",
"audit_table.successfullLicenseAdd": "成功添加新的许可证",
"audit_table.successfullLogin": "登录成功",
"audit_table.successfullOAuthAccess": "成功开启新OAuth服务访问",
@@ -1298,7 +1283,7 @@
"channel_header.channelHeader": "编辑频道标题",
"channel_header.channelMembers": "成员",
"channel_header.delete": "删除频道",
"channel_header.directchannel.you": "{displayname} (you) ",
"channel_header.directchannel.you": "{displayname} () ",
"channel_header.flagged": "已标记的信息",
"channel_header.leave": "离开频道",
"channel_header.manageMembers": "成员管理",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "查看信息",
"channel_header.viewMembers": "查看成员",
"channel_header.webrtc.call": "开始视频通话",
"channel_header.webrtc.doNotDisturb": "请勿打扰",
"channel_header.webrtc.offline": "此用户已离线",
"channel_header.webrtc.unavailable": "不能在结束当前通话前开新通话",
"channel_info.about": "关于",
@@ -1374,7 +1360,7 @@
"channel_notifications.sendDesktop": "发送桌面通知",
"channel_notifications.unreadInfo": "有未读消息时,侧边栏的频道名称粗体显示。只有当您被提及时选择“仅对提及”会加粗频道名称。",
"channel_select.placeholder": "--- 选择一个频道 ---",
"channel_switch_modal.deactivated": "停用",
"channel_switch_modal.deactivated": "停用",
"channel_switch_modal.dm": "(私信)",
"channel_switch_modal.failed_to_open": "打开频道失败。",
"channel_switch_modal.not_found": "无匹配项。",
@@ -1428,7 +1414,7 @@
"create_comment.file": "文件上传",
"create_comment.files": "文件上传",
"create_post.comment": "评论",
"create_post.deactivated": "You are viewing an archived channel with a deactivated user.",
"create_post.deactivated": "您正在查看已注销用户的归档频道。",
"create_post.error_message": "您的消息太长。字数:{length}/{limit}",
"create_post.post": "发布",
"create_post.shortcutsNotSupported": "您的设备不支持键盘快捷键。",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "取消",
"deactivate_member_modal.deactivate": "停用",
"deactivate_member_modal.desc": "此操作将停用 {username}。他们将注销并无法再访问本系统的任何团队或频道。您确定要停用 {username}",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "停用 {username}",
"default_channel.purpose": "发表您想所有人看到的消息。所有人在加入团队时候自动成员此频道的永久成员。",
"delete_channel.cancel": "取消",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "团队描述提供更多信息帮助用户选择何时的团队。最多 50 字符。",
"general_tab.teamName": "团队名称",
"general_tab.teamNameInfo": "设置出现在您登录界面左侧边栏顶部的团队名称。",
"general_tab.teamNameRestrictions": "名称必须在 {min} 于 {max} 个字符之间。您可以添加更长的团队描述。",
"general_tab.title": "基本设置",
"general_tab.yes": "是的",
"get_app.alreadyHaveIt": "已经拥有?",
@@ -1914,8 +1902,8 @@
"mobile.account_notifications.threads_start": "我创建的串",
"mobile.account_notifications.threads_start_participate": "我创建的或参与的串",
"mobile.advanced_settings.delete": "删除",
"mobile.advanced_settings.delete_file_cache": "Delete File Cache",
"mobile.advanced_settings.delete_file_cache_message": "\nThis will delete all the files stored in the cache. Are you sure you want to delete them?\n",
"mobile.advanced_settings.delete_file_cache": "删除文件缓存",
"mobile.advanced_settings.delete_file_cache_message": "\n这将删除缓存中的文件。您确定要删除它们么?\n",
"mobile.advanced_settings.reset_button": "复位",
"mobile.advanced_settings.reset_message": "\n这将清除所有离线数据并重启应用。您将会在应用重启后自动登入。\n",
"mobile.advanced_settings.reset_title": "重置缓存",
@@ -1928,7 +1916,7 @@
"mobile.android.photos_permission_denied_title": "需要照片库访问权限",
"mobile.android.videos_permission_denied_description": "请更改您的权限设定以从您的视频库上传视频。",
"mobile.android.videos_permission_denied_title": "需要视频库访问权限",
"mobile.channel.markAsRead": "Mark As Read",
"mobile.channel.markAsRead": "标为已读",
"mobile.channel_drawer.search": "转条到...",
"mobile.channel_info.alertMessageDeleteChannel": "您确定要删除{term} {name}",
"mobile.channel_info.alertMessageLeaveChannel": "您确定要离开{term} {name}",
@@ -1937,14 +1925,14 @@
"mobile.channel_info.alertTitleLeaveChannel": "离开 {term}",
"mobile.channel_info.alertYes": "是",
"mobile.channel_info.delete_failed": "我们无法删除频道 {displayName}。请检查您的网络连接再尝试。",
"mobile.channel_info.edit": "Edit Channel",
"mobile.channel_info.edit": "编辑频道",
"mobile.channel_info.privateChannel": "私有频道",
"mobile.channel_info.publicChannel": "公共频道",
"mobile.channel_list.alertMessageLeaveChannel": "您确定要离开{term} {name}",
"mobile.channel_list.alertNo": "否",
"mobile.channel_list.alertTitleLeaveChannel": "离开 {term}",
"mobile.channel_list.alertYes": "是",
"mobile.channel_list.channels": "CHANNELS",
"mobile.channel_list.channels": "频道",
"mobile.channel_list.closeDM": "关闭私信",
"mobile.channel_list.closeGM": "关闭组消息",
"mobile.channel_list.dm": "私信",
@@ -1969,10 +1957,10 @@
"mobile.client_upgrade.no_upgrade_subtitle": "您已经拥有最新的版本。",
"mobile.client_upgrade.no_upgrade_title": "您的应用已最新",
"mobile.client_upgrade.upgrade": "更新",
"mobile.commands.error_title": "Error Executing Command",
"mobile.commands.error_title": "执行命令时出错",
"mobile.components.channels_list_view.yourChannels": "您的频道:",
"mobile.components.error_list.dismiss_all": "关闭所有",
"mobile.components.select_server_view.connect": "连接",
"mobile.components.select_server_view.connect": "连接",
"mobile.components.select_server_view.connecting": "正在连接...",
"mobile.components.select_server_view.continue": "继续",
"mobile.components.select_server_view.enterServerUrl": "输入服务器网址",
@@ -1982,18 +1970,18 @@
"mobile.create_channel.private": "新私有频道",
"mobile.create_channel.public": "新公共频道",
"mobile.custom_list.no_results": "无结果",
"mobile.document_preview.failed_description": "An error occurred while opening the document. Please make sure you have a {fileType} viewer installed and try again.\n",
"mobile.document_preview.failed_title": "Open Document failed",
"mobile.downloader.android_complete": "Download complete",
"mobile.downloader.android_failed": "Download failed",
"mobile.downloader.android_started": "Download started",
"mobile.downloader.android_success": "download successful",
"mobile.downloader.complete": "Download complete",
"mobile.downloader.downloading": "Downloading...",
"mobile.downloader.failed_description": "An error occurred while downloading the file. Please check your internet connection and try again.\n",
"mobile.downloader.failed_title": "Download failed",
"mobile.downloader.image_saved": "Image Saved",
"mobile.downloader.video_saved": "Video Saved",
"mobile.document_preview.failed_description": "打开文档时遇到错误。请确定您已安装 {fileType} 查看器后再重试。\n",
"mobile.document_preview.failed_title": "打开文档失败",
"mobile.downloader.android_complete": "下载完成",
"mobile.downloader.android_failed": "下载失败",
"mobile.downloader.android_started": "下载已开始",
"mobile.downloader.android_success": "成功下载",
"mobile.downloader.complete": "下载完成",
"mobile.downloader.downloading": "正在下载...",
"mobile.downloader.failed_description": "下载文件时遇到错误。请检查您的网络连接后重试。\n",
"mobile.downloader.failed_title": "下载失败",
"mobile.downloader.image_saved": "图像已保存",
"mobile.downloader.video_saved": "视频已保存",
"mobile.drawer.teamsTitle": "团队",
"mobile.edit_channel": "保存",
"mobile.edit_post.title": "编辑消息",
@@ -2005,20 +1993,21 @@
"mobile.emoji_picker.objects": "物体",
"mobile.emoji_picker.people": "人物",
"mobile.emoji_picker.places": "地点",
"mobile.emoji_picker.recent": "RECENTLY USED",
"mobile.emoji_picker.recent": "最近使用",
"mobile.emoji_picker.symbols": "符号",
"mobile.error_handler.button": "重加载",
"mobile.error_handler.description": "\n点击重启动应用。重启后您可以在设定菜单汇报问题。\n",
"mobile.error_handler.title": "发生未知错误",
"mobile.file_upload.camera": "拍照或视频",
"mobile.file_upload.library": "照片库",
"mobile.file_upload.max_warning": "最多上传 5 个文件。",
"mobile.file_upload.more": "更多",
"mobile.file_upload.video": "视频库",
"mobile.help.title": "帮助",
"mobile.image_preview.deleted_post_message": "此消息和它的文件已删除。预览器即将关闭。",
"mobile.image_preview.deleted_post_title": "消息已删除",
"mobile.image_preview.save": "保存图片",
"mobile.image_preview.save_video": "Save Video",
"mobile.image_preview.save_video": "保存视频",
"mobile.intro_messages.DM": "这是您和{teammate}私信记录的开端。此区域外的人不能看到这里共享的私信和文件。",
"mobile.intro_messages.default_message": "这是团队成员注册后第一个看到的频道 - 使用它发布所有人需要知道的消息。",
"mobile.intro_messages.default_welcome": "欢迎来到 {name}",
@@ -2033,8 +2022,8 @@
"mobile.managed.secured_by": "被 {vendor} 安全保护",
"mobile.markdown.code.copy_code": "复制代码",
"mobile.markdown.code.plusMoreLines": "+ 还有 {count, number} 行",
"mobile.markdown.image.error": "Image failed to load:",
"mobile.markdown.image.too_large": "Image exceeds max dimensions of {maxWidth} by {maxHeight}:",
"mobile.markdown.image.error": "图片加载失败:",
"mobile.markdown.image.too_large": "图片超过最大尺寸 {maxWidth}x{maxHeight}",
"mobile.markdown.link.copy_url": "复制网址",
"mobile.mention.copy_mention": "复制提及",
"mobile.more_dms.start": "开始",
@@ -2086,13 +2075,13 @@
"mobile.post.retry": "刷新",
"mobile.post_info.add_reaction": "添加反应",
"mobile.post_info.copy_post": "复制消息",
"mobile.rename_channel.display_name_maxLength": "此字段必须小于 {maxLength, number} 个字符",
"mobile.rename_channel.display_name_maxLength": "频道名必须小于 {maxLength, number} 个字符",
"mobile.rename_channel.display_name_minLength": "频道名必须至少 {minLength, number} 个字符",
"mobile.rename_channel.display_name_required": "Channel name is required",
"mobile.rename_channel.name_lowercase": "必须小写字母数字字符",
"mobile.rename_channel.name_maxLength": "此字段必须小于 {maxLength, number} 个字符",
"mobile.rename_channel.name_minLength": "频道名必须至少 {minLength, number} 个字符",
"mobile.rename_channel.name_required": "URL is required",
"mobile.rename_channel.display_name_required": "频道名为必填",
"mobile.rename_channel.name_lowercase": "网址必须小写字母数字字符",
"mobile.rename_channel.name_maxLength": "网址必须小于 {maxLength, number} 个字符",
"mobile.rename_channel.name_minLength": "网址必须至少 {minLength, number} 个字符",
"mobile.rename_channel.name_required": "网址为必填",
"mobile.request.invalid_response": "从服务器收到了无效回应。",
"mobile.retry_message": "刷新消息失败。拉上以重试。",
"mobile.routes.channelInfo": "信息",
@@ -2139,10 +2128,10 @@
"mobile.settings.modal.check_for_upgrade": "检查更新",
"mobile.settings.team_selection": "团队选择",
"mobile.suggestion.members": "成员",
"mobile.video.save_error_message": "To save the video file you need to download it first.",
"mobile.video.save_error_title": "Save Video Error",
"mobile.video_playback.failed_description": "An error occurred while trying to play the video.\n",
"mobile.video_playback.failed_title": "Video playback failed",
"mobile.video.save_error_message": "您需要先下载才能保存视频文件。",
"mobile.video.save_error_title": "保存视频出错",
"mobile.video_playback.failed_description": "尝试播放视频时发送错误。\n",
"mobile.video_playback.failed_title": "视频播放失败",
"modal.manaul_status.ask": "不要再次询问",
"modal.manaul_status.button": "是,设置我的状态为 \"在线\"",
"modal.manaul_status.message": "您想要切换状态为 \"在线\" 吗?",
@@ -2163,7 +2152,8 @@
"more_channels.prev": "上一页",
"more_channels.title": "更多频道",
"more_direct_channels.close": "关闭",
"more_direct_channels.directchannel.you": "{displayname} (you)",
"more_direct_channels.directchannel.deactivated": "{displayname} - 已停用",
"more_direct_channels.directchannel.you": "{displayname} (您)",
"more_direct_channels.message": "消息",
"more_direct_channels.new_convo_note": "这将创建新对话。如果你在添加很多用户,请考虑创建私有频道。",
"more_direct_channels.new_convo_note.full": "您已达到此对话的最多人数。请考虑创建私有频道。",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "获取团队邀请链接",
"navbar_dropdown.teamSettings": "团队设置",
"navbar_dropdown.viewMembers": "查看成员",
"navbar_dropdown.webrtc.call": "开始视频通话",
"navbar_dropdown.webrtc.offline": "视频通话已离线",
"navbar_dropdown.webrtc.unavailable": "无法视频通话",
"notification.dm": "私信",
"notify_all.confirm": "确认",
"notify_all.question": "使用 @all 或 @channel 您将发送通知到 {totalMembers} 人。您确定要这样做?",
@@ -2305,9 +2298,9 @@
"rename_channel.save": "保存",
"rename_channel.title": "重命名频道",
"rename_channel.url": "URL",
"revoke_user_sessions_modal.desc": "This action revokes all sessions for {username}. They will be logged out from all devices. Are you sure you want to revoke all sessions for {username}?",
"revoke_user_sessions_modal.revoke": "Revoke",
"revoke_user_sessions_modal.title": "Revoke Sessions for {username}",
"revoke_user_sessions_modal.desc": "此操作将吊销 {username} 的所有会话。他们从所有设备退出。您确定要吊销 {username} 的所有会话吗?",
"revoke_user_sessions_modal.revoke": "吊销",
"revoke_user_sessions_modal.title": "吊销 {username} 的会话",
"rhs_comment.comment": "评论",
"rhs_comment.del": "删除",
"rhs_comment.edit": "编辑",
@@ -2334,7 +2327,7 @@
"rhs_root.unpin": "从频道取消置顶",
"rhs_thread.rootPostDeletedMessage.body": "此消息贴部分数据因数据保留政策而删除。您无法再回复。",
"save_button.save": "保存",
"save_button.saving": "Saving",
"save_button.saving": "正在保存",
"search_bar.search": "搜索",
"search_bar.usage": "<h4>搜索选项</h4><ul><li><span>使用</span><b>\"双引号\"</b><span>搜索词组</span></li><li><span>使用</span><b>from:</b><span>查找来自特定用户的信息,使用</span><b>in:</b><span>查找特定频道的信息</span></li></ul>",
"search_header.results": "搜索结果",
@@ -2402,8 +2395,8 @@
"shortcuts.msgs.reprint_prev.mac": "重新显示上一条消息:\t⌘|Up",
"shortcuts.nav.direct_messages_menu": "私信菜单:\tCtrl|Shift|K",
"shortcuts.nav.direct_messages_menu.mac": "私信菜单:\t⌘|Shift|K",
"shortcuts.nav.focus_center": "Set focus to input field:\tCtrl|Shift|L",
"shortcuts.nav.focus_center.mac": "Set focus to input field:\t⌘|Shift|L",
"shortcuts.nav.focus_center": "设置焦点到输入栏:\tCtrl|Shift|L",
"shortcuts.nav.focus_center.mac": "设置焦点到输入栏:\t⌘|Shift|L",
"shortcuts.nav.header": "导航",
"shortcuts.nav.next": "下个频道:\tAlt|Down",
"shortcuts.nav.next.mac": "下个频道:\t⌥|Down",
@@ -2423,7 +2416,7 @@
"sidebar.createChannel": "创建公共频道",
"sidebar.createGroup": "创建私有频道",
"sidebar.direct": "私信",
"sidebar.directchannel.you": "{displayname} (you)",
"sidebar.directchannel.you": "{displayname} ()",
"sidebar.favorite": "我的最爱频道",
"sidebar.leave": "离开频道",
"sidebar.mainMenu": "主菜单",
@@ -2767,7 +2760,7 @@
"user.settings.notifications.desktop.allSoundHiddenTimed": "所有活动,显示 {seconds} 秒",
"user.settings.notifications.desktop.allSoundTimed": "所有活动,有声,显示 {seconds} 秒",
"user.settings.notifications.desktop.duration": "通知时长",
"user.settings.notifications.desktop.durationInfo": "设置在火狐或 Chrome 下桌面通知在屏幕显示的时间。在 Edge 以及 Safari 下只能最多 5 秒。",
"user.settings.notifications.desktop.durationInfo": "设置在火狐或 Chrome 下桌面通知在屏幕显示的时间。桌面通知在 Edge、Safari 以及 Mattermost 桌面应用下只能最多 5 秒。",
"user.settings.notifications.desktop.mentionsNoSoundForever": "提及和私信,无声,一直显示",
"user.settings.notifications.desktop.mentionsNoSoundTimed": "提及和私信,无声,显示 {seconds} 秒",
"user.settings.notifications.desktop.mentionsSoundForever": "提及和私信,有声,一直显示",
@@ -2889,22 +2882,22 @@
"user.settings.sidebar.autoCloseDMTitle": "自动关闭私信",
"user.settings.sidebar.never": "从不",
"user.settings.sidebar.title": "侧边栏设置",
"user.settings.tokens.activate": "激活",
"user.settings.tokens.activate": "启用",
"user.settings.tokens.cancel": "取消",
"user.settings.tokens.clickToEdit": "点击 '更改' 以管理您的个人访问令牌",
"user.settings.tokens.confirmCreateButton": "是,创建",
"user.settings.tokens.confirmCreateMessage": "您正在创建拥有系统管理权限的个人访问令牌。您确定要创建此令牌吗?",
"user.settings.tokens.confirmCreateTitle": "创建系统管理员个人访问令牌",
"user.settings.tokens.confirmDeactivateButton": "Yes, Deactivate",
"user.settings.tokens.confirmDeactivateMessage": "Any integrations using this token will not be able to access the Mattermost API until the token is reactivated. <br /><br />Are you sure want to deactivate the {description} token?",
"user.settings.tokens.confirmDeactivateTitle": "Deactivate Token?",
"user.settings.tokens.confirmDeactivateButton": "是,停用",
"user.settings.tokens.confirmDeactivateMessage": "任何使用此令牌的整合将在重新开启前无法继续使用 Mattermost API。<br /><br />您确定停用 {description} 令牌?",
"user.settings.tokens.confirmDeactivateTitle": "停用令牌?",
"user.settings.tokens.confirmDeleteButton": "是,删除",
"user.settings.tokens.confirmDeleteMessage": "任何使用此令牌的整合将无法访问 Mattermost API。此操作无法撤销。<br /><br />您确定要删除<strong>{description}</strong>令牌吗?",
"user.settings.tokens.confirmDeleteTitle": "删除令牌?",
"user.settings.tokens.copy": "请复制以下令牌。您将不会再次看到它!",
"user.settings.tokens.create": "创建新令牌",
"user.settings.tokens.deactivate": "停用",
"user.settings.tokens.deactivatedWarning": "停用",
"user.settings.tokens.deactivatedWarning": "(停用)",
"user.settings.tokens.delete": "删除",
"user.settings.tokens.description": "<a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">个人访问令牌</a>功能于会话令牌类似并可以让整合用来<a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">与 REST API 验证</a>。",
"user.settings.tokens.description_mobile": "<a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">个人访问令牌</a>功能于会话令牌类似并可以让整合用来<a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">与 REST API 验证</a>。在您的桌面创建新令牌。",

View File

@@ -44,8 +44,8 @@
"add_command.cancel": "取消",
"add_command.description": "說明",
"add_command.description.help": "傳入的 Webhook 的敘述。",
"add_command.displayName": "Title",
"add_command.displayName.help": "Choose a title to be displayed on the slash command settings page. Maximum 64 characters.",
"add_command.displayName": "標題",
"add_command.displayName.help": "選擇在斜線命令設定頁面顯示的標題。最長 64 字元。",
"add_command.doneHelp": "已設定斜線命令。以下的 Token 將會隨著外送資料一起送出。請用它來確認該要求來自您的 Mattermost 團隊 (如需詳細資訊,請參閱<a href=\"https://docs.mattermost.com/developer/slash-commands.html\">說明文件</a>)。",
"add_command.iconUrl": "回應圖示",
"add_command.iconUrl.help": "選擇圖片以置換此斜線命令回應貼文時所用的個人圖像(非必須)。輸入.png或.jpg檔案(長寬皆至少為128像素)的網址。",
@@ -93,8 +93,8 @@
"add_incoming_webhook.channelRequired": "必須是有效的頻道",
"add_incoming_webhook.description": "說明",
"add_incoming_webhook.description.help": "傳入的 Webhook 的敘述。",
"add_incoming_webhook.displayName": "Title",
"add_incoming_webhook.displayName.help": "Choose a title to be displayed on the webhook settings page. Maximum 64 characters.",
"add_incoming_webhook.displayName": "標題",
"add_incoming_webhook.displayName.help": "選擇在 Webhook 設定頁面顯示的標題。最長 64 字元。",
"add_incoming_webhook.doneHelp": "已設定傳入的 Webhook。請發送資料至以下的網址 (如需詳細資訊,請參閱<a href=\"https://docs.mattermost.com/developer/webhooks-incoming.html\">說明文件</a>)。",
"add_incoming_webhook.name": "名字",
"add_incoming_webhook.save": "儲存",
@@ -127,8 +127,8 @@
"add_outgoing_webhook.content_Type": "內容型態",
"add_outgoing_webhook.description": "說明",
"add_outgoing_webhook.description.help": "傳出的 Webhook 的敘述。",
"add_outgoing_webhook.displayName": "Title",
"add_outgoing_webhook.displayName.help": "Choose a title to be displayed on the webhook settings page. Maximum 64 characters.",
"add_outgoing_webhook.displayName": "標題",
"add_outgoing_webhook.displayName.help": "選擇在 Webhook 設定頁面顯示的標題。最長 64 字元。",
"add_outgoing_webhook.doneHelp": "已設定傳出的 Webhook。以下的 Token 將會隨著外送資料一起送出。請用它來確認該要求來自您的 Mattermost 團隊 (如需詳細資訊,請參閱<a href=\"https://docs.mattermost.com/developer/webhooks-outgoing.html\">說明文件</a>)。",
"add_outgoing_webhook.name": "名字",
"add_outgoing_webhook.save": "儲存",
@@ -195,6 +195,16 @@
"admin.compliance.saving": "儲存設定...",
"admin.compliance.title": "規範設定",
"admin.compliance.true": "是",
"admin.complianceExport.createJob.help": "立刻開始規範報告匯出工作",
"admin.complianceExport.createJob.title": "立刻執行規範報告匯出工作",
"admin.complianceExport.description": "此功能支援匯出規範報告至 Actiance XML 格式目前正在測試階段。GlobalRelay EML 與 Mattermost CSV 格式預定在未來的版本中支援。將會取代現有的 <a href=\"/admin_console/general/compliance\">規範</a> 功能。規範報告匯出檔案將寫到<a href=\"/admin_console/files/storage\">本地儲存目錄</a>的 \"exports\" 子目錄。",
"admin.complianceExport.exportFormat.actiance": "Actiance XML",
"admin.complianceExport.exportFormat.description": "規範報告匯出的檔案格式。對應想要匯入的系統。",
"admin.complianceExport.exportFormat.title": "匯出檔案格式:",
"admin.complianceExport.exportJobStartTime.description": "設定每日規範報告匯出工作的開始時間。請選擇一個較少人使用系統的時間。必須為 HH:MM 格式的 24 小時制時間。",
"admin.complianceExport.exportJobStartTime.example": "如:\"02:00\"",
"admin.complianceExport.exportJobStartTime.title": "規範報告匯出時間:",
"admin.complianceExport.title": "規範報告匯出 (Beta)",
"admin.compliance_reports.desc": "工作名稱:",
"admin.compliance_reports.desc_placeholder": "例如:\"人事445號查核\"",
"admin.compliance_reports.emails": "電子郵件地址:",
@@ -246,14 +256,14 @@
"admin.customization.restrictCustomEmojiCreationSystemAdmin": "只允許系統管理員新增繪文字",
"admin.customization.restrictCustomEmojiCreationTitle": "限制新增繪文字:",
"admin.customization.support": "法律與支援",
"admin.data_retention.confirmChangesModal.clarification": "Once deleted, messages and files cannot be retrieved.",
"admin.data_retention.confirmChangesModal.confirm": "Confirm Settings",
"admin.data_retention.confirmChangesModal.description": "Are you sure you want to apply the following data retention policy:",
"admin.data_retention.confirmChangesModal.description.itemFileDeletion": "All files will be permanently deleted after {days} days.",
"admin.data_retention.confirmChangesModal.description.itemFileIndefinite": "All files will be retained indefinitely.",
"admin.data_retention.confirmChangesModal.description.itemMessageDeletion": "All messages will be permanently deleted after {days} days.",
"admin.data_retention.confirmChangesModal.description.itemMessageIndefinite": "All messages will be retained indefinitely.",
"admin.data_retention.confirmChangesModal.title": "Confirm data retention policy",
"admin.data_retention.confirmChangesModal.clarification": "一旦刪除,將無法取得訊息與檔案。",
"admin.data_retention.confirmChangesModal.confirm": "確定設定",
"admin.data_retention.confirmChangesModal.description": "您確定要套用下列的資料保留原則:",
"admin.data_retention.confirmChangesModal.description.itemFileDeletion": "所有的檔案會在 {days} 天後永久刪除。",
"admin.data_retention.confirmChangesModal.description.itemFileIndefinite": "無限期保留所有檔案。",
"admin.data_retention.confirmChangesModal.description.itemMessageDeletion": "所有的訊息會在 {days} 天後被永久刪除。",
"admin.data_retention.confirmChangesModal.description.itemMessageIndefinite": "無限期保留所有訊息。",
"admin.data_retention.confirmChangesModal.title": "確認資料保留原則",
"admin.data_retention.createJob.help": "馬上開始資料保留刪除工作",
"admin.data_retention.createJob.title": "立刻執行刪除工作",
"admin.data_retention.deletionJobStartTime.description": "設定每日資料保留工作的開始時間。請選擇一個較少人使用系統的時間。必須為 HH:MM 格式的 24 小時制時間。",
@@ -543,7 +553,7 @@
"admin.ldap.emailAttrEx": "如:\"mail\"或\"userPrincipalName\"",
"admin.ldap.emailAttrTitle": "電子郵件位址屬性:",
"admin.ldap.enableDesc": "啟用時Mattermost 允許使用 AD/LDAP 登入",
"admin.ldap.enableSyncDesc": "When true, Mattermost periodically synchronizes users from AD/LDAP. When false, user attributes are updated from SAML during user login.",
"admin.ldap.enableSyncDesc": "啟用時Mattermost 會定期從 AD/LDAP 同步使用者資料。停用時使用者資料將在使用者登入時從 SAML 更新。",
"admin.ldap.enableSyncTitle": "啟用 AD/LDAP 同步:",
"admin.ldap.enableTitle": "啟用 AD/LDAP 登入:",
"admin.ldap.firstnameAttrDesc": "(非必須) 用於設定 Mattermost 使用者名字的 AD/LDAP 伺服器屬性。當設定之後由於將會跟 LDAP 伺服器同步名字,使用者將無法編輯。留白時使用者可以在帳號設定中設定他們自己的名字。",
@@ -651,22 +661,6 @@
"admin.manage_tokens.manageTokensTitle": "管理個人存取 Token",
"admin.manage_tokens.userAccessTokensDescription": "個人存取 Token 的功能類似工作階段 Token可被外部整合用於 <a href=\"https://about.mattermost.com/default-api-authentication\" target=\"_blank\">與 Mattermost 互動</a>。使用者被停用後 Token 將被停用。詳情請參閱<a href=\"https://about.mattermost.com/default-user-access-tokens\" target=\"_blank\">個人存取 Token</a>。",
"admin.manage_tokens.userAccessTokensNone": "沒有個人存取 Token。",
"admin.messageExport.createJob.help": "Initiates a Message Export job immediately.",
"admin.messageExport.createJob.title": "Run Message Export job now",
"admin.messageExport.description": "Message Export dumps all posts into a file that can be imported into third-party systems. The export task is scheduled to run once per day.",
"admin.messageExport.exportFormat.actiance": "Actiance XML",
"admin.messageExport.exportFormat.description": "The file format to write exported data in. Corresponds to the system that you want to import the data into.",
"admin.messageExport.exportFormat.title": "Export File Format:",
"admin.messageExport.exportFromTimestamp.description": "Posts older than this will not be exported. Expressed as the number of seconds since the Unix Epoch (January 1, 1970).",
"admin.messageExport.exportFromTimestamp.example": "E.g.: Tuesday October 24, 2017 @ 12pm UTC = 1508846400",
"admin.messageExport.exportFromTimestamp.title": "Creation Time of Oldest Post to Export:",
"admin.messageExport.exportJobStartTime.description": "設定每日訊息匯出工作的開始時間。請選擇一個較少人使用系統的時間。必須為 HH:MM 格式的 24 小時制時間。",
"admin.messageExport.exportJobStartTime.example": "如:\"02:00\"",
"admin.messageExport.exportJobStartTime.title": "Message Export time:",
"admin.messageExport.exportLocation.description": "The directory on your hard drive to write export files to. Mattermost must have write access to this directory. Do not include a filename.",
"admin.messageExport.exportLocation.example": "E.g.: /var/mattermost/exports/",
"admin.messageExport.exportLocation.title": "Export Directory:",
"admin.messageExport.title": "Message Export (Beta)",
"admin.metrics.enableDescription": "啟用時Mattermost 會啟用效能監視的收集與分析。詳細如何設定 Mattermost 的效能監視,請參閱<a href=\"http://docs.mattermost.com/deployment/metrics.html\" target='_blank'>文件</a>。",
"admin.metrics.enableTitle": "啟用效能監視:",
"admin.metrics.listenAddressDesc": "伺服器將監聽以公開效能計量值的位址。",
@@ -713,10 +707,10 @@
"admin.password.symbol": "至少一個符號(\"~!@#$%^&*()\")",
"admin.password.uppercase": "至少一個大寫英文字母",
"admin.plugin.activate": "啟用",
"admin.plugin.activating": "Activating...",
"admin.plugin.activating": "啟用中...",
"admin.plugin.banner": "模組為實驗功能,不建議在線上環境中使用。",
"admin.plugin.deactivate": "停用",
"admin.plugin.deactivating": "Deactivating...",
"admin.plugin.deactivating": "停用中...",
"admin.plugin.desc": "描述:",
"admin.plugin.error.activate": "無法上傳模組。可能跟伺服器上其他模組衝突。",
"admin.plugin.error.extract": "解壓縮模組時發生錯誤。請重新檢閱模組檔案並再次嘗試。",
@@ -724,27 +718,18 @@
"admin.plugin.installedDesc": "Mattermost 上已安裝的模組。預先包裝好的模組將依預設安裝,可以將其停用但無法移除。",
"admin.plugin.installedTitle": "已安裝的模組:",
"admin.plugin.management.title": "管理",
"admin.plugin.name": "名字:",
"admin.plugin.no_plugins": "沒有已安裝的模組。",
"admin.plugin.prepackaged": "預先包裝好的",
"admin.plugin.remove": "移除",
"admin.plugin.removing": "移除中...",
"admin.plugin.settingsButton": "設定",
"admin.plugin.upload": "上傳",
"admin.plugin.uploadDesc": "上傳模組到 Mattermost。詳情請參閱<a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">文件</a>。",
"admin.plugin.uploadDisabledDesc": "要啟用模組上傳,前往<strong>模組 > 設定</strong>。詳情請參閱<a href=\"https://about.mattermost.com/default-plugin-uploads\" target=\"_blank\">文件</a>。",
"admin.plugin.uploadTitle": "上傳模組:",
"admin.plugin.uploading": "上傳中...",
"admin.plugins.jira": "JIRA (Beta)",
"admin.plugins.jira.channelParamNamePlaceholder": "channelurl",
"admin.plugins.jira.enabledDescription": "啟用時可以設定 JIRA Webhook 在 Mattermost 上發布訊息。為了避免釣魚攻擊,所有貼文都會被標上 BOT 標籤。",
"admin.plugins.jira.enabledLabel": "啟用 JIRA",
"admin.plugins.jira.secretDescription": "此密碼用以跟 Mattermost 認證。",
"admin.plugins.jira.secretLabel": "密碼:",
"admin.plugins.jira.secretParamPlaceholder": "密碼",
"admin.plugins.jira.secretRegenerateDescription": "重新產生此 Webhook 網址端點的密碼。重新產生此密碼會讓現有的 JIRA 整合失效。",
"admin.plugins.jira.setupDescription": "用此 Webhook URL 設定 JIRA 整合。詳情請看{webhookDocsLink}。",
"admin.plugins.jira.teamParamPlaceholder": "teamurl",
"admin.plugins.jira.userDescription": "選擇此外部整合依附的使用者名稱。",
"admin.plugins.jira.userLabel": "使用者:",
"admin.plugins.jira.webhookDocsLink": "說明文件",
"admin.plugin.version": "版本:",
"admin.plugins.settings.enable": "啟用模組:",
"admin.plugins.settings.enableDesc": "啟用時,啟用 Mattermost 上的模組。使用模組來跟外部系統整合、擴充功能或自訂使用者界面。詳情請參閱<a href=\"https://about.mattermost.com/default-plugins\" target=\"_blank\">文件</a>",
"admin.plugins.settings.enableUploads": "啟用模組上傳:",
@@ -876,6 +861,8 @@
"admin.service.attemptTitle": "最大登入嘗試次數:",
"admin.service.cmdsDesc": "啟用時,允許自訂斜線命令。請參閱<a href='http://docs.mattermost.com/developer/slash-commands.html' target='_blank'>文件</a>。",
"admin.service.cmdsTitle": "啟用自訂斜線命令:",
"admin.service.complianceExportDesc": "啟用時Mattermost 將產生規範報告匯出檔,該檔案將包含所有過去 24 小時發布的消息。匯出工作設定為每天執行一次。詳情請參閱<a href=\"https://about.mattermost.com/default-compliance-export-documentation\" target=\"_blank\">文件</a>。 ",
"admin.service.complianceExportTitle": "啟用規範報告匯出:",
"admin.service.corsDescription": "允許從特定的網域進行 HTTP 跨站請求。輸入\"*\" 開放所有網域的跨站請求,不輸入則不允許任何跨站請求。",
"admin.service.corsEx": "http://example.com",
"admin.service.corsTitle": "允許來自下列網址的跨站請求:",
@@ -904,8 +891,6 @@
"admin.service.listenAddress": "監聽位址:",
"admin.service.listenDescription": "綁定並監聽的位址與通訊埠。輸入\":8065\"會跟所有的網路界面綁定。輸入\"127.0.0.1:8065\"會僅與擁有該 IP 位址的網路界面綁定。如果選取了較低的通訊埠(稱為\"系統通訊埠\"或是\"常見通訊埠\",介於 0 到 1023 之間),您必須擁有與該通訊埠綁定的權限。在 Linux 上可以用 \"sudo setcap cap_net_bind_service=+ep ./bin/platform\" 來允許 Mattermost 與那些通訊埠綁定。",
"admin.service.listenExample": "如:\":8065\"",
"admin.service.messageExportDesc": "When true, the system will export all messages that are sent once per day.",
"admin.service.messageExportTitle": "Enable Message Export:",
"admin.service.mfaDesc": "啟用時,使用 AD/LDAP 或 電子郵件登入的使用者可以使用 Google Authenticator 將多重要素驗證加入帳號。",
"admin.service.mfaTitle": "啟用多重要素驗證:",
"admin.service.mobileSessionDays": "行動裝置的工作階段長度(以天計)",
@@ -953,6 +938,7 @@
"admin.sidebar.client_versions": "用戶端版本",
"admin.sidebar.cluster": "高可用性",
"admin.sidebar.compliance": "規範",
"admin.sidebar.compliance_export": "規範報告匯出 (Beta)",
"admin.sidebar.configuration": "設定",
"admin.sidebar.connections": "連線",
"admin.sidebar.customBrand": "自訂品牌",
@@ -969,7 +955,6 @@
"admin.sidebar.general": "一般",
"admin.sidebar.gitlab": "GitLab",
"admin.sidebar.integrations": "整合",
"admin.sidebar.jira": "JIRA (Beta)",
"admin.sidebar.ldap": "AD/LDAP",
"admin.sidebar.legalAndSupport": "法律與支援",
"admin.sidebar.license": "版本與授權",
@@ -978,7 +963,6 @@
"admin.sidebar.logging": "記錄",
"admin.sidebar.login": "登入",
"admin.sidebar.logs": "記錄",
"admin.sidebar.message_export": "Message Export (Beta)",
"admin.sidebar.metrics": "效能監視",
"admin.sidebar.mfa": "多重要素驗證",
"admin.sidebar.nativeAppLinks": "Mattermost 應用程式連結",
@@ -1122,7 +1106,7 @@
"admin.user_item.mfaYes": "<strong>多重要素驗證</strong>:是",
"admin.user_item.resetMfa": "移除多重要素驗證",
"admin.user_item.resetPwd": "重置我的密碼",
"admin.user_item.revokeSessions": "Revoke Sessions",
"admin.user_item.revokeSessions": "撤銷工作階段",
"admin.user_item.switchToEmail": "切換帳戶到電子郵件地址/密碼",
"admin.user_item.sysAdmin": "系統管理",
"admin.user_item.teamAdmin": "團隊管理員",
@@ -1165,11 +1149,12 @@
"analytics.system.activeUsers": "有發文的活躍使用者",
"analytics.system.channelTypes": "頻道類型",
"analytics.system.dailyActiveUsers": "每日活躍使用者",
"analytics.system.info": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team.",
"analytics.system.infoAndSkippedIntensiveQueries": "Only data for the chosen team is calculated. Excludes posts made in direct message channels, which are not tied to a team. <br><br> To maximize performance, some statistics are disabled. You can <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>re-enable them in config.json</a>.",
"analytics.system.monthlyActiveUsers": "每月活躍使用者",
"analytics.system.postTypes": "發文,檔案與#標籤",
"analytics.system.privateGroups": "私人頻道",
"analytics.system.publicChannels": "公開頻道",
"analytics.system.skippedIntensiveQueries": "部份統計已被停用以獲得最大的效能。可以在 config.json 中重新啟用它們。詳請參閱 <a href='https://docs.mattermost.com/administration/statistics.html' target='_blank'>https://docs.mattermost.com/administration/statistics.html</a>",
"analytics.system.textPosts": "以純文字發文",
"analytics.system.title": "系統統計",
"analytics.system.totalChannels": "全部頻道",
@@ -1298,7 +1283,7 @@
"channel_header.channelHeader": "編輯頻道標題",
"channel_header.channelMembers": "成員",
"channel_header.delete": "刪除頻道",
"channel_header.directchannel.you": "{displayname} (you) ",
"channel_header.directchannel.you": "{displayname} () ",
"channel_header.flagged": "被標記的訊息",
"channel_header.leave": "離開頻道",
"channel_header.manageMembers": "成員管理",
@@ -1312,6 +1297,7 @@
"channel_header.viewInfo": "檢視資訊",
"channel_header.viewMembers": "檢視成員",
"channel_header.webrtc.call": "開始視訊通話",
"channel_header.webrtc.doNotDisturb": "請勿打擾",
"channel_header.webrtc.offline": "使用者離線中",
"channel_header.webrtc.unavailable": "在當前通訊結束前不能建立新的通訊",
"channel_info.about": "關於",
@@ -1428,7 +1414,7 @@
"create_comment.file": "上傳檔案",
"create_comment.files": "上傳多個檔案",
"create_post.comment": "註解",
"create_post.deactivated": "You are viewing an archived channel with a deactivated user.",
"create_post.deactivated": "正以被停用的使用者觀看被封存的頻道。",
"create_post.error_message": "訊息過長。字數:{length}/{limit}",
"create_post.post": "訊息",
"create_post.shortcutsNotSupported": "此裝置不支援鍵盤快速鍵。",
@@ -1457,6 +1443,7 @@
"deactivate_member_modal.cancel": "取消",
"deactivate_member_modal.deactivate": "停用",
"deactivate_member_modal.desc": "將會停用 {username}。他們將會被登出並且不再有權限存取此伺服氣上的任何頻道或團隊。請確認要停用 {username} 。",
"deactivate_member_modal.sso_warning": "You must also deactivate this user in the SSO provider or they will be reactivated on next login or sync.",
"deactivate_member_modal.title": "停用 {username}",
"default_channel.purpose": "在此張貼希望所有人都可以看到的訊息。每個人在加入團隊的時候會自動成為此頻道的永久成員。",
"delete_channel.cancel": "取消",
@@ -1605,6 +1592,7 @@
"general_tab.teamDescriptionInfo": "團隊敘述提供額外的訊息幫助使用者選擇正確的團隊。最多為50個字。",
"general_tab.teamName": "團隊名稱",
"general_tab.teamNameInfo": "設定出現於登入畫面跟側邊欄左上的團隊名稱。",
"general_tab.teamNameRestrictions": "名字必須至少有{min}個字、最多{max}。等等有增加較長團隊敘述的方法。",
"general_tab.title": "一般設定",
"general_tab.yes": "是",
"get_app.alreadyHaveIt": "已經擁有了?",
@@ -1914,8 +1902,8 @@
"mobile.account_notifications.threads_start": "我開啟的討論串",
"mobile.account_notifications.threads_start_participate": "我開啟或參與的討論串",
"mobile.advanced_settings.delete": "刪除",
"mobile.advanced_settings.delete_file_cache": "Delete File Cache",
"mobile.advanced_settings.delete_file_cache_message": "\nThis will delete all the files stored in the cache. Are you sure you want to delete them?\n",
"mobile.advanced_settings.delete_file_cache": "刪除檔案快取",
"mobile.advanced_settings.delete_file_cache_message": "這將會刪除所有在快取中的檔案。確定要刪除?",
"mobile.advanced_settings.reset_button": "重置",
"mobile.advanced_settings.reset_message": "\n這將會清除所有離線資料並重新啟動 app 。在重啟 app 後會自動重新登入。\n",
"mobile.advanced_settings.reset_title": "清除快取",
@@ -1928,7 +1916,7 @@
"mobile.android.photos_permission_denied_title": "需要存取相片庫",
"mobile.android.videos_permission_denied_description": "請變更權限設定以從影片庫上傳圖片。",
"mobile.android.videos_permission_denied_title": "需要存取影片庫",
"mobile.channel.markAsRead": "Mark As Read",
"mobile.channel.markAsRead": "標記為已讀",
"mobile.channel_drawer.search": "跳至...",
"mobile.channel_info.alertMessageDeleteChannel": "確定要刪除{term} {name} 嘛?",
"mobile.channel_info.alertMessageLeaveChannel": "確定要離開{term} {name} 嘛?",
@@ -1937,14 +1925,14 @@
"mobile.channel_info.alertTitleLeaveChannel": "退出{term}",
"mobile.channel_info.alertYes": "是",
"mobile.channel_info.delete_failed": "無法刪除頻道 {displayName}。請檢查連線並再試一次。",
"mobile.channel_info.edit": "Edit Channel",
"mobile.channel_info.edit": "編輯頻道",
"mobile.channel_info.privateChannel": "私人頻道",
"mobile.channel_info.publicChannel": "公開頻道",
"mobile.channel_list.alertMessageLeaveChannel": "確定要離開{term} {name} 嘛?",
"mobile.channel_list.alertNo": "否",
"mobile.channel_list.alertTitleLeaveChannel": "退出{term}",
"mobile.channel_list.alertYes": "是",
"mobile.channel_list.channels": "CHANNELS",
"mobile.channel_list.channels": "頻道",
"mobile.channel_list.closeDM": "關閉直接傳訊",
"mobile.channel_list.closeGM": "關閉群組訊息",
"mobile.channel_list.dm": "直接傳訊",
@@ -1969,7 +1957,7 @@
"mobile.client_upgrade.no_upgrade_subtitle": "已經安裝了最新版。",
"mobile.client_upgrade.no_upgrade_title": "已經安裝了最新版。",
"mobile.client_upgrade.upgrade": "更新",
"mobile.commands.error_title": "Error Executing Command",
"mobile.commands.error_title": "執行指令時發生錯誤",
"mobile.components.channels_list_view.yourChannels": "您的頻道:",
"mobile.components.error_list.dismiss_all": "全部關閉",
"mobile.components.select_server_view.connect": "已連線",
@@ -1982,18 +1970,18 @@
"mobile.create_channel.private": "新的私人頻道",
"mobile.create_channel.public": "新的公開頻道",
"mobile.custom_list.no_results": "找不到相符的結果",
"mobile.document_preview.failed_description": "An error occurred while opening the document. Please make sure you have a {fileType} viewer installed and try again.\n",
"mobile.document_preview.failed_title": "Open Document failed",
"mobile.downloader.android_complete": "Download complete",
"mobile.downloader.android_failed": "Download failed",
"mobile.downloader.android_started": "Download started",
"mobile.downloader.android_success": "download successful",
"mobile.downloader.complete": "Download complete",
"mobile.downloader.downloading": "Downloading...",
"mobile.downloader.failed_description": "An error occurred while downloading the file. Please check your internet connection and try again.\n",
"mobile.downloader.failed_title": "Download failed",
"mobile.downloader.image_saved": "Image Saved",
"mobile.downloader.video_saved": "Video Saved",
"mobile.document_preview.failed_description": "開啟文件時發生錯誤。請確定有安裝 {fileType} 觀看程式並再次嘗試。",
"mobile.document_preview.failed_title": "開啟文件失敗",
"mobile.downloader.android_complete": "下載完成",
"mobile.downloader.android_failed": "下載失敗",
"mobile.downloader.android_started": "下載已開始",
"mobile.downloader.android_success": "下載成功",
"mobile.downloader.complete": "下載完成",
"mobile.downloader.downloading": "下載中...",
"mobile.downloader.failed_description": "下載檔案時失敗。請檢查網路連線並再次嘗試。",
"mobile.downloader.failed_title": "下載失敗",
"mobile.downloader.image_saved": "圖片已儲存",
"mobile.downloader.video_saved": "影片已儲存",
"mobile.drawer.teamsTitle": "團隊",
"mobile.edit_channel": "儲存",
"mobile.edit_post.title": "編輯訊息",
@@ -2005,20 +1993,21 @@
"mobile.emoji_picker.objects": "物件",
"mobile.emoji_picker.people": "人物",
"mobile.emoji_picker.places": "地方",
"mobile.emoji_picker.recent": "RECENTLY USED",
"mobile.emoji_picker.recent": "最近使用過",
"mobile.emoji_picker.symbols": "符號",
"mobile.error_handler.button": "重新啟動",
"mobile.error_handler.description": "\n點擊重新啟動以再次開啟 app。重新啟動後可以經由設定選單來回報問題。\n",
"mobile.error_handler.title": "發生未預期的錯誤。",
"mobile.file_upload.camera": "照相或錄影",
"mobile.file_upload.library": "相簿",
"mobile.file_upload.max_warning": "Uploads limited to 5 files maximum.",
"mobile.file_upload.more": "更多",
"mobile.file_upload.video": "媒體櫃",
"mobile.help.title": "說明",
"mobile.image_preview.deleted_post_message": "此訊息與檔案已被刪除。預覽器將關閉。",
"mobile.image_preview.deleted_post_title": "訊息已刪除",
"mobile.image_preview.save": "儲存圖片",
"mobile.image_preview.save_video": "Save Video",
"mobile.image_preview.save_video": "儲存影片",
"mobile.intro_messages.DM": "這是跟{teammate}之間直接訊息的起頭。直接訊息跟在這邊分享的檔案除了在此處以外的人都看不到。",
"mobile.intro_messages.default_message": "這將是團隊成員註冊後第一個看到的頻道,請利用它張貼所有人都應該知道的事項。",
"mobile.intro_messages.default_welcome": "歡迎來到{name}",
@@ -2033,8 +2022,8 @@
"mobile.managed.secured_by": "受到 {vendor} 保護",
"mobile.markdown.code.copy_code": "複製代碼",
"mobile.markdown.code.plusMoreLines": "還有 {count, number} 行",
"mobile.markdown.image.error": "Image failed to load:",
"mobile.markdown.image.too_large": "Image exceeds max dimensions of {maxWidth} by {maxHeight}:",
"mobile.markdown.image.error": "無法載入圖片:",
"mobile.markdown.image.too_large": "圖片超過最大尺寸 {maxWidth}x{maxHeight}",
"mobile.markdown.link.copy_url": "複製 URL",
"mobile.mention.copy_mention": "複製提及",
"mobile.more_dms.start": "開始",
@@ -2074,7 +2063,7 @@
"mobile.notification_settings_mobile.vibrate": "振動",
"mobile.offlineIndicator.connected": "已連線",
"mobile.offlineIndicator.connecting": "連線中",
"mobile.offlineIndicator.offline": "Cannot connect to the server",
"mobile.offlineIndicator.offline": "無法連接至伺服器",
"mobile.open_dm.error": "無法開啟與{displayName}的直接傳訊。請檢查連線並再試一次。 ",
"mobile.open_gm.error": "無法開啟與這些使用者的直接傳訊。請檢查連線並再試一次。 ",
"mobile.post.cancel": "取消",
@@ -2088,11 +2077,11 @@
"mobile.post_info.copy_post": "複製訊息",
"mobile.rename_channel.display_name_maxLength": "頻道名稱必須少於 {maxLength, number} 字",
"mobile.rename_channel.display_name_minLength": "頻道名稱必須至少為 {minLength, number} 個字",
"mobile.rename_channel.display_name_required": "Channel name is required",
"mobile.rename_channel.display_name_required": "需要頻道名稱",
"mobile.rename_channel.name_lowercase": "URL 請用小寫英數字",
"mobile.rename_channel.name_maxLength": "URL 必須少於 {maxLength, number} 字",
"mobile.rename_channel.name_minLength": "URL必須至少為 {minLength, number} 個字",
"mobile.rename_channel.name_required": "URL is required",
"mobile.rename_channel.name_required": "需要 URL",
"mobile.request.invalid_response": "從伺服器傳來無效的回應。",
"mobile.retry_message": "更新訊息失敗。請往上拖動以重新嘗試。",
"mobile.routes.channelInfo": "相關資訊",
@@ -2139,10 +2128,10 @@
"mobile.settings.modal.check_for_upgrade": "检查更新",
"mobile.settings.team_selection": "選擇團隊",
"mobile.suggestion.members": "成員",
"mobile.video.save_error_message": "To save the video file you need to download it first.",
"mobile.video.save_error_title": "Save Video Error",
"mobile.video_playback.failed_description": "An error occurred while trying to play the video.\n",
"mobile.video_playback.failed_title": "Video playback failed",
"mobile.video.save_error_message": "必須先下載影片才能儲存。",
"mobile.video.save_error_title": "檔案影片錯誤",
"mobile.video_playback.failed_description": "嘗試播放影片時發生錯誤。",
"mobile.video_playback.failed_title": "無法播放影片",
"modal.manaul_status.ask": "別再問我",
"modal.manaul_status.button": "是,將狀態設定為\"線上\"",
"modal.manaul_status.message": "要更改狀態為\"線上\"嘛?",
@@ -2163,7 +2152,8 @@
"more_channels.prev": "上一頁",
"more_channels.title": "更多頻道",
"more_direct_channels.close": "關閉",
"more_direct_channels.directchannel.you": "{displayname} (you)",
"more_direct_channels.directchannel.deactivated": "{displayname} - 已停用",
"more_direct_channels.directchannel.you": "{displayname} (你)",
"more_direct_channels.message": "訊息",
"more_direct_channels.new_convo_note": "這會起始新的對話。如果要加入大量的成員,請考慮改成建立新的私人頻道。",
"more_direct_channels.new_convo_note.full": "已達到此對話的最大人數。請考慮改成建立新的私人頻道。",
@@ -2212,6 +2202,9 @@
"navbar_dropdown.teamLink": "取得團隊邀請連結",
"navbar_dropdown.teamSettings": "團隊設定",
"navbar_dropdown.viewMembers": "檢視成員",
"navbar_dropdown.webrtc.call": "開始視訊通話",
"navbar_dropdown.webrtc.offline": "視訊通話已離線",
"navbar_dropdown.webrtc.unavailable": "無法使用視訊通話",
"notification.dm": "直接傳訊",
"notify_all.confirm": "確認",
"notify_all.question": "使用 @all 或 @channel 後將會通知 {totalMembers} 人,請確定要執行。",
@@ -2305,9 +2298,9 @@
"rename_channel.save": "儲存",
"rename_channel.title": "變更頻道名稱",
"rename_channel.url": "網址:",
"revoke_user_sessions_modal.desc": "This action revokes all sessions for {username}. They will be logged out from all devices. Are you sure you want to revoke all sessions for {username}?",
"revoke_user_sessions_modal.revoke": "Revoke",
"revoke_user_sessions_modal.title": "Revoke Sessions for {username}",
"revoke_user_sessions_modal.desc": "這將撤銷所有 {username} 的工作階段。他們將從所有的裝置被登出。請確定要撤銷所有 {username} 的工作階段。",
"revoke_user_sessions_modal.revoke": "撤銷",
"revoke_user_sessions_modal.title": "撤銷 {username} 的工作階段",
"rhs_comment.comment": "註解",
"rhs_comment.del": "刪除",
"rhs_comment.edit": "編輯",
@@ -2334,7 +2327,7 @@
"rhs_root.unpin": "解除釘選",
"rhs_thread.rootPostDeletedMessage.body": "此討論串有部份已根據資料保留政策被刪除。無法回覆此討論串。",
"save_button.save": "儲存",
"save_button.saving": "Saving",
"save_button.saving": "儲存中",
"search_bar.search": "搜尋",
"search_bar.usage": "<h4>搜尋選項</h4><ul><li><span>用</span><b>\"雙引號\"</b><span>來搜尋語句</span></li><li><span>用</span><b>from:</b><span>來搜尋特定使用者的訊息,用</span><b>in:</b><span>來搜尋特定頻道</span></li></ul>",
"search_header.results": "搜尋結果",
@@ -2402,8 +2395,8 @@
"shortcuts.msgs.reprint_prev.mac": "重新顯示上一個訊息:\t⌘|上",
"shortcuts.nav.direct_messages_menu": "直接傳訊選單:\tCtrl|Shift|K",
"shortcuts.nav.direct_messages_menu.mac": "直接傳訊選單:\t⌘|Shift|K",
"shortcuts.nav.focus_center": "Set focus to input field:\tCtrl|Shift|L",
"shortcuts.nav.focus_center.mac": "Set focus to input field:\t⌘|Shift|L",
"shortcuts.nav.focus_center": "將輸入焦點設為輸入欄:\tCtrl|Shift|L",
"shortcuts.nav.focus_center.mac": "將輸入焦點設為輸入欄:\t⌘|Shift|L",
"shortcuts.nav.header": "瀏覽",
"shortcuts.nav.next": "下一個頻道:\tAlt|下",
"shortcuts.nav.next.mac": "下一個頻道:\t⌥|下",
@@ -2423,7 +2416,7 @@
"sidebar.createChannel": "建立公開頻道",
"sidebar.createGroup": "建立私人頻道",
"sidebar.direct": "直接傳訊",
"sidebar.directchannel.you": "{displayname} (you)",
"sidebar.directchannel.you": "{displayname} ()",
"sidebar.favorite": "我的最愛",
"sidebar.leave": "離開頻道",
"sidebar.mainMenu": "主選單",
@@ -2767,7 +2760,7 @@
"user.settings.notifications.desktop.allSoundHiddenTimed": "所有的活動,顯示 {seconds} 秒",
"user.settings.notifications.desktop.allSoundTimed": "所有的活動,有通知音效,顯示 {seconds} 秒",
"user.settings.notifications.desktop.duration": "通知長度",
"user.settings.notifications.desktop.durationInfo": "設定在 Firefox 或 Chrome 中桌面通知將停留在畫面上多久。EdgeSafari 的桌面通知最多僅能停留5秒。",
"user.settings.notifications.desktop.durationInfo": "設定在 Firefox 或 Chrome 中桌面通知將停留在畫面上多久。EdgeSafari 與 Mattermost 桌面應用程式的桌面通知最多僅能停留5秒。",
"user.settings.notifications.desktop.mentionsNoSoundForever": "提及跟直接訊息,無通知音效,一直顯示",
"user.settings.notifications.desktop.mentionsNoSoundTimed": "提及跟直接訊息,無通知音效,顯示 {seconds} 秒",
"user.settings.notifications.desktop.mentionsSoundForever": "提及跟直接訊息,有通知音效,一直顯示",
@@ -2895,9 +2888,9 @@
"user.settings.tokens.confirmCreateButton": "是,建立",
"user.settings.tokens.confirmCreateMessage": "正在產生有系統管理員權限的個人存取 Token。請確認要產生此 Token。",
"user.settings.tokens.confirmCreateTitle": "產生系統管理員個人存取 Token",
"user.settings.tokens.confirmDeactivateButton": "Yes, Deactivate",
"user.settings.tokens.confirmDeactivateMessage": "Any integrations using this token will not be able to access the Mattermost API until the token is reactivated. <br /><br />Are you sure want to deactivate the {description} token?",
"user.settings.tokens.confirmDeactivateTitle": "Deactivate Token?",
"user.settings.tokens.confirmDeactivateButton": "是,停用",
"user.settings.tokens.confirmDeactivateMessage": "任何使用此 Token 的外部整合將無法存取 Mattermost API直到此 Tokan 被重新啟用。<br /><br />請確定要停用 {description} Token",
"user.settings.tokens.confirmDeactivateTitle": "停用 Token ",
"user.settings.tokens.confirmDeleteButton": "是,刪除",
"user.settings.tokens.confirmDeleteMessage": "任何使用此 Token 的外部整合將無法存取 Mattermost API。此動作無法取消。<br /><br />請確認要刪除<strong>{description}</strong> Token。",
"user.settings.tokens.confirmDeleteTitle": "刪除 Token",

View File

@@ -431,6 +431,20 @@
remoteGlobalIDString = 6DA7B8031F692C4C00FD1D50;
remoteInfo = RNSafeArea;
};
7F859E3A20055B2200985357 /* PBXContainerItemProxy */ = {
isa = PBXContainerItemProxy;
containerPortal = 146833FF1AC3E56700842450 /* React.xcodeproj */;
proxyType = 2;
remoteGlobalIDString = 9936F3131F5F2E4B0010BF04;
remoteInfo = privatedata;
};
7F859E3C20055B2200985357 /* PBXContainerItemProxy */ = {
isa = PBXContainerItemProxy;
containerPortal = 146833FF1AC3E56700842450 /* React.xcodeproj */;
proxyType = 2;
remoteGlobalIDString = 9936F32F1F5F2E5B0010BF04;
remoteInfo = "privatedata-tvOS";
};
7F8AAB3B1F4E0FEB00F5A52C /* PBXContainerItemProxy */ = {
isa = PBXContainerItemProxy;
containerPortal = 50ECB1D221E44F51B5690DF2 /* FastImage.xcodeproj */;
@@ -838,6 +852,8 @@
37DF8AF41F5F0D430079BF89 /* libthird-party.a */,
37DF8AF61F5F0D430079BF89 /* libdouble-conversion.a */,
37DF8AF81F5F0D430079BF89 /* libdouble-conversion.a */,
7F859E3B20055B2200985357 /* libprivatedata.a */,
7F859E3D20055B2200985357 /* libprivatedata-tvOS.a */,
);
name = Products;
sourceTree = "<group>";
@@ -1755,6 +1771,20 @@
remoteRef = 7F6CEE281FDAEA0D0010135A /* PBXContainerItemProxy */;
sourceTree = BUILT_PRODUCTS_DIR;
};
7F859E3B20055B2200985357 /* libprivatedata.a */ = {
isa = PBXReferenceProxy;
fileType = archive.ar;
path = libprivatedata.a;
remoteRef = 7F859E3A20055B2200985357 /* PBXContainerItemProxy */;
sourceTree = BUILT_PRODUCTS_DIR;
};
7F859E3D20055B2200985357 /* libprivatedata-tvOS.a */ = {
isa = PBXReferenceProxy;
fileType = archive.ar;
path = "libprivatedata-tvOS.a";
remoteRef = 7F859E3C20055B2200985357 /* PBXContainerItemProxy */;
sourceTree = BUILT_PRODUCTS_DIR;
};
7F8AAB3C1F4E0FEB00F5A52C /* libFastImage.a */ = {
isa = PBXReferenceProxy;
fileType = archive.ar;
@@ -2126,7 +2156,7 @@
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon;
CODE_SIGN_ENTITLEMENTS = Mattermost/Mattermost.entitlements;
"CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer";
CURRENT_PROJECT_VERSION = 74;
CURRENT_PROJECT_VERSION = 83;
DEAD_CODE_STRIPPING = NO;
DEVELOPMENT_TEAM = UQ8HT4Q2XM;
ENABLE_BITCODE = NO;
@@ -2176,7 +2206,7 @@
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon;
CODE_SIGN_ENTITLEMENTS = Mattermost/Mattermost.entitlements;
"CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer";
CURRENT_PROJECT_VERSION = 74;
CURRENT_PROJECT_VERSION = 83;
DEAD_CODE_STRIPPING = NO;
DEVELOPMENT_TEAM = UQ8HT4Q2XM;
ENABLE_BITCODE = NO;

View File

@@ -17,7 +17,7 @@
<key>CFBundlePackageType</key>
<string>APPL</string>
<key>CFBundleShortVersionString</key>
<string>1.5.1</string>
<string>1.5.3</string>
<key>CFBundleSignature</key>
<string>????</string>
<key>CFBundleURLTypes</key>
@@ -32,7 +32,7 @@
</dict>
</array>
<key>CFBundleVersion</key>
<string>74</string>
<string>83</string>
<key>ITSAppUsesNonExemptEncryption</key>
<false/>
<key>LSRequiresIPhoneOS</key>

View File

@@ -15,10 +15,10 @@
<key>CFBundlePackageType</key>
<string>BNDL</string>
<key>CFBundleShortVersionString</key>
<string>1.3.0</string>
<string>1.5.3</string>
<key>CFBundleSignature</key>
<string>????</string>
<key>CFBundleVersion</key>
<string>74</string>
<string>83</string>
</dict>
</plist>