forked from Ivasoft/mattermost-mobile
Compare commits
23 Commits
release-1.
...
release-1.
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
ee34b4925b | ||
|
|
bf9fc6e2bf | ||
|
|
d5a408b967 | ||
|
|
95599b2c8a | ||
|
|
349726641c | ||
|
|
4602fb916f | ||
|
|
c9ce2338f8 | ||
|
|
a3dae17ded | ||
|
|
c815325034 | ||
|
|
33cfb52bab | ||
|
|
eeb26eac35 | ||
|
|
e711b36789 | ||
|
|
e9791b7bee | ||
|
|
d8ff0e52bb | ||
|
|
5778019074 | ||
|
|
d67b7a2deb | ||
|
|
dbefec6f17 | ||
|
|
12fe0465c2 | ||
|
|
aa22d11f79 | ||
|
|
8cfa485f51 | ||
|
|
ae93498d50 | ||
|
|
60385eeae8 | ||
|
|
22af5690ac |
35
NOTICE.txt
35
NOTICE.txt
@@ -2577,41 +2577,6 @@ SOFTWARE.
|
||||
|
||||
---
|
||||
|
||||
## react-native-v8
|
||||
|
||||
This product contains 'react-native-v8' by Kudo Chien.
|
||||
|
||||
Opt-in V8 runtime for React Native Android
|
||||
|
||||
* HOMEPAGE:
|
||||
* https://github.com/Kudo/react-native-v8
|
||||
|
||||
* LICENSE: MIT
|
||||
|
||||
MIT License
|
||||
|
||||
Copyright (c) 2019 Kudo
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||
of this software and associated documentation files (the "Software"), to deal
|
||||
in the Software without restriction, including without limitation the rights
|
||||
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
copies of the Software, and to permit persons to whom the Software is
|
||||
furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in all
|
||||
copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
|
||||
SOFTWARE.
|
||||
|
||||
---
|
||||
|
||||
## react-native-vector-icons
|
||||
|
||||
This product contains 'react-native-vector-icons' by Joel Arvidsson.
|
||||
|
||||
@@ -132,8 +132,8 @@ android {
|
||||
minSdkVersion rootProject.ext.minSdkVersion
|
||||
targetSdkVersion rootProject.ext.targetSdkVersion
|
||||
missingDimensionStrategy "RNNotifications.reactNativeVersion", "reactNative60"
|
||||
versionCode 325
|
||||
versionName "1.35.0"
|
||||
versionCode 330
|
||||
versionName "1.36.0"
|
||||
multiDexEnabled = true
|
||||
ndk {
|
||||
abiFilters 'armeabi-v7a','arm64-v8a','x86','x86_64'
|
||||
|
||||
@@ -82,7 +82,12 @@ public class RNPasteableActionCallback implements ActionMode.Callback {
|
||||
return null;
|
||||
}
|
||||
|
||||
String text = item.getText().toString();
|
||||
CharSequence chars = item.getText();
|
||||
if (chars == null) {
|
||||
return null;
|
||||
}
|
||||
|
||||
String text = chars.toString();
|
||||
if (text.length() > 0) {
|
||||
return null;
|
||||
}
|
||||
|
||||
@@ -9,6 +9,7 @@ import {ChannelTypes, RoleTypes, GroupTypes} from '@mm-redux/action_types';
|
||||
import {
|
||||
fetchMyChannelsAndMembers,
|
||||
getChannelByNameAndTeamName,
|
||||
joinChannel,
|
||||
leaveChannel as serviceLeaveChannel,
|
||||
} from '@mm-redux/actions/channels';
|
||||
import {savePreferences} from '@mm-redux/actions/preferences';
|
||||
@@ -22,6 +23,7 @@ import {
|
||||
getCurrentChannelId,
|
||||
getRedirectChannelNameForTeam,
|
||||
getChannelsNameMapInTeam,
|
||||
getMyChannelMemberships,
|
||||
isManuallyUnread,
|
||||
} from '@mm-redux/selectors/entities/channels';
|
||||
import {getCurrentUserId} from '@mm-redux/selectors/entities/users';
|
||||
@@ -210,13 +212,15 @@ export function handleSelectChannel(channelId) {
|
||||
|
||||
export function handleSelectChannelByName(channelName, teamName, errorHandler) {
|
||||
return async (dispatch, getState) => {
|
||||
const state = getState();
|
||||
let state = getState();
|
||||
const {teams: currentTeams, currentTeamId} = state.entities.teams;
|
||||
const currentTeam = currentTeams[currentTeamId];
|
||||
const currentTeamName = currentTeam?.name;
|
||||
const response = await dispatch(getChannelByNameAndTeamName(teamName || currentTeamName, channelName));
|
||||
const {error, data: channel} = response;
|
||||
const currentChannelId = getCurrentChannelId(state);
|
||||
|
||||
state = getState();
|
||||
const reachable = getChannelReachable(state, channelName, teamName);
|
||||
|
||||
if (!reachable && errorHandler) {
|
||||
@@ -234,6 +238,17 @@ export function handleSelectChannelByName(channelName, teamName, errorHandler) {
|
||||
}
|
||||
|
||||
if (channel && currentChannelId !== channel.id) {
|
||||
if (channel.type === General.OPEN_CHANNEL) {
|
||||
const myMemberships = getMyChannelMemberships(state);
|
||||
if (!myMemberships[channel.id]) {
|
||||
const currentUserId = getCurrentUserId(state);
|
||||
console.log('joining channel', channel?.display_name, channel.id); //eslint-disable-line
|
||||
const result = await dispatch(joinChannel(currentUserId, teamName, channel.id));
|
||||
if (result.error || !result.data || !result.data.channel) {
|
||||
return {error};
|
||||
}
|
||||
}
|
||||
}
|
||||
dispatch(handleSelectChannel(channel.id));
|
||||
}
|
||||
|
||||
|
||||
@@ -9,7 +9,6 @@ import {RequestStatus} from '@mm-redux/constants';
|
||||
|
||||
import {AT_MENTION_REGEX, AT_MENTION_SEARCH_REGEX} from 'app/constants/autocomplete';
|
||||
import AtMentionItem from 'app/components/autocomplete/at_mention_item';
|
||||
import AutocompleteDivider from 'app/components/autocomplete/autocomplete_divider';
|
||||
import AutocompleteSectionHeader from 'app/components/autocomplete/autocomplete_section_header';
|
||||
import SpecialMentionItem from 'app/components/autocomplete/special_mention_item';
|
||||
import GroupMentionItem from 'app/components/autocomplete/at_mention_group/at_mention_group';
|
||||
@@ -67,7 +66,7 @@ export default class AtMention extends PureComponent {
|
||||
mentionComplete: false,
|
||||
sections: [],
|
||||
});
|
||||
|
||||
this.props.onResultCountChange(0);
|
||||
return;
|
||||
}
|
||||
|
||||
@@ -208,12 +207,14 @@ export default class AtMention extends PureComponent {
|
||||
};
|
||||
|
||||
renderSectionHeader = ({section}) => {
|
||||
const isFirstSection = section.id === this.state.sections[0].id;
|
||||
return (
|
||||
<AutocompleteSectionHeader
|
||||
id={section.id}
|
||||
defaultMessage={section.defaultMessage}
|
||||
theme={this.props.theme}
|
||||
isLandscape={this.props.isLandscape}
|
||||
isFirstSection={isFirstSection}
|
||||
/>
|
||||
);
|
||||
};
|
||||
@@ -270,7 +271,6 @@ export default class AtMention extends PureComponent {
|
||||
sections={sections}
|
||||
renderItem={this.renderItem}
|
||||
renderSectionHeader={this.renderSectionHeader}
|
||||
ItemSeparatorComponent={AutocompleteDivider}
|
||||
initialNumToRender={10}
|
||||
nestedScrollEnabled={nestedScrollEnabled}
|
||||
/>
|
||||
@@ -282,6 +282,7 @@ const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
return {
|
||||
listView: {
|
||||
backgroundColor: theme.centerChannelBg,
|
||||
borderRadius: 4,
|
||||
},
|
||||
};
|
||||
});
|
||||
|
||||
@@ -12,7 +12,7 @@ import ProfilePicture from 'app/components/profile_picture';
|
||||
import {paddingHorizontal as padding} from 'app/components/safe_area_view/iphone_x_spacing';
|
||||
import {BotTag, GuestTag} from 'app/components/tag';
|
||||
import TouchableWithFeedback from 'app/components/touchable_with_feedback';
|
||||
import {makeStyleSheetFromTheme} from 'app/utils/theme';
|
||||
import {makeStyleSheetFromTheme, changeOpacity} from 'app/utils/theme';
|
||||
import FormattedText from 'app/components/formatted_text';
|
||||
|
||||
export default class AtMentionItem extends PureComponent {
|
||||
@@ -28,6 +28,7 @@ export default class AtMentionItem extends PureComponent {
|
||||
theme: PropTypes.object.isRequired,
|
||||
isLandscape: PropTypes.bool.isRequired,
|
||||
isCurrentUser: PropTypes.bool.isRequired,
|
||||
showFullName: PropTypes.string,
|
||||
};
|
||||
|
||||
static defaultProps = {
|
||||
@@ -40,11 +41,24 @@ export default class AtMentionItem extends PureComponent {
|
||||
onPress(username);
|
||||
};
|
||||
|
||||
renderNameBlock = () => {
|
||||
let name = '';
|
||||
const {showFullName, firstName, lastName, nickname} = this.props;
|
||||
const hasNickname = nickname.length > 0;
|
||||
|
||||
if (showFullName === 'true') {
|
||||
name += `${firstName} ${lastName} `;
|
||||
}
|
||||
|
||||
if (hasNickname) {
|
||||
name += `(${nickname})`;
|
||||
}
|
||||
|
||||
return name;
|
||||
}
|
||||
|
||||
render() {
|
||||
const {
|
||||
firstName,
|
||||
lastName,
|
||||
nickname,
|
||||
userId,
|
||||
username,
|
||||
theme,
|
||||
@@ -55,46 +69,52 @@ export default class AtMentionItem extends PureComponent {
|
||||
} = this.props;
|
||||
|
||||
const style = getStyleFromTheme(theme);
|
||||
const hasFullName = firstName.length > 0 && lastName.length > 0;
|
||||
const hasNickname = nickname.length > 0;
|
||||
const name = this.renderNameBlock();
|
||||
|
||||
return (
|
||||
<TouchableWithFeedback
|
||||
key={userId}
|
||||
onPress={this.completeMention}
|
||||
style={[style.row, padding(isLandscape)]}
|
||||
type={'opacity'}
|
||||
style={padding(isLandscape)}
|
||||
underlayColor={changeOpacity(theme.buttonBg, 0.08)}
|
||||
type={'native'}
|
||||
>
|
||||
<View style={style.rowPicture}>
|
||||
<ProfilePicture
|
||||
userId={userId}
|
||||
<View style={style.row}>
|
||||
<View style={style.rowPicture}>
|
||||
<ProfilePicture
|
||||
userId={userId}
|
||||
theme={theme}
|
||||
size={24}
|
||||
status={null}
|
||||
showStatus={false}
|
||||
/>
|
||||
</View>
|
||||
<BotTag
|
||||
show={isBot}
|
||||
theme={theme}
|
||||
size={20}
|
||||
status={null}
|
||||
/>
|
||||
<GuestTag
|
||||
show={isGuest}
|
||||
theme={theme}
|
||||
/>
|
||||
<Text
|
||||
style={style.rowFullname}
|
||||
numberOfLines={1}
|
||||
>
|
||||
{name}
|
||||
{isCurrentUser &&
|
||||
<FormattedText
|
||||
id='suggestion.mention.you'
|
||||
defaultMessage='(you)'
|
||||
/>}
|
||||
</Text>
|
||||
<Text
|
||||
numberOfLines={1}
|
||||
style={style.rowUsername}
|
||||
>
|
||||
{` @${username}`}
|
||||
</Text>
|
||||
</View>
|
||||
<Text style={style.rowUsername}>{`@${username}`}</Text>
|
||||
<BotTag
|
||||
show={isBot}
|
||||
theme={theme}
|
||||
/>
|
||||
<GuestTag
|
||||
show={isGuest}
|
||||
theme={theme}
|
||||
/>
|
||||
{hasFullName && <Text style={style.rowUsername}>{' - '}</Text>}
|
||||
<Text
|
||||
style={style.rowFullname}
|
||||
numberOfLines={1}
|
||||
>
|
||||
{hasFullName && `${firstName} ${lastName}`}
|
||||
{hasNickname && ` (${nickname}) `}
|
||||
{isCurrentUser &&
|
||||
<FormattedText
|
||||
id='suggestion.mention.you'
|
||||
defaultMessage='(you)'
|
||||
/>}
|
||||
</Text>
|
||||
</TouchableWithFeedback>
|
||||
);
|
||||
}
|
||||
@@ -103,24 +123,28 @@ export default class AtMentionItem extends PureComponent {
|
||||
const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
return {
|
||||
row: {
|
||||
height: 40,
|
||||
paddingVertical: 8,
|
||||
paddingTop: 4,
|
||||
paddingHorizontal: 16,
|
||||
flexDirection: 'row',
|
||||
alignItems: 'center',
|
||||
backgroundColor: theme.centerChannelBg,
|
||||
},
|
||||
rowPicture: {
|
||||
marginHorizontal: 8,
|
||||
width: 20,
|
||||
marginRight: 10,
|
||||
marginLeft: 2,
|
||||
width: 24,
|
||||
alignItems: 'center',
|
||||
justifyContent: 'center',
|
||||
},
|
||||
rowUsername: {
|
||||
fontSize: 13,
|
||||
rowFullname: {
|
||||
fontSize: 15,
|
||||
color: theme.centerChannelColor,
|
||||
},
|
||||
rowFullname: {
|
||||
rowUsername: {
|
||||
color: theme.centerChannelColor,
|
||||
opacity: 0.6,
|
||||
fontSize: 15,
|
||||
opacity: 0.56,
|
||||
flex: 1,
|
||||
},
|
||||
};
|
||||
|
||||
@@ -6,6 +6,7 @@ import {connect} from 'react-redux';
|
||||
import {getCurrentUserId, getUser} from '@mm-redux/selectors/entities/users';
|
||||
|
||||
import {getTheme} from '@mm-redux/selectors/entities/preferences';
|
||||
import {getConfig} from '@mm-redux/selectors/entities/general';
|
||||
|
||||
import AtMentionItem from './at_mention_item';
|
||||
|
||||
@@ -14,12 +15,13 @@ import {isGuest} from 'app/utils/users';
|
||||
|
||||
function mapStateToProps(state, ownProps) {
|
||||
const user = getUser(state, ownProps.userId);
|
||||
|
||||
const config = getConfig(state);
|
||||
return {
|
||||
firstName: user.first_name,
|
||||
lastName: user.last_name,
|
||||
nickname: user.nickname,
|
||||
username: user.username,
|
||||
showFullName: config.ShowFullName,
|
||||
isBot: Boolean(user.is_bot),
|
||||
isGuest: isGuest(user),
|
||||
theme: getTheme(state),
|
||||
|
||||
@@ -36,8 +36,9 @@ export default class Autocomplete extends PureComponent {
|
||||
valueEvent: PropTypes.string,
|
||||
cursorPositionEvent: PropTypes.string,
|
||||
nestedScrollEnabled: PropTypes.bool,
|
||||
expandDown: PropTypes.bool,
|
||||
onVisible: PropTypes.func,
|
||||
offsetY: PropTypes.number,
|
||||
onKeyboardOffsetChanged: PropTypes.func,
|
||||
style: ViewPropTypes.style,
|
||||
};
|
||||
|
||||
@@ -47,6 +48,8 @@ export default class Autocomplete extends PureComponent {
|
||||
enableDateSuggestion: false,
|
||||
nestedScrollEnabled: false,
|
||||
onVisible: emptyFunction,
|
||||
onKeyboardOffsetChanged: emptyFunction,
|
||||
offsetY: 80,
|
||||
};
|
||||
|
||||
static getDerivedStateFromProps(props, state) {
|
||||
@@ -149,10 +152,12 @@ export default class Autocomplete extends PureComponent {
|
||||
keyboardDidShow = (e) => {
|
||||
const {height} = e.endCoordinates;
|
||||
this.setState({keyboardOffset: height});
|
||||
this.props.onKeyboardOffsetChanged(height);
|
||||
};
|
||||
|
||||
keyboardDidHide = () => {
|
||||
this.setState({keyboardOffset: 0});
|
||||
this.props.onKeyboardOffsetChanged(0);
|
||||
};
|
||||
|
||||
maxListHeight() {
|
||||
@@ -166,42 +171,37 @@ export default class Autocomplete extends PureComponent {
|
||||
offset = 90;
|
||||
}
|
||||
|
||||
maxHeight = this.props.deviceHeight - offset - this.state.keyboardOffset;
|
||||
maxHeight = (this.props.deviceHeight / 2) - offset;
|
||||
}
|
||||
|
||||
return maxHeight;
|
||||
}
|
||||
|
||||
render() {
|
||||
const {theme, isSearch, expandDown} = this.props;
|
||||
const {atMentionCount, channelMentionCount, emojiCount, commandCount, dateCount, cursorPosition, value} = this.state;
|
||||
const {theme, isSearch, offsetY} = this.props;
|
||||
const style = getStyleFromTheme(theme);
|
||||
|
||||
const maxListHeight = this.maxListHeight();
|
||||
const wrapperStyles = [];
|
||||
const containerStyles = [];
|
||||
const containerStyles = [style.borders];
|
||||
|
||||
if (Platform.OS === 'ios') {
|
||||
wrapperStyles.push(style.shadow);
|
||||
}
|
||||
|
||||
if (isSearch) {
|
||||
wrapperStyles.push(style.base, style.searchContainer);
|
||||
containerStyles.push(style.content);
|
||||
wrapperStyles.push(style.base, style.searchContainer, {height: maxListHeight});
|
||||
} else {
|
||||
const containerStyle = expandDown ? style.containerExpandDown : style.container;
|
||||
const containerStyle = {bottom: offsetY};
|
||||
containerStyles.push(style.base, containerStyle);
|
||||
}
|
||||
|
||||
// We always need to render something, but we only draw the borders when we have results to show
|
||||
const {atMentionCount, channelMentionCount, emojiCount, commandCount, dateCount, cursorPosition, value} = this.state;
|
||||
if (atMentionCount + channelMentionCount + emojiCount + commandCount + dateCount > 0) {
|
||||
if (this.props.isSearch) {
|
||||
wrapperStyles.push(style.bordersSearch);
|
||||
} else {
|
||||
containerStyles.push(style.borders);
|
||||
}
|
||||
// Hide when there are no active autocompletes
|
||||
if (atMentionCount + channelMentionCount + emojiCount + commandCount + dateCount === 0) {
|
||||
wrapperStyles.push(style.hidden);
|
||||
containerStyles.push(style.hidden);
|
||||
}
|
||||
|
||||
if (this.props.style) {
|
||||
containerStyles.push(this.props.style);
|
||||
}
|
||||
|
||||
const maxListHeight = this.maxListHeight();
|
||||
|
||||
return (
|
||||
<View style={wrapperStyles}>
|
||||
<View
|
||||
@@ -261,39 +261,37 @@ export default class Autocomplete extends PureComponent {
|
||||
const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
return {
|
||||
base: {
|
||||
left: 0,
|
||||
overflow: 'hidden',
|
||||
left: 8,
|
||||
position: 'absolute',
|
||||
right: 0,
|
||||
right: 8,
|
||||
},
|
||||
borders: {
|
||||
borderWidth: 1,
|
||||
borderColor: changeOpacity(theme.centerChannelColor, 0.2),
|
||||
borderBottomWidth: 0,
|
||||
overflow: 'hidden',
|
||||
borderRadius: 4,
|
||||
},
|
||||
bordersSearch: {
|
||||
borderWidth: 1,
|
||||
borderColor: changeOpacity(theme.centerChannelColor, 0.2),
|
||||
},
|
||||
container: {
|
||||
bottom: 0,
|
||||
},
|
||||
containerExpandDown: {
|
||||
top: 0,
|
||||
},
|
||||
content: {
|
||||
flex: 1,
|
||||
hidden: {
|
||||
display: 'none',
|
||||
},
|
||||
searchContainer: {
|
||||
flex: 1,
|
||||
...Platform.select({
|
||||
android: {
|
||||
top: 46,
|
||||
top: 42,
|
||||
},
|
||||
ios: {
|
||||
top: 44,
|
||||
top: 55,
|
||||
},
|
||||
}),
|
||||
},
|
||||
shadow: {
|
||||
shadowColor: '#000',
|
||||
shadowOpacity: 0.12,
|
||||
shadowRadius: 8,
|
||||
shadowOffset: {
|
||||
width: 0,
|
||||
height: 8,
|
||||
},
|
||||
},
|
||||
};
|
||||
});
|
||||
|
||||
@@ -1,32 +0,0 @@
|
||||
// Copyright (c) 2015-present Mattermost, Inc. All Rights Reserved.
|
||||
// See LICENSE.txt for license information.
|
||||
|
||||
import React, {PureComponent} from 'react';
|
||||
import PropTypes from 'prop-types';
|
||||
import {View} from 'react-native';
|
||||
|
||||
import {makeStyleSheetFromTheme, changeOpacity} from 'app/utils/theme';
|
||||
|
||||
export default class AutocompleteDivider extends PureComponent {
|
||||
static propTypes = {
|
||||
theme: PropTypes.object.isRequired,
|
||||
};
|
||||
|
||||
render() {
|
||||
const {theme} = this.props;
|
||||
const style = getStyleFromTheme(theme);
|
||||
|
||||
return (
|
||||
<View style={style.divider}/>
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
return {
|
||||
divider: {
|
||||
height: 1,
|
||||
backgroundColor: changeOpacity(theme.centerChannelColor, 0.2),
|
||||
},
|
||||
};
|
||||
});
|
||||
@@ -1,16 +0,0 @@
|
||||
// Copyright (c) 2015-present Mattermost, Inc. All Rights Reserved.
|
||||
// See LICENSE.txt for license information.
|
||||
|
||||
import {connect} from 'react-redux';
|
||||
|
||||
import {getTheme} from '@mm-redux/selectors/entities/preferences';
|
||||
|
||||
import AutocompleteDivider from './autocomplete_divider';
|
||||
|
||||
function mapStateToProps(state) {
|
||||
return {
|
||||
theme: getTheme(state),
|
||||
};
|
||||
}
|
||||
|
||||
export default connect(mapStateToProps)(AutocompleteDivider);
|
||||
@@ -16,6 +16,7 @@ export default class AutocompleteSectionHeader extends PureComponent {
|
||||
loading: PropTypes.bool,
|
||||
theme: PropTypes.object.isRequired,
|
||||
isLandscape: PropTypes.bool.isRequired,
|
||||
isFirstSection: PropTypes.bool,
|
||||
};
|
||||
|
||||
static defaultProps = {
|
||||
@@ -23,12 +24,17 @@ export default class AutocompleteSectionHeader extends PureComponent {
|
||||
};
|
||||
|
||||
render() {
|
||||
const {defaultMessage, id, loading, theme, isLandscape} = this.props;
|
||||
const {defaultMessage, id, loading, theme, isLandscape, isFirstSection} = this.props;
|
||||
const style = getStyleFromTheme(theme);
|
||||
const sectionStyles = [style.section, padding(isLandscape)];
|
||||
|
||||
if (!isFirstSection) {
|
||||
sectionStyles.push(style.borderTop);
|
||||
}
|
||||
|
||||
return (
|
||||
<View style={style.sectionWrapper}>
|
||||
<View style={[style.section, padding(isLandscape)]}>
|
||||
<View style={sectionStyles}>
|
||||
<FormattedText
|
||||
id={id}
|
||||
defaultMessage={defaultMessage}
|
||||
@@ -48,18 +54,24 @@ export default class AutocompleteSectionHeader extends PureComponent {
|
||||
|
||||
const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
return {
|
||||
section: {
|
||||
justifyContent: 'center',
|
||||
paddingHorizontal: 8,
|
||||
backgroundColor: changeOpacity(theme.centerChannelColor, 0.1),
|
||||
borderTop: {
|
||||
borderTopWidth: 1,
|
||||
borderTopColor: changeOpacity(theme.centerChannelColor, 0.2),
|
||||
},
|
||||
section: {
|
||||
justifyContent: 'center',
|
||||
position: 'relative',
|
||||
top: -1,
|
||||
flexDirection: 'row',
|
||||
},
|
||||
sectionText: {
|
||||
fontSize: 12,
|
||||
color: changeOpacity(theme.centerChannelColor, 0.7),
|
||||
paddingVertical: 7,
|
||||
fontWeight: '600',
|
||||
textTransform: 'uppercase',
|
||||
color: changeOpacity(theme.centerChannelColor, 0.56),
|
||||
paddingTop: 16,
|
||||
paddingBottom: 8,
|
||||
paddingHorizontal: 16,
|
||||
flex: 1,
|
||||
},
|
||||
sectionWrapper: {
|
||||
|
||||
@@ -91,12 +91,13 @@ export default class ChannelMention extends PureComponent {
|
||||
myMembers !== this.props.myMembers)) {
|
||||
const sections = [];
|
||||
if (isSearch) {
|
||||
if (directAndGroupMessages.length) {
|
||||
if (publicChannels.length) {
|
||||
sections.push({
|
||||
id: t('suggestion.search.direct'),
|
||||
defaultMessage: 'Direct Messages',
|
||||
data: directAndGroupMessages,
|
||||
key: 'directAndGroupMessages',
|
||||
id: t('suggestion.search.public'),
|
||||
defaultMessage: 'Public Channels',
|
||||
data: publicChannels.filter((cId) => myMembers[cId]),
|
||||
key: 'publicChannels',
|
||||
hideLoadingIndicator: true,
|
||||
});
|
||||
}
|
||||
|
||||
@@ -110,13 +111,12 @@ export default class ChannelMention extends PureComponent {
|
||||
});
|
||||
}
|
||||
|
||||
if (publicChannels.length) {
|
||||
if (directAndGroupMessages.length) {
|
||||
sections.push({
|
||||
id: t('suggestion.search.public'),
|
||||
defaultMessage: 'Public Channels',
|
||||
data: publicChannels.filter((cId) => myMembers[cId]),
|
||||
key: 'publicChannels',
|
||||
hideLoadingIndicator: true,
|
||||
id: t('suggestion.search.direct'),
|
||||
defaultMessage: 'Direct Messages',
|
||||
data: directAndGroupMessages,
|
||||
key: 'directAndGroupMessages',
|
||||
});
|
||||
}
|
||||
} else {
|
||||
@@ -184,6 +184,7 @@ export default class ChannelMention extends PureComponent {
|
||||
};
|
||||
|
||||
renderSectionHeader = ({section}) => {
|
||||
const isFirstSection = section.id === this.state.sections[0].id;
|
||||
return (
|
||||
<AutocompleteSectionHeader
|
||||
id={section.id}
|
||||
@@ -191,6 +192,7 @@ export default class ChannelMention extends PureComponent {
|
||||
loading={!section.hideLoadingIndicator && this.props.requestStatus === RequestStatus.STARTED}
|
||||
theme={this.props.theme}
|
||||
isLandscape={this.props.isLandscape}
|
||||
isFirstSection={isFirstSection}
|
||||
/>
|
||||
);
|
||||
};
|
||||
@@ -235,6 +237,7 @@ const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
return {
|
||||
listView: {
|
||||
backgroundColor: theme.centerChannelBg,
|
||||
borderRadius: 4,
|
||||
},
|
||||
};
|
||||
});
|
||||
|
||||
@@ -5,14 +5,15 @@ import React, {PureComponent} from 'react';
|
||||
import PropTypes from 'prop-types';
|
||||
import {
|
||||
Text,
|
||||
View,
|
||||
} from 'react-native';
|
||||
import VectorIcon from 'app/components/vector_icon.js';
|
||||
|
||||
import {General} from '@mm-redux/constants';
|
||||
import AutocompleteDivider from 'app/components/autocomplete/autocomplete_divider';
|
||||
import {BotTag, GuestTag} from 'app/components/tag';
|
||||
import {paddingHorizontal as padding} from 'app/components/safe_area_view/iphone_x_spacing';
|
||||
import TouchableWithFeedback from 'app/components/touchable_with_feedback';
|
||||
import {makeStyleSheetFromTheme} from 'app/utils/theme';
|
||||
import {makeStyleSheetFromTheme, changeOpacity} from 'app/utils/theme';
|
||||
|
||||
export default class ChannelMentionItem extends PureComponent {
|
||||
static propTypes = {
|
||||
@@ -49,8 +50,12 @@ export default class ChannelMentionItem extends PureComponent {
|
||||
} = this.props;
|
||||
|
||||
const style = getStyleFromTheme(theme);
|
||||
|
||||
let iconName = 'public';
|
||||
let component;
|
||||
if (type === General.PRIVATE_CHANNEL) {
|
||||
iconName = 'private';
|
||||
}
|
||||
|
||||
if (type === General.DM_CHANNEL || type === General.GM_CHANNEL) {
|
||||
if (!displayName) {
|
||||
return null;
|
||||
@@ -79,11 +84,19 @@ export default class ChannelMentionItem extends PureComponent {
|
||||
<TouchableWithFeedback
|
||||
key={channelId}
|
||||
onPress={this.completeMention}
|
||||
style={[style.row, padding(isLandscape)]}
|
||||
type={'opacity'}
|
||||
style={padding(isLandscape)}
|
||||
underlayColor={changeOpacity(theme.buttonBg, 0.08)}
|
||||
type={'native'}
|
||||
>
|
||||
<Text style={style.rowDisplayName}>{displayName}</Text>
|
||||
<Text style={style.rowName}>{` (~${name})`}</Text>
|
||||
<View style={style.row}>
|
||||
<VectorIcon
|
||||
name={iconName}
|
||||
type={'mattermost'}
|
||||
style={style.icon}
|
||||
/>
|
||||
<Text style={style.rowDisplayName}>{displayName}</Text>
|
||||
<Text style={style.rowName}>{` ~${name}`}</Text>
|
||||
</View>
|
||||
</TouchableWithFeedback>
|
||||
);
|
||||
}
|
||||
@@ -91,7 +104,6 @@ export default class ChannelMentionItem extends PureComponent {
|
||||
return (
|
||||
<React.Fragment>
|
||||
{component}
|
||||
<AutocompleteDivider/>
|
||||
</React.Fragment>
|
||||
);
|
||||
}
|
||||
@@ -99,19 +111,26 @@ export default class ChannelMentionItem extends PureComponent {
|
||||
|
||||
const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
return {
|
||||
icon: {
|
||||
fontSize: 18,
|
||||
marginRight: 11,
|
||||
color: theme.centerChannelColor,
|
||||
opacity: 0.56,
|
||||
},
|
||||
row: {
|
||||
padding: 8,
|
||||
paddingHorizontal: 16,
|
||||
height: 40,
|
||||
flexDirection: 'row',
|
||||
alignItems: 'center',
|
||||
backgroundColor: theme.centerChannelBg,
|
||||
},
|
||||
rowDisplayName: {
|
||||
fontSize: 13,
|
||||
fontSize: 15,
|
||||
color: theme.centerChannelColor,
|
||||
},
|
||||
rowName: {
|
||||
fontSize: 15,
|
||||
color: theme.centerChannelColor,
|
||||
opacity: 0.6,
|
||||
opacity: 0.56,
|
||||
},
|
||||
};
|
||||
});
|
||||
|
||||
@@ -2,7 +2,7 @@
|
||||
// See LICENSE.txt for license information.
|
||||
|
||||
import React, {PureComponent} from 'react';
|
||||
import {Dimensions, Platform, StyleSheet} from 'react-native';
|
||||
import {Dimensions, Platform, View} from 'react-native';
|
||||
import PropTypes from 'prop-types';
|
||||
import {CalendarList, LocaleConfig} from 'react-native-calendars';
|
||||
import {intlShape} from 'react-intl';
|
||||
@@ -10,7 +10,7 @@ import {intlShape} from 'react-intl';
|
||||
import {memoizeResult} from '@mm-redux/utils/helpers';
|
||||
|
||||
import {DATE_MENTION_SEARCH_REGEX, ALL_SEARCH_FLAGS_REGEX} from 'app/constants/autocomplete';
|
||||
import {changeOpacity} from 'app/utils/theme';
|
||||
import {makeStyleSheetFromTheme, changeOpacity} from '@utils/theme';
|
||||
|
||||
export default class DateSuggestion extends PureComponent {
|
||||
static propTypes = {
|
||||
@@ -37,6 +37,7 @@ export default class DateSuggestion extends PureComponent {
|
||||
|
||||
this.state = {
|
||||
mentionComplete: false,
|
||||
active: false,
|
||||
sections: [],
|
||||
};
|
||||
}
|
||||
@@ -45,18 +46,37 @@ export default class DateSuggestion extends PureComponent {
|
||||
this.setCalendarLocale();
|
||||
}
|
||||
|
||||
onLayout = (e) => {
|
||||
this.setState({calendarWidth: e.nativeEvent.layout.width});
|
||||
};
|
||||
|
||||
componentDidUpdate(prevProps) {
|
||||
const {locale, matchTerm} = this.props;
|
||||
const {locale, matchTerm, enableDateSuggestion} = this.props;
|
||||
const {mentionComplete} = this.state;
|
||||
|
||||
if ((matchTerm !== prevProps.matchTerm && matchTerm === null) || this.state.mentionComplete) {
|
||||
this.resetComponent();
|
||||
}
|
||||
|
||||
if (matchTerm === null || mentionComplete || !enableDateSuggestion) {
|
||||
this.setCalendarActive(false);
|
||||
return;
|
||||
}
|
||||
|
||||
if (matchTerm !== null) {
|
||||
this.props.onResultCountChange(1);
|
||||
this.setCalendarActive(true);
|
||||
}
|
||||
|
||||
if (locale !== prevProps.locale) {
|
||||
this.setCalendarLocale();
|
||||
}
|
||||
}
|
||||
|
||||
setCalendarActive = (active) => {
|
||||
this.setState({active});
|
||||
}
|
||||
|
||||
completeMention = (day) => {
|
||||
const mention = day.dateString;
|
||||
const {cursorPosition, onChangeText, value} = this.props;
|
||||
@@ -118,10 +138,11 @@ export default class DateSuggestion extends PureComponent {
|
||||
};
|
||||
|
||||
render() {
|
||||
const {mentionComplete} = this.state;
|
||||
const {matchTerm, enableDateSuggestion, theme} = this.props;
|
||||
const {active, calendarWidth} = this.state;
|
||||
const {theme} = this.props;
|
||||
const styles = getStyleFromTheme(theme);
|
||||
|
||||
if (matchTerm === null || mentionComplete || !enableDateSuggestion) {
|
||||
if (!active) {
|
||||
// If we are not in an active state or the mention has been completed return null so nothing is rendered
|
||||
// other components are not blocked.
|
||||
return null;
|
||||
@@ -131,22 +152,29 @@ export default class DateSuggestion extends PureComponent {
|
||||
const calendarStyle = calendarTheme(theme);
|
||||
|
||||
return (
|
||||
<CalendarList
|
||||
<View
|
||||
onLayout={this.onLayout}
|
||||
style={styles.calList}
|
||||
current={currentDate}
|
||||
maxDate={currentDate}
|
||||
pastScrollRange={24}
|
||||
futureScrollRange={0}
|
||||
scrollingEnabled={true}
|
||||
pagingEnabled={true}
|
||||
hideArrows={false}
|
||||
horizontal={true}
|
||||
showScrollIndicator={true}
|
||||
onDayPress={this.completeMention}
|
||||
showWeekNumbers={false}
|
||||
theme={calendarStyle}
|
||||
keyboardShouldPersistTaps='always'
|
||||
/>
|
||||
>
|
||||
{Boolean(calendarWidth) &&
|
||||
<CalendarList
|
||||
current={currentDate}
|
||||
maxDate={currentDate}
|
||||
pastScrollRange={24}
|
||||
futureScrollRange={0}
|
||||
scrollingEnabled={true}
|
||||
calendarWidth={calendarWidth}
|
||||
pagingEnabled={true}
|
||||
hideArrows={false}
|
||||
horizontal={true}
|
||||
showScrollIndicator={true}
|
||||
onDayPress={this.completeMention}
|
||||
showWeekNumbers={false}
|
||||
theme={calendarStyle}
|
||||
keyboardShouldPersistTaps='always'
|
||||
/>
|
||||
}
|
||||
</View>
|
||||
);
|
||||
}
|
||||
}
|
||||
@@ -197,9 +225,13 @@ const calendarTheme = memoizeResult((theme) => ({
|
||||
},
|
||||
}));
|
||||
|
||||
const styles = StyleSheet.create({
|
||||
calList: {
|
||||
height: 1700,
|
||||
paddingTop: 5,
|
||||
},
|
||||
const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
return {
|
||||
calList: {
|
||||
paddingTop: 5,
|
||||
width: '100%',
|
||||
borderRadius: 4,
|
||||
backgroundColor: theme.centerChannelBg,
|
||||
},
|
||||
};
|
||||
});
|
||||
|
||||
@@ -4,7 +4,6 @@ exports[`components/autocomplete/emoji_suggestion should match snapshot 1`] = `n
|
||||
|
||||
exports[`components/autocomplete/emoji_suggestion should match snapshot 2`] = `
|
||||
<FlatList
|
||||
ItemSeparatorComponent={[Function]}
|
||||
data={
|
||||
Array [
|
||||
"+1",
|
||||
@@ -3044,6 +3043,8 @@ exports[`components/autocomplete/emoji_suggestion should match snapshot 2`] = `
|
||||
Array [
|
||||
Object {
|
||||
"backgroundColor": "#ffffff",
|
||||
"borderRadius": 4,
|
||||
"paddingTop": 16,
|
||||
},
|
||||
Object {
|
||||
"maxHeight": undefined,
|
||||
|
||||
@@ -11,12 +11,11 @@ import {
|
||||
} from 'react-native';
|
||||
import Fuse from 'fuse.js';
|
||||
|
||||
import AutocompleteDivider from '@components/autocomplete/autocomplete_divider';
|
||||
import Emoji from '@components/emoji';
|
||||
import TouchableWithFeedback from '@components/touchable_with_feedback';
|
||||
import {BuiltInEmojis} from '@utils/emojis';
|
||||
import {getEmojiByName, compareEmojis} from '@utils/emoji_utils';
|
||||
import {makeStyleSheetFromTheme} from '@utils/theme';
|
||||
import {makeStyleSheetFromTheme, changeOpacity} from '@utils/theme';
|
||||
|
||||
const EMOJI_REGEX = /(^|\s|^\+|^-)(:([^:\s]*))$/i;
|
||||
const EMOJI_REGEX_WITHOUT_PREFIX = /\B(:([^:\s]*))$/i;
|
||||
@@ -150,21 +149,23 @@ export default class EmojiSuggestion extends PureComponent {
|
||||
|
||||
renderItem = ({item}) => {
|
||||
const style = getStyleFromTheme(this.props.theme);
|
||||
|
||||
const completeSuggestion = () => this.completeSuggestion(item);
|
||||
return (
|
||||
<TouchableWithFeedback
|
||||
onPress={() => this.completeSuggestion(item)}
|
||||
style={style.row}
|
||||
type={'opacity'}
|
||||
onPress={completeSuggestion}
|
||||
underlayColor={changeOpacity(this.props.theme.buttonBg, 0.08)}
|
||||
type={'native'}
|
||||
>
|
||||
<View style={style.emoji}>
|
||||
<Emoji
|
||||
emojiName={item}
|
||||
textStyle={style.emojiText}
|
||||
size={20}
|
||||
/>
|
||||
<View style={style.row}>
|
||||
<View style={style.emoji}>
|
||||
<Emoji
|
||||
emojiName={item}
|
||||
textStyle={style.emojiText}
|
||||
size={24}
|
||||
/>
|
||||
</View>
|
||||
<Text style={style.emojiName}>{`:${item}:`}</Text>
|
||||
</View>
|
||||
<Text style={style.emojiName}>{`:${item}:`}</Text>
|
||||
</TouchableWithFeedback>
|
||||
);
|
||||
};
|
||||
@@ -199,12 +200,14 @@ export default class EmojiSuggestion extends PureComponent {
|
||||
return values;
|
||||
}, []);
|
||||
const data = results.sort(sorter);
|
||||
this.props.onResultCountChange(data.length);
|
||||
this.setState({
|
||||
active: data.length > 0,
|
||||
dataSource: data,
|
||||
});
|
||||
}, 100);
|
||||
} else {
|
||||
this.props.onResultCountChange(emojis.length);
|
||||
this.setState({
|
||||
active: emojis.length > 0,
|
||||
dataSource: emojis.sort(sorter),
|
||||
@@ -229,7 +232,6 @@ export default class EmojiSuggestion extends PureComponent {
|
||||
data={this.state.dataSource}
|
||||
keyExtractor={this.keyExtractor}
|
||||
renderItem={this.renderItem}
|
||||
ItemSeparatorComponent={AutocompleteDivider}
|
||||
pageSize={10}
|
||||
initialListSize={10}
|
||||
nestedScrollEnabled={nestedScrollEnabled}
|
||||
@@ -244,7 +246,7 @@ const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
marginRight: 5,
|
||||
},
|
||||
emojiName: {
|
||||
fontSize: 13,
|
||||
fontSize: 15,
|
||||
color: theme.centerChannelColor,
|
||||
},
|
||||
emojiText: {
|
||||
@@ -252,14 +254,17 @@ const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
fontWeight: 'bold',
|
||||
},
|
||||
listView: {
|
||||
paddingTop: 16,
|
||||
backgroundColor: theme.centerChannelBg,
|
||||
borderRadius: 4,
|
||||
},
|
||||
row: {
|
||||
height: 40,
|
||||
flexDirection: 'row',
|
||||
alignItems: 'center',
|
||||
paddingHorizontal: 8,
|
||||
backgroundColor: theme.centerChannelBg,
|
||||
overflow: 'hidden',
|
||||
paddingBottom: 8,
|
||||
paddingHorizontal: 16,
|
||||
height: 40,
|
||||
},
|
||||
};
|
||||
});
|
||||
|
||||
@@ -8,7 +8,6 @@ import {
|
||||
Platform,
|
||||
} from 'react-native';
|
||||
|
||||
import AutocompleteDivider from 'app/components/autocomplete/autocomplete_divider';
|
||||
import {makeStyleSheetFromTheme} from 'app/utils/theme';
|
||||
|
||||
import SlashSuggestionItem from './slash_suggestion_item';
|
||||
@@ -211,7 +210,6 @@ export default class SlashSuggestion extends PureComponent {
|
||||
data={this.state.dataSource}
|
||||
keyExtractor={this.keyExtractor}
|
||||
renderItem={this.renderItem}
|
||||
ItemSeparatorComponent={AutocompleteDivider}
|
||||
pageSize={10}
|
||||
initialListSize={10}
|
||||
nestedScrollEnabled={nestedScrollEnabled}
|
||||
@@ -225,6 +223,8 @@ const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
listView: {
|
||||
flex: 1,
|
||||
backgroundColor: theme.centerChannelBg,
|
||||
paddingTop: 8,
|
||||
borderRadius: 4,
|
||||
},
|
||||
};
|
||||
});
|
||||
|
||||
@@ -3,11 +3,12 @@
|
||||
|
||||
import React, {PureComponent} from 'react';
|
||||
import PropTypes from 'prop-types';
|
||||
import {Text} from 'react-native';
|
||||
import {Image, Text, View} from 'react-native';
|
||||
|
||||
import {paddingHorizontal as padding} from 'app/components/safe_area_view/iphone_x_spacing';
|
||||
import TouchableWithFeedback from 'app/components/touchable_with_feedback';
|
||||
import {changeOpacity, makeStyleSheetFromTheme} from 'app/utils/theme';
|
||||
import {paddingHorizontal as padding} from '@components/safe_area_view/iphone_x_spacing';
|
||||
import TouchableWithFeedback from '@components/touchable_with_feedback';
|
||||
import {changeOpacity, makeStyleSheetFromTheme} from '@utils/theme';
|
||||
import slashIcon from '@assets/images/autocomplete/slash_command.png';
|
||||
|
||||
export default class SlashSuggestionItem extends PureComponent {
|
||||
static propTypes = {
|
||||
@@ -31,19 +32,44 @@ export default class SlashSuggestionItem extends PureComponent {
|
||||
hint,
|
||||
theme,
|
||||
suggestion,
|
||||
complete,
|
||||
isLandscape,
|
||||
} = this.props;
|
||||
|
||||
const style = getStyleFromTheme(theme);
|
||||
|
||||
let suggestionText = suggestion;
|
||||
if (suggestionText[0] === '/' && complete.split(' ').length === 1) {
|
||||
suggestionText = suggestionText.substring(1);
|
||||
}
|
||||
|
||||
return (
|
||||
<TouchableWithFeedback
|
||||
onPress={this.completeSuggestion}
|
||||
style={[style.row, padding(isLandscape)]}
|
||||
type={'opacity'}
|
||||
style={padding(isLandscape)}
|
||||
underlayColor={changeOpacity(theme.buttonBg, 0.08)}
|
||||
type={'native'}
|
||||
>
|
||||
<Text style={style.suggestionName}>{`${suggestion} ${hint}`}</Text>
|
||||
<Text style={style.suggestionDescription}>{description}</Text>
|
||||
<View style={style.container}>
|
||||
<View style={style.icon}>
|
||||
<Image
|
||||
style={style.iconColor}
|
||||
width={10}
|
||||
height={16}
|
||||
source={slashIcon}
|
||||
/>
|
||||
</View>
|
||||
<View style={style.suggestionContainer}>
|
||||
<Text style={style.suggestionName}>{`${suggestionText} ${hint}`}</Text>
|
||||
<Text
|
||||
ellipsizeMode='tail'
|
||||
numberOfLines={1}
|
||||
style={style.suggestionDescription}
|
||||
>
|
||||
{description}
|
||||
</Text>
|
||||
</View>
|
||||
</View>
|
||||
</TouchableWithFeedback>
|
||||
);
|
||||
}
|
||||
@@ -51,32 +77,38 @@ export default class SlashSuggestionItem extends PureComponent {
|
||||
|
||||
const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
return {
|
||||
row: {
|
||||
paddingVertical: 8,
|
||||
icon: {
|
||||
fontSize: 24,
|
||||
backgroundColor: changeOpacity(theme.centerChannelColor, 0.08),
|
||||
width: 35,
|
||||
height: 35,
|
||||
marginRight: 12,
|
||||
borderRadius: 4,
|
||||
justifyContent: 'center',
|
||||
paddingHorizontal: 8,
|
||||
backgroundColor: theme.centerChannelBg,
|
||||
borderLeftWidth: 1,
|
||||
borderLeftColor: changeOpacity(theme.centerChannelColor, 0.2),
|
||||
borderRightWidth: 1,
|
||||
borderRightColor: changeOpacity(theme.centerChannelColor, 0.2),
|
||||
alignItems: 'center',
|
||||
marginTop: 8,
|
||||
},
|
||||
rowDisplayName: {
|
||||
fontSize: 13,
|
||||
color: theme.centerChannelColor,
|
||||
iconColor: {
|
||||
tintColor: theme.centerChannelColor,
|
||||
},
|
||||
rowName: {
|
||||
color: theme.centerChannelColor,
|
||||
opacity: 0.6,
|
||||
container: {
|
||||
flexDirection: 'row',
|
||||
alignItems: 'center',
|
||||
paddingBottom: 8,
|
||||
paddingHorizontal: 16,
|
||||
overflow: 'hidden',
|
||||
},
|
||||
suggestionContainer: {
|
||||
flex: 1,
|
||||
},
|
||||
suggestionDescription: {
|
||||
fontSize: 11,
|
||||
color: changeOpacity(theme.centerChannelColor, 0.6),
|
||||
fontSize: 12,
|
||||
color: changeOpacity(theme.centerChannelColor, 0.56),
|
||||
},
|
||||
suggestionName: {
|
||||
fontSize: 13,
|
||||
fontSize: 15,
|
||||
color: theme.centerChannelColor,
|
||||
marginBottom: 5,
|
||||
marginBottom: 4,
|
||||
},
|
||||
};
|
||||
});
|
||||
|
||||
@@ -42,25 +42,27 @@ export default class SpecialMentionItem extends PureComponent {
|
||||
return (
|
||||
<TouchableWithFeedback
|
||||
onPress={this.completeMention}
|
||||
style={style.row}
|
||||
type={'opacity'}
|
||||
underlayColor={changeOpacity(theme.buttonBg, 0.08)}
|
||||
type={'native'}
|
||||
>
|
||||
<View style={style.rowPicture}>
|
||||
<Icon
|
||||
name='users'
|
||||
style={style.rowIcon}
|
||||
/>
|
||||
<View style={style.row}>
|
||||
<View style={style.rowPicture}>
|
||||
<Icon
|
||||
name='users'
|
||||
style={style.rowIcon}
|
||||
/>
|
||||
</View>
|
||||
<Text style={style.textWrapper}>
|
||||
<Text style={style.rowUsername}>{`@${completeHandle}`}</Text>
|
||||
<Text style={style.rowUsername}>{' - '}</Text>
|
||||
<FormattedText
|
||||
id={id}
|
||||
defaultMessage={defaultMessage}
|
||||
values={values}
|
||||
style={style.rowFullname}
|
||||
/>
|
||||
</Text>
|
||||
</View>
|
||||
<Text style={style.textWrapper}>
|
||||
<Text style={style.rowUsername}>{`@${completeHandle}`}</Text>
|
||||
<Text style={style.rowUsername}>{' - '}</Text>
|
||||
<FormattedText
|
||||
id={id}
|
||||
defaultMessage={defaultMessage}
|
||||
values={values}
|
||||
style={style.rowFullname}
|
||||
/>
|
||||
</Text>
|
||||
</TouchableWithFeedback>
|
||||
);
|
||||
}
|
||||
@@ -68,10 +70,11 @@ export default class SpecialMentionItem extends PureComponent {
|
||||
const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
return {
|
||||
row: {
|
||||
height: 40,
|
||||
paddingVertical: 8,
|
||||
paddingHorizontal: 9,
|
||||
flexDirection: 'row',
|
||||
alignItems: 'center',
|
||||
backgroundColor: theme.centerChannelBg,
|
||||
},
|
||||
rowPicture: {
|
||||
marginHorizontal: 8,
|
||||
@@ -81,10 +84,10 @@ const getStyleFromTheme = makeStyleSheetFromTheme((theme) => {
|
||||
},
|
||||
rowIcon: {
|
||||
color: changeOpacity(theme.centerChannelColor, 0.7),
|
||||
fontSize: 14,
|
||||
fontSize: 18,
|
||||
},
|
||||
rowUsername: {
|
||||
fontSize: 13,
|
||||
fontSize: 15,
|
||||
color: theme.centerChannelColor,
|
||||
},
|
||||
rowFullname: {
|
||||
|
||||
@@ -117,11 +117,7 @@ export default class ClientUpgradeListener extends PureComponent {
|
||||
const {downloadLink} = this.props;
|
||||
const {intl} = this.context;
|
||||
|
||||
Linking.canOpenURL(downloadLink).then((supported) => {
|
||||
if (supported) {
|
||||
return Linking.openURL(downloadLink);
|
||||
}
|
||||
|
||||
Linking.openURL(downloadLink).catch(() => {
|
||||
Alert.alert(
|
||||
intl.formatMessage({
|
||||
id: 'mobile.client_upgrade.download_error.title',
|
||||
@@ -132,8 +128,6 @@ export default class ClientUpgradeListener extends PureComponent {
|
||||
defaultMessage: 'An error occurred while trying to open the download link.',
|
||||
}),
|
||||
);
|
||||
|
||||
return false;
|
||||
});
|
||||
|
||||
this.toggleUpgradeMessage(false);
|
||||
|
||||
@@ -309,18 +309,28 @@ exports[`EditChannelInfo should match snapshot 1`] = `
|
||||
</View>
|
||||
</TouchableWithoutFeedback>
|
||||
</KeyboardAwareScrollView>
|
||||
<KeyboardTrackingView
|
||||
<View
|
||||
style={
|
||||
Object {
|
||||
"justifyContent": "flex-end",
|
||||
}
|
||||
Array [
|
||||
Object {
|
||||
"flex": 1,
|
||||
"justifyContent": "flex-end",
|
||||
"position": "absolute",
|
||||
"width": "100%",
|
||||
},
|
||||
Object {
|
||||
"bottom": 0,
|
||||
},
|
||||
]
|
||||
}
|
||||
>
|
||||
<Connect(Autocomplete)
|
||||
cursorPosition={6}
|
||||
maxHeight={200}
|
||||
nestedScrollEnabled={true}
|
||||
offsetY={8}
|
||||
onChangeText={[Function]}
|
||||
onKeyboardOffsetChanged={[Function]}
|
||||
style={
|
||||
Object {
|
||||
"position": undefined,
|
||||
@@ -328,6 +338,6 @@ exports[`EditChannelInfo should match snapshot 1`] = `
|
||||
}
|
||||
value="header"
|
||||
/>
|
||||
</KeyboardTrackingView>
|
||||
</View>
|
||||
</React.Fragment>
|
||||
`;
|
||||
|
||||
@@ -9,11 +9,10 @@ import {
|
||||
View,
|
||||
} from 'react-native';
|
||||
import {KeyboardAwareScrollView} from 'react-native-keyboard-aware-scrollview';
|
||||
import {KeyboardTrackingView} from 'react-native-keyboard-tracking-view';
|
||||
|
||||
import {General} from '@mm-redux/constants';
|
||||
|
||||
import Autocomplete from 'app/components/autocomplete';
|
||||
import Autocomplete, {AUTOCOMPLETE_MAX_HEIGHT} from 'app/components/autocomplete';
|
||||
import ErrorText from 'app/components/error_text';
|
||||
import FormattedText from 'app/components/formatted_text';
|
||||
import Loading from 'app/components/loading';
|
||||
@@ -71,6 +70,7 @@ export default class EditChannelInfo extends PureComponent {
|
||||
|
||||
this.state = {
|
||||
keyboardVisible: false,
|
||||
keyboardPosition: 0,
|
||||
};
|
||||
}
|
||||
|
||||
@@ -174,6 +174,10 @@ export default class EditChannelInfo extends PureComponent {
|
||||
this.setState({keyboardVisible: false});
|
||||
}
|
||||
|
||||
onKeyboardOffsetChanged = (keyboardPosition) => {
|
||||
this.setState({keyboardPosition});
|
||||
}
|
||||
|
||||
onHeaderFocus = () => {
|
||||
if (this.state.keyboardVisible) {
|
||||
this.scrollHeaderToTop();
|
||||
@@ -201,8 +205,13 @@ export default class EditChannelInfo extends PureComponent {
|
||||
error,
|
||||
saving,
|
||||
} = this.props;
|
||||
const {keyboardVisible} = this.state;
|
||||
|
||||
const {keyboardVisible, keyboardPosition} = this.state;
|
||||
const bottomStyle = {
|
||||
bottom: Platform.select({
|
||||
ios: keyboardPosition,
|
||||
android: 0,
|
||||
}),
|
||||
};
|
||||
const style = getStyleSheet(theme);
|
||||
|
||||
const displayHeaderOnly = channelType === General.DM_CHANNEL ||
|
||||
@@ -354,16 +363,18 @@ export default class EditChannelInfo extends PureComponent {
|
||||
</View>
|
||||
</TouchableWithoutFeedback>
|
||||
</KeyboardAwareScrollView>
|
||||
<KeyboardTrackingView style={style.autocompleteContainer}>
|
||||
<View style={[style.autocompleteContainer, bottomStyle]}>
|
||||
<Autocomplete
|
||||
cursorPosition={header.length}
|
||||
maxHeight={200}
|
||||
maxHeight={AUTOCOMPLETE_MAX_HEIGHT}
|
||||
onChangeText={this.onHeaderChangeText}
|
||||
value={header}
|
||||
nestedScrollEnabled={true}
|
||||
onKeyboardOffsetChanged={this.onKeyboardOffsetChanged}
|
||||
offsetY={8}
|
||||
style={style.autocomplete}
|
||||
/>
|
||||
</KeyboardTrackingView>
|
||||
</View>
|
||||
</React.Fragment>
|
||||
);
|
||||
}
|
||||
@@ -375,6 +386,9 @@ const getStyleSheet = makeStyleSheetFromTheme((theme) => {
|
||||
position: undefined,
|
||||
},
|
||||
autocompleteContainer: {
|
||||
position: 'absolute',
|
||||
width: '100%',
|
||||
flex: 1,
|
||||
justifyContent: 'flex-end',
|
||||
},
|
||||
container: {
|
||||
|
||||
@@ -5,6 +5,7 @@ import PropTypes from 'prop-types';
|
||||
import React from 'react';
|
||||
import {intlShape} from 'react-intl';
|
||||
import {
|
||||
Alert,
|
||||
Linking,
|
||||
Platform,
|
||||
StyleSheet,
|
||||
@@ -103,11 +104,19 @@ export default class MarkdownImage extends ImageViewPort {
|
||||
|
||||
handleLinkPress = () => {
|
||||
const url = normalizeProtocol(this.props.linkDestination);
|
||||
const {intl} = this.context;
|
||||
|
||||
Linking.canOpenURL(url).then((supported) => {
|
||||
if (supported) {
|
||||
Linking.openURL(url);
|
||||
}
|
||||
Linking.openURL(url).catch(() => {
|
||||
Alert.alert(
|
||||
intl.formatMessage({
|
||||
id: 'mobile.link.error.title',
|
||||
defaultMessage: 'Error',
|
||||
}),
|
||||
intl.formatMessage({
|
||||
id: 'mobile.link.error.text',
|
||||
defaultMessage: 'Unable to open the link.',
|
||||
}),
|
||||
);
|
||||
});
|
||||
};
|
||||
|
||||
|
||||
@@ -64,22 +64,18 @@ export default class MarkdownLink extends PureComponent {
|
||||
onPermalinkPress(match.postId, match.teamName);
|
||||
}
|
||||
} else {
|
||||
Linking.canOpenURL(url).then((supported) => {
|
||||
if (supported) {
|
||||
Linking.openURL(url);
|
||||
} else {
|
||||
const {formatMessage} = this.context.intl;
|
||||
Alert.alert(
|
||||
formatMessage({
|
||||
id: 'mobile.server_link.error.title',
|
||||
defaultMessage: 'Link Error',
|
||||
}),
|
||||
formatMessage({
|
||||
id: 'mobile.server_link.error.text',
|
||||
defaultMessage: 'The link could not be found on this server.',
|
||||
}),
|
||||
);
|
||||
}
|
||||
Linking.openURL(url).catch(() => {
|
||||
const {formatMessage} = this.context.intl;
|
||||
Alert.alert(
|
||||
formatMessage({
|
||||
id: 'mobile.server_link.error.title',
|
||||
defaultMessage: 'Link Error',
|
||||
}),
|
||||
formatMessage({
|
||||
id: 'mobile.server_link.error.text',
|
||||
defaultMessage: 'The link could not be found on this server.',
|
||||
}),
|
||||
);
|
||||
});
|
||||
}
|
||||
});
|
||||
|
||||
@@ -2,9 +2,10 @@
|
||||
// See LICENSE.txt for license information.
|
||||
|
||||
import React, {PureComponent} from 'react';
|
||||
import {Linking, Text, View} from 'react-native';
|
||||
import {Alert, Linking, Text, View} from 'react-native';
|
||||
import FastImage from 'react-native-fast-image';
|
||||
import PropTypes from 'prop-types';
|
||||
import {intlShape} from 'react-intl';
|
||||
|
||||
import {changeOpacity, makeStyleSheetFromTheme} from 'app/utils/theme';
|
||||
|
||||
@@ -16,10 +17,27 @@ export default class AttachmentAuthor extends PureComponent {
|
||||
theme: PropTypes.object.isRequired,
|
||||
};
|
||||
|
||||
static contextTypes = {
|
||||
intl: intlShape.isRequired,
|
||||
};
|
||||
|
||||
openLink = () => {
|
||||
const {link} = this.props;
|
||||
if (link && Linking.canOpenURL(link)) {
|
||||
Linking.openURL(link);
|
||||
const {intl} = this.context;
|
||||
|
||||
if (link) {
|
||||
Linking.openURL(link).catch(() => {
|
||||
Alert.alert(
|
||||
intl.formatMessage({
|
||||
id: 'mobile.link.error.title',
|
||||
defaultMessage: 'Error',
|
||||
}),
|
||||
intl.formatMessage({
|
||||
id: 'mobile.link.error.text',
|
||||
defaultMessage: 'Unable to open the link.',
|
||||
}),
|
||||
);
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
|
||||
@@ -2,8 +2,9 @@
|
||||
// See LICENSE.txt for license information.
|
||||
|
||||
import React, {PureComponent} from 'react';
|
||||
import {Linking, Text, View} from 'react-native';
|
||||
import {Alert, Linking, Text, View} from 'react-native';
|
||||
import PropTypes from 'prop-types';
|
||||
import {intlShape} from 'react-intl';
|
||||
|
||||
import {makeStyleSheetFromTheme} from 'app/utils/theme';
|
||||
import Markdown from 'app/components/markdown';
|
||||
@@ -15,10 +16,27 @@ export default class AttachmentTitle extends PureComponent {
|
||||
value: PropTypes.string,
|
||||
};
|
||||
|
||||
static contextTypes = {
|
||||
intl: intlShape.isRequired,
|
||||
};
|
||||
|
||||
openLink = () => {
|
||||
const {link} = this.props;
|
||||
if (link && Linking.canOpenURL(link)) {
|
||||
Linking.openURL(link);
|
||||
const {intl} = this.context;
|
||||
|
||||
if (link) {
|
||||
Linking.openURL(link).catch(() => {
|
||||
Alert.alert(
|
||||
intl.formatMessage({
|
||||
id: 'mobile.link.error.title',
|
||||
defaultMessage: 'Error',
|
||||
}),
|
||||
intl.formatMessage({
|
||||
id: 'mobile.link.error.text',
|
||||
defaultMessage: 'Unable to open the link.',
|
||||
}),
|
||||
);
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
|
||||
@@ -27,7 +27,17 @@ export class PasteableTextInput extends React.PureComponent {
|
||||
}
|
||||
}
|
||||
|
||||
getLastSubscriptionKey = () => {
|
||||
const subscriptions = OnPasteEventEmitter._subscriber._subscriptionsForType.onPaste?.filter((sub) => sub); // eslint-disable-line no-underscore-dangle
|
||||
return subscriptions?.length && subscriptions[subscriptions.length - 1].key;
|
||||
}
|
||||
|
||||
onPaste = (event) => {
|
||||
const lastSubscriptionKey = this.getLastSubscriptionKey();
|
||||
if (this.subscription.key !== lastSubscriptionKey) {
|
||||
return;
|
||||
}
|
||||
|
||||
let data = null;
|
||||
let error = null;
|
||||
|
||||
|
||||
@@ -12,6 +12,8 @@ import {PasteableTextInput} from './index';
|
||||
const nativeEventEmitter = new NativeEventEmitter();
|
||||
|
||||
describe('PasteableTextInput', () => {
|
||||
const emit = jest.spyOn(EventEmitter, 'emit');
|
||||
|
||||
test('should render pasteable text input', () => {
|
||||
const onPaste = jest.fn();
|
||||
const text = 'My Text';
|
||||
@@ -24,12 +26,11 @@ describe('PasteableTextInput', () => {
|
||||
test('should call onPaste props if native onPaste trigger', () => {
|
||||
const event = {someData: 'data'};
|
||||
const text = 'My Text';
|
||||
const onPaste = jest.spyOn(EventEmitter, 'emit');
|
||||
shallow(
|
||||
<PasteableTextInput>{text}</PasteableTextInput>,
|
||||
);
|
||||
nativeEventEmitter.emit('onPaste', event);
|
||||
expect(onPaste).toHaveBeenCalledWith(PASTE_FILES, null, event);
|
||||
expect(emit).toHaveBeenCalledWith(PASTE_FILES, null, event);
|
||||
});
|
||||
|
||||
test('should remove onPaste listener when unmount', () => {
|
||||
@@ -43,4 +44,16 @@ describe('PasteableTextInput', () => {
|
||||
component.instance().componentWillUnmount();
|
||||
expect(mockRemove).toHaveBeenCalled();
|
||||
});
|
||||
|
||||
test('should emit PASTE_FILES event only for last subscription', () => {
|
||||
const component1 = shallow(<PasteableTextInput/>);
|
||||
const instance1 = component1.instance();
|
||||
const component2 = shallow(<PasteableTextInput/>);
|
||||
const instance2 = component2.instance();
|
||||
|
||||
instance1.onPaste();
|
||||
expect(emit).not.toHaveBeenCalled();
|
||||
instance2.onPaste();
|
||||
expect(emit).toHaveBeenCalledTimes(1);
|
||||
});
|
||||
});
|
||||
|
||||
@@ -415,16 +415,6 @@ export default class DraftInput extends PureComponent {
|
||||
theme={theme}
|
||||
registerTypingAnimation={registerTypingAnimation}
|
||||
/>
|
||||
{Platform.OS === 'android' &&
|
||||
<Autocomplete
|
||||
cursorPositionEvent={cursorPositionEvent}
|
||||
maxHeight={Math.min(this.state.top - AUTOCOMPLETE_MARGIN, AUTOCOMPLETE_MAX_HEIGHT)}
|
||||
onChangeText={this.handleInputQuickAction}
|
||||
valueEvent={valueEvent}
|
||||
rootId={rootId}
|
||||
channelId={channelId}
|
||||
/>
|
||||
}
|
||||
<View
|
||||
style={[style.inputWrapper, padding(isLandscape)]}
|
||||
onLayout={this.handleLayout}
|
||||
@@ -475,6 +465,16 @@ export default class DraftInput extends PureComponent {
|
||||
</View>
|
||||
</ScrollView>
|
||||
</View>
|
||||
{Platform.OS === 'android' &&
|
||||
<Autocomplete
|
||||
cursorPositionEvent={cursorPositionEvent}
|
||||
maxHeight={Math.min(this.state.top - AUTOCOMPLETE_MARGIN, AUTOCOMPLETE_MAX_HEIGHT)}
|
||||
onChangeText={this.handleInputQuickAction}
|
||||
valueEvent={valueEvent}
|
||||
rootId={rootId}
|
||||
channelId={channelId}
|
||||
/>
|
||||
}
|
||||
</>
|
||||
);
|
||||
}
|
||||
@@ -513,4 +513,4 @@ const getStyleSheet = makeStyleSheetFromTheme((theme) => {
|
||||
borderTopColor: changeOpacity(theme.centerChannelColor, 0.20),
|
||||
},
|
||||
};
|
||||
});
|
||||
});
|
||||
|
||||
@@ -266,7 +266,7 @@ const styles = StyleSheet.create({
|
||||
},
|
||||
progressText: {
|
||||
color: 'white',
|
||||
fontSize: 11,
|
||||
fontSize: 9,
|
||||
fontWeight: 'bold',
|
||||
},
|
||||
filePreview: {
|
||||
|
||||
@@ -38,7 +38,6 @@ export default class UploadRemove extends PureComponent {
|
||||
name='close-circle'
|
||||
color={changeOpacity(theme.centerChannelColor, 0.64)}
|
||||
size={21}
|
||||
style={style.removeIcon}
|
||||
/>
|
||||
</View>
|
||||
</TouchableWithFeedback>
|
||||
@@ -65,12 +64,5 @@ const getStyleSheet = makeStyleSheetFromTheme((theme) => {
|
||||
}),
|
||||
backgroundColor: theme.centerChannelBg,
|
||||
},
|
||||
removeIcon: {
|
||||
position: 'relative',
|
||||
top: Platform.select({
|
||||
ios: 1,
|
||||
android: 0,
|
||||
}),
|
||||
},
|
||||
};
|
||||
});
|
||||
|
||||
@@ -109,9 +109,9 @@ const ViewTypes = keyMirror({
|
||||
});
|
||||
|
||||
const RequiredServer = {
|
||||
FULL_VERSION: 5.19,
|
||||
FULL_VERSION: 5.25,
|
||||
MAJOR_VERSION: 5,
|
||||
MIN_VERSION: 19,
|
||||
MIN_VERSION: 25,
|
||||
PATCH_VERSION: 0,
|
||||
};
|
||||
|
||||
|
||||
@@ -301,8 +301,12 @@ describe('Actions.Channels', () => {
|
||||
});
|
||||
|
||||
it('getChannelByNameAndTeamName', async () => {
|
||||
nock(Client4.getTeamsRoute()).
|
||||
get(`/name/${TestHelper.basicTeam.name}/channels/name/${TestHelper.basicChannel.name}?include_deleted=false`).
|
||||
nock(Client4.getBaseRoute()).
|
||||
get(`/teams/name/${TestHelper.basicTeam.name}`).
|
||||
reply(200, TestHelper.basicTeam);
|
||||
|
||||
nock(Client4.getBaseRoute()).
|
||||
get(`/teams/${TestHelper.basicTeam.id}/channels/name/${TestHelper.basicChannel.name}?include_deleted=false`).
|
||||
reply(200, TestHelper.basicChannel);
|
||||
|
||||
await store.dispatch(Actions.getChannelByNameAndTeamName(TestHelper.basicTeam.name, TestHelper.basicChannel.name));
|
||||
|
||||
@@ -2,7 +2,7 @@
|
||||
// See LICENSE.txt for license information.
|
||||
import {Client4} from '@mm-redux/client';
|
||||
import {General, Preferences} from '../constants';
|
||||
import {ChannelTypes, PreferenceTypes, UserTypes} from '@mm-redux/action_types';
|
||||
import {ChannelTypes, PreferenceTypes, TeamTypes, UserTypes} from '@mm-redux/action_types';
|
||||
import {savePreferences, deletePreferences} from './preferences';
|
||||
import {compareNotifyProps, getChannelsIdForTeam, getChannelByName} from '@mm-redux/utils/channel_utils';
|
||||
import {
|
||||
@@ -396,9 +396,24 @@ export function updateChannelNotifyProps(userId: string, channelId: string, prop
|
||||
|
||||
export function getChannelByNameAndTeamName(teamName: string, channelName: string, includeDeleted = false): ActionFunc {
|
||||
return async (dispatch: DispatchFunc, getState: GetStateFunc) => {
|
||||
let data;
|
||||
// The getChannelByNameForTeamName server endpoint had permission issues
|
||||
// which were fixed in v5.28. We use a different endpoint here until
|
||||
// the minimum server version required is 5.28 or greater.
|
||||
let team;
|
||||
try {
|
||||
data = await Client4.getChannelByNameAndTeamName(teamName, channelName, includeDeleted);
|
||||
team = await Client4.getTeamByName(teamName);
|
||||
} catch (error) {
|
||||
forceLogoutIfNecessary(error, dispatch, getState);
|
||||
dispatch(batchActions([
|
||||
{type: TeamTypes.GET_TEAMS_FAILURE, error},
|
||||
logError(error),
|
||||
]));
|
||||
return {error};
|
||||
}
|
||||
|
||||
let channel;
|
||||
try {
|
||||
channel = await Client4.getChannelByName(team.id, channelName, includeDeleted);
|
||||
} catch (error) {
|
||||
forceLogoutIfNecessary(error, dispatch, getState);
|
||||
dispatch(batchActions([
|
||||
@@ -408,12 +423,18 @@ export function getChannelByNameAndTeamName(teamName: string, channelName: strin
|
||||
return {error};
|
||||
}
|
||||
|
||||
dispatch({
|
||||
type: ChannelTypes.RECEIVED_CHANNEL,
|
||||
data,
|
||||
});
|
||||
dispatch(batchActions([
|
||||
{
|
||||
type: TeamTypes.RECEIVED_TEAM,
|
||||
data: team,
|
||||
},
|
||||
{
|
||||
type: ChannelTypes.RECEIVED_CHANNEL,
|
||||
data: channel,
|
||||
},
|
||||
]));
|
||||
|
||||
return {data};
|
||||
return {data: channel};
|
||||
};
|
||||
}
|
||||
|
||||
|
||||
@@ -62,7 +62,7 @@ function handleSetTempUploadFileForPostDraft(state, action) {
|
||||
|
||||
const tempFiles = action.clientIds.map((temp) => ({...temp, loading: true}));
|
||||
const files = [
|
||||
...state[action.channelId].files,
|
||||
...state[action.channelId]?.files || [],
|
||||
...tempFiles,
|
||||
];
|
||||
|
||||
|
||||
@@ -73,7 +73,7 @@ function handleSetTempUploadFilesForPostDraft(state, action) {
|
||||
|
||||
const tempFiles = action.clientIds.map((temp) => ({...temp, loading: true}));
|
||||
const files = [
|
||||
...state[action.rootId].files,
|
||||
...state[action.rootId]?.files || [],
|
||||
...tempFiles,
|
||||
];
|
||||
|
||||
|
||||
@@ -64,15 +64,6 @@ export default class ChannelIOS extends ChannelBase {
|
||||
updateNativeScrollView={this.updateNativeScrollView}
|
||||
registerTypingAnimation={this.registerTypingAnimation}
|
||||
/>
|
||||
<View nativeID={ACCESSORIES_CONTAINER_NATIVE_ID}>
|
||||
<Autocomplete
|
||||
maxHeight={AUTOCOMPLETE_MAX_HEIGHT}
|
||||
onChangeText={this.handleAutoComplete}
|
||||
cursorPositionEvent={CHANNEL_POST_TEXTBOX_CURSOR_CHANGE}
|
||||
valueEvent={CHANNEL_POST_TEXTBOX_VALUE_CHANGE}
|
||||
channelId={currentChannelId}
|
||||
/>
|
||||
</View>
|
||||
{LocalConfig.EnableMobileClientUpgrade && <ClientUpgradeListener/>}
|
||||
</>
|
||||
);
|
||||
@@ -102,6 +93,15 @@ export default class ChannelIOS extends ChannelBase {
|
||||
valueEvent={CHANNEL_POST_TEXTBOX_VALUE_CHANGE}
|
||||
/>
|
||||
}
|
||||
<View nativeID={ACCESSORIES_CONTAINER_NATIVE_ID}>
|
||||
<Autocomplete
|
||||
maxHeight={AUTOCOMPLETE_MAX_HEIGHT}
|
||||
onChangeText={this.handleAutoComplete}
|
||||
cursorPositionEvent={CHANNEL_POST_TEXTBOX_CURSOR_CHANGE}
|
||||
valueEvent={CHANNEL_POST_TEXTBOX_VALUE_CHANGE}
|
||||
channelId={currentChannelId}
|
||||
/>
|
||||
</View>
|
||||
</>
|
||||
);
|
||||
|
||||
|
||||
@@ -571,3 +571,815 @@ exports[`channelInfo should match snapshot 1`] = `
|
||||
</ScrollView>
|
||||
</View>
|
||||
`;
|
||||
|
||||
exports[`channelInfo should not include NotificationPreference for direct message 1`] = `
|
||||
<React.Fragment>
|
||||
<Connect(Favorite)
|
||||
channelId="1234"
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Separator
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(Mute)
|
||||
channelId="1234"
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
userId="1234"
|
||||
/>
|
||||
<Separator
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(IgnoreMentions)
|
||||
channelId="1234"
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Separator
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(NotificationPreference)
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Separator
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(Pinned)
|
||||
channelId="1234"
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(ManageMembers)
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(AddMembers)
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(ConvertPrivate)
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(EditChannel)
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
</React.Fragment>
|
||||
`;
|
||||
|
||||
exports[`channelInfo should not include NotificationPreference for direct message 2`] = `
|
||||
<React.Fragment>
|
||||
<Connect(Favorite)
|
||||
channelId="1234"
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Separator
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(Mute)
|
||||
channelId="1234"
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
userId="1234"
|
||||
/>
|
||||
<Separator
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(IgnoreMentions)
|
||||
channelId="1234"
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Separator
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Separator
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(Pinned)
|
||||
channelId="1234"
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(ManageMembers)
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(AddMembers)
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(ConvertPrivate)
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
<Connect(EditChannel)
|
||||
isLandscape={false}
|
||||
theme={
|
||||
Object {
|
||||
"awayIndicator": "#ffbc42",
|
||||
"buttonBg": "#166de0",
|
||||
"buttonColor": "#ffffff",
|
||||
"centerChannelBg": "#ffffff",
|
||||
"centerChannelColor": "#3d3c40",
|
||||
"codeTheme": "github",
|
||||
"dndIndicator": "#f74343",
|
||||
"errorTextColor": "#fd5960",
|
||||
"linkColor": "#2389d7",
|
||||
"mentionBg": "#ffffff",
|
||||
"mentionBj": "#ffffff",
|
||||
"mentionColor": "#145dbf",
|
||||
"mentionHighlightBg": "#ffe577",
|
||||
"mentionHighlightLink": "#166de0",
|
||||
"newMessageSeparator": "#ff8800",
|
||||
"onlineIndicator": "#06d6a0",
|
||||
"sidebarBg": "#145dbf",
|
||||
"sidebarHeaderBg": "#1153ab",
|
||||
"sidebarHeaderTextColor": "#ffffff",
|
||||
"sidebarText": "#ffffff",
|
||||
"sidebarTextActiveBorder": "#579eff",
|
||||
"sidebarTextActiveColor": "#ffffff",
|
||||
"sidebarTextHoverBg": "#4578bf",
|
||||
"sidebarUnreadText": "#ffffff",
|
||||
"type": "Mattermost",
|
||||
}
|
||||
}
|
||||
/>
|
||||
</React.Fragment>
|
||||
`;
|
||||
|
||||
@@ -45,6 +45,7 @@ export default class ChannelInfo extends PureComponent {
|
||||
isBot: PropTypes.bool.isRequired,
|
||||
isLandscape: PropTypes.bool.isRequired,
|
||||
isTeammateGuest: PropTypes.bool.isRequired,
|
||||
isDirectMessage: PropTypes.bool.isRequired,
|
||||
status: PropTypes.string,
|
||||
theme: PropTypes.object.isRequired,
|
||||
};
|
||||
@@ -109,8 +110,8 @@ export default class ChannelInfo extends PureComponent {
|
||||
showModalOverCurrentContext(screen, passProps, options);
|
||||
};
|
||||
|
||||
actionsRows = (style, channelIsArchived) => {
|
||||
const {currentChannel, currentUserId, isLandscape, theme} = this.props;
|
||||
actionsRows = (channelIsArchived) => {
|
||||
const {currentChannel, currentUserId, isLandscape, isDirectMessage, theme} = this.props;
|
||||
|
||||
if (channelIsArchived) {
|
||||
return (
|
||||
@@ -142,10 +143,12 @@ export default class ChannelInfo extends PureComponent {
|
||||
theme={theme}
|
||||
/>
|
||||
<Separator theme={theme}/>
|
||||
{!isDirectMessage &&
|
||||
<NotificationPreference
|
||||
isLandscape={isLandscape}
|
||||
theme={theme}
|
||||
/>
|
||||
}
|
||||
<Separator theme={theme}/>
|
||||
<Pinned
|
||||
channelId={currentChannel.id}
|
||||
@@ -215,7 +218,7 @@ export default class ChannelInfo extends PureComponent {
|
||||
/>
|
||||
}
|
||||
<View style={style.rowsContainer}>
|
||||
{this.actionsRows(style, channelIsArchived)}
|
||||
{this.actionsRows(channelIsArchived)}
|
||||
</View>
|
||||
<View style={style.footer}>
|
||||
<Leave
|
||||
|
||||
@@ -8,6 +8,7 @@ import Preferences from '@mm-redux/constants/preferences';
|
||||
import {General} from '@mm-redux/constants';
|
||||
|
||||
import ChannelInfo from './channel_info';
|
||||
import NotificationPreference from './notification_preference';
|
||||
|
||||
jest.mock('@utils/theme', () => {
|
||||
const original = jest.requireActual('../../utils/theme');
|
||||
@@ -47,6 +48,7 @@ describe('channelInfo', () => {
|
||||
theme: Preferences.THEMES.default,
|
||||
isBot: false,
|
||||
isTeammateGuest: false,
|
||||
isDirectMessage: false,
|
||||
isLandscape: false,
|
||||
actions: {
|
||||
getChannelStats: jest.fn(),
|
||||
@@ -81,4 +83,20 @@ describe('channelInfo', () => {
|
||||
instance.close();
|
||||
expect(dismissModal).toHaveBeenCalled();
|
||||
});
|
||||
|
||||
test('should not include NotificationPreference for direct message', () => {
|
||||
const wrapper = shallow(
|
||||
<ChannelInfo
|
||||
{...baseProps}
|
||||
/>,
|
||||
{context: {intl: intlMock}},
|
||||
);
|
||||
|
||||
expect(wrapper.instance().actionsRows()).toMatchSnapshot();
|
||||
expect(wrapper.find(NotificationPreference).exists()).toEqual(true);
|
||||
|
||||
wrapper.setProps({isDirectMessage: true});
|
||||
expect(wrapper.instance().actionsRows()).toMatchSnapshot();
|
||||
expect(wrapper.find(NotificationPreference).exists()).toEqual(false);
|
||||
});
|
||||
});
|
||||
|
||||
@@ -32,7 +32,8 @@ function mapStateToProps(state) {
|
||||
let status;
|
||||
let isBot = false;
|
||||
let isTeammateGuest = false;
|
||||
if (currentChannel.type === General.DM_CHANNEL) {
|
||||
const isDirectMessage = currentChannel.type === General.DM_CHANNEL;
|
||||
if (isDirectMessage) {
|
||||
const teammateId = getUserIdFromChannelName(currentUserId, currentChannel.name);
|
||||
const teammate = getUser(state, teammateId);
|
||||
status = getStatusForUserId(state, teammateId);
|
||||
@@ -54,6 +55,7 @@ function mapStateToProps(state) {
|
||||
isBot,
|
||||
isLandscape: isLandscape(state),
|
||||
isTeammateGuest,
|
||||
isDirectMessage,
|
||||
status,
|
||||
theme: getTheme(state),
|
||||
};
|
||||
|
||||
@@ -104,11 +104,7 @@ export default class ClientUpgrade extends PureComponent {
|
||||
const {downloadLink} = this.props;
|
||||
const {intl} = this.context;
|
||||
|
||||
Linking.canOpenURL(downloadLink).then((supported) => {
|
||||
if (supported) {
|
||||
return Linking.openURL(downloadLink);
|
||||
}
|
||||
|
||||
Linking.openURL(downloadLink).catch(() => {
|
||||
Alert.alert(
|
||||
intl.formatMessage({
|
||||
id: 'mobile.client_upgrade.download_error.title',
|
||||
@@ -119,8 +115,6 @@ export default class ClientUpgrade extends PureComponent {
|
||||
defaultMessage: 'An error occurred while trying to open the download link.',
|
||||
}),
|
||||
);
|
||||
|
||||
return false;
|
||||
});
|
||||
};
|
||||
|
||||
|
||||
@@ -87,6 +87,7 @@ exports[`EditPost should match snapshot 1`] = `
|
||||
cursorPosition={0}
|
||||
maxHeight={200}
|
||||
nestedScrollEnabled={true}
|
||||
offsetY={8}
|
||||
onChangeText={[Function]}
|
||||
onVisible={[Function]}
|
||||
style={
|
||||
|
||||
@@ -281,6 +281,7 @@ export default class EditPost extends PureComponent {
|
||||
value={message}
|
||||
nestedScrollEnabled={true}
|
||||
onVisible={this.onAutocompleteVisible}
|
||||
offsetY={8}
|
||||
style={style.autocomplete}
|
||||
/>
|
||||
</KeyboardTrackingView>
|
||||
|
||||
@@ -4,7 +4,7 @@
|
||||
import {bindActionCreators} from 'redux';
|
||||
import {connect} from 'react-redux';
|
||||
|
||||
import {getPostThread} from '@actions/views/channel';
|
||||
import {getPostThread} from '@actions/views/post';
|
||||
import {selectPost} from '@mm-redux/actions/posts';
|
||||
import {makeGetChannel} from '@mm-redux/selectors/entities/channels';
|
||||
import {getPost} from '@mm-redux/selectors/entities/posts';
|
||||
|
||||
@@ -206,6 +206,19 @@ export default class SelectServer extends PureComponent {
|
||||
return;
|
||||
}
|
||||
|
||||
if (!this.state.url || this.state.url.trim() === '') {
|
||||
this.setState({
|
||||
error: {
|
||||
intl: {
|
||||
id: t('mobile.server_url.empty'),
|
||||
defaultMessage: 'Please enter a valid server URL',
|
||||
},
|
||||
},
|
||||
});
|
||||
|
||||
return;
|
||||
}
|
||||
|
||||
if (!isValidUrl(this.sanitizeUrl(this.state.url))) {
|
||||
this.setState({
|
||||
error: {
|
||||
|
||||
@@ -5,6 +5,7 @@ import React, {PureComponent} from 'react';
|
||||
import PropTypes from 'prop-types';
|
||||
import {intlShape, injectIntl} from 'react-intl';
|
||||
import {
|
||||
Alert,
|
||||
Linking,
|
||||
Platform,
|
||||
ScrollView,
|
||||
@@ -135,27 +136,42 @@ class Settings extends PureComponent {
|
||||
});
|
||||
|
||||
openErrorEmail = preventDoubleTap(() => {
|
||||
const {config} = this.props;
|
||||
const {config, intl} = this.props;
|
||||
const recipient = config.SupportEmail;
|
||||
const subject = `Problem with ${config.SiteName} React Native app`;
|
||||
const mailTo = `mailto:${recipient}?subject=${subject}&body=${this.errorEmailBody()}`;
|
||||
|
||||
Linking.canOpenURL(mailTo).then((supported) => {
|
||||
if (supported) {
|
||||
Linking.openURL(mailTo);
|
||||
this.props.actions.clearErrors();
|
||||
}
|
||||
Linking.openURL(mailTo).then(() => {
|
||||
this.props.actions.clearErrors();
|
||||
}).catch(() => {
|
||||
Alert.alert(
|
||||
intl.formatMessage({
|
||||
id: 'mobile.mailTo.error.title',
|
||||
defaultMessage: 'Error',
|
||||
}),
|
||||
intl.formatMessage({
|
||||
id: 'mobile.mailTo.error.text',
|
||||
defaultMessage: 'Unable to open an email client.',
|
||||
}),
|
||||
);
|
||||
});
|
||||
});
|
||||
|
||||
openHelp = preventDoubleTap(() => {
|
||||
const {config} = this.props;
|
||||
const {config, intl} = this.props;
|
||||
const link = config.HelpLink ? config.HelpLink.toLowerCase() : '';
|
||||
|
||||
Linking.canOpenURL(link).then((supported) => {
|
||||
if (supported) {
|
||||
Linking.openURL(link);
|
||||
}
|
||||
Linking.openURL(link).catch(() => {
|
||||
Alert.alert(
|
||||
intl.formatMessage({
|
||||
id: 'mobile.link.error.title',
|
||||
defaultMessage: 'Error',
|
||||
}),
|
||||
intl.formatMessage({
|
||||
id: 'mobile.link.error.text',
|
||||
defaultMessage: 'Unable to open the link.',
|
||||
}),
|
||||
);
|
||||
});
|
||||
});
|
||||
|
||||
|
||||
@@ -48,18 +48,6 @@ exports[`thread should match snapshot, has root post 1`] = `
|
||||
scrollViewNativeID="threadPostList"
|
||||
/>
|
||||
</ForwardRef(AnimatedComponentWrapper)>
|
||||
<View
|
||||
nativeID="threadAccessoriesContainer"
|
||||
>
|
||||
<Connect(Autocomplete)
|
||||
channelId="channel_id"
|
||||
cursorPositionEvent="onThreadTextBoxCursorChange"
|
||||
maxHeight={200}
|
||||
onChangeText={[Function]}
|
||||
rootId="root_id"
|
||||
valueEvent="onThreadTextBoxValueChange"
|
||||
/>
|
||||
</View>
|
||||
</React.Fragment>
|
||||
</Connect(SafeAreaIos)>
|
||||
<Connect(PostDraft)
|
||||
@@ -72,6 +60,18 @@ exports[`thread should match snapshot, has root post 1`] = `
|
||||
scrollViewNativeID="threadPostList"
|
||||
valueEvent="onThreadTextBoxValueChange"
|
||||
/>
|
||||
<View
|
||||
nativeID="threadAccessoriesContainer"
|
||||
>
|
||||
<Connect(Autocomplete)
|
||||
channelId="channel_id"
|
||||
cursorPositionEvent="onThreadTextBoxCursorChange"
|
||||
maxHeight={200}
|
||||
onChangeText={[Function]}
|
||||
rootId="root_id"
|
||||
valueEvent="onThreadTextBoxValueChange"
|
||||
/>
|
||||
</View>
|
||||
</React.Fragment>
|
||||
`;
|
||||
|
||||
@@ -96,6 +96,18 @@ exports[`thread should match snapshot, no root post, loading 1`] = `
|
||||
style={Object {}}
|
||||
/>
|
||||
</Connect(SafeAreaIos)>
|
||||
<View
|
||||
nativeID="threadAccessoriesContainer"
|
||||
>
|
||||
<Connect(Autocomplete)
|
||||
channelId="channel_id"
|
||||
cursorPositionEvent="onThreadTextBoxCursorChange"
|
||||
maxHeight={200}
|
||||
onChangeText={[Function]}
|
||||
rootId="root_id"
|
||||
valueEvent="onThreadTextBoxValueChange"
|
||||
/>
|
||||
</View>
|
||||
</React.Fragment>
|
||||
`;
|
||||
|
||||
@@ -166,5 +178,17 @@ exports[`thread should match snapshot, render footer 3`] = `
|
||||
style={Object {}}
|
||||
/>
|
||||
</Connect(SafeAreaIos)>
|
||||
<View
|
||||
nativeID="threadAccessoriesContainer"
|
||||
>
|
||||
<Connect(Autocomplete)
|
||||
channelId="channel_id"
|
||||
cursorPositionEvent="onThreadTextBoxCursorChange"
|
||||
maxHeight={200}
|
||||
onChangeText={[Function]}
|
||||
rootId="root_id"
|
||||
valueEvent="onThreadTextBoxValueChange"
|
||||
/>
|
||||
</View>
|
||||
</React.Fragment>
|
||||
`;
|
||||
|
||||
@@ -56,16 +56,6 @@ export default class ThreadIOS extends ThreadBase {
|
||||
scrollViewNativeID={SCROLLVIEW_NATIVE_ID}
|
||||
/>
|
||||
</Animated.View>
|
||||
<View nativeID={ACCESSORIES_CONTAINER_NATIVE_ID}>
|
||||
<Autocomplete
|
||||
maxHeight={AUTOCOMPLETE_MAX_HEIGHT}
|
||||
onChangeText={this.handleAutoComplete}
|
||||
cursorPositionEvent={THREAD_POST_TEXTBOX_CURSOR_CHANGE}
|
||||
valueEvent={THREAD_POST_TEXTBOX_VALUE_CHANGE}
|
||||
rootId={rootId}
|
||||
channelId={channelId}
|
||||
/>
|
||||
</View>
|
||||
</>
|
||||
);
|
||||
|
||||
@@ -101,6 +91,16 @@ export default class ThreadIOS extends ThreadBase {
|
||||
{content}
|
||||
</SafeAreaView>
|
||||
{postDraft}
|
||||
<View nativeID={ACCESSORIES_CONTAINER_NATIVE_ID}>
|
||||
<Autocomplete
|
||||
maxHeight={AUTOCOMPLETE_MAX_HEIGHT}
|
||||
onChangeText={this.handleAutoComplete}
|
||||
cursorPositionEvent={THREAD_POST_TEXTBOX_CURSOR_CHANGE}
|
||||
valueEvent={THREAD_POST_TEXTBOX_VALUE_CHANGE}
|
||||
rootId={rootId}
|
||||
channelId={channelId}
|
||||
/>
|
||||
</View>
|
||||
</React.Fragment>
|
||||
);
|
||||
}
|
||||
|
||||
@@ -36,9 +36,18 @@ function unsupportedServerAdminAlert(formatMessage: FormatMessageType) {
|
||||
style: 'cancel',
|
||||
onPress: () => {
|
||||
const url = 'https://mattermost.com/blog/support-for-esr-5-9-has-ended/';
|
||||
if (Linking.canOpenURL(url)) {
|
||||
Linking.openURL(url);
|
||||
}
|
||||
Linking.openURL(url).catch(() => {
|
||||
Alert.alert(
|
||||
formatMessage({
|
||||
id: 'mobile.link.error.title',
|
||||
defaultMessage: 'Error',
|
||||
}),
|
||||
formatMessage({
|
||||
id: 'mobile.link.error.text',
|
||||
defaultMessage: 'Unable to open the link.',
|
||||
}),
|
||||
);
|
||||
});
|
||||
},
|
||||
};
|
||||
const buttons: AlertButton[] = [cancel, learnMore];
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
{
|
||||
"about.date": "Build-Datum:",
|
||||
"about.enterpriseEditione1": "Enterprise Edition",
|
||||
"about.enterpriseEditionLearn": "Mehr über die Enterprise Edition erfahren auf ",
|
||||
"about.enterpriseEditionSt": "Moderne Kommunikation hinter ihrer Firewall.",
|
||||
"about.enterpriseEditione1": "Enterprise Edition",
|
||||
"about.hash": "Build Hash:",
|
||||
"about.hashee": "EE Build Hash:",
|
||||
"about.teamEditionLearn": "Schließen Sie sich der Mattermost Community an auf ",
|
||||
@@ -14,9 +14,13 @@
|
||||
"api.channel.add_member.added": "{addedUsername} durch {username} zum Kanal hinzugefügt.",
|
||||
"archivedChannelMessage": "Sie sehen einen **archivierten Kanal**. Neue Nachrichten können nicht geschickt werden.",
|
||||
"center_panel.archived.closeChannel": "Kanal schließen",
|
||||
"channel.channelHasGuests": "Dieser Kanal hat Gäste",
|
||||
"channel.hasGuests": "Diese Gruppennachricht hat Gäste",
|
||||
"channel.isGuest": "Diese Person ist ein Gast",
|
||||
"channel_header.addMembers": "Mitglieder hinzufügen",
|
||||
"channel_header.directchannel.you": "{displayname} (Sie) ",
|
||||
"channel_header.manageMembers": "Mitglieder verwalten",
|
||||
"channel_header.notificationPreference.mention": "Erwähnung",
|
||||
"channel_header.pinnedPosts": "Angeheftete Nachrichten",
|
||||
"channel_header.viewMembers": "Zeige Mitglieder",
|
||||
"channel_info.header": "Überschrift:",
|
||||
@@ -35,6 +39,9 @@
|
||||
"channel_modal.purposeEx": "Z.B.: \"Ein Kanal um Fehler und Verbesserungsvorschläge abzulegen\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "@channel, @here, @all ignorieren",
|
||||
"channel_notifications.muteChannel.settings": "Kanal stummschalten",
|
||||
"channel_notifications.preference.global_default": "Globaler Standard (Erwähnungen)",
|
||||
"channel_notifications.preference.header": "Sende Benachrichtigungen",
|
||||
"channel_notifications.preference.only_mentions": "Nur Erwähnungen und Direktnachrichten",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{users} und {lastUser} wurden durch {actor} **zum Kanal hinzugefügt**.",
|
||||
"combined_system_message.added_to_channel.one": "{firstUser} durch {actor} **zum Kanal hinzugefügt**.",
|
||||
"combined_system_message.added_to_channel.one_you": "Sie wurden durch {actor} **zum Kanal hinzugefügt**.",
|
||||
@@ -71,6 +78,8 @@
|
||||
"create_comment.addComment": "Kommentar hinzufügen...",
|
||||
"create_post.deactivated": "Sie betrachten einen archivierten Kanal mit einem deaktivierten Benutzer.",
|
||||
"create_post.write": "In {channelDisplayName} schreiben",
|
||||
"date_separator.today": "Heute",
|
||||
"date_separator.yesterday": "Gestern",
|
||||
"edit_post.editPost": "Nachricht bearbeiten...",
|
||||
"edit_post.save": "Speichern",
|
||||
"file_attachment.download": "Herunterladen",
|
||||
@@ -80,6 +89,7 @@
|
||||
"intro_messages.anyMember": " Jedes Mitglied kann diesem Kanal beitreten und folgen.",
|
||||
"intro_messages.beginning": "Start von {name}",
|
||||
"intro_messages.creator": "Dies ist der Start von {name}, erstellt durch {creator} am {date}.",
|
||||
"intro_messages.creatorPrivate": "Dies ist der Start von {name}, erstellt durch {creator} am {date}.",
|
||||
"intro_messages.group_message": "Dies ist der Start ihres Gruppennachrichtenverlaufs mit diesen Teammitgliedern. Nachrichten und hier geteilte Dateien sind für Personen außerhalb dieses Bereichs nicht sichtbar.",
|
||||
"intro_messages.noCreator": "Dies ist der Start von {name}, erstellt am {date}.",
|
||||
"intro_messages.onlyInvited": " Nur eingeladene Mitglieder können diesen privaten Kanal sehen.",
|
||||
@@ -93,9 +103,6 @@
|
||||
"last_users_message.others": "{numOthers} andere ",
|
||||
"last_users_message.removed_from_channel.type": "wurden **aus dem Kanal entfernt**.",
|
||||
"last_users_message.removed_from_team.type": "wurden **aus dem Team entfernt**.",
|
||||
"login_mfa.enterToken": "Um ihre Anmeldung zu vervollständigen, geben Sie bitte den Token des Authenticators ein",
|
||||
"login_mfa.token": "MFA Token",
|
||||
"login_mfa.tokenReq": "Bitte geben Sie den MFA-Token ein",
|
||||
"login.email": "E-Mail",
|
||||
"login.forgot": "Ich habe mein Passwort vergessen",
|
||||
"login.invalidPassword": "Ihr Passwort ist falsch.",
|
||||
@@ -112,8 +119,11 @@
|
||||
"login.or": "oder",
|
||||
"login.password": "Passwort",
|
||||
"login.signIn": "Anmelden",
|
||||
"login.username": "Benutzername",
|
||||
"login.userNotFound": "Es konnte kein Konto mit den angegebenen Zugangsdaten gefunden werden.",
|
||||
"login.username": "Benutzername",
|
||||
"login_mfa.enterToken": "Um ihre Anmeldung zu vervollständigen, geben Sie bitte den Token des Authenticators ein",
|
||||
"login_mfa.token": "MFA Token",
|
||||
"login_mfa.tokenReq": "Bitte geben Sie den MFA-Token ein",
|
||||
"mobile.about.appVersion": "App Version: {version} (Build {number})",
|
||||
"mobile.about.copyright": "Copyright 2015-{currentYear} Mattermost, Inc. Alle Rechte vorbehalten",
|
||||
"mobile.about.database": "Datenbank: {type}",
|
||||
@@ -121,11 +131,11 @@
|
||||
"mobile.about.powered_by": "{site} wird betrieben mit Mattermost",
|
||||
"mobile.about.serverVersion": "Server Version: {version} (Build {number})",
|
||||
"mobile.about.serverVersionNoBuild": "Server Version: {version}",
|
||||
"mobile.account.settings.save": "Speichern",
|
||||
"mobile.account_notifications.reply.header": "SENDE ANTWORTBENACHRICHTIGUNGEN FÜR",
|
||||
"mobile.account_notifications.threads_mentions": "Erwähnungen in Antworten",
|
||||
"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.account.settings.save": "Speichern",
|
||||
"mobile.action_menu.select": "Wählen Sie eine Option",
|
||||
"mobile.advanced_settings.clockDisplay": "Uhrzeit-Format",
|
||||
"mobile.advanced_settings.delete": "Löschen",
|
||||
@@ -133,6 +143,8 @@
|
||||
"mobile.advanced_settings.delete_title": "Dokumente & Daten löschen",
|
||||
"mobile.advanced_settings.timezone": "Zeitzone",
|
||||
"mobile.advanced_settings.title": "Erweiterte Einstellungen",
|
||||
"mobile.alert_dialog.alertCancel": "Abbrechen",
|
||||
"mobile.android.back_handler_exit": "Erneut zurück drücken zum Verlassen",
|
||||
"mobile.android.photos_permission_denied_description": "Laden Sie Fotos auf ihre Mattermost-Instanz hoch oder speichern Sie sie auf Ihrem Gerät. Öffnen Sie die Einstellungen, um Mattermost Lese- und Schreibzugriff auf ihre Fotobibliothek zu gewähren.",
|
||||
"mobile.android.photos_permission_denied_title": "{applicationName} möchte auf Ihre Fotos zugreifen",
|
||||
"mobile.android.videos_permission_denied_description": "Laden Sie Videos auf ihre Mattermost-Instanz hoch oder speichern Sie sie auf Ihrem Gerät. Öffnen Sie die Einstellungen, um Mattermost Lese- und Schreibzugriff auf ihre Videobibliothek zu gewähren.",
|
||||
@@ -142,19 +154,34 @@
|
||||
"mobile.calendar.dayNamesShort": "So,Mo,Di,Mi,Do,Fr,Sa",
|
||||
"mobile.calendar.monthNames": "Januar,Februar,März,April,Mai,Juni,July,August,September,Oktober,November,Dezember",
|
||||
"mobile.calendar.monthNamesShort": "Jan,Feb,Mär,Apr,Mai,Jun,Jul,Aug,Sep,Okt,Nov,Dez",
|
||||
"mobile.camera_photo_permission_denied_description": "Nehmen Sie Fotos auf und laden sie auf ihre Mattermost-Instanz hoch oder speichern Sie sie auf Ihrem Gerät. Öffnen Sie die Einstellungen, um Mattermost Lese- und Schreibzugriff auf ihre Kamera zu gewähren.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} möchte auf Ihre Kamera zugreifen",
|
||||
"mobile.camera_video_permission_denied_description": "Nehmen Sie Videos auf und laden sie auf ihre Mattermost-Instanz hoch oder speichern Sie sie auf Ihrem Gerät. Öffnen Sie die Einstellungen, um Mattermost Lese- und Schreibzugriff auf ihre Kamera zu gewähren.",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} möchte auf Ihre Kamera zugreifen",
|
||||
"mobile.channel_drawer.search": "Springe zu...",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Wenn Sie **{displayName}**** in einen privaten Kanal umwandeln, bleiben Historie und Mitgliedschaft erhalten. Öffentlich freigegebene Dateien bleiben für jeden mit dem Link zugänglich. Die Mitgliedschaft in einem privaten Kanal ist nur auf Einladung möglich. \n\nDie Änderung ist dauerhaft und kann nicht rückgängig gemacht werden.\n\nSind Sie sicher, dass Sie **{displayName}**** in einen privaten Kanal umwandeln möchten?",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "Sind Sie sicher, dass Sie den {term} {name} archivieren möchten?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "Sind Sie sicher, dass Sie den {term} {name} verlassen möchten?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Sind Sie sicher, dass Sie den {term} {name} wiederherstellen möchten?",
|
||||
"mobile.channel_info.alertNo": "Nein",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "{displayName} in privaten Kanal umwandeln?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "{term} archivieren",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "{term} verlassen",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "{term} wiederherstellen",
|
||||
"mobile.channel_info.alertYes": "Ja",
|
||||
"mobile.channel_info.convert": "In privaten Kanal umwandeln",
|
||||
"mobile.channel_info.convert_failed": "Wir konnten {displayName} nicht in einen privaten Kanal umwandeln.",
|
||||
"mobile.channel_info.convert_success": "{displayName} ist nun ein privater Kanal.",
|
||||
"mobile.channel_info.copy_header": "Header kopieren",
|
||||
"mobile.channel_info.copy_purpose": "Zweck kopieren",
|
||||
"mobile.channel_info.delete_failed": "Der Kanal {displayName} konnte nicht archiviert werden. Bitte überprüfen Sie ihre Verbindung und versuchen es erneut.",
|
||||
"mobile.channel_info.edit": "Kanal bearbeiten",
|
||||
"mobile.channel_info.privateChannel": "Privater Kanal",
|
||||
"mobile.channel_info.publicChannel": "Öffentlicher Kanal",
|
||||
"mobile.channel_info.unarchive_failed": "Der Kanal {displayName} konnte nicht wiederhergestellt werden. Bitte überprüfen Sie ihre Verbindung und versuchen es erneut.",
|
||||
"mobile.channel_list.alertNo": "Nein",
|
||||
"mobile.channel_list.alertYes": "Ja",
|
||||
"mobile.channel_list.archived": "ARCHIVIERT",
|
||||
"mobile.channel_list.channels": "KANÄLE",
|
||||
"mobile.channel_list.closeDM": "Direktnachricht schließen",
|
||||
"mobile.channel_list.closeGM": "Gruppennachricht schließen",
|
||||
@@ -191,6 +218,7 @@
|
||||
"mobile.create_channel.public": "Neuer Öffentlicher Kanal",
|
||||
"mobile.create_post.read_only": "Dieser Kanal ist schreibgeschützt",
|
||||
"mobile.custom_list.no_results": "Keine Ergebnisse",
|
||||
"mobile.display_settings.sidebar": "Seitenleiste",
|
||||
"mobile.display_settings.theme": "Motiv",
|
||||
"mobile.document_preview.failed_description": "Es ist ein Fehler beim Öffnen des Dokuments aufgetreten. Bitte stellen Sie sicher, dass Sie einen Betrachter für {fileType} installiert haben und versuchen es erneut.\n",
|
||||
"mobile.document_preview.failed_title": "Dokument öffnen fehlgeschlagen",
|
||||
@@ -209,6 +237,7 @@
|
||||
"mobile.drawer.teamsTitle": "Teams",
|
||||
"mobile.edit_channel": "Speichern",
|
||||
"mobile.edit_post.title": "Nachricht bearbeiten",
|
||||
"mobile.edit_profile.remove_profile_photo": "Foto entfernen",
|
||||
"mobile.emoji_picker.activity": "AKTIVITÄTEN",
|
||||
"mobile.emoji_picker.custom": "BENUTZERDEFINIERT",
|
||||
"mobile.emoji_picker.flags": "FLAGGEN",
|
||||
@@ -218,6 +247,8 @@
|
||||
"mobile.emoji_picker.people": "MENSCHEN",
|
||||
"mobile.emoji_picker.places": "ORTE",
|
||||
"mobile.emoji_picker.recent": "ZULETZT VERWENDET",
|
||||
"mobile.emoji_picker.search.not_found_description": "Prüfen Sie die Schreibweise oder probieren Sie eine andere Suche.",
|
||||
"mobile.emoji_picker.search.not_found_title": "Keine Ergebnisse gefunden für \"{searchTerm}\"",
|
||||
"mobile.emoji_picker.symbols": "SYMBOLE",
|
||||
"mobile.error_handler.button": "Neustarten",
|
||||
"mobile.error_handler.description": "\nTippen Sie auf Neustarten um die App neu zu öffnen. Nach dem Neustart können Sie das Problem über das Einstellungsmenü melden.\n",
|
||||
@@ -227,25 +258,34 @@
|
||||
"mobile.extension.file_limit": "Dateiaustausch ist auf ein Maximum von 5 Dateien begrenzt.",
|
||||
"mobile.extension.max_file_size": "Dateianhänge, die in Mattermost geteilt werden, müssen kleiner als {size} sein.",
|
||||
"mobile.extension.permission": "Mattermost benötigt Zugriff auf den Gerätespeicher, um Dateien teilen zu können.",
|
||||
"mobile.extension.team_required": "Sie müssen zu einem Team gehören, bevor Sie Dateien austauschen können.",
|
||||
"mobile.extension.title": "In Mattermost teilen",
|
||||
"mobile.failed_network_action.retry": "Erneut versuchen",
|
||||
"mobile.failed_network_action.shortDescription": "Nachrichten werden geladen, wenn eine Internet Verbindung verfügbar ist.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Kanäle konnten nicht geladen werden für {teamName}.",
|
||||
"mobile.failed_network_action.teams_description": "Teams konnten nicht geladen werden.",
|
||||
"mobile.failed_network_action.teams_title": "Etwas ist schief gelaufen",
|
||||
"mobile.failed_network_action.title": "Keine Internetverbindung",
|
||||
"mobile.file_upload.browse": "Dateien durchsuchen",
|
||||
"mobile.file_upload.camera_photo": "Foto aufnehmen",
|
||||
"mobile.file_upload.camera_video": "Video aufnehmen",
|
||||
"mobile.file_upload.library": "Foto-Bibliothek",
|
||||
"mobile.file_upload.max_warning": "Uploads sind auf maximal fünf Dateien beschränkt.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Nur BMP-, JPG- oder PNG-Bilder sind als Profilbilder zugelassen.",
|
||||
"mobile.file_upload.video": "Videobibliothek",
|
||||
"mobile.files_paste.error_description": "Fehler beim Einfügen der Datei(en). Bitte erneut versuchen.",
|
||||
"mobile.files_paste.error_dismiss": "Verwerfen",
|
||||
"mobile.files_paste.error_title": "Einfügen fehlgeschlagen",
|
||||
"mobile.flagged_posts.empty_description": "Markierungen dienen als Möglichkeit, Nachrichten für eine Wiedervorlage zu markieren. Ihre Markierungen sind persönlich und können nicht von anderen Benutzern gesehen werden.",
|
||||
"mobile.flagged_posts.empty_title": "Keine markierte Nachrichten",
|
||||
"mobile.help.title": "Hilfe",
|
||||
"mobile.image_preview.save": "Bild speichern",
|
||||
"mobile.image_preview.save_video": "Video speichern",
|
||||
"mobile.intro_messages.DM": "Dies ist der Start der Privatnachrichtenverlaufs 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}!",
|
||||
"mobile.intro_messages.DM": "Dies ist der Start der Privatnachrichtenverlaufs mit {teammate}. Privatnachrichten und hier geteilte Dateien sind für Personen außerhalb dieses Bereichs nicht sichtbar.",
|
||||
"mobile.ios.photos_permission_denied_description": "Laden Sie Fotos und Videos auf ihre Mattermost-Instanz hoch oder speichern Sie sie auf Ihrem Gerät. Öffnen Sie die Einstellungen, um Mattermost Lese- und Schreibzugriff auf ihre Foto- und Videobibliothek zu gewähren.",
|
||||
"mobile.ios.photos_permission_denied_title": "{applicationName} möchte auf Ihre Fotos zugreifen",
|
||||
"mobile.join_channel.error": "Dem Kanal {displayName} konnte nicht beigetreten werden. Bitte überprüfen Sie ihre Verbindung und versuchen es erneut.",
|
||||
"mobile.loading_channels": "Lade Kanäle...",
|
||||
"mobile.loading_members": "Lade Mitglieder...",
|
||||
@@ -256,13 +296,18 @@
|
||||
"mobile.managed.blocked_by": "Blockiert durch {vendor}",
|
||||
"mobile.managed.exit": "Beenden",
|
||||
"mobile.managed.jailbreak": "Geräten mit Jailbreak wird von {vendor} nicht vertraut, bitte beenden Sie die App.",
|
||||
"mobile.managed.not_secured.android": "Dieses Gerät muss mit einer Bildschirmsperre gesichert werden, um Mattermost verwenden zu können.",
|
||||
"mobile.managed.not_secured.ios": "Dieses Gerät muss mit einem Passcode gesichert werden, um Mattermost verwenden zu können.\n \nGehen Sie zu Einstellungen > Face ID & Passwort.",
|
||||
"mobile.managed.not_secured.ios.touchId": "Dieses Gerät muss mit einem Passcode gesichert werden, um Mattermost zu verwenden.\n \nGehen Sie zu Einstellungen > Touch ID & Passwort.",
|
||||
"mobile.managed.secured_by": "Gesichert durch {vendor}",
|
||||
"mobile.managed.settings": "Zu Einstellungen gehen",
|
||||
"mobile.markdown.code.copy_code": "Code kopieren",
|
||||
"mobile.markdown.code.plusMoreLines": "+{count, number} weitere {count, plural, one {Zeile} other {Zeilen}}",
|
||||
"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.message_length.message": "Die Nachricht ist zu lang. Anzahl der Zeichen: {count}/{max}",
|
||||
"mobile.message_length.message_split_left": "Nachricht überschreitet maximale Schriftzeichenanzahl",
|
||||
"mobile.message_length.title": "Länge der Nachricht",
|
||||
"mobile.more_dms.add_more": "Sie können {remaining, number} weitere Benutzer hinzufügen",
|
||||
"mobile.more_dms.cannot_add_more": "Sie können keine weiteren Benutzer hinzufügen",
|
||||
@@ -273,6 +318,28 @@
|
||||
"mobile.notice_mobile_link": "mobile Apps",
|
||||
"mobile.notice_platform_link": "Server",
|
||||
"mobile.notice_text": "Mattermost wird durch die in {platform} und {mobile} verwendete Open-Source-Software ermöglicht.",
|
||||
"mobile.notification.in": " in ",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Hallo, ich bin derzeit nicht im Büro und kann nicht auf Nachrichten antworten.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Aktiviert",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Stellen Sie eine individuelle Nachricht ein, die als Antwort auf Direktnachrichten gesendet wird. Erwähnungen in öffentlichen oder privaten Kanälen werden keine automatische Nachricht auslösen. Das Aktivieren automatische Nachrichten setzt ihren Status auf \"Nicht im Büro\" und deaktiviert E-Mail- und Push-Benachrichtigungen.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Nachricht",
|
||||
"mobile.notification_settings.auto_responder.message_title": "EIGENE NACHRICHT",
|
||||
"mobile.notification_settings.auto_responder_short": "Automatische Antworten",
|
||||
"mobile.notification_settings.email": "E-Mail",
|
||||
"mobile.notification_settings.email.send": "SENDE E-MAIL-BENACHRICHTIGUNGEN",
|
||||
"mobile.notification_settings.email_title": "E-Mail-Benachrichtigungen",
|
||||
"mobile.notification_settings.mentions.channelWide": "Kanalweite Erwähnungen",
|
||||
"mobile.notification_settings.mentions.reply_title": "Sende Antwort-Benachrichtigungen für",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Ihr groß-/kleinschreibungsabhängiger Vorname",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Ihr groß-/kleinschreibungsabhängiger Benutzername",
|
||||
"mobile.notification_settings.mentions_replies": "Erwähnungen und Antworten",
|
||||
"mobile.notification_settings.mobile": "Mobil",
|
||||
"mobile.notification_settings.mobile_title": "Mobile Push-Benachrichtigungen",
|
||||
"mobile.notification_settings.modal_cancel": "ABBRECHEN",
|
||||
"mobile.notification_settings.modal_save": "SPEICHERN",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Automatische Antworten auf Direktnachrichten",
|
||||
"mobile.notification_settings.save_failed_description": "Die Benachrichtigungseinstellungen konnten durch ein Verbindungsproblem nicht gespeichert werden, bitte erneut versuchen.",
|
||||
"mobile.notification_settings.save_failed_title": "Verbindungsproblem",
|
||||
"mobile.notification_settings_mentions.keywords": "Stichwörter",
|
||||
"mobile.notification_settings_mentions.keywordsDescription": "Andere Wörter, die eine Erwähnung auslösen",
|
||||
"mobile.notification_settings_mentions.keywordsHelp": "Stichwörter sind nicht groß-/kleinschreibungsabhängig und sollten durch ein Komma getrennt sein.",
|
||||
@@ -289,47 +356,18 @@
|
||||
"mobile.notification_settings_mobile.test": "Schicke mir eine Testbenachrichtigung",
|
||||
"mobile.notification_settings_mobile.test_push": "Dies ist eine Test-Push-Benachrichtigung",
|
||||
"mobile.notification_settings_mobile.vibrate": "Vibrieren",
|
||||
"mobile.notification_settings.auto_responder_short": "Automatische Antworten",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Hallo, ich bin derzeit nicht im Büro und kann nicht auf Nachrichten antworten.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Aktiviert",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Stellen Sie eine individuelle Nachricht ein, die als Antwort auf Direktnachrichten gesendet wird. Erwähnungen in öffentlichen oder privaten Kanälen werden keine automatische Nachricht auslösen. Das Aktivieren automatische Nachrichten setzt ihren Status auf \"Nicht im Büro\" und deaktiviert E-Mail- und Push-Benachrichtigungen.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Nachricht",
|
||||
"mobile.notification_settings.auto_responder.message_title": "EIGENE NACHRICHT",
|
||||
"mobile.notification_settings.email": "E-Mail",
|
||||
"mobile.notification_settings.email_title": "E-Mail-Benachrichtigungen",
|
||||
"mobile.notification_settings.email.send": "SENDE E-MAIL-BENACHRICHTIGUNGEN",
|
||||
"mobile.notification_settings.mentions_replies": "Erwähnungen und Antworten",
|
||||
"mobile.notification_settings.mentions.channelWide": "Kanalweite Erwähnungen",
|
||||
"mobile.notification_settings.mentions.reply_title": "Sende Antwort-Benachrichtigungen für",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Ihr groß-/kleinschreibungsabhängiger Vorname",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Ihr groß-/kleinschreibungsabhängiger Benutzername",
|
||||
"mobile.notification_settings.mobile": "Mobil",
|
||||
"mobile.notification_settings.mobile_title": "Mobile Push-Benachrichtigungen",
|
||||
"mobile.notification_settings.modal_cancel": "ABBRECHEN",
|
||||
"mobile.notification_settings.modal_save": "SPEICHERN",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Automatische Antworten auf Direktnachrichten",
|
||||
"mobile.notification_settings.save_failed_description": "Die Benachrichtigungseinstellungen konnten durch ein Verbindungsproblem nicht gespeichert werden, bitte erneut versuchen.",
|
||||
"mobile.notification_settings.save_failed_title": "Verbindungsproblem",
|
||||
"mobile.notification.in": " in ",
|
||||
"mobile.offlineIndicator.connected": "Verbunden",
|
||||
"mobile.offlineIndicator.connecting": "Verbinde...",
|
||||
"mobile.offlineIndicator.offline": "Keine Internetverbindung",
|
||||
"mobile.open_dm.error": "Der Direktnachrichtenkanal mit {displayName} konnte nicht geöffnet werden. Bitte überprüfen Sie ihre Verbindung und versuchen es erneut.",
|
||||
"mobile.open_gm.error": "Der Gruppennachrichtenkanal mit diesen Benutzern konnte nicht geöffnet werden. Bitte überprüfen Sie ihre Verbindung und versuchen es erneut.",
|
||||
"mobile.open_unknown_channel.error": "Konnte Kanal nicht beitreten. Bitte setzen Sie den Cache zurück und versuchen es erneut.",
|
||||
"mobile.permission_denied_dismiss": "Nicht erlauben",
|
||||
"mobile.permission_denied_retry": "Einstellungen",
|
||||
"mobile.photo_library_permission_denied_description": "Um Fotos und Videos in ihrer Bibliothek speichern zu können, ändern Sie bitte ihre Berechtigungseinstellungen.",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} möchte auf Ihre Fotobibliothek zugreifen",
|
||||
"mobile.pinned_posts.empty_description": "Wichtige Elemente anheften durch gedrückt halten einer Nachricht und wählen von \"An Kanal anheften\".",
|
||||
"mobile.pinned_posts.empty_title": "Keine angehefteten Nachrichten",
|
||||
"mobile.post_info.add_reaction": "Reaktion hinzufügen",
|
||||
"mobile.post_info.copy_text": "Text kopieren",
|
||||
"mobile.post_info.flag": "Markieren",
|
||||
"mobile.post_info.pin": "An Kanal anheften",
|
||||
"mobile.post_info.unflag": "Markierung entfernen",
|
||||
"mobile.post_info.unpin": "Vom Kanal abheften",
|
||||
"mobile.post_pre_header.flagged": "Markiert",
|
||||
"mobile.post_pre_header.pinned": "Angeheftet",
|
||||
"mobile.post_pre_header.pinned_flagged": "Angeheftet und markiert",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Einige Anhänge konnten nicht auf den Server hochgeladen werden. Sind Sie sicher, dass sie die Nachricht abschicken wollen?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Anhang Fehler",
|
||||
"mobile.post.cancel": "Abbrechen",
|
||||
"mobile.post.delete_question": "Möchten Sie diese Nachricht wirklich löschen?",
|
||||
"mobile.post.delete_title": "Nachricht löschen",
|
||||
@@ -337,7 +375,31 @@
|
||||
"mobile.post.failed_retry": "Erneut versuchen",
|
||||
"mobile.post.failed_title": "Konnte ihre Nachricht nicht senden",
|
||||
"mobile.post.retry": "Aktualisieren",
|
||||
"mobile.post_info.add_reaction": "Reaktion hinzufügen",
|
||||
"mobile.post_info.copy_text": "Text kopieren",
|
||||
"mobile.post_info.flag": "Markieren",
|
||||
"mobile.post_info.mark_unread": "Als ungelesen markieren",
|
||||
"mobile.post_info.pin": "An Kanal anheften",
|
||||
"mobile.post_info.reply": "Antworten",
|
||||
"mobile.post_info.unflag": "Markierung entfernen",
|
||||
"mobile.post_info.unpin": "Vom Kanal abheften",
|
||||
"mobile.post_pre_header.flagged": "Markiert",
|
||||
"mobile.post_pre_header.pinned": "Angeheftet",
|
||||
"mobile.post_pre_header.pinned_flagged": "Angeheftet und markiert",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Abbrechen",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Bestätigen",
|
||||
"mobile.post_textbox.entire_channel.message": "Durch die Verwendung von @all oder @channel benachrichtigen Sie {totalMembers, number} {totalMembers, plural, one {Person} other {Personen}}. Sind Sie sicher, dass sie dies tun möchten?",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Durch die Verwendung von @all oder @channel benachrichtigen Sie {totalMembers, number} {totalMembers, plural, one {Person} other {Personen}} in {timezones, number} {timezones, plural, one {Zeitzone} other {Zeitzonen}}. Sind Sie sicher, dass sie dies tun möchten?",
|
||||
"mobile.post_textbox.entire_channel.title": "Bestätigen Sie das Senden von Benachrichtigungen an den gesamten Kanal",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Wenn Sie {mentions} und {finalMention} verwenden, werden Sie Benachrichtigungen an mindestens {totalMembers} Menschen in {timezones, number} {timezones, plural, one {timezone} other {timezones}}. Sind Sie sich sicher, Sie wollen dies tun?",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Einige Anhänge konnten nicht auf den Server hochgeladen werden. Sind Sie sicher, dass sie die Nachricht abschicken wollen?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Anhang Fehler",
|
||||
"mobile.posts_view.moreMsg": "Weitere neue Nachrichten oberhalb",
|
||||
"mobile.privacy_link": "Datenschutzbedingungen",
|
||||
"mobile.push_notification_reply.button": "Senden",
|
||||
"mobile.push_notification_reply.placeholder": "Eine Antwort schreiben...",
|
||||
"mobile.push_notification_reply.title": "Antworten",
|
||||
"mobile.reaction_header.all_emojis": "Alle",
|
||||
"mobile.recent_mentions.empty_description": "Hier werden Nachrichten auftauchen, die ihren Benutzernamen oder andere Wörter enthalten, die Erwähnungen auslösen.",
|
||||
"mobile.recent_mentions.empty_title": "Keine letzten Erwähnungen",
|
||||
"mobile.rename_channel.display_name_maxLength": "Kanalname muss kürzer als {maxLength, number} Zeichen sein",
|
||||
@@ -353,13 +415,15 @@
|
||||
"mobile.reset_status.alert_ok": "Ok",
|
||||
"mobile.reset_status.title_ooo": "\"Nicht im Büro\" deaktivieren?",
|
||||
"mobile.retry_message": "Aktualisierung der Nachrichten fehlgeschlagen. Nach oben ziehen, um erneut zu versuchen.",
|
||||
"mobile.routes.channel_members.action": "Mitglieder entfernen",
|
||||
"mobile.routes.channel_members.action_message": "Sie müssen mindestens ein Mitglied auswählen.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Sind Sie sicher, dass Sie die ausgewählten Mitglieder vom Kanal löschen möchten?",
|
||||
"mobile.routes.channelInfo": "Info",
|
||||
"mobile.routes.channelInfo.createdBy": "Erstellt durch {creator} am ",
|
||||
"mobile.routes.channelInfo.delete_channel": "Kanal archivieren",
|
||||
"mobile.routes.channelInfo.favorite": "Favoriten",
|
||||
"mobile.routes.channelInfo.groupManaged": "Mitglieder werden von verknüpften Gruppen verwaltet",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Kanal wiederherstellen",
|
||||
"mobile.routes.channel_members.action": "Mitglieder entfernen",
|
||||
"mobile.routes.channel_members.action_message": "Sie müssen mindestens ein Mitglied auswählen.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Sind Sie sicher, dass Sie die ausgewählten Mitglieder vom Kanal löschen möchten?",
|
||||
"mobile.routes.code": "{language}-Code",
|
||||
"mobile.routes.code.noLanguage": "Code",
|
||||
"mobile.routes.edit_profile": "Profil bearbeiten",
|
||||
@@ -375,6 +439,7 @@
|
||||
"mobile.routes.thread": "{channelName} Diskussion",
|
||||
"mobile.routes.thread_dm": "Direktnachrichten-Diskussion",
|
||||
"mobile.routes.user_profile": "Profil",
|
||||
"mobile.routes.user_profile.edit": "Bearbeiten",
|
||||
"mobile.routes.user_profile.local_time": "LOKALE ZEIT",
|
||||
"mobile.routes.user_profile.send_message": "Nachricht versenden",
|
||||
"mobile.search.after_modifier_description": "um Nachrichten nach einem spezifischen Datum zu finden",
|
||||
@@ -387,10 +452,20 @@
|
||||
"mobile.search.no_results": "Keine Ergebnisse gefunden",
|
||||
"mobile.search.on_modifier_description": "um Nachrichten an einem spezifischen Datum zu finden",
|
||||
"mobile.search.recent_title": "Letzte Suchen",
|
||||
"mobile.select_team.guest_cant_join_team": "Ihr Gastkonto ist keinem Team oder Kanal zugeordnet. Bitte kontaktieren Sie den Administrator.",
|
||||
"mobile.select_team.join_open": "Offene Teams, denen Sie beitreten können",
|
||||
"mobile.select_team.no_teams": "Es sind keine Teams zum Betreten für Sie verfügbar.",
|
||||
"mobile.server_link.error.text": "Der Link konnte auf diesem Server nicht gefunden werden.",
|
||||
"mobile.server_link.error.title": "Link-Fehler",
|
||||
"mobile.server_link.unreachable_channel.error": "Der Link gehört zu einem gelöschten Kanal oder einem Kanal auf den Sie keinen Zugriff haben.",
|
||||
"mobile.server_link.unreachable_team.error": "Der Link verweist auf ein gelöschtes Team oder ein Team auf das Sie keinen Zugriff haben.",
|
||||
"mobile.server_ssl.error.text": "Das Sicherheitszertifikat von {host} ist ungültig.\n\nBitte kontaktieren Sie Ihren System Administrator um die Probleme mit dem Sicherheitszertifikat zu beheben und somit Verbindungen zum Server zu erlauben.",
|
||||
"mobile.server_ssl.error.title": "Ungültiges Sicherheitszertifikat",
|
||||
"mobile.server_upgrade.alert_description": "Diese Serverversion wird nicht mehr unterstützt und es können potentielle Kompatibilitätsprobleme für Nutzer auftreten, die zu Abstürzen oder schwerwiegenden Beeinträchtigungen der Hauptfunktionen der Applikation führen können. Eine Aktualisierung der Serverversion {serverVersion} oder aktueller ist nötig.",
|
||||
"mobile.server_upgrade.button": "OK",
|
||||
"mobile.server_upgrade.description": "\nEine Serveraktualisierung ist erforderlich, um die Mattermost-App zu verwenden. Bitte Fragen Sie ihren Systemadministrator für Details.\n",
|
||||
"mobile.server_upgrade.dismiss": "Verwerfen",
|
||||
"mobile.server_upgrade.learn_more": "Mehr erfahren",
|
||||
"mobile.server_upgrade.title": "Serveraktualisierung erforderlich",
|
||||
"mobile.server_url.invalid_format": "URL muss mit http:// oder https:// beginnen",
|
||||
"mobile.session_expired": "Die Sitzung ist abgelaufen: Bitte melden Sie sich an, um weiterhin Benachrichtigungen zu erhalten. Sitzungen für {siteName} sind so konfiguriert, dass sie nach {daysCount, number} {daysCount, plural, one {Tag} other {Tagen}} ablaufen.",
|
||||
@@ -404,7 +479,22 @@
|
||||
"mobile.share_extension.error_message": "Es ist ein Fehler bei der Verwendung der Teilen-Erweiterung aufgetreten.",
|
||||
"mobile.share_extension.error_title": "Erweiterungs-Fehler",
|
||||
"mobile.share_extension.team": "Team",
|
||||
"mobile.share_extension.too_long_message": "Zeichenanzahl: {count}/{max}",
|
||||
"mobile.share_extension.too_long_title": "Nachricht ist zu lang",
|
||||
"mobile.sidebar_settings.permanent": "Permanente Seitenleiste",
|
||||
"mobile.sidebar_settings.permanent_description": "Seitenleiste permanent geöffnet lassen",
|
||||
"mobile.storage_permission_denied_description": "Laden Sie Dateien auf ihre Mattermost-Instanz hoch. Öffnen Sie die Einstellungen, um Mattermost Lese- und Schreibzugriff auf Dateien auf diesem Gerät zu gewähren.",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} möchte auf Ihre Dateien zugreifen",
|
||||
"mobile.suggestion.members": "Mitglieder",
|
||||
"mobile.system_message.channel_archived_message": "{username} hat den Kanal archiviert",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} hat den Kanal wiederhergestellt",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} hat den Kanal-Anzeigenamen geändert von: {oldDisplayName} auf: {newDisplayName}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} hat die Kanalüberschrift entfernt (war: {oldHeader})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} hat die Kanalüberschrift aktualisiert von: {oldHeader} auf: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} hat die Kanalüberschrift geändert zu: {newHeader}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} hat den Kanalzweck entfernt (war: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} hat den Kanalzweck aktualisiert von: {oldPurpose} auf: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} hat den Kanalzweck geändert zu: {newPurpose}",
|
||||
"mobile.terms_of_service.alert_cancel": "Abbrechen",
|
||||
"mobile.terms_of_service.alert_ok": "OK",
|
||||
"mobile.terms_of_service.alert_retry": "Erneut versuchen",
|
||||
@@ -412,12 +502,14 @@
|
||||
"mobile.timezone_settings.automatically": "Automatisch einstellen",
|
||||
"mobile.timezone_settings.manual": "Zeitzone ändern",
|
||||
"mobile.timezone_settings.select": "Zeitzone auswählen",
|
||||
"mobile.user_list.deactivated": "Deaktiviert",
|
||||
"mobile.tos_link": "Nutzungsbedingungen",
|
||||
"mobile.unsupported_server.ok": "OK",
|
||||
"mobile.user.settings.notifications.email.fifteenMinutes": "Alle 15 Minuten",
|
||||
"mobile.video_playback.failed_description": "Es ist ein Fehler beim Abspielen des Videos aufgetreten.\n",
|
||||
"mobile.video_playback.failed_title": "Videowiedergabe fehlgeschlagen",
|
||||
"mobile.user_list.deactivated": "Deaktiviert",
|
||||
"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": "Es ist ein Fehler beim Abspielen des Videos aufgetreten.\n",
|
||||
"mobile.video_playback.failed_title": "Videowiedergabe fehlgeschlagen",
|
||||
"mobile.youtube_playback_error.description": "Es ist ein Fehler beim Versuch ein YouTube-Video abzuspielen aufgetreten.\nDetails: {details}",
|
||||
"mobile.youtube_playback_error.title": "YouTube-Abspiel-Fehler",
|
||||
"modal.manual_status.auto_responder.message_": "Möchten Sie ihren Status auf \"{status}\" umschalten und automatische Antworten deaktivieren?",
|
||||
@@ -425,10 +517,17 @@
|
||||
"modal.manual_status.auto_responder.message_dnd": "Möchten Sie ihren Status auf \"Nicht stören\" umschalten und automatische Antworten deaktivieren?",
|
||||
"modal.manual_status.auto_responder.message_offline": "Möchten Sie ihren Status auf \"Offline\" umschalten und automatische Antworten deaktivieren?",
|
||||
"modal.manual_status.auto_responder.message_online": "Möchten Sie ihren Status auf \"Online\" umschalten und automatische Antworten deaktivieren?",
|
||||
"more_channels.archivedChannels": "Archivierte Kanäle",
|
||||
"more_channels.dropdownTitle": "Anzeigen",
|
||||
"more_channels.noMore": "Keine weiteren Kanäle zum Betreten",
|
||||
"more_channels.publicChannels": "Öffentliche Kanäle",
|
||||
"more_channels.showArchivedChannels": "Anzeigen: Archivierte Kanäle",
|
||||
"more_channels.showPublicChannels": "Anzeigen: Öffentliche Kanäle",
|
||||
"more_channels.title": "Weitere Kanäle",
|
||||
"msg_typing.areTyping": "{users} und {last} tippen gerade...",
|
||||
"msg_typing.isTyping": "{user} tippt...",
|
||||
"navbar.channel_drawer.button": "Kanäle und Teams",
|
||||
"navbar.channel_drawer.hint": "Öffnet die Kanal- und Team-Schublade",
|
||||
"navbar.leave": "Kanal verlassen",
|
||||
"password_form.title": "Passwort zurücksetzen",
|
||||
"password_send.checkInbox": "Bitte prüfen Sie den Posteingang.",
|
||||
@@ -437,18 +536,21 @@
|
||||
"password_send.link": "Falls das Konto existiert, wurde eine E-Mail zur Passwortzurücksetzung gesendet an:",
|
||||
"password_send.reset": "Mein Passwort zurücksetzen",
|
||||
"permalink.error.access": "Der dauerhafte Link verweist auf eine gelöschte Nachricht oder einen Kanal auf den Sie keinen Zugriff haben.",
|
||||
"permalink.error.link_not_found": "Link nicht gefunden",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "wurde durch diese Erwähnung nicht benachrichtigt, da sich der Benutzer nicht im Kanal befinden. Er kann dem Kanal nicht hinzugefügt werden, da er nicht Mitglied der verknüpften Gruppen ist. Um ihn zu diesem Kanal hinzuzufügen, müssen er zu den verknüpften Gruppen hinzugefügt werden.",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": " und ",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "sie zu diesem privaten Kanal hinzufügen",
|
||||
"post_body.check_for_out_of_channel_mentions.link.public": "sie zu diesem Kanal hinzufügen",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Sie werden Zugriff auf den Nachrichtenverlauf haben.",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "wurde durch diese Erwähnung nicht benachrichtigt, da der Benutzer sich nicht im Kanal befindet. Möchten Sie ",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "wurde durch diese Erwähnung nicht benachrichtigt, da der Benutzer sich nicht im Kanal befindet. Möchten Sie ",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Sie werden Zugriff auf den Nachrichtenverlauf haben.",
|
||||
"post_body.commentedOn": "Kommentierte auf die Nachricht von {name}: ",
|
||||
"post_body.deleted": "(Nachricht gelöscht)",
|
||||
"post_info.auto_responder": "AUTOMATISCHE ANTWORT",
|
||||
"post_info.bot": "BOT",
|
||||
"post_info.del": "Löschen",
|
||||
"post_info.edit": "Bearbeiten",
|
||||
"post_info.guest": "GAST",
|
||||
"post_info.message.show_less": "Weniger anzeigen",
|
||||
"post_info.message.show_more": "Mehr anzeigen",
|
||||
"post_info.system": "System",
|
||||
@@ -460,14 +562,14 @@
|
||||
"search_header.title2": "Letzte Erwähnungen",
|
||||
"search_header.title3": "Markierte Nachrichten",
|
||||
"search_item.channelArchived": "Archiviert",
|
||||
"sidebar_right_menu.logout": "Abmelden",
|
||||
"sidebar_right_menu.report": "Fehler melden",
|
||||
"sidebar.channels": "ÖFFENTLICHE KANÄLE",
|
||||
"sidebar.direct": "DIREKTNACHRICHTEN",
|
||||
"sidebar.favorite": "KANALFAVORITEN",
|
||||
"sidebar.pg": "PRIVATE KANÄLE",
|
||||
"sidebar.types.recent": "KÜRZLICHE AKTIVITÄT",
|
||||
"sidebar.unreads": "Weitere Ungelesene",
|
||||
"sidebar_right_menu.logout": "Abmelden",
|
||||
"sidebar_right_menu.report": "Fehler melden",
|
||||
"signup.email": "E-Mail-Adresse und Passwort",
|
||||
"signup.office365": "Office 365",
|
||||
"status_dropdown.set_away": "Abwesend",
|
||||
@@ -478,17 +580,20 @@
|
||||
"suggestion.mention.all": "Benachrichtigt jeden in diesem Kanal",
|
||||
"suggestion.mention.channel": "Benachrichtigt jeden in diesem Kanal",
|
||||
"suggestion.mention.channels": "Meine Kanäle",
|
||||
"suggestion.mention.groups": "Gruppenerwähnungen",
|
||||
"suggestion.mention.here": "Benachrichtigt jeden in diesem Kanal",
|
||||
"suggestion.mention.members": "Kanalmitglieder",
|
||||
"suggestion.mention.morechannels": "Andere Kanäle",
|
||||
"suggestion.mention.nonmembers": "Nicht im Kanal",
|
||||
"suggestion.mention.special": "Spezielle Erwähnungen",
|
||||
"suggestion.mention.you": "(Sie)",
|
||||
"suggestion.search.direct": "Direktnachricht",
|
||||
"suggestion.search.private": "Private Kanäle",
|
||||
"suggestion.search.public": "Öffentliche Kanäle",
|
||||
"terms_of_service.agreeButton": "Ich stimme zu",
|
||||
"terms_of_service.api_error": "Konnte die Anfrage nicht abschließen. Falls der Fehler weiterhin besteht, fragen Sie den Systemadministrator.",
|
||||
"user.settings.display.clockDisplay": "Uhrzeit-Format",
|
||||
"user.settings.display.custom_theme": "Benutzerdefiniertes Motiv",
|
||||
"user.settings.display.militaryClock": "24-Stunden-Format (z.B.: 16:00)",
|
||||
"user.settings.display.normalClock": "12-Stunden-Format (z.B.: 4:00 PM)",
|
||||
"user.settings.display.preferTime": "Wählen Sie das bevorzugte Zeitformat aus.",
|
||||
@@ -523,106 +628,5 @@
|
||||
"user.settings.push_notification.disabled_long": "Push-Benachrichtigungen wurden vom Systemadministrator deaktiviert.",
|
||||
"user.settings.push_notification.offline": "Offline",
|
||||
"user.settings.push_notification.online": "Online, abwesend oder offline",
|
||||
"web.root.signup_info": "Die gesamte Teamkommunikation an einem Ort, durchsuchbar und überall verfügbar",
|
||||
"user.settings.display.custom_theme": "Benutzerdefiniertes Motiv",
|
||||
"suggestion.mention.you": "(Sie)",
|
||||
"post_info.guest": "GAST",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "wurde durch diese Erwähnung nicht benachrichtigt, da sich der Benutzer nicht im Kanal befinden. Er kann dem Kanal nicht hinzugefügt werden, da er nicht Mitglied der verknüpften Gruppen ist. Um ihn zu diesem Kanal hinzuzufügen, müssen er zu den verknüpften Gruppen hinzugefügt werden.",
|
||||
"permalink.error.link_not_found": "Link nicht gefunden",
|
||||
"navbar.channel_drawer.hint": "Öffnet die Kanal- und Team-Schublade",
|
||||
"navbar.channel_drawer.button": "Kanäle und Teams",
|
||||
"more_channels.showPublicChannels": "Anzeigen: Öffentliche Kanäle",
|
||||
"more_channels.showArchivedChannels": "Anzeigen: Archivierte Kanäle",
|
||||
"more_channels.publicChannels": "Öffentliche Kanäle",
|
||||
"more_channels.dropdownTitle": "Anzeigen",
|
||||
"more_channels.archivedChannels": "Archivierte Kanäle",
|
||||
"mobile.tos_link": "Nutzungsbedingungen",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} hat den Kanalzweck geändert zu: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} hat den Kanalzweck aktualisiert von: {oldPurpose} auf: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} hat den Kanalzweck entfernt (war: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} hat die Kanalüberschrift geändert zu: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} hat die Kanalüberschrift aktualisiert von: {oldHeader} auf: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} hat die Kanalüberschrift entfernt (war: {oldHeader})",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} hat den Kanal-Anzeigenamen geändert von: {oldDisplayName} auf: {newDisplayName}",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} hat den Kanal wiederhergestellt",
|
||||
"mobile.system_message.channel_archived_message": "{username} hat den Kanal archiviert",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} möchte auf Ihre Dateien zugreifen",
|
||||
"mobile.storage_permission_denied_description": "Laden Sie Dateien auf ihre Mattermost-Instanz hoch. Öffnen Sie die Einstellungen, um Mattermost Lese- und Schreibzugriff auf Dateien auf diesem Gerät zu gewähren.",
|
||||
"mobile.sidebar_settings.permanent_description": "Seitenleiste permanent geöffnet lassen",
|
||||
"mobile.sidebar_settings.permanent": "Permanente Seitenleiste",
|
||||
"mobile.share_extension.too_long_title": "Nachricht ist zu lang",
|
||||
"mobile.share_extension.too_long_message": "Zeichenanzahl: {count}/{max}",
|
||||
"mobile.server_ssl.error.title": "Ungültiges Sicherheitszertifikat",
|
||||
"mobile.server_ssl.error.text": "Das Sicherheitszertifikat von {host} ist ungültig.\n\nBitte kontaktieren Sie Ihren System Administrator um die Probleme mit dem Sicherheitszertifikat zu beheben und somit Verbindungen zum Server zu erlauben.",
|
||||
"mobile.server_link.unreachable_team.error": "Der Link verweist auf ein gelöschtes Team oder ein Team auf das Sie keinen Zugriff haben.",
|
||||
"mobile.server_link.unreachable_channel.error": "Der Link gehört zu einem gelöschten Kanal oder einem Kanal auf den Sie keinen Zugriff haben.",
|
||||
"mobile.server_link.error.title": "Link-Fehler",
|
||||
"mobile.server_link.error.text": "Der Link konnte auf diesem Server nicht gefunden werden.",
|
||||
"mobile.select_team.guest_cant_join_team": "Ihr Gastkonto ist keinem Team oder Kanal zugeordnet. Bitte kontaktieren Sie den Administrator.",
|
||||
"mobile.routes.user_profile.edit": "Bearbeiten",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Kanal wiederherstellen",
|
||||
"mobile.routes.channelInfo.groupManaged": "Mitglieder werden von verknüpften Gruppen verwaltet",
|
||||
"mobile.reaction_header.all_emojis": "Alle",
|
||||
"mobile.push_notification_reply.title": "Antworten",
|
||||
"mobile.push_notification_reply.placeholder": "Eine Antwort schreiben...",
|
||||
"mobile.push_notification_reply.button": "Senden",
|
||||
"mobile.privacy_link": "Datenschutzbedingungen",
|
||||
"mobile.post_textbox.entire_channel.title": "Bestätigen Sie das Senden von Benachrichtigungen an den gesamten Kanal",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Durch die Verwendung von @all oder @channel benachrichtigen Sie {totalMembers, number} {totalMembers, plural, one {Person} other {Personen}} in {timezones, number} {timezones, plural, one {Zeitzone} other {Zeitzonen}}. Sind Sie sicher, dass sie dies tun möchten?",
|
||||
"mobile.post_textbox.entire_channel.message": "Durch die Verwendung von @all oder @channel benachrichtigen Sie {totalMembers, number} {totalMembers, plural, one {Person} other {Personen}}. Sind Sie sicher, dass sie dies tun möchten?",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Bestätigen",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Abbrechen",
|
||||
"mobile.post_info.reply": "Antworten",
|
||||
"mobile.post_info.mark_unread": "Als ungelesen markieren",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} möchte auf Ihre Fotobibliothek zugreifen",
|
||||
"mobile.photo_library_permission_denied_description": "Um Fotos und Videos in ihrer Bibliothek speichern zu können, ändern Sie bitte ihre Berechtigungseinstellungen.",
|
||||
"mobile.permission_denied_retry": "Einstellungen",
|
||||
"mobile.permission_denied_dismiss": "Nicht erlauben",
|
||||
"mobile.managed.settings": "Zu Einstellungen gehen",
|
||||
"mobile.managed.not_secured.ios.touchId": "Dieses Gerät muss mit einem Passcode gesichert werden, um Mattermost zu verwenden.\n \nGehen Sie zu Einstellungen > Touch ID & Passwort.",
|
||||
"mobile.managed.not_secured.ios": "Dieses Gerät muss mit einem Passcode gesichert werden, um Mattermost verwenden zu können.\n \nGehen Sie zu Einstellungen > Face ID & Passwort.",
|
||||
"mobile.managed.not_secured.android": "Dieses Gerät muss mit einer Bildschirmsperre gesichert werden, um Mattermost verwenden zu können.",
|
||||
"mobile.ios.photos_permission_denied_title": "{applicationName} möchte auf Ihre Fotos zugreifen",
|
||||
"mobile.files_paste.error_title": "Einfügen fehlgeschlagen",
|
||||
"mobile.files_paste.error_dismiss": "Verwerfen",
|
||||
"mobile.files_paste.error_description": "Fehler beim Einfügen der Datei(en). Bitte erneut versuchen.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Nur BMP-, JPG- oder PNG-Bilder sind als Profilbilder zugelassen.",
|
||||
"mobile.failed_network_action.teams_title": "Etwas ist schief gelaufen",
|
||||
"mobile.failed_network_action.teams_description": "Teams konnten nicht geladen werden.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Kanäle konnten nicht geladen werden für {teamName}.",
|
||||
"mobile.extension.team_required": "Sie müssen zu einem Team gehören, bevor Sie Dateien austauschen können.",
|
||||
"mobile.edit_profile.remove_profile_photo": "Foto entfernen",
|
||||
"mobile.display_settings.sidebar": "Seitenleiste",
|
||||
"mobile.channel_list.archived": "ARCHIVIERT",
|
||||
"mobile.channel_info.unarchive_failed": "Der Kanal {displayName} konnte nicht wiederhergestellt werden. Bitte überprüfen Sie ihre Verbindung und versuchen es erneut.",
|
||||
"mobile.channel_info.copy_purpose": "Zweck kopieren",
|
||||
"mobile.channel_info.copy_header": "Header kopieren",
|
||||
"mobile.channel_info.convert_success": "{displayName} ist nun ein privater Kanal.",
|
||||
"mobile.channel_info.convert_failed": "Wir konnten {displayName} nicht in einen privaten Kanal umwandeln.",
|
||||
"mobile.channel_info.convert": "In privaten Kanal umwandeln",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "{term} wiederherstellen",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "{displayName} in privaten Kanal umwandeln?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Sind Sie sicher, dass Sie den {term} {name} wiederherstellen möchten?",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Wenn Sie **{displayName}**** in einen privaten Kanal umwandeln, bleiben Historie und Mitgliedschaft erhalten. Öffentlich freigegebene Dateien bleiben für jeden mit dem Link zugänglich. Die Mitgliedschaft in einem privaten Kanal ist nur auf Einladung möglich. \n\nDie Änderung ist dauerhaft und kann nicht rückgängig gemacht werden.\n\nSind Sie sicher, dass Sie **{displayName}**** in einen privaten Kanal umwandeln möchten?",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} möchte auf Ihre Kamera zugreifen",
|
||||
"mobile.camera_video_permission_denied_description": "Nehmen Sie Videos auf und laden sie auf ihre Mattermost-Instanz hoch oder speichern Sie sie auf Ihrem Gerät. Öffnen Sie die Einstellungen, um Mattermost Lese- und Schreibzugriff auf ihre Kamera zu gewähren.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} möchte auf Ihre Kamera zugreifen",
|
||||
"mobile.camera_photo_permission_denied_description": "Nehmen Sie Fotos auf und laden sie auf ihre Mattermost-Instanz hoch oder speichern Sie sie auf Ihrem Gerät. Öffnen Sie die Einstellungen, um Mattermost Lese- und Schreibzugriff auf ihre Kamera zu gewähren.",
|
||||
"mobile.alert_dialog.alertCancel": "Abbrechen",
|
||||
"intro_messages.creatorPrivate": "Dies ist der Start von {name}, erstellt durch {creator} am {date}.",
|
||||
"date_separator.yesterday": "Gestern",
|
||||
"date_separator.today": "Heute",
|
||||
"channel.isGuest": "Diese Person ist ein Gast",
|
||||
"channel.hasGuests": "Diese Gruppennachricht hat Gäste",
|
||||
"channel.channelHasGuests": "Dieser Kanal hat Gäste",
|
||||
"mobile.server_upgrade.alert_description": "Diese Serverversion wird nicht mehr unterstützt und es können potentielle Kompatibilitätsprobleme für Nutzer auftreten, die zu Abstürzen oder schwerwiegenden Beeinträchtigungen der Hauptfunktionen der Applikation führen können. Eine Aktualisierung der Serverversion {serverVersion} oder aktueller ist nötig.",
|
||||
"mobile.message_length.message_split_left": "Nachricht überschreitet maximale Schriftzeichenanzahl",
|
||||
"suggestion.mention.groups": "Gruppenerwähnungen",
|
||||
"mobile.server_upgrade.learn_more": "Mehr erfahren",
|
||||
"mobile.server_upgrade.dismiss": "Verwerfen",
|
||||
"mobile.unsupported_server.ok": "OK",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Wenn Sie {mentions} und {finalMention} verwenden, werden Sie Benachrichtigungen an mindestens {totalMembers} Menschen in {timezones, number} {timezones, plural, one {timezone} other {timezones}}. Sind Sie sich sicher, Sie wollen dies tun?",
|
||||
"mobile.emoji_picker.search.not_found_description": "Prüfen Sie die Schreibweise oder probieren Sie eine andere Suche.",
|
||||
"mobile.android.back_handler_exit": "Erneut zurück drücken zum Verlassen",
|
||||
"mobile.emoji_picker.search.not_found_title": "Keine Ergebnisse gefunden für \"{searchTerm}\""
|
||||
"web.root.signup_info": "Die gesamte Teamkommunikation an einem Ort, durchsuchbar und überall verfügbar"
|
||||
}
|
||||
|
||||
@@ -276,6 +276,7 @@
|
||||
"mobile.file_upload.browse": "Browse Files",
|
||||
"mobile.file_upload.camera_photo": "Take Photo",
|
||||
"mobile.file_upload.camera_video": "Take Video",
|
||||
"mobile.file_upload.disabled": "File uploads from mobile are disabled. Please contact your System Admin for more details.",
|
||||
"mobile.file_upload.library": "Photo Library",
|
||||
"mobile.file_upload.max_warning": "Uploads limited to 5 files maximum.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Only BMP, JPG or PNG images may be used for profile pictures.",
|
||||
@@ -294,12 +295,16 @@
|
||||
"mobile.ios.photos_permission_denied_description": "Upload photos and videos to your Mattermost instance or save them to your device. Open Settings to grant Mattermost Read and Write access to your photo and video library.",
|
||||
"mobile.ios.photos_permission_denied_title": "{applicationName} would like to access your photos",
|
||||
"mobile.join_channel.error": "We couldn't join the channel {displayName}. Please check your connection and try again.",
|
||||
"mobile.link.error.text": "Unable to open the link.",
|
||||
"mobile.link.error.title": "Error",
|
||||
"mobile.loading_channels": "Loading Channels...",
|
||||
"mobile.loading_members": "Loading Members...",
|
||||
"mobile.loading_options": "Loading Options...",
|
||||
"mobile.loading_posts": "Loading messages...",
|
||||
"mobile.login_options.choose_title": "Choose your login method",
|
||||
"mobile.long_post_title": "{channelName} - Post",
|
||||
"mobile.mailTo.error.text": "Unable to open an email client.",
|
||||
"mobile.mailTo.error.title": "Error",
|
||||
"mobile.managed.blocked_by": "Blocked by {vendor}",
|
||||
"mobile.managed.exit": "Exit",
|
||||
"mobile.managed.jailbreak": "Jailbroken devices are not trusted by {vendor}, please exit the app.",
|
||||
@@ -479,6 +484,7 @@
|
||||
"mobile.server_upgrade.dismiss": "Dismiss",
|
||||
"mobile.server_upgrade.learn_more": "Learn More",
|
||||
"mobile.server_upgrade.title": "Server upgrade required",
|
||||
"mobile.server_url.empty": "Please enter a valid server URL",
|
||||
"mobile.server_url.invalid_format": "URL must start with http:// or https://",
|
||||
"mobile.session_expired": "Session Expired: Please log in to continue receiving notifications. Sessions for {siteName} are configured to expire every {daysCount, number} {daysCount, plural, one {day} other {days}}.",
|
||||
"mobile.set_status.away": "Away",
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
{
|
||||
"about.date": "Fecha de compilación:",
|
||||
"about.enterpriseEditione1": "Edición Empresarial E1",
|
||||
"about.enterpriseEditionLearn": "Conoce más acerca de la edición para Empresas en ",
|
||||
"about.enterpriseEditionLearn": "Conoce más acerca de la edición para empresas en ",
|
||||
"about.enterpriseEditionSt": "Comunicaciones modernas protegidas por tu cortafuegos.",
|
||||
"about.enterpriseEditione1": "Edición Empresarial E1",
|
||||
"about.hash": "Hash de compilación:",
|
||||
"about.hashee": "Hash de compilación de EE:",
|
||||
"about.teamEditionLearn": "Únete a la comunidad Mattermost en ",
|
||||
@@ -14,9 +14,17 @@
|
||||
"api.channel.add_member.added": "{addedUsername} agregado al canal por {username}.",
|
||||
"archivedChannelMessage": "Estás viendo un **canal archivado**. No serán publicados nuevos mensajes.",
|
||||
"center_panel.archived.closeChannel": "Cerrar Canal",
|
||||
"channel.channelHasGuests": "Este canal tiene huéspedes",
|
||||
"channel.hasGuests": "Este grupo tiene huéspedes",
|
||||
"channel.isGuest": "Esta persona es un huésped",
|
||||
"channel_header.addMembers": "Agregar Miembros",
|
||||
"channel_header.directchannel.you": "{displayname} (tu) ",
|
||||
"channel_header.manageMembers": "Administrar Miembros",
|
||||
"channel_header.notificationPreference": "Notificaciones Móviles",
|
||||
"channel_header.notificationPreference.all": "Todos",
|
||||
"channel_header.notificationPreference.default": "Predeterminado",
|
||||
"channel_header.notificationPreference.mention": "Menciones",
|
||||
"channel_header.notificationPreference.none": "Nunca",
|
||||
"channel_header.pinnedPosts": "Mensajes Anclados",
|
||||
"channel_header.viewMembers": "Ver Miembros",
|
||||
"channel_info.header": "Encabezado:",
|
||||
@@ -35,6 +43,12 @@
|
||||
"channel_modal.purposeEx": "Ej: \"Un canal para describir errores y mejoras\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "Ignorar @channel, @here, @all",
|
||||
"channel_notifications.muteChannel.settings": "Silenciar canal",
|
||||
"channel_notifications.preference.all_activity": "Para toda actividad",
|
||||
"channel_notifications.preference.global_default": "Predeterminado global (Menciones)",
|
||||
"channel_notifications.preference.header": "Enviar Notificaciones",
|
||||
"channel_notifications.preference.never": "Nunca",
|
||||
"channel_notifications.preference.only_mentions": "Sólo menciones y mensajes directos",
|
||||
"channel_notifications.preference.save_error": "No pudimos guardar la preferencia de notificación. Por favor, compruebe la conexión y vuelva a intentarlo.",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{users} y {lastUser} fueron **agregados al canal** por {actor}.",
|
||||
"combined_system_message.added_to_channel.one": "{firstUser} **agregado al canal** por {actor}.",
|
||||
"combined_system_message.added_to_channel.one_you": "Fuiste **agregado al canal** por {actor}.",
|
||||
@@ -71,6 +85,8 @@
|
||||
"create_comment.addComment": "Agregar un comentario...",
|
||||
"create_post.deactivated": "Estás viendo un canal archivado con un usuario desactivado.",
|
||||
"create_post.write": "Escribir en {channelDisplayName}",
|
||||
"date_separator.today": "Hoy",
|
||||
"date_separator.yesterday": "Ayer",
|
||||
"edit_post.editPost": "Editar el mensaje...",
|
||||
"edit_post.save": "Guardar",
|
||||
"file_attachment.download": "Descargar",
|
||||
@@ -80,6 +96,7 @@
|
||||
"intro_messages.anyMember": " Cualquier miembro se puede unir y leer este canal.",
|
||||
"intro_messages.beginning": "Inicio de {name}",
|
||||
"intro_messages.creator": "Este es el inicio del canal {name}, creado por {creator} el {date}.",
|
||||
"intro_messages.creatorPrivate": "Este es el inicio del canal privado {name}, creado por {creator} el {date}.",
|
||||
"intro_messages.group_message": "Este es el inicio de tu historial del grupo de mensajes con estos compañeros. Los mensajes y archivos que se comparten aquí no son mostrados a personas fuera de esta área.",
|
||||
"intro_messages.noCreator": "Este es el inicio del canal {name}, creado el {date}.",
|
||||
"intro_messages.onlyInvited": " Sólo miembros invitados pueden ver este canal privado.",
|
||||
@@ -93,9 +110,6 @@
|
||||
"last_users_message.others": "{numOthers} otros ",
|
||||
"last_users_message.removed_from_channel.type": "fueron **eliminados del canal**.",
|
||||
"last_users_message.removed_from_team.type": "fueron **eliminados del equipo**.",
|
||||
"login_mfa.enterToken": "Para completar el proceso de inicio de sesión, por favor ingresa el token provisto por el autenticador de tu teléfono inteligente",
|
||||
"login_mfa.token": "Token MFA",
|
||||
"login_mfa.tokenReq": "Por favor ingresa un token MFA",
|
||||
"login.email": "Correo electrónico",
|
||||
"login.forgot": "Olvide mi contraseña",
|
||||
"login.invalidPassword": "La Contraseña es incorrecta.",
|
||||
@@ -112,8 +126,11 @@
|
||||
"login.or": "o",
|
||||
"login.password": "Contraseña",
|
||||
"login.signIn": "Entrar",
|
||||
"login.username": "Nombre de usuario",
|
||||
"login.userNotFound": "No pudimos encontrar una cuenta que coincida con tus credenciales.",
|
||||
"login.username": "Nombre de usuario",
|
||||
"login_mfa.enterToken": "Para completar el proceso de inicio de sesión, por favor ingresa el token provisto por el autenticador de tu teléfono inteligente",
|
||||
"login_mfa.token": "Token MFA",
|
||||
"login_mfa.tokenReq": "Por favor ingresa un token MFA",
|
||||
"mobile.about.appVersion": "Versión del App: {version} (Compilación {number})",
|
||||
"mobile.about.copyright": "Derechos de autor 2015-{currentYear} Mattermost, Inc. Todos los derechos reservados",
|
||||
"mobile.about.database": "Base de datos: {type}",
|
||||
@@ -121,11 +138,11 @@
|
||||
"mobile.about.powered_by": "{site} es impulsado por Mattermost",
|
||||
"mobile.about.serverVersion": "Versión del Servidor: {version} (Compilación {number})",
|
||||
"mobile.about.serverVersionNoBuild": "Versión del Servidor: {version}",
|
||||
"mobile.account.settings.save": "Guardar",
|
||||
"mobile.account_notifications.reply.header": "ENVIAR NOTIFICACIONES PARA RESPUESTAS",
|
||||
"mobile.account_notifications.threads_mentions": "Menciones en hilos",
|
||||
"mobile.account_notifications.threads_start": "Hilos que yo comience",
|
||||
"mobile.account_notifications.threads_start_participate": "Hilos que yo comience o participe",
|
||||
"mobile.account.settings.save": "Guardar",
|
||||
"mobile.action_menu.select": "Selecciona una opción",
|
||||
"mobile.advanced_settings.clockDisplay": "Visualización de la hora",
|
||||
"mobile.advanced_settings.delete": "Eliminar",
|
||||
@@ -133,6 +150,8 @@
|
||||
"mobile.advanced_settings.delete_title": "Eliminar Documentos & Datos",
|
||||
"mobile.advanced_settings.timezone": "Zona horaria",
|
||||
"mobile.advanced_settings.title": "Configuración Avanzada",
|
||||
"mobile.alert_dialog.alertCancel": "Cancelar",
|
||||
"mobile.android.back_handler_exit": "Presione de nuevo para salir",
|
||||
"mobile.android.photos_permission_denied_description": "Para cargar imágenes desde tu biblioteca, por favor, cambia la configuración de permisos.",
|
||||
"mobile.android.photos_permission_denied_title": "Acceso a la biblioteca de fotos es necesario",
|
||||
"mobile.android.videos_permission_denied_description": "Para subir los vídeos de tu biblioteca, por favor, cambia la configuración de permisos.",
|
||||
@@ -142,19 +161,34 @@
|
||||
"mobile.calendar.dayNamesShort": "Dom,Lun,Mar,Mié,Jue,Vie,Sab",
|
||||
"mobile.calendar.monthNames": "Enero,Febrero,Marzo,Abril,Mayo,Junio,Julio,Agosto,Septiembre,Octubre,Noviembre,Diciembre",
|
||||
"mobile.calendar.monthNamesShort": "Ene,Feb,Mar,Abr,May,Jun,Jul,Ago,Sep,Oct,Nov,Dic",
|
||||
"mobile.camera_photo_permission_denied_description": "Captura fotos y súbelas a tu servidor de Mattermost o guárdalas en tu dispositivo. Abre la Configuración y otorga a Mattermost permisos de Lectura y Escritura para usar la cámara.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} desea acceder a tu cámara",
|
||||
"mobile.camera_video_permission_denied_description": "Captura videos y súbelos a a tu servidor de Mattermost o guárdalos en tu dispositivo. Abre la Configuración y otorga a Mattermost permisos de Lectura y Escritura para acceder tu cámara.",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} desea acceder a tu cámara",
|
||||
"mobile.channel_drawer.search": "Saltar a...",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Al convertir {displayName} a un canal privado, la historia y la membresía son preservados. Archivos compartidos públicamente permanecerán accesibles para cualquier que tenga el enlace. La membresía en un canal privado es solo por invitación.\n\nEste es un cambio permanente y no puede deshacerse.\n\n¿Estás seguro que quieres convertir {displayName} a un canal privado?",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "¿Seguro quieres archivar el {term} {name}?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "¿Seguro quieres abandonar el {term} {name}?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "¿Seguro quieres restaurar el {term} {name}?",
|
||||
"mobile.channel_info.alertNo": "No",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "¿Convertir {displayName} a un canal privado?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "Archivar {term}",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "Abandonar {term}",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Restaurar {term}",
|
||||
"mobile.channel_info.alertYes": "Sí",
|
||||
"mobile.channel_info.convert": "Convertir a Canal Privado",
|
||||
"mobile.channel_info.convert_failed": "No se pudo convertir {displayName} a canal privado.",
|
||||
"mobile.channel_info.convert_success": "{displayName} ahora es un canal privado.",
|
||||
"mobile.channel_info.copy_header": "Copiar Encabezado",
|
||||
"mobile.channel_info.copy_purpose": "Copiar Propósito",
|
||||
"mobile.channel_info.delete_failed": "No se pudo archivar el canal {displayName}. Por favor revisa tu conexión e intenta de nuevo.",
|
||||
"mobile.channel_info.edit": "Editar Canal",
|
||||
"mobile.channel_info.privateChannel": "Canal Privado",
|
||||
"mobile.channel_info.publicChannel": "Canal Público",
|
||||
"mobile.channel_info.unarchive_failed": "No se pudo restaurar el canal {displayName}. Por favor revisa tu conexión e intenta de nuevo.",
|
||||
"mobile.channel_list.alertNo": "No",
|
||||
"mobile.channel_list.alertYes": "Sí",
|
||||
"mobile.channel_list.archived": "ARCHIVADO",
|
||||
"mobile.channel_list.channels": "CANALES",
|
||||
"mobile.channel_list.closeDM": "Cerrar Mensaje Directo",
|
||||
"mobile.channel_list.closeGM": "Cerrar Mensaje de Grupo",
|
||||
@@ -191,6 +225,7 @@
|
||||
"mobile.create_channel.public": "Nuevo Canal Público",
|
||||
"mobile.create_post.read_only": "Este canal es de sólo lectura",
|
||||
"mobile.custom_list.no_results": "Sin resultados",
|
||||
"mobile.display_settings.sidebar": "Barra lateral",
|
||||
"mobile.display_settings.theme": "Tema",
|
||||
"mobile.document_preview.failed_description": "Ocurrió un error al abrir el documento. Por favor verifica que tienes instalado un visor para archivos {fileType} e intenta de nuevo.\n",
|
||||
"mobile.document_preview.failed_title": "Error Abriendo Documento",
|
||||
@@ -209,6 +244,7 @@
|
||||
"mobile.drawer.teamsTitle": "Equipos",
|
||||
"mobile.edit_channel": "Guardar",
|
||||
"mobile.edit_post.title": "Editando Mensaje",
|
||||
"mobile.edit_profile.remove_profile_photo": "Quitar Foto",
|
||||
"mobile.emoji_picker.activity": "ACTIVIDAD",
|
||||
"mobile.emoji_picker.custom": "PERSONALIZADO",
|
||||
"mobile.emoji_picker.flags": "BANDERAS",
|
||||
@@ -218,6 +254,8 @@
|
||||
"mobile.emoji_picker.people": "PERSONAS",
|
||||
"mobile.emoji_picker.places": "LUGARES",
|
||||
"mobile.emoji_picker.recent": "USADOS RECIENTEMENTE",
|
||||
"mobile.emoji_picker.search.not_found_description": "Revisar la ortografía o intente otra búsqueda.",
|
||||
"mobile.emoji_picker.search.not_found_title": "No se encontraron resultados para \"{searchTerm}\"",
|
||||
"mobile.emoji_picker.symbols": "SIMBOLOS",
|
||||
"mobile.error_handler.button": "Reiniciar",
|
||||
"mobile.error_handler.description": "\nPresiona reiniciar para abrir la aplicación de nuevo. Después de reiniciar, puedes reportar el problema desde el menú de configuración.\n",
|
||||
@@ -227,42 +265,60 @@
|
||||
"mobile.extension.file_limit": "Compartir está limitado a un máximo de 5 archivos.",
|
||||
"mobile.extension.max_file_size": "Los archivos a compartir en Mattermost no deben superar los {size}.",
|
||||
"mobile.extension.permission": "Mattermost necesita acceso al almacenamiento del dispositivo para poder compartir archivos.",
|
||||
"mobile.extension.team_required": "Debes pertenecer a un equipo antes de poder compartir archivos.",
|
||||
"mobile.extension.title": "Compartir en Mattermost",
|
||||
"mobile.failed_network_action.retry": "Intentar de nuevo",
|
||||
"mobile.failed_network_action.shortDescription": "Asegura de tener una conexión activa e intenta de nuevo.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Los canales de {teamName} no pudieron ser cargados.",
|
||||
"mobile.failed_network_action.teams_description": "Los Equipos no pudieron ser cargados.",
|
||||
"mobile.failed_network_action.teams_title": "Algo salió mal",
|
||||
"mobile.failed_network_action.title": "Sin conexión a Internet",
|
||||
"mobile.file_upload.browse": "Explorar Archivos",
|
||||
"mobile.file_upload.camera_photo": "Capturar Foto",
|
||||
"mobile.file_upload.camera_video": "Capturar 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.unsupportedMimeType": "Sólo pueden ser utilizadas imágenes BMP, JPG o PNG como imagen de perfil.",
|
||||
"mobile.file_upload.video": "Librería de Videos",
|
||||
"mobile.flagged_posts.empty_description": "Las banderas son una forma de marcar los mensajes para hacerles seguimiento. Tus banderas son personales, y no puede ser vistas por otros usuarios.",
|
||||
"mobile.flagged_posts.empty_title": "No hay Mensajes Marcados",
|
||||
"mobile.files_paste.error_description": "Ocurrió un error mientras se pegaba(n) archivo(s). Por favor inténtelo de nuevo.",
|
||||
"mobile.files_paste.error_dismiss": "Descartar",
|
||||
"mobile.files_paste.error_title": "Pegar falló",
|
||||
"mobile.flagged_posts.empty_description": "Los mensajes guardados solo pueden ser vistos por ti. Marca mensajes para su seguimiento o guardar algo para más tarde manteniendo presionado un mensaje y seleccionando Guardar en el menú.",
|
||||
"mobile.flagged_posts.empty_title": "Aún no hay mensajes guardados",
|
||||
"mobile.help.title": "Ayuda",
|
||||
"mobile.image_preview.save": "Guardar imagen",
|
||||
"mobile.image_preview.save_video": "Guardar vídeo",
|
||||
"mobile.intro_messages.DM": "Este es el inicio de tu historial de mensajes directos con {teammate}.Los mensajes directos y archivos que se comparten aquí no son mostrados a personas fuera de esta área.",
|
||||
"mobile.intro_messages.default_message": "Es es el primer canal que tus compañeros ven cuando se registran - puedes utilizarlo para enviar mensajes que todos deben leer.",
|
||||
"mobile.intro_messages.default_welcome": "¡Bienvenido a {name}!",
|
||||
"mobile.intro_messages.DM": "Este es el inicio de tu historial de mensajes directos con {teammate}.Los mensajes directos y archivos que se comparten aquí no son mostrados a personas fuera de esta área.",
|
||||
"mobile.ios.photos_permission_denied_description": "Para guardar imágenes y vídeos en tu librería, por favor, cambia la configuración de permisos.",
|
||||
"mobile.ios.photos_permission_denied_title": "Acceso a la biblioteca de fotos es necesario",
|
||||
"mobile.join_channel.error": "No pudimos unirnos al canal {displayName}. Por favor revisa tu conexión e intenta de nuevo.",
|
||||
"mobile.link.error.text": "No se puede abrir el enlace.",
|
||||
"mobile.link.error.title": "Error",
|
||||
"mobile.loading_channels": "Cargando Canales...",
|
||||
"mobile.loading_members": "Cargando Miembros...",
|
||||
"mobile.loading_options": "Cargando Opciones...",
|
||||
"mobile.loading_posts": "Cargando Mensajes...",
|
||||
"mobile.login_options.choose_title": "Selecciona un método para iniciar sesión",
|
||||
"mobile.long_post_title": "{channelName} - Mensaje",
|
||||
"mobile.mailTo.error.text": "No se pudo abrir un cliente de correo electrónico.",
|
||||
"mobile.mailTo.error.title": "Error",
|
||||
"mobile.managed.blocked_by": "Bloqueado por {vendor}",
|
||||
"mobile.managed.exit": "Salir",
|
||||
"mobile.managed.jailbreak": "{vendor} no confía en los dispositivos con jailbreak, por favor, salga de la aplicación.",
|
||||
"mobile.managed.not_secured.android": "Este dispositivo debe estar asegurado con un bloqueo de pantalla para utilizar Mattermost.",
|
||||
"mobile.managed.not_secured.ios": "Este dispositivo debe estar protegido con un código de acceso para utilizar Mattermost.\n\nVaya a Configuración > Identificación Facial y clave de acceso.",
|
||||
"mobile.managed.not_secured.ios.touchId": "Este dispositivo debe estar protegido con un código de acceso para utilizar Mattermost.\n\nVaya a Configuración > Identificación Táctil y clave de acceso.",
|
||||
"mobile.managed.secured_by": "Asegurado por {vendor}",
|
||||
"mobile.managed.settings": "Ir a configuración",
|
||||
"mobile.markdown.code.copy_code": "Copiar código",
|
||||
"mobile.markdown.code.plusMoreLines": "+{count, number} más {count, plural, one {línea} other {líneas}}",
|
||||
"mobile.markdown.image.too_large": "La imagen excede la dimensión máxima de {maxWidth} x {maxHeight}:",
|
||||
"mobile.markdown.link.copy_url": "Copiar URL",
|
||||
"mobile.mention.copy_mention": "Copiar Mención",
|
||||
"mobile.message_length.message": "El mensaje es demasiado largo. Actual número de caracteres: {max}/{count}",
|
||||
"mobile.message_length.message_split_left": "El mensaje excede el límite de caracteres",
|
||||
"mobile.message_length.title": "Longitud del Mensaje",
|
||||
"mobile.more_dms.add_more": "Puedes agregar {remaining, number} usuarios más",
|
||||
"mobile.more_dms.cannot_add_more": "No puedes agregar más usuarios",
|
||||
@@ -270,9 +326,32 @@
|
||||
"mobile.more_dms.start": "Comenzar",
|
||||
"mobile.more_dms.title": "Nueva Conversación",
|
||||
"mobile.more_dms.you": "@{username} - tú",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {nuevo} other {nuevos}} {count, plural, one {mensaje} other {mensajes}}",
|
||||
"mobile.notice_mobile_link": "aplicaciones móviles",
|
||||
"mobile.notice_platform_link": "servidor",
|
||||
"mobile.notice_text": "Mattermost es hecho posible con software de código abierto utilizado en nuestra {platform} y {mobile}.",
|
||||
"mobile.notification.in": " en ",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Hola, actualmente estoy fuera de la oficina y no puedo responder mensajes.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Activada",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Asigna un mensaje personalizado que será enviado automáticamente en respuesta a Mensajes Directos. Las menciones en canales Públicos y Privados no dispararán una respuesta automática. Al habilitar la Respuestas Automáticas tu estado será Fuera de Oficina e apaga las notificaciones por correo electrónico y a dispositivos móviles.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Mensaje",
|
||||
"mobile.notification_settings.auto_responder.message_title": "MENSAJE PERSONALIZADO",
|
||||
"mobile.notification_settings.auto_responder_short": "Respuestas Automáticas",
|
||||
"mobile.notification_settings.email": "Correo electrónico",
|
||||
"mobile.notification_settings.email.send": "ENVIAR NOTIFICACIONES",
|
||||
"mobile.notification_settings.email_title": "Notificaciones por correo electrónico",
|
||||
"mobile.notification_settings.mentions.channelWide": "Menciones a todo el canal",
|
||||
"mobile.notification_settings.mentions.reply_title": "Enviar notificaciones para respuestas",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Tu nombre con distinción de mayúsculas",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Tu nombre de usuario sin distinción de mayúsculas",
|
||||
"mobile.notification_settings.mentions_replies": "Menciones y Respuestas",
|
||||
"mobile.notification_settings.mobile": "Móvil",
|
||||
"mobile.notification_settings.mobile_title": "Notificaciones Móviles",
|
||||
"mobile.notification_settings.modal_cancel": "CANCELAR",
|
||||
"mobile.notification_settings.modal_save": "GUARDAR",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Respuesta automática para Mensajes Directos",
|
||||
"mobile.notification_settings.save_failed_description": "No se pudo guardar la configuración de las notificaciones debido a un problema en la conexión, por favor intenta de nuevo.",
|
||||
"mobile.notification_settings.save_failed_title": "Problema de conexión",
|
||||
"mobile.notification_settings_mentions.keywords": "Palabras clave",
|
||||
"mobile.notification_settings_mentions.keywordsDescription": "Otras palabras que desencadenan menciones",
|
||||
"mobile.notification_settings_mentions.keywordsHelp": "Las palabras clave son sin distinción de mayúsculas y deben estar separadas por comas.",
|
||||
@@ -289,47 +368,18 @@
|
||||
"mobile.notification_settings_mobile.test": "Notificación de prueba",
|
||||
"mobile.notification_settings_mobile.test_push": "Está es una notificación de prueba",
|
||||
"mobile.notification_settings_mobile.vibrate": "Vibrar",
|
||||
"mobile.notification_settings.auto_responder_short": "Respuestas Automáticas",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Hola, actualmente estoy fuera de la oficina y no puedo responder mensajes.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Activada",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Asigna un mensaje personalizado que será enviado automáticamente en respuesta a Mensajes Directos. Las menciones en canales Públicos y Privados no dispararán una respuesta automática. Al habilitar la Respuestas Automáticas tu estado será Fuera de Oficina e apaga las notificaciones por correo electrónico y a dispositivos móviles.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Mensaje",
|
||||
"mobile.notification_settings.auto_responder.message_title": "MENSAJE PERSONALIZADO",
|
||||
"mobile.notification_settings.email": "Correo electrónico",
|
||||
"mobile.notification_settings.email_title": "Notificaciones por correo electrónico",
|
||||
"mobile.notification_settings.email.send": "ENVIAR NOTIFICACIONES",
|
||||
"mobile.notification_settings.mentions_replies": "Menciones y Respuestas",
|
||||
"mobile.notification_settings.mentions.channelWide": "Menciones a todo el canal",
|
||||
"mobile.notification_settings.mentions.reply_title": "Enviar notificaciones para respuestas",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Tu nombre con distinción de mayúsculas",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Tu nombre de usuario sin distinción de mayúsculas",
|
||||
"mobile.notification_settings.mobile": "Móvil",
|
||||
"mobile.notification_settings.mobile_title": "Notificaciones Móviles",
|
||||
"mobile.notification_settings.modal_cancel": "CANCELAR",
|
||||
"mobile.notification_settings.modal_save": "GUARDAR",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Respuesta automática para Mensajes Directos",
|
||||
"mobile.notification_settings.save_failed_description": "No se pudo guardar la configuración de las notificaciones debido a un problema en la conexión, por favor intenta de nuevo.",
|
||||
"mobile.notification_settings.save_failed_title": "Problema de conexión",
|
||||
"mobile.notification.in": " en ",
|
||||
"mobile.offlineIndicator.connected": "Conectado",
|
||||
"mobile.offlineIndicator.connecting": "Conectando...",
|
||||
"mobile.offlineIndicator.offline": "Sin conexión a Internet",
|
||||
"mobile.open_dm.error": "No pudimos abrir el canal de mensajes directos con {displayName}. Por favor revisa tu conexión e intenta de nuevo.",
|
||||
"mobile.open_gm.error": "No pudimos abrir el canal del grupo con esos usuarios. Por favor revisa tu conexión e intenta de nuevo.",
|
||||
"mobile.open_unknown_channel.error": "No se pudo unir al canal. Por favor elimina el cache e intenta de nuevo.",
|
||||
"mobile.pinned_posts.empty_description": "Ancla elementos importantes manteniendo pulsado cualquier mensaje y selecciona la opción \"Anclar al Canal\".",
|
||||
"mobile.pinned_posts.empty_title": "No hay Mensajes Anclados",
|
||||
"mobile.post_info.add_reaction": "Reaccionar",
|
||||
"mobile.post_info.copy_text": "Copiar Texto",
|
||||
"mobile.post_info.flag": "Marcar",
|
||||
"mobile.post_info.pin": "Destacar",
|
||||
"mobile.post_info.unflag": "Desmarcar",
|
||||
"mobile.post_info.unpin": "No Destacar",
|
||||
"mobile.post_pre_header.flagged": "Marcado",
|
||||
"mobile.post_pre_header.pinned": "Destacado",
|
||||
"mobile.post_pre_header.pinned_flagged": "Anclado y Marcado",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Algunos archivos adjuntos no se han subido al servidor. ¿Quieres publicar el mensaje?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Error Adjuntando",
|
||||
"mobile.permission_denied_dismiss": "No Permitir",
|
||||
"mobile.permission_denied_retry": "Configuración",
|
||||
"mobile.photo_library_permission_denied_description": "Para guardar imágenes y vídeos en tu librería, por favor, cambia la configuración de permisos.",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} desea acceder a tu librería de fotos",
|
||||
"mobile.pinned_posts.empty_description": "Ancla mensajes importantes que sean visibles para todo el canal. Mantén presionado un mensaje y elige Anclar al canal para guardarlo aquí.",
|
||||
"mobile.pinned_posts.empty_title": "Aún no hay mensajes anclados",
|
||||
"mobile.post.cancel": "Cancelar",
|
||||
"mobile.post.delete_question": "¿Estás seguro(a) de querer borrar este mensaje?",
|
||||
"mobile.post.delete_title": "Eliminar Mensaje",
|
||||
@@ -337,9 +387,37 @@
|
||||
"mobile.post.failed_retry": "Intentar de nuevo",
|
||||
"mobile.post.failed_title": "No se pudo enviar el mensaje",
|
||||
"mobile.post.retry": "Actualizar",
|
||||
"mobile.post_info.add_reaction": "Reaccionar",
|
||||
"mobile.post_info.copy_text": "Copiar Texto",
|
||||
"mobile.post_info.flag": "Marcar",
|
||||
"mobile.post_info.mark_unread": "Marcar como no leído",
|
||||
"mobile.post_info.pin": "Destacar",
|
||||
"mobile.post_info.reply": "Responder",
|
||||
"mobile.post_info.unflag": "Desmarcar",
|
||||
"mobile.post_info.unpin": "No Destacar",
|
||||
"mobile.post_pre_header.flagged": "Marcado",
|
||||
"mobile.post_pre_header.pinned": "Destacado",
|
||||
"mobile.post_pre_header.pinned_flagged": "Anclado y Marcado",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Cancelar",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Confirmar",
|
||||
"mobile.post_textbox.entire_channel.message": "Al utilizar @all ó @channel estás a punto de enviar notificaciones a {totalMembers, number} {totalMembers, plural, one {persona} other {personas}}. ¿Estás seguro de querer hacer esto?",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Al utilizar @all ó @channel estás a punto de enviar notificaciones a {totalMembers, number} {totalMembers, plural, one {persona} other {personas}} en {timezones, number} {zonas horarias, plural, one {zona horaria} other {zonas horarias}}. ¿Estás seguro de querer hacer esto?",
|
||||
"mobile.post_textbox.entire_channel.title": "Confirma el envío de notificaciones a todo el canal",
|
||||
"mobile.post_textbox.groups.title": "Confirma el envío de notificaciones a grupos",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Al utilizar {mentions} y {finalMention} estás a punto de enviar notificaciones al menos a {totalMembers} personas en {timezones, number} {timezones, plural, one {zona horaria} other {zonas horarias}}. ¿Estás seguro?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "Al utilizar {mentions} y {finalMention} estás a punto de enviar notificaciones al menos a {totalMembers} personas. ¿Estás seguro?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "Al utilizar {mention} estás a punto de enviar notificaciones a {totalMembers} personas en {timezones, number} {timezones, plural, one {zona horaria} other {zonas horarias}}. ¿Estás seguro?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "Al utilizar {mention} estás a punto de enviar notificaciones a {totalMembers} personas. ¿Estás seguro?",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Algunos archivos adjuntos no se han subido al servidor. ¿Quieres publicar el mensaje?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Error Adjuntando",
|
||||
"mobile.posts_view.moreMsg": "Más Mensajes Arriba",
|
||||
"mobile.privacy_link": "Política de Privacidad",
|
||||
"mobile.push_notification_reply.button": "Enviar",
|
||||
"mobile.push_notification_reply.placeholder": "Escribe una respuesta...",
|
||||
"mobile.push_notification_reply.title": "Responder",
|
||||
"mobile.reaction_header.all_emojis": "Todos",
|
||||
"mobile.recent_mentions.empty_description": "Mensajes que contienen tu nombre de usuario u otras palabras que desencadenan menciones aparecerán aquí.",
|
||||
"mobile.recent_mentions.empty_title": "No hay Menciones recientes",
|
||||
"mobile.recent_mentions.empty_title": "Aún no hay menciones",
|
||||
"mobile.rename_channel.display_name_maxLength": "El nombre del canal debe tener menos de {maxLength, number} caracteres",
|
||||
"mobile.rename_channel.display_name_minLength": "El nombre del canal debe ser de {minLength, number} o más caracteres",
|
||||
"mobile.rename_channel.display_name_required": "Se requiere el nombre del canal",
|
||||
@@ -353,13 +431,15 @@
|
||||
"mobile.reset_status.alert_ok": "Aceptar",
|
||||
"mobile.reset_status.title_ooo": "Deshabilitar \"Fuera de Oficina\"?",
|
||||
"mobile.retry_message": "Error obteniendo los mensajes. Tira hacia arriba para reintentar.",
|
||||
"mobile.routes.channel_members.action": "Eliminar Miembros",
|
||||
"mobile.routes.channel_members.action_message": "Debes seleccionar al menos un miembro a ser eliminado del canal.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "¿Seguro quieres eliminar al miembro seleccionado del canal?",
|
||||
"mobile.routes.channelInfo": "Información",
|
||||
"mobile.routes.channelInfo.createdBy": "Creado por {creator} el ",
|
||||
"mobile.routes.channelInfo.delete_channel": "Archivar Canal",
|
||||
"mobile.routes.channelInfo.favorite": "Favorito",
|
||||
"mobile.routes.channelInfo.groupManaged": "Los miembros son gestionados por grupos enlazados",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Restaurar Canal",
|
||||
"mobile.routes.channel_members.action": "Eliminar Miembros",
|
||||
"mobile.routes.channel_members.action_message": "Debes seleccionar al menos un miembro a ser eliminado del canal.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "¿Seguro quieres eliminar al miembro seleccionado del canal?",
|
||||
"mobile.routes.code": "Código {language}",
|
||||
"mobile.routes.code.noLanguage": "Código",
|
||||
"mobile.routes.edit_profile": "Editar Perfil",
|
||||
@@ -375,6 +455,7 @@
|
||||
"mobile.routes.thread": "Hilo en {channelName}",
|
||||
"mobile.routes.thread_dm": "Hilo de Mensaje Directo",
|
||||
"mobile.routes.user_profile": "Perfil",
|
||||
"mobile.routes.user_profile.edit": "Editar",
|
||||
"mobile.routes.user_profile.local_time": "HORA LOCAL",
|
||||
"mobile.routes.user_profile.send_message": "Enviar Mensaje",
|
||||
"mobile.search.after_modifier_description": "encontrar mensajes después de una fecha específica",
|
||||
@@ -387,11 +468,22 @@
|
||||
"mobile.search.no_results": "No se han encontrado resultados",
|
||||
"mobile.search.on_modifier_description": "encontrar mensajes de una fecha específica",
|
||||
"mobile.search.recent_title": "Búsquedas recientes",
|
||||
"mobile.select_team.guest_cant_join_team": "Tu cuenta de huésped no tiene equipos o canales asignados. Por favor contacta a un administrador.",
|
||||
"mobile.select_team.join_open": "Equipos a los que te puedes unir",
|
||||
"mobile.select_team.no_teams": "No hay equipos disponibles a los que te puedas unir.",
|
||||
"mobile.server_link.error.text": "No se pudo encontrar el enlace en este servidor.",
|
||||
"mobile.server_link.error.title": "Error de enlace",
|
||||
"mobile.server_link.unreachable_channel.error": "Este enlace pertenece a un canal eliminado o a un canal al cual no tienes acceso.",
|
||||
"mobile.server_link.unreachable_team.error": "Este enlace pertenece a un equipo eliminado o a un equipo al cual no tienes acceso.",
|
||||
"mobile.server_ssl.error.text": "El certificado de {host} no es confiable.\n\nPor favor contacta a tu Administrador de Sistema para resolver los problemas con el certificado y permitir la conexión a este servidor.",
|
||||
"mobile.server_ssl.error.title": "Certificado no confiable",
|
||||
"mobile.server_upgrade.alert_description": "Esta versión del servidor no es compatible y los usuarios estarán expuestos a problemas de compatibilidad que causan bloqueos o errores graves que rompen la funcionalidad principal de la aplicación. Se requiere actualizar a la versión del servidor {serverVersion} o posterior.",
|
||||
"mobile.server_upgrade.button": "Aceptar",
|
||||
"mobile.server_upgrade.description": "\nEs necesaria una actualización del servidor para utilizar la aplicación de Mattermost. Por favor, preguntale a tu Administrador del Sistema para obtener más detalles.\n",
|
||||
"mobile.server_upgrade.dismiss": "Descartar",
|
||||
"mobile.server_upgrade.learn_more": "Conocer más",
|
||||
"mobile.server_upgrade.title": "Es necesario actualizar el Servidor",
|
||||
"mobile.server_url.empty": "Ingrese una URL de servidor válida",
|
||||
"mobile.server_url.invalid_format": "URL debe comenzar con http:// o https://",
|
||||
"mobile.session_expired": "Sesión Caducada: Por favor, inicia sesión para seguir recibiendo notificaciones.",
|
||||
"mobile.set_status.away": "Ausente",
|
||||
@@ -404,7 +496,22 @@
|
||||
"mobile.share_extension.error_message": "Ocurrió un error utilizando la extensión para compartir.",
|
||||
"mobile.share_extension.error_title": "Error en la Extensión",
|
||||
"mobile.share_extension.team": "Equipo",
|
||||
"mobile.share_extension.too_long_message": "Número de letras: {count}/{max}",
|
||||
"mobile.share_extension.too_long_title": "Mensaje demasiado largo",
|
||||
"mobile.sidebar_settings.permanent": "Barra lateral permanente",
|
||||
"mobile.sidebar_settings.permanent_description": "Mantiene la barra lateral abierta permanentemente",
|
||||
"mobile.storage_permission_denied_description": "Sube archivos a tu servidor de Mattermost. Abre la Configuración para otorgar permisos de Lectura y Escritura para acceder archivos en este dispositivo.",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} desea acceder a tus archivos",
|
||||
"mobile.suggestion.members": "Miembros",
|
||||
"mobile.system_message.channel_archived_message": "{username} archivó el canal",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} restauró el canal",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} actualizó el nombre del canal de: {oldDisplayName} a: {newDisplayName}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} eliminó el encabezado del canal (era: {oldHeader})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} ha actualizado el encabezado del canal de: {oldHeader} a: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} ha actualizado el encabezado del canal a: {newHeader}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} eliminó el propósito del canal (era: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} ha actualizado el propósito del canal de: {oldPurpose} a: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} ha actualizado el propósito del canal a: {newPurpose}",
|
||||
"mobile.terms_of_service.alert_cancel": "Cancelar",
|
||||
"mobile.terms_of_service.alert_ok": "Aceptar",
|
||||
"mobile.terms_of_service.alert_retry": "Intentar de nuevo",
|
||||
@@ -412,12 +519,18 @@
|
||||
"mobile.timezone_settings.automatically": "Asignar automáticamente",
|
||||
"mobile.timezone_settings.manual": "Cambiar zona horaria",
|
||||
"mobile.timezone_settings.select": "Seleccione la zona horaria",
|
||||
"mobile.user_list.deactivated": "Desactivado",
|
||||
"mobile.tos_link": "Términos de Servicio",
|
||||
"mobile.unsupported_server.message": "Los archivos adjuntos, vistas previas de enlaces, reacciones y datos incorporados pueden no mostrarse correctamente. Si este problema persiste, comuníquese con el administrador del sistema para actualizar su servidor Mattermost.",
|
||||
"mobile.unsupported_server.ok": "Aceptar",
|
||||
"mobile.unsupported_server.title": "Versión de servidor no compatible",
|
||||
"mobile.user.settings.notifications.email.fifteenMinutes": "Cada 15 minutos",
|
||||
"mobile.video_playback.failed_description": "Ocurrió un error al reproducir el vídeo.\n",
|
||||
"mobile.video_playback.failed_title": "Error de Reproducción",
|
||||
"mobile.user_list.deactivated": "Desactivado",
|
||||
"mobile.user_removed.message": "Fuiste eliminado del canal.",
|
||||
"mobile.user_removed.title": "Eliminado de {channelName}",
|
||||
"mobile.video.save_error_message": "Para guardar el vídeo primero debes descargarlo.",
|
||||
"mobile.video.save_error_title": "Error Guardando Vídeo",
|
||||
"mobile.video_playback.failed_description": "Ocurrió un error al reproducir el vídeo.\n",
|
||||
"mobile.video_playback.failed_title": "Error de Reproducción",
|
||||
"mobile.youtube_playback_error.description": "Ocurrió un error al reproducir el video de YouTube.\nDetalles: {details}",
|
||||
"mobile.youtube_playback_error.title": "Error de reproducción de YouTube",
|
||||
"modal.manual_status.auto_responder.message_": "¿Quieres cambiar to estado a \"{status}\" e inhabilitar las respuestas automáticas?",
|
||||
@@ -425,11 +538,22 @@
|
||||
"modal.manual_status.auto_responder.message_dnd": "¿Quieres cambiar to estado a \"No Molestar\" e inhabilitar las respuestas automáticas?",
|
||||
"modal.manual_status.auto_responder.message_offline": "¿Quieres cambiar to estado a \"Desconectado\" e inhabilitar las respuestas automáticas?",
|
||||
"modal.manual_status.auto_responder.message_online": "¿Quieres cambiar to estado a \"En línea\" e inhabilitar las respuestas automáticas?",
|
||||
"more_channels.archivedChannels": "Canales Archivados",
|
||||
"more_channels.dropdownTitle": "Mostrar",
|
||||
"more_channels.noMore": "No hay más canales para unirse",
|
||||
"more_channels.publicChannels": "Canales Públicos",
|
||||
"more_channels.showArchivedChannels": "Mostrar: Canales Archivados",
|
||||
"more_channels.showPublicChannels": "Mostrar: Canales Públicos",
|
||||
"more_channels.title": "Más Canales",
|
||||
"msg_typing.areTyping": "{users} y {last} están escribiendo...",
|
||||
"msg_typing.isTyping": "{user} está escribiendo...",
|
||||
"navbar.channel_drawer.button": "Canales y equipos",
|
||||
"navbar.channel_drawer.hint": "Abrir la lista de canales y equipos",
|
||||
"navbar.leave": "Abandonar Canal",
|
||||
"navbar.more_options.button": "Más Opciones",
|
||||
"navbar.more_options.hint": "Abre la barra lateral derecha de más opciones",
|
||||
"navbar.search.button": "Búsqueda de canales",
|
||||
"navbar.search.hint": "Abre el modal de búsqueda de canales",
|
||||
"password_form.title": "Restablecer Contraseña",
|
||||
"password_send.checkInbox": "Por favor revisa tu bandeja de entrada.",
|
||||
"password_send.description": "Para reiniciar tu contraseña, ingresa la dirección de correo que utilizaste en el registro",
|
||||
@@ -437,18 +561,21 @@
|
||||
"password_send.link": "Si la cuenta existe, una correo electrónico de reinicio de contraseña será enviado a:",
|
||||
"password_send.reset": "Restablecer mi contraseña",
|
||||
"permalink.error.access": "El Enlace permanente pertenece a un mensaje eliminado o a un canal al cual no tienes acceso.",
|
||||
"permalink.error.link_not_found": "Enlace no encontrado",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "no fueron notificados por esta mención porque no se encuentra en este canal. No pueden ser agregados al canal porque no son miembros de los grupos enlazados. Para agregarlos a este canal, deben ser agregados a alguno de los grupos enlazados.",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": " y ",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "agregarlos a este canal privado",
|
||||
"post_body.check_for_out_of_channel_mentions.link.public": "agregarlos al canal",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Tendrán acceso al historial de mensajes.",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "fueron mencionados pero no son parte de este canal. Quieres ",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "fue mencionado pero no es parte de este canal. Quieres ",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Tendrán acceso al historial de mensajes.",
|
||||
"post_body.commentedOn": "Comento en el mensaje de {name}: ",
|
||||
"post_body.deleted": "(mensaje eliminado)",
|
||||
"post_info.auto_responder": "RESPUESTA AUTOMÁTICA",
|
||||
"post_info.bot": "BOT",
|
||||
"post_info.del": "Eliminar",
|
||||
"post_info.edit": "Editar",
|
||||
"post_info.guest": "HUÉSPEDES",
|
||||
"post_info.message.show_less": "Ver menos",
|
||||
"post_info.message.show_more": "Ver más",
|
||||
"post_info.system": "Sistema",
|
||||
@@ -458,16 +585,16 @@
|
||||
"search_bar.search": "Buscar",
|
||||
"search_header.results": "Resultados de la Búsqueda",
|
||||
"search_header.title2": "Menciones Recientes",
|
||||
"search_header.title3": "Mensajes Marcados",
|
||||
"search_header.title3": "Mensajes Guardados",
|
||||
"search_item.channelArchived": "Archivado",
|
||||
"sidebar_right_menu.logout": "Cerrar sesión",
|
||||
"sidebar_right_menu.report": "Reportar un Problema",
|
||||
"sidebar.channels": "CANALES PÚBLICOS",
|
||||
"sidebar.direct": "MENSAJES DIRECTOS",
|
||||
"sidebar.favorite": "CANALES FAVORITOS",
|
||||
"sidebar.pg": "CANALES PRIVADOS",
|
||||
"sidebar.types.recent": "ACTIVIDAD RECIENTE",
|
||||
"sidebar.unreads": "Más sin leer",
|
||||
"sidebar_right_menu.logout": "Cerrar sesión",
|
||||
"sidebar_right_menu.report": "Reportar un Problema",
|
||||
"signup.email": "Correo electrónico y Contraseña",
|
||||
"signup.office365": "Office 365",
|
||||
"status_dropdown.set_away": "Ausente",
|
||||
@@ -478,17 +605,20 @@
|
||||
"suggestion.mention.all": "Notifica a todas las personas en este canal",
|
||||
"suggestion.mention.channel": "Notifica a todas las personas en este canal",
|
||||
"suggestion.mention.channels": "Mis Canales",
|
||||
"suggestion.mention.groups": "Menciones de Grupo",
|
||||
"suggestion.mention.here": "Notifica a todas las personas disponibles en este canal",
|
||||
"suggestion.mention.members": "Miembros del Canal",
|
||||
"suggestion.mention.morechannels": "Otros Canales",
|
||||
"suggestion.mention.nonmembers": "No en el Canal",
|
||||
"suggestion.mention.special": "Menciones especiales",
|
||||
"suggestion.mention.you": "(tú)",
|
||||
"suggestion.search.direct": "Mensajes Directos",
|
||||
"suggestion.search.private": "Canales Privados",
|
||||
"suggestion.search.public": "Canales Públicos",
|
||||
"terms_of_service.agreeButton": "Acepto",
|
||||
"terms_of_service.api_error": "No se puede completar la solicitud. Si el problema persiste, contacta a tu Administrador de Sistema.",
|
||||
"user.settings.display.clockDisplay": "Visualización del Reloj",
|
||||
"user.settings.display.custom_theme": "Tema Personalizado",
|
||||
"user.settings.display.militaryClock": "Reloj de 24 horas (ejemplo: 16:00)",
|
||||
"user.settings.display.normalClock": "Reloj de 12 horas (ejemplo: 4:00 pm)",
|
||||
"user.settings.display.preferTime": "Selecciona como prefieres mostrar la hora.",
|
||||
@@ -523,115 +653,5 @@
|
||||
"user.settings.push_notification.disabled_long": "Las notificaciones a dispositivos móviles no han sido habilitadas por tu Administrador del Sistema.",
|
||||
"user.settings.push_notification.offline": "Desconectado",
|
||||
"user.settings.push_notification.online": "En línea, ausente o desconectado",
|
||||
"web.root.signup_info": "Todas las comunicaciones del equipo en un sólo lugar, con búsquedas y accesible desde cualquier parte",
|
||||
"mobile.message_length.message_split_left": "El mensaje excede el límite de caracteres",
|
||||
"user.settings.display.custom_theme": "Tema Personalizado",
|
||||
"suggestion.mention.you": "(tú)",
|
||||
"post_info.guest": "HUÉSPEDES",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "no fueron notificados por esta mención porque no se encuentra en este canal. No pueden ser agregados al canal porque no son miembros de los grupos enlazados. Para agregarlos a este canal, deben ser agregados a alguno de los grupos enlazados.",
|
||||
"permalink.error.link_not_found": "Enlace no encontrado",
|
||||
"navbar.channel_drawer.hint": "Abrir la lista de canales y equipos",
|
||||
"navbar.channel_drawer.button": "Canales y equipos",
|
||||
"more_channels.showPublicChannels": "Mostrar: Canales Públicos",
|
||||
"more_channels.showArchivedChannels": "Mostrar: Canales Archivados",
|
||||
"more_channels.publicChannels": "Canales Públicos",
|
||||
"more_channels.dropdownTitle": "Mostrar",
|
||||
"more_channels.archivedChannels": "Canales Archivados",
|
||||
"mobile.tos_link": "Términos de Servicio",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} ha actualizado el propósito del canal a: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} ha actualizado el propósito del canal de: {oldPurpose} a: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} eliminó el propósito del canal (era: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} ha actualizado el encabezado del canal a: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} ha actualizado el encabezado del canal de: {oldHeader} a: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} eliminó el encabezado del canal (era: {oldHeader})",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} actualizó el nombre del canal de: {oldDisplayName} a: {newDisplayName}",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} restauró el canal",
|
||||
"mobile.system_message.channel_archived_message": "{username} archivó el canal",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} desea acceder a tus archivos",
|
||||
"mobile.storage_permission_denied_description": "Sube archivos a tu servidor de Mattermost. Abre la Configuración para otorgar permisos de Lectura y Escritura para acceder archivos en este dispositivo.",
|
||||
"mobile.sidebar_settings.permanent_description": "Mantiene la barra lateral abierta permanentemente",
|
||||
"mobile.sidebar_settings.permanent": "Barra lateral permanente",
|
||||
"mobile.share_extension.too_long_title": "Mensaje demasiado largo",
|
||||
"mobile.share_extension.too_long_message": "Número de letras: {count}/{max}",
|
||||
"mobile.server_ssl.error.title": "Certificado no confiable",
|
||||
"mobile.server_ssl.error.text": "El certificado de {host} no es confiable.\n\nPor favor contacta a tu Administrador de Sistema para resolver los problemas con el certificado y permitir la conexión a este servidor.",
|
||||
"mobile.server_link.unreachable_team.error": "Este enlace pertenece a un equipo eliminado o a un equipo al cual no tienes acceso.",
|
||||
"mobile.server_link.unreachable_channel.error": "Este enlace pertenece a un canal eliminado o a un canal al cual no tienes acceso.",
|
||||
"mobile.server_link.error.title": "Error de enlace",
|
||||
"mobile.server_link.error.text": "No se pudo encontrar el enlace en este servidor.",
|
||||
"mobile.select_team.guest_cant_join_team": "Tu cuenta de huésped no tiene equipos o canales asignados. Por favor contacta a un administrador.",
|
||||
"mobile.routes.user_profile.edit": "Editar",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Restaurar Canal",
|
||||
"mobile.routes.channelInfo.groupManaged": "Los miembros son gestionados por grupos enlazados",
|
||||
"mobile.reaction_header.all_emojis": "Todos",
|
||||
"mobile.push_notification_reply.title": "Responder",
|
||||
"mobile.push_notification_reply.placeholder": "Escribe una respuesta...",
|
||||
"mobile.push_notification_reply.button": "Enviar",
|
||||
"mobile.privacy_link": "Política de Privacidad",
|
||||
"mobile.post_textbox.entire_channel.title": "Confirma el envío de notificaciones a todo el canal",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Al utilizar @all ó @channel estás a punto de enviar notificaciones a {totalMembers, number} {totalMembers, plural, one {persona} other {personas}} en {timezones, number} {zonas horarias, plural, one {zona horaria} other {zonas horarias}}. ¿Estás seguro de querer hacer esto?",
|
||||
"mobile.post_textbox.entire_channel.message": "Al utilizar @all ó @channel estás a punto de enviar notificaciones a {totalMembers, number} {totalMembers, plural, one {persona} other {personas}}. ¿Estás seguro de querer hacer esto?",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Confirmar",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Cancelar",
|
||||
"mobile.post_info.reply": "Responder",
|
||||
"mobile.post_info.mark_unread": "Marcar como no leído",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} desea acceder a tu librería de fotos",
|
||||
"mobile.photo_library_permission_denied_description": "Para guardar imágenes y vídeos en tu librería, por favor, cambia la configuración de permisos.",
|
||||
"mobile.permission_denied_retry": "Configuración",
|
||||
"mobile.permission_denied_dismiss": "No Permitir",
|
||||
"mobile.managed.settings": "Ir a configuración",
|
||||
"mobile.managed.not_secured.ios.touchId": "Este dispositivo debe estar protegido con un código de acceso para utilizar Mattermost.\n\nVaya a Configuración > Identificación Táctil y clave de acceso.",
|
||||
"mobile.managed.not_secured.ios": "Este dispositivo debe estar protegido con un código de acceso para utilizar Mattermost.\n\nVaya a Configuración > Identificación Facial y clave de acceso.",
|
||||
"mobile.managed.not_secured.android": "Este dispositivo debe estar asegurado con un bloqueo de pantalla para utilizar Mattermost.",
|
||||
"mobile.ios.photos_permission_denied_title": "Acceso a la biblioteca de fotos es necesario",
|
||||
"mobile.files_paste.error_title": "Pegar falló",
|
||||
"mobile.files_paste.error_dismiss": "Descartar",
|
||||
"mobile.files_paste.error_description": "Ocurrió un error mientras se pegaba(n) archivo(s). Por favor inténtelo de nuevo.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Sólo pueden ser utilizadas imágenes BMP, JPG o PNG como imagen de perfil.",
|
||||
"mobile.failed_network_action.teams_title": "Algo salió mal",
|
||||
"mobile.failed_network_action.teams_description": "Los Equipos no pudieron ser cargados.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Los canales de {teamName} no pudieron ser cargados.",
|
||||
"mobile.extension.team_required": "Debes pertenecer a un equipo antes de poder compartir archivos.",
|
||||
"mobile.edit_profile.remove_profile_photo": "Quitar Foto",
|
||||
"mobile.display_settings.sidebar": "Barra lateral",
|
||||
"mobile.channel_list.archived": "ARCHIVADO",
|
||||
"mobile.channel_info.unarchive_failed": "No se pudo restaurar el canal {displayName}. Por favor revisa tu conexión e intenta de nuevo.",
|
||||
"mobile.channel_info.copy_purpose": "Copiar Propósito",
|
||||
"mobile.channel_info.copy_header": "Copiar Encabezado",
|
||||
"mobile.channel_info.convert_success": "{displayName} ahora es un canal privado.",
|
||||
"mobile.channel_info.convert_failed": "No se pudo convertir {displayName} a canal privado.",
|
||||
"mobile.channel_info.convert": "Convertir a Canal Privado",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Restaurar {term}",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "¿Convertir {displayName} a un canal privado?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "¿Seguro quieres restaurar el {term} {name}?",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Al convertir {displayName} a un canal privado, la historia y la membresía son preservados. Archivos compartidos públicamente permanecerán accesibles para cualquier que tenga el enlace. La membresía en un canal privado es solo por invitación.\n\nEste es un cambio permanente y no puede deshacerse.\n\n¿Estás seguro que quieres convertir {displayName} a un canal privado?",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} desea acceder a tu cámara",
|
||||
"mobile.camera_video_permission_denied_description": "Captura videos y súbelos a a tu servidor de Mattermost o guárdalos en tu dispositivo. Abre la Configuración y otorga a Mattermost permisos de Lectura y Escritura para acceder tu cámara.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} desea acceder a tu cámara",
|
||||
"mobile.camera_photo_permission_denied_description": "Captura fotos y súbelas a tu servidor de Mattermost o guárdalas en tu dispositivo. Abre la Configuración y otorga a Mattermost permisos de Lectura y Escritura para usar la cámara.",
|
||||
"mobile.alert_dialog.alertCancel": "Cancelar",
|
||||
"intro_messages.creatorPrivate": "Este es el inicio del canal privado {name}, creado por {creator} el {date}.",
|
||||
"date_separator.yesterday": "Ayer",
|
||||
"date_separator.today": "Hoy",
|
||||
"channel.isGuest": "Esta persona es un huésped",
|
||||
"channel.hasGuests": "Este grupo tiene huéspedes",
|
||||
"channel.channelHasGuests": "Este canal tiene huéspedes",
|
||||
"mobile.server_upgrade.learn_more": "Conocer más",
|
||||
"mobile.server_upgrade.dismiss": "Descartar",
|
||||
"mobile.server_upgrade.alert_description": "Esta versión del servidor no es compatible y los usuarios estarán expuestos a problemas de compatibilidad que causan bloqueos o errores graves que rompen la funcionalidad principal de la aplicación. Se requiere actualizar a la versión del servidor {serverVersion} o posterior.",
|
||||
"suggestion.mention.groups": "Menciones de Grupo",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {nuevo} other {nuevos}} {count, plural, one {mensaje} other {mensajes}}",
|
||||
"mobile.android.back_handler_exit": "Presione de nuevo para salir",
|
||||
"mobile.unsupported_server.title": "Versión de servidor no compatible",
|
||||
"mobile.unsupported_server.ok": "Aceptar",
|
||||
"mobile.unsupported_server.message": "Los archivos adjuntos, vistas previas de enlaces, reacciones y datos incorporados pueden no mostrarse correctamente. Si este problema persiste, comuníquese con el administrador del sistema para actualizar su servidor Mattermost.",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "Al utilizar {mention} estás a punto de enviar notificaciones a {totalMembers} personas. ¿Estás seguro?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "Al utilizar {mention} estás a punto de enviar notificaciones a {totalMembers} personas en {timezones, number} {timezones, plural, one {zona horaria} other {zonas horarias}}. ¿Estás seguro?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "Al utilizar {mentions} y {finalMention} estás a punto de enviar notificaciones al menos a {totalMembers} personas. ¿Estás seguro?",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Al utilizar {mentions} y {finalMention} estás a punto de enviar notificaciones al menos a {totalMembers} personas en {timezones, number} {timezones, plural, one {zona horaria} other {zonas horarias}}. ¿Estás seguro?",
|
||||
"mobile.post_textbox.groups.title": "Confirma el envío de notificaciones a grupos",
|
||||
"mobile.emoji_picker.search.not_found_description": "Revisar la ortografía o intente otra búsqueda.",
|
||||
"mobile.user_removed.title": "Eliminado de {channelName}",
|
||||
"mobile.user_removed.message": "Fuiste eliminado del canal.",
|
||||
"mobile.emoji_picker.search.not_found_title": "No se encontraron resultados para \"{searchTerm}\""
|
||||
"web.root.signup_info": "Todas las comunicaciones del equipo en un sólo lugar, con búsquedas y accesible desde cualquier parte"
|
||||
}
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
{
|
||||
"about.date": "ビルド日時:",
|
||||
"about.enterpriseEditione1": "Enterprise Edition",
|
||||
"about.enterpriseEditionLearn": "Enterprise Editionについて詳しく知る: ",
|
||||
"about.enterpriseEditionSt": "ファイアウォールの内側で、現代的なコミュニケーションを実現します。",
|
||||
"about.enterpriseEditione1": "Enterprise Edition",
|
||||
"about.hash": "ビルドハッシュ値:",
|
||||
"about.hashee": "EEビルドハッシュ値:",
|
||||
"about.teamEditionLearn": "Mattermostコミュニティーに参加する: ",
|
||||
@@ -14,10 +14,18 @@
|
||||
"api.channel.add_member.added": "{addedUsername} は {username} によってチャンネルに追加されました。",
|
||||
"archivedChannelMessage": "**アーカイブされたチャンネル**を閲覧しています。新しいメッセージは投稿できません。",
|
||||
"center_panel.archived.closeChannel": "チャンネルを閉じる",
|
||||
"channel.channelHasGuests": "このチャンネルにはゲストがいます",
|
||||
"channel.hasGuests": "このグループメッセージにはゲストがいます",
|
||||
"channel.isGuest": "このユーザーはゲストです",
|
||||
"channel_header.addMembers": "メンバーを追加する",
|
||||
"channel_header.directchannel.you": "{displayname} (あなた) ",
|
||||
"channel_header.manageMembers": "メンバー管理",
|
||||
"channel_header.pinnedPosts": "ピン留めされた投稿",
|
||||
"channel_header.notificationPreference": "モバイル通知",
|
||||
"channel_header.notificationPreference.all": "すべて",
|
||||
"channel_header.notificationPreference.default": "デフォルト",
|
||||
"channel_header.notificationPreference.mention": "あなたについての投稿",
|
||||
"channel_header.notificationPreference.none": "通知しない",
|
||||
"channel_header.pinnedPosts": "ピン留めされたメッセージ",
|
||||
"channel_header.viewMembers": "メンバーを見る",
|
||||
"channel_info.header": "ヘッダー:",
|
||||
"channel_info.purpose": "目的:",
|
||||
@@ -35,6 +43,12 @@
|
||||
"channel_modal.purposeEx": "例: \"バグや改善を取りまとめるチャンネル\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "@channel、@here、@allを無視する",
|
||||
"channel_notifications.muteChannel.settings": "ミュートチャンネル",
|
||||
"channel_notifications.preference.all_activity": "全てのアクティビティーについて",
|
||||
"channel_notifications.preference.global_default": "グローバルデフォルト(あなたについての投稿)",
|
||||
"channel_notifications.preference.header": "通知を送る",
|
||||
"channel_notifications.preference.never": "通知しない",
|
||||
"channel_notifications.preference.only_mentions": "あなたについての投稿とダイレクトメッセージのみ",
|
||||
"channel_notifications.preference.save_error": "通知設定を保存できませんでした。接続を確認し、もう一度試してみてください。",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{users} と {lastUser} は {actor} によって **チャンネルに追加されました**。",
|
||||
"combined_system_message.added_to_channel.one": "{firstUser} は {actor} によって **チャンネルに追加されました**。",
|
||||
"combined_system_message.added_to_channel.one_you": "あなたは {actor} によって **チャンネルに追加されました**。",
|
||||
@@ -71,6 +85,8 @@
|
||||
"create_comment.addComment": "コメントを追加する...",
|
||||
"create_post.deactivated": "無効化されたユーザーのいるアーカイブされたチャンネルを見ています。",
|
||||
"create_post.write": "{channelDisplayName}へ投稿する",
|
||||
"date_separator.today": "今日",
|
||||
"date_separator.yesterday": "昨日",
|
||||
"edit_post.editPost": "投稿を編集する...",
|
||||
"edit_post.save": "保存する",
|
||||
"file_attachment.download": "ダウンロードする",
|
||||
@@ -80,6 +96,7 @@
|
||||
"intro_messages.anyMember": " このチャンネルには誰でも参加して投稿を閲覧することができます。",
|
||||
"intro_messages.beginning": "{name}のトップ",
|
||||
"intro_messages.creator": "ここは {name} チャンネルのトップです。{date}に{creator}によって作成されました。",
|
||||
"intro_messages.creatorPrivate": "ここは非公開チャンネル {name} のトップです。{date}に{creator}によって作成されました。",
|
||||
"intro_messages.group_message": "チームメイトとのグループメッセージの履歴の最初です。メッセージとそこで共有されているファイルは、この領域の外のユーザーからは見ることができません。",
|
||||
"intro_messages.noCreator": "ここは {name} チャンネルのトップです。{date}に作成されました。",
|
||||
"intro_messages.onlyInvited": " 招待されたメンバーだけがこの非公開チャンネルを見ることができます。",
|
||||
@@ -93,9 +110,6 @@
|
||||
"last_users_message.others": "他 {numOthers} 名 ",
|
||||
"last_users_message.removed_from_channel.type": "が **チャンネルから削除されました**。",
|
||||
"last_users_message.removed_from_team.type": "が **チームから削除されました**。",
|
||||
"login_mfa.enterToken": "サインインを完了するために、あなたのスマートフォンのAuthenticatorのトークンを入力してください",
|
||||
"login_mfa.token": "多要素認証トークン",
|
||||
"login_mfa.tokenReq": "多要素認証トークンを入力してください",
|
||||
"login.email": "電子メール",
|
||||
"login.forgot": "パスワードを忘れました",
|
||||
"login.invalidPassword": "パスワードが正しくありません。",
|
||||
@@ -112,8 +126,11 @@
|
||||
"login.or": "または",
|
||||
"login.password": "パスワード",
|
||||
"login.signIn": "サインイン",
|
||||
"login.username": "ユーザー名",
|
||||
"login.userNotFound": "あなたのログイン情報に合致するアカウントはありません。",
|
||||
"login.username": "ユーザー名",
|
||||
"login_mfa.enterToken": "サインインを完了するために、あなたのスマートフォンのAuthenticatorのトークンを入力してください",
|
||||
"login_mfa.token": "多要素認証トークン",
|
||||
"login_mfa.tokenReq": "多要素認証トークンを入力してください",
|
||||
"mobile.about.appVersion": "バージョン: {version} (ビルド {number})",
|
||||
"mobile.about.copyright": "Copyright 2015-{currentYear} Mattermost, Inc. All rights reserved",
|
||||
"mobile.about.database": "データベース: {type}",
|
||||
@@ -121,11 +138,11 @@
|
||||
"mobile.about.powered_by": "{site} はMattermostを利用しています",
|
||||
"mobile.about.serverVersion": "サーバーバージョン: {version} (ビルド {number})",
|
||||
"mobile.about.serverVersionNoBuild": "サーバーバージョン: {version}",
|
||||
"mobile.account.settings.save": "保存する",
|
||||
"mobile.account_notifications.reply.header": "返信通知を送信する",
|
||||
"mobile.account_notifications.threads_mentions": "スレッド内のあなたについての投稿",
|
||||
"mobile.account_notifications.threads_start": "自分で開始したスレッド",
|
||||
"mobile.account_notifications.threads_start_participate": "開始もしくは参加したスレッド",
|
||||
"mobile.account.settings.save": "保存する",
|
||||
"mobile.action_menu.select": "オプションを選択してください",
|
||||
"mobile.advanced_settings.clockDisplay": "時刻表示",
|
||||
"mobile.advanced_settings.delete": "削除",
|
||||
@@ -133,6 +150,8 @@
|
||||
"mobile.advanced_settings.delete_title": "ドキュメントとデータの削除",
|
||||
"mobile.advanced_settings.timezone": "タイムゾーン",
|
||||
"mobile.advanced_settings.title": "詳細の設定",
|
||||
"mobile.alert_dialog.alertCancel": "キャンセル",
|
||||
"mobile.android.back_handler_exit": "終了するにはもう一度戻るを押してください",
|
||||
"mobile.android.photos_permission_denied_description": "ライブラリから画像をアップロードするには権限設定を変更してください。",
|
||||
"mobile.android.photos_permission_denied_title": "フォトライブラリーへのアクセスを要求しています",
|
||||
"mobile.android.videos_permission_denied_description": "ライブラリからビデオをアップロードするには権限設定を変更してください。",
|
||||
@@ -142,19 +161,34 @@
|
||||
"mobile.calendar.dayNamesShort": "日、月、火、水、木、金、土",
|
||||
"mobile.calendar.monthNames": "1月、2月、3月、4月、5月、6月、7月、8月、9月、10月、11月、12月",
|
||||
"mobile.calendar.monthNamesShort": "1月、2月、3月、4月、5月、6月、7月、8月、9月、10月、11月、12月",
|
||||
"mobile.camera_photo_permission_denied_description": "写真を撮影し、それらをMattermostインスタンスへアップロードし、デバイスへ保存します。カメラへのアクセスを許可するには、設定を開いてください。",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} があなたのカメラへアクセスしようとしています",
|
||||
"mobile.camera_video_permission_denied_description": "動画を撮影し、それらをMattermostインスタンスへアップロードし、デバイスへ保存します。カメラへのアクセスを許可するには、設定を開いてください。",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} があなたのカメラへアクセスしようとしています",
|
||||
"mobile.channel_drawer.search": "移動する...",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "{displayName} を非公開チャンネルに変更する際、過去の履歴やメンバーシップは保持されます。公開されていたファイルは、同じリンクで誰でもアクセス可能なままになります。非公開チャンネルへのメンバー追加は招待のみです。\n\nこの変更を取り消すことはできません。\n\n本当に {displayName} を非公開チャンネルに変更しますか?",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "{term} {name} を本当にアーカイブしますか?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "{term} {name} から本当に脱退しますか?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "{term} {name} を本当にアーカイブから復元しますか?",
|
||||
"mobile.channel_info.alertNo": "いいえ",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "{displayName} を非公開チャンネルに変更しますか?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "アーカイブ {term}",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "{term}から脱退する",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "アーカイブから復元 {term}",
|
||||
"mobile.channel_info.alertYes": "はい",
|
||||
"mobile.channel_info.convert": "非公開チャンネルに変更する",
|
||||
"mobile.channel_info.convert_failed": "{displayName} を非公開チャンネルに変更できませんでした。",
|
||||
"mobile.channel_info.convert_success": "{displayName} は非公開チャンネルになりました。",
|
||||
"mobile.channel_info.copy_header": "ヘッダーをコピーする",
|
||||
"mobile.channel_info.copy_purpose": "目的をコピーする",
|
||||
"mobile.channel_info.delete_failed": "チャンネル {displayName} をアーカイブできませんでした。接続を確認し、もう一度試してみてください。",
|
||||
"mobile.channel_info.edit": "チャンネルを編集する",
|
||||
"mobile.channel_info.privateChannel": "非公開チャンネル",
|
||||
"mobile.channel_info.publicChannel": "公開チャンネル",
|
||||
"mobile.channel_info.unarchive_failed": "チャンネル {displayName} をアーカイブから復元できませんでした。接続を確認し、もう一度試してみてください。",
|
||||
"mobile.channel_list.alertNo": "いいえ",
|
||||
"mobile.channel_list.alertYes": "はい",
|
||||
"mobile.channel_list.archived": "アーカイブ",
|
||||
"mobile.channel_list.channels": "チャンネル",
|
||||
"mobile.channel_list.closeDM": "ダイレクトメッセージを閉じる",
|
||||
"mobile.channel_list.closeGM": "グループメッセージを閉じる",
|
||||
@@ -191,6 +225,7 @@
|
||||
"mobile.create_channel.public": "新しい公開チャンネル",
|
||||
"mobile.create_post.read_only": "このチャンネルは読み取り専用です",
|
||||
"mobile.custom_list.no_results": "該当するものはありません",
|
||||
"mobile.display_settings.sidebar": "サイドバー",
|
||||
"mobile.display_settings.theme": "テーマ",
|
||||
"mobile.document_preview.failed_description": "文書を開く際にエラーが発生しました。{fileType}ビューワーがインストールされていることを確認し、再度実行してください。\n",
|
||||
"mobile.document_preview.failed_title": "文書を開けませんでした",
|
||||
@@ -209,6 +244,7 @@
|
||||
"mobile.drawer.teamsTitle": "チーム",
|
||||
"mobile.edit_channel": "保存する",
|
||||
"mobile.edit_post.title": "メッセージ編集中",
|
||||
"mobile.edit_profile.remove_profile_photo": "画像を削除する",
|
||||
"mobile.emoji_picker.activity": "アクティビティ",
|
||||
"mobile.emoji_picker.custom": "カスタム",
|
||||
"mobile.emoji_picker.flags": "国旗",
|
||||
@@ -218,6 +254,8 @@
|
||||
"mobile.emoji_picker.people": "人々",
|
||||
"mobile.emoji_picker.places": "場所",
|
||||
"mobile.emoji_picker.recent": "最近使用したもの",
|
||||
"mobile.emoji_picker.search.not_found_description": "スペルを確認し、再度検索してください。",
|
||||
"mobile.emoji_picker.search.not_found_title": "\"{searchTerm}\" に対する結果が見つかりませんでした",
|
||||
"mobile.emoji_picker.symbols": "シンボル",
|
||||
"mobile.error_handler.button": "再起動",
|
||||
"mobile.error_handler.description": "\nアプリケーションを再開するために再起動をクリックしてください。再起動した後、設定メニューから問題を報告してください。\n",
|
||||
@@ -227,42 +265,60 @@
|
||||
"mobile.extension.file_limit": "共有は最大5ファイルまでに制限されています。",
|
||||
"mobile.extension.max_file_size": "Mattermostで共有される添付ファイルは {size} 以下でなくてはなりません。",
|
||||
"mobile.extension.permission": "ファイルを共有するためにMattermostがデバイスへのアクセスを要求しています。",
|
||||
"mobile.extension.team_required": "ファイルを共有するにはチームに所属している必要があります。",
|
||||
"mobile.extension.title": "Mattermostで共有する",
|
||||
"mobile.failed_network_action.retry": "再実行",
|
||||
"mobile.failed_network_action.shortDescription": "接続が有効であることを確認し、再度実行してください。",
|
||||
"mobile.failed_network_action.teams_channel_description": "{teamName} のチャンネルを読み込めませんでした。",
|
||||
"mobile.failed_network_action.teams_description": "チームを読み込めませんでした。",
|
||||
"mobile.failed_network_action.teams_title": "問題が発生しました",
|
||||
"mobile.failed_network_action.title": "インターネット未接続",
|
||||
"mobile.file_upload.browse": "参照",
|
||||
"mobile.file_upload.camera_photo": "写真を撮る",
|
||||
"mobile.file_upload.camera_video": "動画を撮る",
|
||||
"mobile.file_upload.library": "フォトライブラリー",
|
||||
"mobile.file_upload.max_warning": "最大5ファイルまでアップロードできます。",
|
||||
"mobile.file_upload.unsupportedMimeType": "BMP、JPG、PNG画像だけがプロフィール画像として使用できます。",
|
||||
"mobile.file_upload.video": "ビデオライブラリー",
|
||||
"mobile.flagged_posts.empty_description": "フラグはメッセージに追跡のためのマークを付ける一つの方法です。あなたのフラグは個人のもので、他のユーザーからは見えません。",
|
||||
"mobile.flagged_posts.empty_title": "フラグの立てられた投稿はありません",
|
||||
"mobile.files_paste.error_description": "ファイルをペーストする際にエラーが発生しました。再度実行してください。",
|
||||
"mobile.files_paste.error_dismiss": "破棄",
|
||||
"mobile.files_paste.error_title": "ペーストに失敗しました",
|
||||
"mobile.flagged_posts.empty_description": "保存されたメッセージはあなただけが見ることができます。メッセージを長押しするかメニューから保存を選択し、後から確認できるようメッセージをマークしてください。",
|
||||
"mobile.flagged_posts.empty_title": "保存されたメッセージはありません",
|
||||
"mobile.help.title": "ヘルプ",
|
||||
"mobile.image_preview.save": "画像の保存",
|
||||
"mobile.image_preview.save_video": "動画を保存する",
|
||||
"mobile.intro_messages.DM": "{teammate}とのダイレクトメッセージの履歴の最初です。ダイレクトメッセージとそこで共有されているファイルは、この領域の外のユーザーからは見ることができません。",
|
||||
"mobile.intro_messages.default_message": "ここはチームメイトが利用登録した際に最初に見るチャンネルです - みんなが知るべき情報を投稿してください。",
|
||||
"mobile.intro_messages.default_welcome": "{name}へようこそ!",
|
||||
"mobile.intro_messages.DM": "{teammate}とのダイレクトメッセージの履歴の最初です。ダイレクトメッセージとそこで共有されているファイルは、この領域の外のユーザーからは見ることができません。",
|
||||
"mobile.ios.photos_permission_denied_description": "写真やビデオを保存するために権限設定を変更してください。",
|
||||
"mobile.ios.photos_permission_denied_title": "フォトライブラリーへのアクセスを要求しています",
|
||||
"mobile.join_channel.error": "チャンネル {displayName} に参加できませんでした。接続を確認し、もう一度試してみてください。",
|
||||
"mobile.link.error.text": "リンクを開けませんでした。",
|
||||
"mobile.link.error.title": "エラー",
|
||||
"mobile.loading_channels": "チャンネルをロードしています...",
|
||||
"mobile.loading_members": "メンバーをロードしています...",
|
||||
"mobile.loading_options": "オプションを読み込んでいます...",
|
||||
"mobile.loading_posts": "メッセージをロードしています...",
|
||||
"mobile.login_options.choose_title": "ログイン方法を選択してください",
|
||||
"mobile.long_post_title": "{channelName} - 投稿",
|
||||
"mobile.mailTo.error.text": "電子メールクライアントを開けませんでした。",
|
||||
"mobile.mailTo.error.title": "エラー",
|
||||
"mobile.managed.blocked_by": "{vendor}によりブロックされました",
|
||||
"mobile.managed.exit": "終了",
|
||||
"mobile.managed.jailbreak": "Jailbrokenデバイスは{vendor}から信頼されていません。アプリを終了してください。",
|
||||
"mobile.managed.not_secured.android": "このデバイスでMattermostを使うにはスクリーンロックを設定する必要があります。",
|
||||
"mobile.managed.not_secured.ios": "このデバイスでMattermostを使うにはパスコードを設定する必要があります。\n\n設定 > Face IDとパスコード から設定してください。",
|
||||
"mobile.managed.not_secured.ios.touchId": "このデバイスでMattermostを使うにはパスコードを設定する必要があります。\n\n設定 > Touch IDとパスコード から設定してください。",
|
||||
"mobile.managed.secured_by": "{vendor}により保護されました",
|
||||
"mobile.managed.settings": "設定へ移動する",
|
||||
"mobile.markdown.code.copy_code": "コードのコピー",
|
||||
"mobile.markdown.code.plusMoreLines": "あと {count, number} {count, plural, one {line} other {lines}} あります",
|
||||
"mobile.markdown.image.too_large": "画像が {maxWidth} x {maxHeight} の上限を超えています:",
|
||||
"mobile.markdown.link.copy_url": "URL のコピー",
|
||||
"mobile.mention.copy_mention": "あなたについての投稿のコピー",
|
||||
"mobile.message_length.message": "メッセージが長すぎます。現在の文字数: {max}/{count}",
|
||||
"mobile.message_length.message_split_left": "メッセージが文字数制限を超えています",
|
||||
"mobile.message_length.title": "メッセージの長さ",
|
||||
"mobile.more_dms.add_more": "あと{remaining, number}人のユーザーを追加できます",
|
||||
"mobile.more_dms.cannot_add_more": "これ以上ユーザーを追加できません",
|
||||
@@ -270,9 +326,32 @@
|
||||
"mobile.more_dms.start": "先頭",
|
||||
"mobile.more_dms.title": "新しい会話",
|
||||
"mobile.more_dms.you": "@{username} - あなた",
|
||||
"mobile.more_messages_button.text": "{count} 件の {isInitialMessage, select, true {新しい} other {新しい}} {count, plural, one {メッセージ} other {メッセージ}}",
|
||||
"mobile.notice_mobile_link": "モバイルアプリ",
|
||||
"mobile.notice_platform_link": "サーバー",
|
||||
"mobile.notice_text": "Mattermostはオープンソースとして {platform} と {mobile} で開発されています。",
|
||||
"mobile.notification.in": " in ",
|
||||
"mobile.notification_settings.auto_responder.default_message": "ただいま外出中のため返信できません。",
|
||||
"mobile.notification_settings.auto_responder.enabled": "有効",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "ダイレクトメッセージへの自動返信用のカスタムメッセージを設定してください。公開/非公開チャンネルでのあなたについての投稿には自動返信を行いません。自動返信を有効化することで、あなたのステータスは外出中となり、電子メールやプッシュ通知が無効化されます。",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "メッセージ",
|
||||
"mobile.notification_settings.auto_responder.message_title": "カスタムメッセージ",
|
||||
"mobile.notification_settings.auto_responder_short": "自動返信",
|
||||
"mobile.notification_settings.email": "電子メール",
|
||||
"mobile.notification_settings.email.send": "電子メール通知を送信する",
|
||||
"mobile.notification_settings.email_title": "電子メール通知",
|
||||
"mobile.notification_settings.mentions.channelWide": "チャンネル範囲のあなたについての投稿",
|
||||
"mobile.notification_settings.mentions.reply_title": "返信通知を送信する",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "あなたの大文字小文字を区別した苗字",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "あなたの大文字小文字を区別しないユーザー名",
|
||||
"mobile.notification_settings.mentions_replies": "あなたについての投稿と返信",
|
||||
"mobile.notification_settings.mobile": "モバイル",
|
||||
"mobile.notification_settings.mobile_title": "モバイルプッシュ通知",
|
||||
"mobile.notification_settings.modal_cancel": "キャンセル",
|
||||
"mobile.notification_settings.modal_save": "保存",
|
||||
"mobile.notification_settings.ooo_auto_responder": "ダイレクトメッセージの自動返信",
|
||||
"mobile.notification_settings.save_failed_description": "接続の問題により通知設定を保存できませんでした。再度実行してください。",
|
||||
"mobile.notification_settings.save_failed_title": "接続の問題",
|
||||
"mobile.notification_settings_mentions.keywords": "キーワード",
|
||||
"mobile.notification_settings_mentions.keywordsDescription": "あなたについての投稿のトリガーとなるその他の言葉",
|
||||
"mobile.notification_settings_mentions.keywordsHelp": "キーワードは大文字小文字を区別せず、カンマで区切ってください。",
|
||||
@@ -289,47 +368,18 @@
|
||||
"mobile.notification_settings_mobile.test": "テスト通知を送信する",
|
||||
"mobile.notification_settings_mobile.test_push": "これはプッシュ通知のテストです",
|
||||
"mobile.notification_settings_mobile.vibrate": "バイブ",
|
||||
"mobile.notification_settings.auto_responder_short": "自動返信",
|
||||
"mobile.notification_settings.auto_responder.default_message": "ただいま外出中のため返信できません。",
|
||||
"mobile.notification_settings.auto_responder.enabled": "有効",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "ダイレクトメッセージへの自動返信用のカスタムメッセージを設定してください。公開/非公開チャンネルでのあなたについての投稿には自動返信を行いません。自動返信を有効化することで、あなたのステータスは外出中となり、電子メールやプッシュ通知が無効化されます。",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "メッセージ",
|
||||
"mobile.notification_settings.auto_responder.message_title": "カスタムメッセージ",
|
||||
"mobile.notification_settings.email": "電子メール",
|
||||
"mobile.notification_settings.email_title": "電子メール通知",
|
||||
"mobile.notification_settings.email.send": "電子メール通知を送信する",
|
||||
"mobile.notification_settings.mentions_replies": "あなたについての投稿と返信",
|
||||
"mobile.notification_settings.mentions.channelWide": "チャンネル範囲のあなたについての投稿",
|
||||
"mobile.notification_settings.mentions.reply_title": "返信通知を送信する",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "あなたの大文字小文字を区別した苗字",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "あなたの大文字小文字を区別しないユーザー名",
|
||||
"mobile.notification_settings.mobile": "モバイル",
|
||||
"mobile.notification_settings.mobile_title": "モバイルプッシュ通知",
|
||||
"mobile.notification_settings.modal_cancel": "キャンセル",
|
||||
"mobile.notification_settings.modal_save": "保存",
|
||||
"mobile.notification_settings.ooo_auto_responder": "ダイレクトメッセージの自動返信",
|
||||
"mobile.notification_settings.save_failed_description": "接続の問題により通知設定を保存できませんでした。再度実行してください。",
|
||||
"mobile.notification_settings.save_failed_title": "接続の問題",
|
||||
"mobile.notification.in": " in ",
|
||||
"mobile.offlineIndicator.connected": "接続しました",
|
||||
"mobile.offlineIndicator.connecting": "接続しています...",
|
||||
"mobile.offlineIndicator.offline": "インターネット未接続",
|
||||
"mobile.open_dm.error": "{displayName} とのダイレクトメッセージを開くことができませんでした。接続を確認し、もう一度試してみてください。",
|
||||
"mobile.open_gm.error": "そのユーザーとのダイレクトメッセージを開くことができませんでした。接続を確認し、もう一度試してみてください。",
|
||||
"mobile.open_unknown_channel.error": "チャンネルに参加できませんでした。キャッシュをリセットし、再度実行してください。",
|
||||
"mobile.pinned_posts.empty_description": "メッセージを押し続けると出現するメニューで \"チャンネルにピン留め\" するを選択することで重要な項目をピン留めできます。",
|
||||
"mobile.permission_denied_dismiss": "許可しない",
|
||||
"mobile.permission_denied_retry": "設定",
|
||||
"mobile.photo_library_permission_denied_description": "あなたのライブラリへ写真や動画を保存するために、権限設定を変更してください。",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} があなたのフォトライブラリへアクセスしようとしています",
|
||||
"mobile.pinned_posts.empty_description": "チャンネル全体からいつでも参照できるよう重要なメッセージをピン留めしましょう。メッセージを長押しし、チャンネルにピン留めするを選択することでメッセージをこのチャンネルに保存できます。",
|
||||
"mobile.pinned_posts.empty_title": "ピン留めされた投稿がありません",
|
||||
"mobile.post_info.add_reaction": "リアクションを追加する",
|
||||
"mobile.post_info.copy_text": "テキストをコピーする",
|
||||
"mobile.post_info.flag": "フラグ",
|
||||
"mobile.post_info.pin": "チャンネルにピン留め",
|
||||
"mobile.post_info.unflag": "フラグを消す",
|
||||
"mobile.post_info.unpin": "チャンネルへのピン留めをやめる",
|
||||
"mobile.post_pre_header.flagged": "フラグ済み",
|
||||
"mobile.post_pre_header.pinned": "ピン留め",
|
||||
"mobile.post_pre_header.pinned_flagged": "ピン留めとフラグ済み",
|
||||
"mobile.post_textbox.uploadFailedDesc": "サーバーへの添付ファイルのアップロードが失敗しました。メッセージを投稿しますか?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "添付エラー",
|
||||
"mobile.post.cancel": "キャンセル",
|
||||
"mobile.post.delete_question": "この投稿を本当に削除しますか?",
|
||||
"mobile.post.delete_title": "投稿を削除する",
|
||||
@@ -337,7 +387,35 @@
|
||||
"mobile.post.failed_retry": "再実行",
|
||||
"mobile.post.failed_title": "メッセージを送信できませんでした",
|
||||
"mobile.post.retry": "更新",
|
||||
"mobile.post_info.add_reaction": "リアクションを追加する",
|
||||
"mobile.post_info.copy_text": "テキストをコピーする",
|
||||
"mobile.post_info.flag": "フラグ",
|
||||
"mobile.post_info.mark_unread": "未読としてマークする",
|
||||
"mobile.post_info.pin": "チャンネルにピン留め",
|
||||
"mobile.post_info.reply": "返信する",
|
||||
"mobile.post_info.unflag": "フラグを消す",
|
||||
"mobile.post_info.unpin": "チャンネルへのピン留めをやめる",
|
||||
"mobile.post_pre_header.flagged": "フラグ済み",
|
||||
"mobile.post_pre_header.pinned": "ピン留め",
|
||||
"mobile.post_pre_header.pinned_flagged": "ピン留めとフラグ済み",
|
||||
"mobile.post_textbox.entire_channel.cancel": "キャンセル",
|
||||
"mobile.post_textbox.entire_channel.confirm": "確認",
|
||||
"mobile.post_textbox.entire_channel.message": "@allや@channelを利用すると {totalMembers, number} {totalMembers, plural, one {人} other {人}} へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "@allや@channelを利用すると {timezones, number} {timezones, plural, one {タイムゾーン} other {タイムゾーン}} の {totalMembers, number} {totalMembers, plural, one {人} other {人}}へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.post_textbox.entire_channel.title": "チャンネル全体へ通知を行う",
|
||||
"mobile.post_textbox.groups.title": "グループへ通知を送信する",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "{mentions} や {finalMention} を利用すると {timezones, number} {timezones, plural, one {タイムゾーン} other {タイムゾーン}} の {totalMembers} 人へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "{mentions} や {finalMention} を利用すると {totalMembers} 人へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "{mention} を利用すると {timezones, number} {timezones, plural, one {タイムゾーン} other {タイムゾーン}} の {totalMembers} 人へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "{mention} を利用すると {totalMembers} 人へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.post_textbox.uploadFailedDesc": "サーバーへの添付ファイルのアップロードが失敗しました。メッセージを投稿しますか?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "添付エラー",
|
||||
"mobile.posts_view.moreMsg": "さらに新しいメッセージがあります",
|
||||
"mobile.privacy_link": "プライバシーポリシー",
|
||||
"mobile.push_notification_reply.button": "送信する",
|
||||
"mobile.push_notification_reply.placeholder": "返信を記述してください...",
|
||||
"mobile.push_notification_reply.title": "返信する",
|
||||
"mobile.reaction_header.all_emojis": "すべて",
|
||||
"mobile.recent_mentions.empty_description": "あなたのユーザー名やあなたについての投稿となる単語が含まれた投稿は、ここに表示されます。",
|
||||
"mobile.recent_mentions.empty_title": "あなたについての投稿はありません",
|
||||
"mobile.rename_channel.display_name_maxLength": "チャンネル名は {maxLength, number} 文字未満でなくてはなりません",
|
||||
@@ -353,13 +431,15 @@
|
||||
"mobile.reset_status.alert_ok": "了解",
|
||||
"mobile.reset_status.title_ooo": "外出中を無効化しますか?",
|
||||
"mobile.retry_message": "メッセージを更新できませんでした。再度更新するには画面を引き上げてください。",
|
||||
"mobile.routes.channel_members.action": "メンバーを削除する",
|
||||
"mobile.routes.channel_members.action_message": "チャンネルから削除するメンバーを少なくとも一人選択してください。",
|
||||
"mobile.routes.channel_members.action_message_confirm": "本当に選択したメンバーをチャンネルから削除しますか?",
|
||||
"mobile.routes.channelInfo": "情報",
|
||||
"mobile.routes.channelInfo.createdBy": "{creator} によって作成 ",
|
||||
"mobile.routes.channelInfo.delete_channel": "チャンネルをアーカイブする",
|
||||
"mobile.routes.channelInfo.favorite": "お気に入り",
|
||||
"mobile.routes.channelInfo.groupManaged": "メンバーはリンクされたグループにより管理されています",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "チャンネルをアーカイブから復元する",
|
||||
"mobile.routes.channel_members.action": "メンバーを削除する",
|
||||
"mobile.routes.channel_members.action_message": "チャンネルから削除するメンバーを少なくとも一人選択してください。",
|
||||
"mobile.routes.channel_members.action_message_confirm": "本当に選択したメンバーをチャンネルから削除しますか?",
|
||||
"mobile.routes.code": "{language} コード",
|
||||
"mobile.routes.code.noLanguage": "コード",
|
||||
"mobile.routes.edit_profile": "プロフィールを編集する",
|
||||
@@ -375,6 +455,7 @@
|
||||
"mobile.routes.thread": "{channelName} スレッド",
|
||||
"mobile.routes.thread_dm": "ダイレクトメッセージスレッド",
|
||||
"mobile.routes.user_profile": "プロフィール",
|
||||
"mobile.routes.user_profile.edit": "編集する",
|
||||
"mobile.routes.user_profile.local_time": "ローカルタイム",
|
||||
"mobile.routes.user_profile.send_message": "メッセージを送信",
|
||||
"mobile.search.after_modifier_description": "指定された日付以降の投稿を探す",
|
||||
@@ -387,11 +468,22 @@
|
||||
"mobile.search.no_results": "結果が見付かりません",
|
||||
"mobile.search.on_modifier_description": "指定された日付の投稿を探す",
|
||||
"mobile.search.recent_title": "最近検索したエントリ",
|
||||
"mobile.select_team.guest_cant_join_team": "あなたのゲストアカウントにはどのチームにもチャンネルにもアサインされていません。管理者に連絡してください。",
|
||||
"mobile.select_team.join_open": "参加可能なチームを開く",
|
||||
"mobile.select_team.no_teams": "あなたが参加できるチームはありません。",
|
||||
"mobile.server_link.error.text": "このリンクはサーバーには存在しません。",
|
||||
"mobile.server_link.error.title": "リンクエラー",
|
||||
"mobile.server_link.unreachable_channel.error": "削除されたチャンネル、もしくはアクセス権限のないチャンネルへのリンクです。",
|
||||
"mobile.server_link.unreachable_team.error": "削除されたチーム、もしくはアクセス権限のないチームへのパーマリンクです。",
|
||||
"mobile.server_ssl.error.text": "{host}からの証明書は信頼されていません。\n\n証明書の問題を解決し、このサーバーへ接続するにはシステム管理者に連絡してください。",
|
||||
"mobile.server_ssl.error.title": "信頼されていない証明書",
|
||||
"mobile.server_upgrade.alert_description": "このサーバーのバージョンはサポートされておらず、ユーザーはアプリのクラッシュやアプリのコア機能を破壊する深刻なバグのような整合性の問題を受ける可能性があります。サーバーのバージョンを {serverVersion} 以降にアップグレードする必要があります。",
|
||||
"mobile.server_upgrade.button": "OK",
|
||||
"mobile.server_upgrade.description": "\nMattermostアプリケーションを利用するにはサーバーをアップグレードする必要があります。詳細についてはシステム管理者に問い合わせてください。\n",
|
||||
"mobile.server_upgrade.dismiss": "破棄",
|
||||
"mobile.server_upgrade.learn_more": "詳しく知る",
|
||||
"mobile.server_upgrade.title": "サーバーのアップグレードが必要です",
|
||||
"mobile.server_url.empty": "有効なサーバーURLを入力してください",
|
||||
"mobile.server_url.invalid_format": "URLはhttp://またはhttps://から始まらなくてはいけません",
|
||||
"mobile.session_expired": "セッション有効期限切れ: 通知を受け取るためにログインしてください。",
|
||||
"mobile.set_status.away": "離席中",
|
||||
@@ -404,7 +496,22 @@
|
||||
"mobile.share_extension.error_message": "共有の拡張機能を使用する際にエラーが発生しました。",
|
||||
"mobile.share_extension.error_title": "拡張機能エラー",
|
||||
"mobile.share_extension.team": "チーム",
|
||||
"mobile.share_extension.too_long_message": "文字数: {count}/{max}",
|
||||
"mobile.share_extension.too_long_title": "メッセージが長すぎます",
|
||||
"mobile.sidebar_settings.permanent": "サイドバーを常に表示する",
|
||||
"mobile.sidebar_settings.permanent_description": "サイドバーを常に開いた状態にします",
|
||||
"mobile.storage_permission_denied_description": "Mattermostインスタンスにファイルをアップロードします。このデバイスのファイルへのアクセスを許可するには、設定を開いてください。",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} があなたのファイルへアクセスしようとしています",
|
||||
"mobile.suggestion.members": "メンバー",
|
||||
"mobile.system_message.channel_archived_message": "{username} がチャンネルをアーカイブしました",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} がチャンネルをアーカイブから復元しました",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} がチャンネル表示名を {oldDisplayName} から {newDisplayName} に更新しました",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} がチャンネルヘッダー({oldHeader})を削除しました",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username}がチャンネルヘッダーを {oldHeader} から {newHeader} へ更新しました",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} がチャンネルヘッダーを {newHeader} に更新しました",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} がチャンネルの目的({oldPurpose})を削除しました",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} がチャンネルの目的を {oldPurpose} から {newPurpose} へ更新しました",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} がチャンネルの目的を {newPurpose} へ更新しました",
|
||||
"mobile.terms_of_service.alert_cancel": "キャンセル",
|
||||
"mobile.terms_of_service.alert_ok": "OK",
|
||||
"mobile.terms_of_service.alert_retry": "再実行",
|
||||
@@ -412,12 +519,18 @@
|
||||
"mobile.timezone_settings.automatically": "自動検出",
|
||||
"mobile.timezone_settings.manual": "タイムゾーンを変更",
|
||||
"mobile.timezone_settings.select": "タイムゾーンを選択",
|
||||
"mobile.user_list.deactivated": "無効にする",
|
||||
"mobile.tos_link": "利用規約",
|
||||
"mobile.unsupported_server.message": "ファイル添付、リンクプレビュー、絵文字リアクション、埋め込みデータが正しく表示されなくなる可能性があります。この問題が続くようならば、システム管理者にMattermostサーバーをアップグレードするよう連絡してください。",
|
||||
"mobile.unsupported_server.ok": "OK",
|
||||
"mobile.unsupported_server.title": "サポートされていないサーバーバージョン",
|
||||
"mobile.user.settings.notifications.email.fifteenMinutes": "15 分毎",
|
||||
"mobile.video_playback.failed_description": "動画を再生する際にエラーが発生しました。\n",
|
||||
"mobile.video_playback.failed_title": "動画の再生に失敗しました",
|
||||
"mobile.user_list.deactivated": "無効にする",
|
||||
"mobile.user_removed.message": "あなたはチャンネルから削除されました。",
|
||||
"mobile.user_removed.title": "{channelName} から削除されました",
|
||||
"mobile.video.save_error_message": "動画ファイルを保存するには、まずダウンロードする必要があります。",
|
||||
"mobile.video.save_error_title": "動画保存エラー",
|
||||
"mobile.video_playback.failed_description": "動画を再生する際にエラーが発生しました。\n",
|
||||
"mobile.video_playback.failed_title": "動画の再生に失敗しました",
|
||||
"mobile.youtube_playback_error.description": "YouTubeビデオを再生する際にエラーが発生しました。\n詳細: {details}",
|
||||
"mobile.youtube_playback_error.title": "YouTube再生エラー",
|
||||
"modal.manual_status.auto_responder.message_": "あなたのステータスを \"{status}\" に変更し、自動返信を無効化してもよろしいですか?",
|
||||
@@ -425,11 +538,22 @@
|
||||
"modal.manual_status.auto_responder.message_dnd": "あなたのステータスを \"取り込み中\" に変更し、自動返信を無効化してもよろしいですか?",
|
||||
"modal.manual_status.auto_responder.message_offline": "あなたのステータスを \"オフライン\" に変更し、自動返信を無効化してもよろしいですか?",
|
||||
"modal.manual_status.auto_responder.message_online": "あなたのステータスを \"オンライン\" に変更し、自動返信を無効化してもよろしいですか?",
|
||||
"more_channels.archivedChannels": "アーカイブチャンネル",
|
||||
"more_channels.dropdownTitle": "表示する",
|
||||
"more_channels.noMore": "参加できるチャンネルがありません",
|
||||
"more_channels.publicChannels": "公開チャンネル",
|
||||
"more_channels.showArchivedChannels": "表示: アーカイブチャンネル",
|
||||
"more_channels.showPublicChannels": "表示: 公開チャンネル",
|
||||
"more_channels.title": "他のチャンネル",
|
||||
"msg_typing.areTyping": "{users}と{last}が入力しています...",
|
||||
"msg_typing.isTyping": "{user}が入力しています...",
|
||||
"navbar.channel_drawer.button": "チャンネルとチーム",
|
||||
"navbar.channel_drawer.hint": "チャンネルとチームのドロワーメニューを開く",
|
||||
"navbar.leave": "チャンネルから脱退する",
|
||||
"navbar.more_options.button": "その他",
|
||||
"navbar.more_options.hint": "右サイドバーにその他のオプションを表示する",
|
||||
"navbar.search.button": "チャンネル検索",
|
||||
"navbar.search.hint": "チャンネル検索を開く",
|
||||
"password_form.title": "パスワードの初期化",
|
||||
"password_send.checkInbox": "受信ボックスを確認してください。",
|
||||
"password_send.description": "パスワードを初期化するには、利用登録した電子メールアドレスを入力してください",
|
||||
@@ -437,18 +561,21 @@
|
||||
"password_send.link": "アカウントが存在する場合、パスワード初期化メールが送信されます:",
|
||||
"password_send.reset": "自分のパスワードを初期化する",
|
||||
"permalink.error.access": "削除されたメッセージ、もしくはアクセス権限のないチャンネルへのパーマリンクです。",
|
||||
"permalink.error.link_not_found": "リンクが見つかりません",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "彼らはチャンネルにいないため、このメンションによる通知は行われませんでした。また、彼らはリンクされたグループのメンバーではないため、チャンネルに追加することもできません。彼らをこのチャンネルに追加するには、リンクされたグループに追加しなければなりません。",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": " と ",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "彼らを非公開チャンネルに追加しますか",
|
||||
"post_body.check_for_out_of_channel_mentions.link.public": "彼らをチャンネルに追加しますか",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? 彼らは全ての会話履歴にアクセスできます。",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "についての投稿が行われましたが、彼らはチャンネルにいません。 ",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "についての投稿が行われましたが、彼はチャンネルにいません。 ",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? 彼らは全ての会話履歴にアクセスできます。",
|
||||
"post_body.commentedOn": "{name}のメッセージへのコメント: ",
|
||||
"post_body.deleted": "(メッセージは削除されています)",
|
||||
"post_info.auto_responder": "自動返信",
|
||||
"post_info.bot": "BOT",
|
||||
"post_info.del": "削除",
|
||||
"post_info.edit": "編集する",
|
||||
"post_info.guest": "ゲスト",
|
||||
"post_info.message.show_less": "表示を少なくする",
|
||||
"post_info.message.show_more": "さらに表示",
|
||||
"post_info.system": "システム",
|
||||
@@ -458,16 +585,16 @@
|
||||
"search_bar.search": "検索",
|
||||
"search_header.results": "検索結果",
|
||||
"search_header.title2": "最近のあなたについての投稿",
|
||||
"search_header.title3": "フラグの立てられた投稿",
|
||||
"search_header.title3": "保存されたメッセージ",
|
||||
"search_item.channelArchived": "アーカイブ",
|
||||
"sidebar_right_menu.logout": "ログアウト",
|
||||
"sidebar_right_menu.report": "問題を報告する",
|
||||
"sidebar.channels": "公開チャンネル",
|
||||
"sidebar.direct": "ダイレクトメッセージ",
|
||||
"sidebar.favorite": "お気に入りチャンネル",
|
||||
"sidebar.pg": "非公開チャンネル",
|
||||
"sidebar.types.recent": "最近活動があったもの",
|
||||
"sidebar.unreads": "未読をもっと見る",
|
||||
"sidebar_right_menu.logout": "ログアウト",
|
||||
"sidebar_right_menu.report": "問題を報告する",
|
||||
"signup.email": "電子メールアドレスとパスワード",
|
||||
"signup.office365": "Office 365",
|
||||
"status_dropdown.set_away": "離席中",
|
||||
@@ -478,17 +605,20 @@
|
||||
"suggestion.mention.all": "このチャンネルの全員に通知",
|
||||
"suggestion.mention.channel": "このチャンネルの全員に通知",
|
||||
"suggestion.mention.channels": "自分のチャンネル",
|
||||
"suggestion.mention.groups": "グループメンション",
|
||||
"suggestion.mention.here": "このチャンネルの現在オンラインの人に通知",
|
||||
"suggestion.mention.members": "チャンネルのメンバー",
|
||||
"suggestion.mention.morechannels": "他のチャンネル",
|
||||
"suggestion.mention.nonmembers": "チャンネルにいません",
|
||||
"suggestion.mention.special": "特殊な誰かについての投稿",
|
||||
"suggestion.mention.you": "(あなた)",
|
||||
"suggestion.search.direct": "ダイレクトメッセージ",
|
||||
"suggestion.search.private": "非公開チャンネル",
|
||||
"suggestion.search.public": "公開チャンネル",
|
||||
"terms_of_service.agreeButton": "同意する",
|
||||
"terms_of_service.api_error": "リクエストを完了できませんでした。問題が続くようならば、システム管理者に連絡してください。",
|
||||
"user.settings.display.clockDisplay": "時計表示",
|
||||
"user.settings.display.custom_theme": "カスタムテーマ",
|
||||
"user.settings.display.militaryClock": "時計の24時間表示(例: 16:00)",
|
||||
"user.settings.display.normalClock": "時計の12時間表示(例: 4:00 PM)",
|
||||
"user.settings.display.preferTime": "時刻の表示形式を選択します。",
|
||||
@@ -523,114 +653,5 @@
|
||||
"user.settings.push_notification.disabled_long": "プッシュ通知はシステム管理者によって有効化されていません。",
|
||||
"user.settings.push_notification.offline": "オフライン",
|
||||
"user.settings.push_notification.online": "オンライン、離席中もしくはオフライン",
|
||||
"web.root.signup_info": "チームの全てのコミュニケーションを一箇所で、検索可能で、どこからでもアクセスできるものにします",
|
||||
"user.settings.display.custom_theme": "カスタムテーマ",
|
||||
"suggestion.mention.you": "(あなた)",
|
||||
"post_info.guest": "ゲスト",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "彼らはチャンネルにいないため、このメンションによる通知は行われませんでした。また、彼らはリンクされたグループのメンバーではないため、チャンネルに追加することもできません。彼らをこのチャンネルに追加するには、リンクされたグループに追加しなければなりません。",
|
||||
"permalink.error.link_not_found": "リンクが見つかりません",
|
||||
"navbar.channel_drawer.hint": "チャンネルとチームのドロワーメニューを開く",
|
||||
"navbar.channel_drawer.button": "チャンネルとチーム",
|
||||
"more_channels.showPublicChannels": "表示: 公開チャンネル",
|
||||
"more_channels.showArchivedChannels": "表示: アーカイブチャンネル",
|
||||
"more_channels.publicChannels": "公開チャンネル",
|
||||
"more_channels.dropdownTitle": "表示する",
|
||||
"more_channels.archivedChannels": "アーカイブチャンネル",
|
||||
"mobile.tos_link": "利用規約",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} がチャンネルの目的を {newPurpose} へ更新しました",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} がチャンネルの目的を {oldPurpose} から {newPurpose} へ更新しました",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} がチャンネルの目的({oldPurpose})を削除しました",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} がチャンネルヘッダーを {newHeader} に更新しました",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username}がチャンネルヘッダーを {oldHeader} から {newHeader} へ更新しました",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} がチャンネルヘッダー({oldHeader})を削除しました",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} がチャンネル表示名を {oldDisplayName} から {newDisplayName} に更新しました",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} がチャンネルをアーカイブから復元しました",
|
||||
"mobile.system_message.channel_archived_message": "{username} がチャンネルをアーカイブしました",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} があなたのファイルへアクセスしようとしています",
|
||||
"mobile.storage_permission_denied_description": "Mattermostインスタンスにファイルをアップロードします。このデバイスのファイルへのアクセスを許可するには、設定を開いてください。",
|
||||
"mobile.sidebar_settings.permanent_description": "サイドバーを常に開いた状態にします",
|
||||
"mobile.sidebar_settings.permanent": "サイドバーを常に表示する",
|
||||
"mobile.share_extension.too_long_title": "メッセージが長すぎます",
|
||||
"mobile.share_extension.too_long_message": "文字数: {count}/{max}",
|
||||
"mobile.server_ssl.error.title": "信頼されていない証明書",
|
||||
"mobile.server_ssl.error.text": "{host}からの証明書は信頼されていません。\n\n証明書の問題を解決し、このサーバーへ接続するにはシステム管理者に連絡してください。",
|
||||
"mobile.server_link.unreachable_team.error": "削除されたチーム、もしくはアクセス権限のないチームへのパーマリンクです。",
|
||||
"mobile.server_link.unreachable_channel.error": "削除されたチャンネル、もしくはアクセス権限のないチャンネルへのリンクです。",
|
||||
"mobile.server_link.error.title": "リンクエラー",
|
||||
"mobile.server_link.error.text": "このリンクはサーバーには存在しません。",
|
||||
"mobile.select_team.guest_cant_join_team": "あなたのゲストアカウントにはどのチームにもチャンネルにもアサインされていません。管理者に連絡してください。",
|
||||
"mobile.routes.user_profile.edit": "編集する",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "チャンネルをアーカイブから復元する",
|
||||
"mobile.routes.channelInfo.groupManaged": "メンバーはリンクされたグループにより管理されています",
|
||||
"mobile.reaction_header.all_emojis": "すべて",
|
||||
"mobile.push_notification_reply.title": "返信する",
|
||||
"mobile.push_notification_reply.placeholder": "返信を記述してください...",
|
||||
"mobile.push_notification_reply.button": "送信する",
|
||||
"mobile.privacy_link": "プライバシーポリシー",
|
||||
"mobile.post_textbox.entire_channel.title": "チャンネル全体へ通知を行う",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "@allや@channelを利用すると {timezones, number} {timezones, plural, one {タイムゾーン} other {タイムゾーン}} の {totalMembers, number} {totalMembers, plural, one {人} other {人}}へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.post_textbox.entire_channel.message": "@allや@channelを利用すると {totalMembers, number} {totalMembers, plural, one {人} other {人}} へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.post_textbox.entire_channel.confirm": "確認",
|
||||
"mobile.post_textbox.entire_channel.cancel": "キャンセル",
|
||||
"mobile.post_info.reply": "返信する",
|
||||
"mobile.post_info.mark_unread": "未読としてマークする",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} があなたのフォトライブラリへアクセスしようとしています",
|
||||
"mobile.photo_library_permission_denied_description": "あなたのライブラリへ写真や動画を保存するために、権限設定を変更してください。",
|
||||
"mobile.permission_denied_retry": "設定",
|
||||
"mobile.permission_denied_dismiss": "許可しない",
|
||||
"mobile.managed.settings": "設定へ移動する",
|
||||
"mobile.managed.not_secured.ios.touchId": "このデバイスでMattermostを使うにはパスコードを設定する必要があります。\n\n設定 > Touch IDとパスコード から設定してください。",
|
||||
"mobile.managed.not_secured.ios": "このデバイスでMattermostを使うにはパスコードを設定する必要があります。\n\n設定 > Face IDとパスコード から設定してください。",
|
||||
"mobile.managed.not_secured.android": "このデバイスでMattermostを使うにはスクリーンロックを設定する必要があります。",
|
||||
"mobile.ios.photos_permission_denied_title": "フォトライブラリーへのアクセスを要求しています",
|
||||
"mobile.files_paste.error_title": "ペーストに失敗しました",
|
||||
"mobile.files_paste.error_dismiss": "破棄",
|
||||
"mobile.files_paste.error_description": "ファイルをペーストする際にエラーが発生しました。再度実行してください。",
|
||||
"mobile.file_upload.unsupportedMimeType": "BMP、JPG、PNG画像だけがプロフィール画像として使用できます。",
|
||||
"mobile.failed_network_action.teams_title": "問題が発生しました",
|
||||
"mobile.failed_network_action.teams_description": "チームを読み込めませんでした。",
|
||||
"mobile.failed_network_action.teams_channel_description": "{teamName} のチャンネルを読み込めませんでした。",
|
||||
"mobile.extension.team_required": "ファイルを共有するにはチームに所属している必要があります。",
|
||||
"mobile.edit_profile.remove_profile_photo": "画像を削除する",
|
||||
"mobile.display_settings.sidebar": "サイドバー",
|
||||
"mobile.channel_list.archived": "アーカイブ",
|
||||
"mobile.channel_info.unarchive_failed": "チャンネル {displayName} をアーカイブから復元できませんでした。接続を確認し、もう一度試してみてください。",
|
||||
"mobile.channel_info.copy_purpose": "目的をコピーする",
|
||||
"mobile.channel_info.copy_header": "ヘッダーをコピーする",
|
||||
"mobile.channel_info.convert_success": "{displayName} は非公開チャンネルになりました。",
|
||||
"mobile.channel_info.convert_failed": "{displayName} を非公開チャンネルに変更できませんでした。",
|
||||
"mobile.channel_info.convert": "非公開チャンネルに変更する",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "アーカイブから復元 {term}",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "{displayName} を非公開チャンネルに変更しますか?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "{term} {name} を本当にアーカイブから復元しますか?",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "{displayName} を非公開チャンネルに変更する際、過去の履歴やメンバーシップは保持されます。公開されていたファイルは、同じリンクで誰でもアクセス可能なままになります。非公開チャンネルへのメンバー追加は招待のみです。\n\nこの変更を取り消すことはできません。\n\n本当に {displayName} を非公開チャンネルに変更しますか?",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} があなたのカメラへアクセスしようとしています",
|
||||
"mobile.camera_video_permission_denied_description": "動画を撮影し、それらをMattermostインスタンスへアップロードし、デバイスへ保存します。カメラへのアクセスを許可するには、設定を開いてください。",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} があなたのカメラへアクセスしようとしています",
|
||||
"mobile.camera_photo_permission_denied_description": "写真を撮影し、それらをMattermostインスタンスへアップロードし、デバイスへ保存します。カメラへのアクセスを許可するには、設定を開いてください。",
|
||||
"mobile.alert_dialog.alertCancel": "キャンセル",
|
||||
"intro_messages.creatorPrivate": "ここは非公開チャンネル {name} のトップです。{date}に{creator}によって作成されました。",
|
||||
"date_separator.yesterday": "昨日",
|
||||
"date_separator.today": "今日",
|
||||
"channel.isGuest": "このユーザーはゲストです",
|
||||
"channel.hasGuests": "このグループメッセージにはゲストがいます",
|
||||
"channel.channelHasGuests": "このチャンネルにはゲストがいます",
|
||||
"mobile.server_upgrade.learn_more": "詳しく知る",
|
||||
"mobile.server_upgrade.dismiss": "破棄",
|
||||
"mobile.server_upgrade.alert_description": "このサーバーのバージョンはサポートされておらず、ユーザーはアプリのクラッシュやアプリのコア機能を破壊する深刻なバグのような整合性の問題を受ける可能性があります。サーバーのバージョンを {serverVersion} 以降にアップグレードする必要があります。",
|
||||
"mobile.message_length.message_split_left": "メッセージが文字数制限を超えています",
|
||||
"suggestion.mention.groups": "グループメンション",
|
||||
"mobile.more_messages_button.text": "{count} 件の {isInitialMessage, select, true {新しい} other {新しい}} {count, plural, one {メッセージ} other {メッセージ}}",
|
||||
"mobile.android.back_handler_exit": "終了するにはもう一度戻るを押してください",
|
||||
"mobile.post_textbox.groups.title": "グループへ通知を送信する",
|
||||
"mobile.unsupported_server.ok": "OK",
|
||||
"mobile.unsupported_server.title": "サポートされていないサーバーバージョン",
|
||||
"mobile.unsupported_server.message": "ファイル添付、リンクプレビュー、絵文字リアクション、埋め込みデータが正しく表示されなくなる可能性があります。この問題が続くようならば、システム管理者にMattermostサーバーをアップグレードするよう連絡してください。",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "{mention} を利用すると {totalMembers} 人へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "{mention} を利用すると {timezones, number} {timezones, plural, one {タイムゾーン} other {タイムゾーン}} の {totalMembers} 人へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "{mentions} や {finalMention} を利用すると {totalMembers} 人へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "{mentions} や {finalMention} を利用すると {timezones, number} {timezones, plural, one {タイムゾーン} other {タイムゾーン}} の {totalMembers} 人へ通知を送信することになります。本当にこの操作を行いますか?",
|
||||
"mobile.user_removed.title": "{channelName} から削除されました",
|
||||
"mobile.user_removed.message": "あなたはチャンネルから削除されました。",
|
||||
"mobile.emoji_picker.search.not_found_description": "スペルを確認し、再度検索してください。"
|
||||
"web.root.signup_info": "チームの全てのコミュニケーションを一箇所で、検索可能で、どこからでもアクセスできるものにします"
|
||||
}
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
{
|
||||
"about.date": "빌드 일자:",
|
||||
"about.enterpriseEditione1": "엔터프라이즈 에디션",
|
||||
"about.enterpriseEditionLearn": "엔터프라이즈 에디션에 대한 자세한 정보 ",
|
||||
"about.enterpriseEditionSt": "보안 네트워크에 구축하는 현대적인 커뮤니케이션 플랫폼",
|
||||
"about.enterpriseEditione1": "엔터프라이즈 에디션",
|
||||
"about.hash": "빌드 해쉬:",
|
||||
"about.hashee": "EE 빌드 해쉬:",
|
||||
"about.teamEditionLearn": "Mattermost 커뮤니티에 참여 ",
|
||||
@@ -10,16 +10,26 @@
|
||||
"about.teamEditiont0": "팀 에디션",
|
||||
"about.teamEditiont1": "엔터프라이즈 에디션",
|
||||
"about.title": "{appTitle} 정보",
|
||||
"announcment_banner.dont_show_again": "다시 보지 않음",
|
||||
"api.channel.add_member.added": "{username}님이 {addedUsername}님을 채널에 초대했습니다.",
|
||||
"archivedChannelMessage": "**보존 처리 된 채널**을 보고계십니다. 새 메시지를 게시 할 수 없습니다.",
|
||||
"archivedChannelMessage": "**보관된 채널**을 보고 있습니다. 새 게시글을 올릴 수 없습니다.",
|
||||
"center_panel.archived.closeChannel": "채널 닫기",
|
||||
"channel.channelHasGuests": "이 채널에는 게스트가 있습니다.",
|
||||
"channel.hasGuests": "이 그룹 메시지는 게스트가 있습니다.",
|
||||
"channel.isGuest": "이 사람은 게스트입니다.",
|
||||
"channel_header.addMembers": "멤버 추가",
|
||||
"channel_header.directchannel.you": "{displayname} (당신) ",
|
||||
"channel_header.manageMembers": "회원 관리",
|
||||
"channel_header.pinnedPosts": "포스트 고정",
|
||||
"channel_header.notificationPreference": "모바일 알림",
|
||||
"channel_header.notificationPreference.all": "전체",
|
||||
"channel_header.notificationPreference.default": "기본값",
|
||||
"channel_header.notificationPreference.mention": "멘션",
|
||||
"channel_header.notificationPreference.none": "알리지 않음",
|
||||
"channel_header.pinnedPosts": "고정된 메시지",
|
||||
"channel_header.viewMembers": "회원 보기",
|
||||
"channel_info.header": "헤더:",
|
||||
"channel_info.purpose": "설명:",
|
||||
"channel_loader.someone": "누군가",
|
||||
"channel_members_modal.remove": "제거",
|
||||
"channel_modal.cancel": "취소",
|
||||
"channel_modal.descriptionHelp": "이 채널은 이렇게 사용되어야 합니다.",
|
||||
@@ -31,7 +41,14 @@
|
||||
"channel_modal.optional": "(선택사항)",
|
||||
"channel_modal.purpose": "설명",
|
||||
"channel_modal.purposeEx": "예시: \"버그 수정과 품질 개선을 위한 채널입니다.\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "@channel, @here, @all을 무시",
|
||||
"channel_notifications.muteChannel.settings": "채널 알림 끄기",
|
||||
"channel_notifications.preference.all_activity": "모든 활동에 대해",
|
||||
"channel_notifications.preference.global_default": "글로벌 디폴트 (멘션)",
|
||||
"channel_notifications.preference.header": "알림 보내기",
|
||||
"channel_notifications.preference.never": "알리지 않음",
|
||||
"channel_notifications.preference.only_mentions": "멘션과 다이렉트 메시지만",
|
||||
"channel_notifications.preference.save_error": "알림 설정을 저장할 수 없습니다. 접속 상태를 확인하고 다시 시도하십시오.",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{users}님과 {lastUser}님이 {actor}님에 의해 **채널에 추가되었습니다**.",
|
||||
"combined_system_message.added_to_channel.one": "{firstUser}님이 {actor}님에 의해 **채널에 추가되었습니다**.",
|
||||
"combined_system_message.added_to_channel.one_you": "{actor}님이 당신을 **채널에 추가하였습니다**.",
|
||||
@@ -68,6 +85,8 @@
|
||||
"create_comment.addComment": "답글 달기...",
|
||||
"create_post.deactivated": "비활성화된 사용자와 함께 보관된 채널을 보고 계십니다.",
|
||||
"create_post.write": "{channelDisplayName}에 글쓰기",
|
||||
"date_separator.today": "오늘",
|
||||
"date_separator.yesterday": "어제",
|
||||
"edit_post.editPost": "글 편집하기...",
|
||||
"edit_post.save": "저장",
|
||||
"file_attachment.download": "다운로드",
|
||||
@@ -77,6 +96,7 @@
|
||||
"intro_messages.anyMember": " 모든 회원이 채널에 가입하고 글을 읽을 수 있습니다.",
|
||||
"intro_messages.beginning": "{name}의 시작",
|
||||
"intro_messages.creator": "이것은 {date}에 {creator} 님이 작성한 {name} 채널의 시작입니다.",
|
||||
"intro_messages.creatorPrivate": "{date}에 {name} 비공개 채널을 {creator} 님이 생성하였습니다.",
|
||||
"intro_messages.group_message": "This is the start of your direct message history with this teammate. Direct messages and files shared here are not shown to people outside this area.",
|
||||
"intro_messages.noCreator": "이것은 {date}에 생성된 {name} 채널의 시작입니다.",
|
||||
"intro_messages.onlyInvited": " 초대받은 회원만 이 비공개 그룹을 볼 수 있습니다.",
|
||||
@@ -90,9 +110,6 @@
|
||||
"last_users_message.others": "{numOthers} 명이 ",
|
||||
"last_users_message.removed_from_channel.type": "**채널에서 삭제되었습니다**.",
|
||||
"last_users_message.removed_from_team.type": "**팀에서 삭제되었습니다**.",
|
||||
"login_mfa.enterToken": "인증을 완료하시려면 스마트폰앱 인증앱에 표시된 토큰정보를 입력해주세요",
|
||||
"login_mfa.token": "MFA 토큰",
|
||||
"login_mfa.tokenReq": "MFA 토큰을 입력하세요.",
|
||||
"login.email": "전자우편",
|
||||
"login.forgot": "패스워드를 잊어버리셨나요?",
|
||||
"login.invalidPassword": "패스워드가 일치하지 않습니다.",
|
||||
@@ -109,57 +126,125 @@
|
||||
"login.or": "또는",
|
||||
"login.password": "패스워드",
|
||||
"login.signIn": "로그인",
|
||||
"login.username": "사용자 이름",
|
||||
"login.userNotFound": "입력된 계정과 일치하는 사용자 정보를 찾을 수 없습니다.",
|
||||
"login.username": "사용자 이름",
|
||||
"login_mfa.enterToken": "인증을 완료하시려면 스마트폰앱 인증앱에 표시된 토큰정보를 입력해주세요",
|
||||
"login_mfa.token": "MFA 토큰",
|
||||
"login_mfa.tokenReq": "MFA 토큰을 입력하세요.",
|
||||
"mobile.about.appVersion": "버전: {version} (빌드 {number})",
|
||||
"mobile.about.copyright": "Copyright 2015-{currentYear} Mattermost, Inc. All rights reserved",
|
||||
"mobile.about.database": "데이터베이스: {type}",
|
||||
"mobile.about.licensed": "다음 사용자에게 허가되었습니다: {company}",
|
||||
"mobile.about.powered_by": "{site}는 Mattermost로 구축되었습니다",
|
||||
"mobile.about.serverVersion": "서버 버전: {version} (빌드 {number})",
|
||||
"mobile.about.serverVersionNoBuild": "Server Version: {version}",
|
||||
"mobile.account.settings.save": "저장",
|
||||
"mobile.account_notifications.reply.header": "댓글에 대한 알림 설정",
|
||||
"mobile.account_notifications.threads_mentions": "스레드 내의 멘션",
|
||||
"mobile.account_notifications.threads_start": "등록한 모든 스레드의 답변에 대해 알림",
|
||||
"mobile.account_notifications.threads_start_participate": "등록하거나 답변했던 모든 스레드의 답변에 대해 알림",
|
||||
"mobile.account.settings.save": "저장",
|
||||
"mobile.action_menu.select": "옵션을 선택하십시오",
|
||||
"mobile.advanced_settings.clockDisplay": "시간 표시",
|
||||
"mobile.advanced_settings.delete": "삭제",
|
||||
"mobile.advanced_settings.delete_message": "\n모든 오프라인 데이터를 삭제하고 앱을 재시작합니다. 앱이 재시작되면 자동으로 로그인합니다.\n",
|
||||
"mobile.advanced_settings.delete_title": "Delete Documents & Data",
|
||||
"mobile.advanced_settings.timezone": "표준 시간대",
|
||||
"mobile.advanced_settings.title": "고급 설정",
|
||||
"mobile.alert_dialog.alertCancel": "취소",
|
||||
"mobile.android.back_handler_exit": "종료하려면 뒤로 가기를 다시 눌러주세요",
|
||||
"mobile.android.photos_permission_denied_description": "사진이나 비디오를 촬영 하려면, 권한 설정을 변경해 주세요.",
|
||||
"mobile.android.photos_permission_denied_title": "Photo library access is required",
|
||||
"mobile.android.videos_permission_denied_description": "사진이나 비디오를 촬영 하려면, 권한 설정을 변경해 주세요.",
|
||||
"mobile.android.videos_permission_denied_title": "Video library access is required",
|
||||
"mobile.announcement_banner.title": "공지",
|
||||
"mobile.calendar.dayNames": "일요일,월요일,화요일,수요일,목요일,금요일,토요일",
|
||||
"mobile.calendar.dayNamesShort": "Sun,Mon,Tue,Wed,Thu,Fri,Sat",
|
||||
"mobile.calendar.monthNames": "January,February,March,April,May,June,July,August,September,October,November,December",
|
||||
"mobile.calendar.monthNamesShort": "Jan,Feb,Mar,Apr,May,Jun,Jul,Aug,Sep,Oct,Nov,Dec",
|
||||
"mobile.camera_photo_permission_denied_description": "사진을 촬영하고 Mattermost에 업로드하거나 기기에 저장합니다. 카메라에 접근할 수 있는 권한을 부여하기 위해서는 설정을 열어 주십시오.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName}이(가) 카메라에 접근하려고 합니다.",
|
||||
"mobile.camera_video_permission_denied_description": "동영상을 촬영하고 Mattermost에 업로드하거나 기기에 저장합니다. 카메라에 접근할 수 있는 권한을 부여하기 위해서는 설정을 열어 주십시오.",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName}이(가) 카메라에 접근하려고 합니다.",
|
||||
"mobile.channel_drawer.search": "이동...",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "{displayName}을(를) 비공개 채널로 변환하면 기록과 구성원이 보존됩니다. 공개 공유 파일은 링크가 있는 사람이면 누구나 액세스할 수 있습니다. 개인 채널의 회원 자격은 초대에 의해서만 이루어집니다.\n\n그 변화는 영구적이어서 돌이킬 수 없습니다.\n\n{displayName}을(를) 비공개 채널로 변환하시겠습니까?",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "{term} {name}을 (를) 종료 하시겠습니까?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "{term} {name}에서 나가시겠습니까?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "{term} {name}을 (를) 종료 하시겠습니까?",
|
||||
"mobile.channel_info.alertNo": "아니요",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "{displayName} 채널을 비공개 채널로 전환하시겠습니까?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "아카이브 {term}",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "{term} 나가기",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "아카이브에서 복원 {term}",
|
||||
"mobile.channel_info.alertYes": "네",
|
||||
"mobile.channel_info.convert": "비공개 채널로 전환",
|
||||
"mobile.channel_info.convert_failed": "{displayName} 채널을 비공개 채널로 변경할 수 없습니다.",
|
||||
"mobile.channel_info.convert_success": "{displayName} 채널은 이제 비공개 채널입니다.",
|
||||
"mobile.channel_info.copy_header": "헤더를 복사",
|
||||
"mobile.channel_info.copy_purpose": "목적을 복사",
|
||||
"mobile.channel_info.delete_failed": "{displayName} 채널을 아카이브할 수 없습니다. 접속 상태를 확인하고 다시 시도하십시오.",
|
||||
"mobile.channel_info.edit": "채널 편집",
|
||||
"mobile.channel_info.privateChannel": "비공개 채널",
|
||||
"mobile.channel_info.publicChannel": "공개 채널",
|
||||
"mobile.channel_list.alertNo": "아니요",
|
||||
"mobile.channel_info.unarchive_failed": "{displayName} 채널을 아카이브에서 복원할 수 없습니다. 접속 상태를 확인하고 다시 시도하십시오.",
|
||||
"mobile.channel_list.alertNo": "아니오",
|
||||
"mobile.channel_list.alertYes": "네",
|
||||
"mobile.channel_list.archived": "보관됨",
|
||||
"mobile.channel_list.channels": "채널",
|
||||
"mobile.channel_list.closeDM": "그룹 메시지 닫기",
|
||||
"mobile.channel_list.closeGM": "그룹 메시지 닫기",
|
||||
"mobile.channel_list.members": "MEMBERS",
|
||||
"mobile.channel_list.not_member": "NOT A MEMBER",
|
||||
"mobile.channel_list.unreads": "읽지 않음",
|
||||
"mobile.channel_members.add_members_alert": "채널에 추가할 멤버를 한 명 이상 선택하십시오.",
|
||||
"mobile.client_upgrade": "업데이트",
|
||||
"mobile.client_upgrade.can_upgrade_subtitle": "새로운 버전을 다운로드할 수 있습니다.",
|
||||
"mobile.client_upgrade.can_upgrade_title": "업데이트 가능",
|
||||
"mobile.client_upgrade.close": "나중에 업데이트",
|
||||
"mobile.client_upgrade.current_version": "최신 버전: {version}",
|
||||
"mobile.client_upgrade.download_error.message": "새 버전을 다운로드 하는 데 문제가 발생했습니다.",
|
||||
"mobile.client_upgrade.download_error.title": "업데이트 불가",
|
||||
"mobile.client_upgrade.latest_version": "현재 버전: {version}",
|
||||
"mobile.client_upgrade.listener.dismiss_button": "취소",
|
||||
"mobile.client_upgrade.listener.learn_more_button": "자세히",
|
||||
"mobile.client_upgrade.listener.message": "클라이언트를 업데이트할 수 있습니다!",
|
||||
"mobile.client_upgrade.listener.upgrade_button": "업그레이드",
|
||||
"mobile.client_upgrade.must_upgrade_subtitle": "계속하려면 앱을 업데이트 하십시오.",
|
||||
"mobile.client_upgrade.must_upgrade_title": "업데이트가 필요합니다",
|
||||
"mobile.client_upgrade.no_upgrade_subtitle": "현재 최신 버전을 사용 중입니다.",
|
||||
"mobile.client_upgrade.no_upgrade_title": "최신 버전입니다",
|
||||
"mobile.client_upgrade.upgrade": "업데이트",
|
||||
"mobile.components.select_server_view.connect": "연결 되었습니다.",
|
||||
"mobile.commands.error_title": "명령 실행 중 문제 발생",
|
||||
"mobile.components.error_list.dismiss_all": "모두 취소",
|
||||
"mobile.components.select_server_view.connect": "연결",
|
||||
"mobile.components.select_server_view.connecting": "연결 중...",
|
||||
"mobile.components.select_server_view.enterServerUrl": "Enter Server URL",
|
||||
"mobile.components.select_server_view.enterServerUrl": "서버 URL을 입력하십시오",
|
||||
"mobile.components.select_server_view.proceed": "계속",
|
||||
"mobile.components.select_server_view.siteUrlPlaceholder": "https://mattermost.example.com",
|
||||
"mobile.create_channel": "생성",
|
||||
"mobile.create_channel.private": "새 비공개 채널",
|
||||
"mobile.create_channel.public": "새 공개 채널",
|
||||
"mobile.create_post.read_only": "이 채널은 읽기 전용입니다.",
|
||||
"mobile.custom_list.no_results": "결과가 없습니다.",
|
||||
"mobile.display_settings.sidebar": "사이드 바",
|
||||
"mobile.display_settings.theme": "테마",
|
||||
"mobile.document_preview.failed_description": "문서를 여는 데 문제가 발생했습니다. {fileType} 뷰어가 인스톨되어 있는 지 확인한 후에 다시 시도하십시오.\n",
|
||||
"mobile.document_preview.failed_title": "문서 열기 실패",
|
||||
"mobile.downloader.android_complete": "다운로드 완료",
|
||||
"mobile.downloader.android_failed": "다운로드 실패",
|
||||
"mobile.downloader.android_permission": "파일을 저장하려면 다운로드 폴더에 대한 접근 권한이 필요합니다.",
|
||||
"mobile.downloader.android_started": "다운로드 개시",
|
||||
"mobile.downloader.complete": "다운로드 완료",
|
||||
"mobile.downloader.disabled_description": "이 서버에서는 파일을 다운로드 할 수 없습니다. 자세한 내용은 서버 관리자에게 문의하십시오.\n",
|
||||
"mobile.downloader.disabled_title": "다운로드 불가",
|
||||
"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": "메시지 편집 중",
|
||||
"mobile.edit_profile.remove_profile_photo": "사진 삭제",
|
||||
"mobile.emoji_picker.activity": "활동",
|
||||
"mobile.emoji_picker.custom": "CUSTOM",
|
||||
"mobile.emoji_picker.flags": "FLAGS",
|
||||
@@ -171,20 +256,30 @@
|
||||
"mobile.emoji_picker.recent": "RECENTLY USED",
|
||||
"mobile.emoji_picker.symbols": "SYMBOLS",
|
||||
"mobile.error_handler.description": "\nClick relaunch to open the app again. After restart, you can report the problem from the settings menu.\n",
|
||||
"mobile.extension.team_required": "파일을 공유하려면 먼저 팀에 소속해 있어야 합니다.",
|
||||
"mobile.failed_network_action.retry": "다시 시도",
|
||||
"mobile.failed_network_action.shortDescription": "Make sure you have an active connection and try again.",
|
||||
"mobile.failed_network_action.title": "인터넷 연결 안 됨",
|
||||
"mobile.file_upload.unsupportedMimeType": "JPG 또는 PNG 이미지만 프로필 사진으로 사용할 수 있습니다.",
|
||||
"mobile.flagged_posts.empty_description": "중요한 메시지를 따로 모아 확인할 수 있습니다. 중요 메시지는 개인별로 표시되며 다른 사람이 볼 수 없습니다.",
|
||||
"mobile.flagged_posts.empty_title": "중요 메세지 없음",
|
||||
"mobile.help.title": "도움말",
|
||||
"mobile.intro_messages.DM": "{teammate}와 개인 메시지의 시작입니다. 개인 메시지나 여기서 공유된 파일들은 외부에서 보여지지 않습니다.",
|
||||
"mobile.intro_messages.default_message": "팀원들이 가입할 때 처음으로 보게 되는 채널입니다. 모두가 알아야 할 업데이트를 게시할 때 사용하십시오.",
|
||||
"mobile.intro_messages.default_welcome": "{name}에 오신걸 환영합니다!",
|
||||
"mobile.intro_messages.DM": "{teammate}와 개인 메시지의 시작입니다. 개인 메시지나 여기서 공유된 파일들은 외부에서 보여지지 않습니다.",
|
||||
"mobile.ios.photos_permission_denied_description": "사진이나 비디오를 촬영 하려면, 권한 설정을 변경해 주세요.",
|
||||
"mobile.ios.photos_permission_denied_title": "Photo library access is required",
|
||||
"mobile.link.error.text": "링크를 열 수 없습니다.",
|
||||
"mobile.link.error.title": "에러",
|
||||
"mobile.loading_posts": "메시지 불러오는 중...",
|
||||
"mobile.long_post_title": "{channelName} - Post",
|
||||
"mobile.mailTo.error.title": "에러",
|
||||
"mobile.managed.exit": "종료",
|
||||
"mobile.managed.not_secured.ios": "이 장치는 Matttermost가 사용하려면 Passcode와 함께 보호해야 합니다.\n\n셋팅 > Touch ID & Passcode",
|
||||
"mobile.managed.not_secured.ios.touchId": "이 장치는 Matttermost가 사용하려면 Passcode와 함께 보호해야 합니다.\n\n셋팅 > Touch ID & Passcode",
|
||||
"mobile.managed.settings": "설정으로 이동",
|
||||
"mobile.message_length.message": "Your current message is too long. Current character count: {max}/{count}",
|
||||
"mobile.message_length.message_split_left": "메시지가 문자 제한을 초과합니다",
|
||||
"mobile.message_length.title": "메시지 길이",
|
||||
"mobile.more_dms.add_more": "{remaining, number}개의 사용자를 추가할 수 있습니다",
|
||||
"mobile.more_dms.cannot_add_more": "더 많은 사용자를 추가할 수 없습니다",
|
||||
@@ -194,6 +289,20 @@
|
||||
"mobile.more_dms.you": "@{username} - 당신",
|
||||
"mobile.notice_mobile_link": "모바일 앱",
|
||||
"mobile.notice_platform_link": "server",
|
||||
"mobile.notification.in": " in ",
|
||||
"mobile.notification_settings.auto_responder.default_message": "안녕하세요. 저는 지금 부재중이며 메시지에 응답할 수 없습니다.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "활성화",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "개인 메시지에 대한 응답을 자동으로 전송되는 사용자 지정 메시지를 설정합니다. 공개, 비공개 채널의 멘션은 자동 응답 기능이 실행되지 않습니다. 자동 응답을 사용하면 상태가 부재 중으로 설정되고 전자우편 알림, 푸시 알림은 해제됩니다.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "메시지",
|
||||
"mobile.notification_settings.auto_responder.message_title": "CUSTOM MESSAGE",
|
||||
"mobile.notification_settings.email": "전자우편",
|
||||
"mobile.notification_settings.email.send": "SEND EMAIL NOTIFICATIONS",
|
||||
"mobile.notification_settings.email_title": "전자우편 알림",
|
||||
"mobile.notification_settings.mentions.reply_title": "댓글에 대한 알림 설정",
|
||||
"mobile.notification_settings.mobile_title": "모바일 푸시 알림",
|
||||
"mobile.notification_settings.modal_cancel": "CANCEL",
|
||||
"mobile.notification_settings.modal_save": "SAVE",
|
||||
"mobile.notification_settings.ooo_auto_responder": "개인 메시지 자동 응답",
|
||||
"mobile.notification_settings_mentions.keywords": "키워드",
|
||||
"mobile.notification_settings_mentions.wordsTrigger": "WORDS THAT TRIGGER MENTIONS",
|
||||
"mobile.notification_settings_mobile.default_sound": "Default ({sound})",
|
||||
@@ -205,44 +314,48 @@
|
||||
"mobile.notification_settings_mobile.sound": "Sound",
|
||||
"mobile.notification_settings_mobile.sounds_title": "알림음",
|
||||
"mobile.notification_settings_mobile.test": "Send me a test notification",
|
||||
"mobile.notification_settings.auto_responder.default_message": "안녕하세요. 저는 지금 부재중이며 메시지에 응답할 수 없습니다.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "활성화",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "개인 메시지에 대한 응답을 자동으로 전송되는 사용자 지정 메시지를 설정합니다. 공개, 비공개 채널의 멘션은 자동 응답 기능이 실행되지 않습니다. 자동 응답을 사용하면 상태가 부재 중으로 설정되고 전자우편 알림, 푸시 알림은 해제됩니다.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "메시지",
|
||||
"mobile.notification_settings.auto_responder.message_title": "CUSTOM MESSAGE",
|
||||
"mobile.notification_settings.email": "전자우편",
|
||||
"mobile.notification_settings.email_title": "전자우편 알림",
|
||||
"mobile.notification_settings.email.send": "SEND EMAIL NOTIFICATIONS",
|
||||
"mobile.notification_settings.mentions.reply_title": "댓글에 대한 알림 설정",
|
||||
"mobile.notification_settings.mobile_title": "모바일 푸시 알림",
|
||||
"mobile.notification_settings.modal_cancel": "CANCEL",
|
||||
"mobile.notification_settings.modal_save": "SAVE",
|
||||
"mobile.notification_settings.ooo_auto_responder": "개인 메시지 자동 응답",
|
||||
"mobile.notification.in": " in ",
|
||||
"mobile.offlineIndicator.connected": "연결 되었습니다.",
|
||||
"mobile.offlineIndicator.connecting": "연결 중...",
|
||||
"mobile.offlineIndicator.offline": "인터넷 연결 안 됨",
|
||||
"mobile.permission_denied_retry": "설정",
|
||||
"mobile.photo_library_permission_denied_description": "사진이나 비디오를 촬영 하려면, 권한 설정을 변경해 주세요.",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName}이(가) 사진 라이브러리에 접근하려고 합니다.",
|
||||
"mobile.pinned_posts.empty_title": "포스트 고정",
|
||||
"mobile.post_info.add_reaction": "반응 추가",
|
||||
"mobile.post_info.flag": "중요 지정",
|
||||
"mobile.post_info.pin": "공지하기",
|
||||
"mobile.post_info.unflag": "중요 메시지 해제",
|
||||
"mobile.post_info.unpin": "공지 해제하기",
|
||||
"mobile.post_pre_header.pinned": "공지사항",
|
||||
"mobile.post.cancel": "취소",
|
||||
"mobile.post.delete_question": "정말 게시물을 삭제하시겠습니까?",
|
||||
"mobile.post.delete_title": "Delete Post",
|
||||
"mobile.post.failed_delete": "Delete Message",
|
||||
"mobile.post.failed_retry": "다시 시도",
|
||||
"mobile.post_info.add_reaction": "반응 추가",
|
||||
"mobile.post_info.flag": "중요 지정",
|
||||
"mobile.post_info.mark_unread": "안 읽음 표시",
|
||||
"mobile.post_info.pin": "공지하기",
|
||||
"mobile.post_info.reply": "답글",
|
||||
"mobile.post_info.unflag": "중요 메시지 해제",
|
||||
"mobile.post_info.unpin": "공지 해제하기",
|
||||
"mobile.post_pre_header.pinned": "공지사항",
|
||||
"mobile.post_textbox.entire_channel.cancel": "취소",
|
||||
"mobile.post_textbox.entire_channel.confirm": "확인",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "{mentions}와 {finalMention}을(를) 사용해서 최소 {totalMembers}명의 {timezones, number} {timezones, plural, one {timezone} other {timezones}} 사람들에게 당신은 알림을 보내려고 합니다. 이 작업을 수행하시겠습니까?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "{mentions}와 {finalMention}을(를) 사용해서 최소 {totalMembers}명의 사람들에게 당신은 알림을 보내려고 합니다. 이 작업을 수행하시겠습니까?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "{mention}을(를) 사용해서 {totalMembers}명의 {timezones, number} {timezones, plural, one {timezone} other {timezones}} 사람들에게 당신은 알림을 보내려고 합니다. 이 작업을 수행하시겠습니까?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "{mention}을(를) 사용해서 {totalMembers}명의 사람들에게 당신은 알림을 보내려고 합니다. 이 작업을 수행하시겠습니까?",
|
||||
"mobile.privacy_link": "개인정보처리방침",
|
||||
"mobile.push_notification_reply.button": "보내기",
|
||||
"mobile.push_notification_reply.placeholder": "댓글을 쓰세요...",
|
||||
"mobile.push_notification_reply.title": "답글",
|
||||
"mobile.reaction_header.all_emojis": "모두",
|
||||
"mobile.recent_mentions.empty_title": "최근 멘션",
|
||||
"mobile.rename_channel.name_lowercase": "Must be lowercase alphanumeric characters",
|
||||
"mobile.reset_status.alert_cancel": "취소",
|
||||
"mobile.reset_status.alert_ok": "Ok",
|
||||
"mobile.retry_message": "메세지를 새로 고침 하는데 실패하였습니다. 당겨 올려서 다시 시도해 보세요.",
|
||||
"mobile.routes.channel_members.action": "팀에서 제거하기",
|
||||
"mobile.routes.channelInfo": "정보",
|
||||
"mobile.routes.channelInfo.delete_channel": "채널 보관",
|
||||
"mobile.routes.channelInfo.favorite": "즐겨찾기",
|
||||
"mobile.routes.channelInfo.groupManaged": "연결된 그룹에 의해 관리되는 구성원",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "채널 보관",
|
||||
"mobile.routes.channel_members.action": "팀에서 제거하기",
|
||||
"mobile.routes.code": "{language} Code",
|
||||
"mobile.routes.code.noLanguage": "Code",
|
||||
"mobile.routes.login": "로그인",
|
||||
@@ -253,10 +366,21 @@
|
||||
"mobile.routes.table": "Table",
|
||||
"mobile.routes.tableImage": "이미지",
|
||||
"mobile.routes.thread": "{channelName} Thread",
|
||||
"mobile.routes.user_profile.edit": "편집",
|
||||
"mobile.routes.user_profile.local_time": "LOCAL TIME",
|
||||
"mobile.routes.user_profile.send_message": "메시지 보내기",
|
||||
"mobile.search.after_modifier_description": "특정 날짜 이후의 글을 검색",
|
||||
"mobile.search.before_modifier_description": "특정 날짜 이전의 글을 검색",
|
||||
"mobile.search.from_modifier_description": "특정 사용자의 글을 검색",
|
||||
"mobile.search.from_modifier_title": "사용자명",
|
||||
"mobile.search.in_modifier_description": "특정 채널에서 글을 검색",
|
||||
"mobile.search.on_modifier_description": "특정 일자의 글을 검색",
|
||||
"mobile.select_team.join_open": "참가 가능한 공개 팀",
|
||||
"mobile.server_link.error.text": "이 서버에서 링크를 찾을 수 없습니다.",
|
||||
"mobile.server_link.error.title": "링크 에러",
|
||||
"mobile.server_link.unreachable_channel.error": "Permalink belongs to a deleted message or to a channel to which you do not have access.",
|
||||
"mobile.server_link.unreachable_team.error": "Permalink belongs to a deleted message or to a channel to which you do not have access.",
|
||||
"mobile.server_upgrade.alert_description": "이 서버 버전은 지원되지 않으며, 사용자는 충돌이나 앱의 핵심 기능을 손상시키는 심각한 버그를 일으키는 호환성 문제에 노출이 될 수 있습니다. {serverVersion}이 상의 버전으로 업그레이드해야 합니다.",
|
||||
"mobile.server_upgrade.button": "확인",
|
||||
"mobile.server_url.invalid_format": "URL은 http:// 또는 https://로 시작해야 합니다",
|
||||
"mobile.session_expired": "Session Expired: Please log in to continue receiving notifications.",
|
||||
@@ -268,29 +392,55 @@
|
||||
"mobile.share_extension.error_close": "닫기",
|
||||
"mobile.share_extension.error_title": "Extension Error",
|
||||
"mobile.share_extension.team": "팀",
|
||||
"mobile.share_extension.too_long_message": "글자 수: {count}/{max}",
|
||||
"mobile.share_extension.too_long_title": "메시지가 너무 깁니다",
|
||||
"mobile.sidebar_settings.permanent_description": "사이드바를 영구적으로 열어 두십시오.",
|
||||
"mobile.storage_permission_denied_title": "{applicationName}이(가) 파일에 접근하려고 합니다.",
|
||||
"mobile.suggestion.members": "멤버",
|
||||
"mobile.system_message.channel_archived_message": "{username}님이 채널을 보존 처리 하였습니다.",
|
||||
"mobile.system_message.channel_unarchived_message": "{username}님이 채널을 보존 처리 하였습니다.",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username}이(가) 채널 표시 이름을 {oldDisplayName}에서 {newDisplayName}(으)로 업데이트했습니다.",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username}님이 채널 헤더를 제거했습니다. (이전: {oldHeader})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username}님이 채널 헤더를 {oldHeader}에서 {newHeader}(으)로 변경했습니다.",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username}님이 채널 헤더를 {newHeader}(으)로 변경했습니다.",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username}님이 채널 설명을 제거했습니다. (이전: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username}님이 채널 설명을 {oldPurpose}에서 {newPurpose}(으)로 변경했습니다.",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username}님이 채널 설명을 {newPurpose}(으)로 변경했습니다.",
|
||||
"mobile.terms_of_service.alert_cancel": "취소",
|
||||
"mobile.terms_of_service.alert_ok": "확인",
|
||||
"mobile.terms_of_service.alert_retry": "다시 시도",
|
||||
"mobile.terms_of_service.terms_rejected": "{siteName}에 접속하기 전에 서비스 약관을 동의해야 합니다. 더 자세한 내용은 시스템 관리자한테 문의하세요.",
|
||||
"mobile.timezone_settings.automatically": "자동으로 설정",
|
||||
"mobile.timezone_settings.manual": "타임존 변경",
|
||||
"mobile.tos_link": "이용약관",
|
||||
"mobile.unsupported_server.message": "첨부 파일, 링크 미리보기, 반응 및 포함 데이터가 올바르게 표시되지 않을 수 있습니다. 이 문제가 지속되면 Mattermost 서버를 업그레이드하기 위해 시스템 관리자에게 문의하십시오.",
|
||||
"mobile.unsupported_server.ok": "확인",
|
||||
"mobile.unsupported_server.title": "지원되지 않는 서버 버전",
|
||||
"mobile.user_list.deactivated": "비활성화",
|
||||
"modal.manual_status.auto_responder.message_": "상태를 \"{status}\"(으)로 전환하고 자동 회신을 비활성화하시겠습니까?",
|
||||
"modal.manual_status.auto_responder.message_away": "상태를 \"방해 금지\"로 전환하고 자동 회신을 비활성화 하시겠습니까?",
|
||||
"modal.manual_status.auto_responder.message_dnd": "상태를 \"방해 금지\"로 전환하고 자동 회신을 비활성화 하시겠습니까?",
|
||||
"modal.manual_status.auto_responder.message_offline": "상태를 \"방해 금지\"로 전환하고 자동 회신을 비활성화 하시겠습니까?",
|
||||
"modal.manual_status.auto_responder.message_online": "상태를 \"방해 금지\"로 전환하고 자동 회신을 비활성화 하시겠습니까?",
|
||||
"more_channels.archivedChannels": "보관 채널",
|
||||
"more_channels.dropdownTitle": "보기",
|
||||
"more_channels.noMore": "가입할 수 있는 채널이 없습니다",
|
||||
"more_channels.publicChannels": "공개 채널",
|
||||
"more_channels.showArchivedChannels": "표시: 보관 된 채널",
|
||||
"more_channels.showPublicChannels": "새 공개 채널",
|
||||
"more_channels.title": "채널 더보기",
|
||||
"msg_typing.areTyping": "{users}, {last}(이)가 입력중입니다...",
|
||||
"msg_typing.isTyping": "{user}(이)가 입력중입니다...",
|
||||
"navbar.channel_drawer.button": "채널와 팀",
|
||||
"navbar.leave": "채널 떠나기",
|
||||
"navbar.more_options.button": "옵션 더보기",
|
||||
"navbar.search.button": "채널 검색",
|
||||
"password_form.title": "패스워드 재설정",
|
||||
"password_send.checkInbox": "받은 편지함을 확인하세요.",
|
||||
"password_send.description": "비밀번호 재설정을 위해 등록한 전자우편 주소를 입력하세요.",
|
||||
"password_send.error": "유효한 전자우편 주소를 입력하세요.",
|
||||
"password_send.reset": "Reset my password",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "did not get notified by this mention because they are not in the channel. They cannot be added to the channel because they are not a member of the linked groups. To add them to this channel, they must be added to the linked groups.",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": "그리고",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "팀에 사용자 초대하기",
|
||||
"post_body.commentedOn": "Commented on {name}'s message: ",
|
||||
@@ -299,6 +449,7 @@
|
||||
"post_info.bot": "봇",
|
||||
"post_info.del": "삭제",
|
||||
"post_info.edit": "편집",
|
||||
"post_info.guest": "게스트",
|
||||
"post_info.message.show_less": "감추기",
|
||||
"post_info.message.show_more": "더보기",
|
||||
"post_info.system": "시스템",
|
||||
@@ -310,14 +461,14 @@
|
||||
"search_header.title2": "최근 멘션",
|
||||
"search_header.title3": "중요 메시지",
|
||||
"search_item.channelArchived": "보관됨",
|
||||
"sidebar_right_menu.logout": "로그아웃",
|
||||
"sidebar_right_menu.report": "문제 보고",
|
||||
"sidebar.channels": "공개 채널",
|
||||
"sidebar.direct": "개인 메시지",
|
||||
"sidebar.favorite": "즐겨찾는 채널",
|
||||
"sidebar.pg": "비공개 채널",
|
||||
"sidebar.types.recent": "최근 활동",
|
||||
"sidebar.unreads": "읽지 않은 글 더보기",
|
||||
"sidebar_right_menu.logout": "로그아웃",
|
||||
"sidebar_right_menu.report": "문제 보고",
|
||||
"signup.email": "전자우편과 비밀번호",
|
||||
"signup.office365": "Office 365",
|
||||
"status_dropdown.set_away": "다른 용무 중",
|
||||
@@ -329,12 +480,14 @@
|
||||
"suggestion.mention.channels": "채널 더보기",
|
||||
"suggestion.mention.here": "모든 채널 회원들에게 알림을 보냅니다",
|
||||
"suggestion.mention.members": "채널 멤버",
|
||||
"suggestion.mention.you": "(당신)",
|
||||
"suggestion.search.direct": "개인 메시지",
|
||||
"suggestion.search.private": "비공개 채널",
|
||||
"suggestion.search.public": "공개 채널",
|
||||
"terms_of_service.agreeButton": "동의함",
|
||||
"terms_of_service.api_error": "요청을 완료할 수 없습니다. 이 문제가 지속되면 시스템 관리자에게 문의하십시오.",
|
||||
"user.settings.display.clockDisplay": "시간 표시",
|
||||
"user.settings.display.custom_theme": "커스텀 테마",
|
||||
"user.settings.display.militaryClock": "24시간으로 보이기 (예: 16:00)",
|
||||
"user.settings.display.normalClock": "12시간으로 보이기 (예: 4:00 PM)",
|
||||
"user.settings.display.preferTime": "시간이 어떻게 표시될지 선택하세요.",
|
||||
@@ -367,82 +520,5 @@
|
||||
"user.settings.push_notification.disabled_long": "시스템 관리자가 메일알림을 비활성화하였습니다.",
|
||||
"user.settings.push_notification.offline": "오프라인",
|
||||
"user.settings.push_notification.online": "온라인, 오프라인, 자리비움",
|
||||
"web.root.signup_info": "모든 팀 커뮤니케이션 활동을 한 곳에 모아 빠르게 찾고 공유할 수 있습니다.",
|
||||
"user.settings.display.custom_theme": "커스텀 테마",
|
||||
"suggestion.mention.you": "(당신)",
|
||||
"post_info.guest": "게스트",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "did not get notified by this mention because they are not in the channel. They cannot be added to the channel because they are not a member of the linked groups. To add them to this channel, they must be added to the linked groups.",
|
||||
"navbar.channel_drawer.button": "채널와 팀",
|
||||
"more_channels.showPublicChannels": "새 공개 채널",
|
||||
"more_channels.showArchivedChannels": "표시: 보관 된 채널",
|
||||
"more_channels.publicChannels": "공개 채널",
|
||||
"more_channels.dropdownTitle": "보기",
|
||||
"more_channels.archivedChannels": "보관 채널",
|
||||
"mobile.tos_link": "이용약관",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username}님이 채널 설명을 {newPurpose}(으)로 변경했습니다.",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username}님이 채널 설명을 {oldPurpose}에서 {newPurpose}(으)로 변경했습니다.",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username}님이 채널 설명을 제거했습니다. (이전: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username}님이 채널 헤더를 {newHeader}(으)로 변경했습니다.",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username}님이 채널 헤더를 {oldHeader}에서 {newHeader}(으)로 변경했습니다.",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username}님이 채널 헤더를 제거했습니다. (이전: {oldHeader})",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username}이(가) 채널 표시 이름을 {oldDisplayName}에서 {newDisplayName}(으)로 업데이트했습니다.",
|
||||
"mobile.system_message.channel_unarchived_message": "{username}님이 채널을 보존 처리 하였습니다.",
|
||||
"mobile.system_message.channel_archived_message": "{username}님이 채널을 보존 처리 하였습니다.",
|
||||
"mobile.storage_permission_denied_title": "{applicationName}이(가) 파일에 접근하려고 합니다.",
|
||||
"mobile.sidebar_settings.permanent_description": "사이드바를 영구적으로 열어 두십시오.",
|
||||
"mobile.share_extension.too_long_title": "메시지가 너무 깁니다",
|
||||
"mobile.share_extension.too_long_message": "글자 수: {count}/{max}",
|
||||
"mobile.server_link.unreachable_team.error": "Permalink belongs to a deleted message or to a channel to which you do not have access.",
|
||||
"mobile.server_link.unreachable_channel.error": "Permalink belongs to a deleted message or to a channel to which you do not have access.",
|
||||
"mobile.server_link.error.title": "링크 에러",
|
||||
"mobile.server_link.error.text": "이 서버에서 링크를 찾을 수 없습니다.",
|
||||
"mobile.routes.user_profile.edit": "편집",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "채널 보관",
|
||||
"mobile.routes.channelInfo.groupManaged": "연결된 그룹에 의해 관리되는 구성원",
|
||||
"mobile.reaction_header.all_emojis": "모두",
|
||||
"mobile.push_notification_reply.title": "답글",
|
||||
"mobile.push_notification_reply.placeholder": "댓글을 쓰세요...",
|
||||
"mobile.push_notification_reply.button": "보내기",
|
||||
"mobile.privacy_link": "개인정보처리방침",
|
||||
"mobile.post_textbox.entire_channel.confirm": "확인",
|
||||
"mobile.post_textbox.entire_channel.cancel": "취소",
|
||||
"mobile.post_info.reply": "답글",
|
||||
"mobile.post_info.mark_unread": "안 읽음 표시",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName}이(가) 사진 라이브러리에 접근하려고 합니다.",
|
||||
"mobile.photo_library_permission_denied_description": "사진이나 비디오를 촬영 하려면, 권한 설정을 변경해 주세요.",
|
||||
"mobile.permission_denied_retry": "설정",
|
||||
"mobile.managed.settings": "설정으로 이동",
|
||||
"mobile.managed.not_secured.ios.touchId": "이 장치는 Matttermost가 사용하려면 Passcode와 함께 보호해야 합니다.\n\n셋팅 > Touch ID & Passcode",
|
||||
"mobile.managed.not_secured.ios": "이 장치는 Matttermost가 사용하려면 Passcode와 함께 보호해야 합니다.\n\n셋팅 > Touch ID & Passcode",
|
||||
"mobile.ios.photos_permission_denied_title": "Photo library access is required",
|
||||
"mobile.file_upload.unsupportedMimeType": "JPG 또는 PNG 이미지만 프로필 사진으로 사용할 수 있습니다.",
|
||||
"mobile.extension.team_required": "파일을 공유하려면 먼저 팀에 소속해 있어야 합니다.",
|
||||
"mobile.edit_profile.remove_profile_photo": "사진 삭제",
|
||||
"mobile.display_settings.sidebar": "사이드바",
|
||||
"mobile.channel_list.archived": "보관됨",
|
||||
"mobile.channel_info.unarchive_failed": "{displayName} (으)로 다이렉트 메시지를 열 수 없습니다. 연결을 확인하고 다시 시도하십시오.",
|
||||
"mobile.channel_info.copy_header": "헤더복사",
|
||||
"mobile.channel_info.convert": "비공개 채널로 전환",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "{displayName} 채널을 비공개 채널로 전환하시겠습니까?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "{term} {name}을 (를) 종료 하시겠습니까?",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "{displayName}을(를) 비공개 채널로 변환하면 기록과 구성원이 보존됩니다. 공개 공유 파일은 링크가 있는 사람이면 누구나 액세스할 수 있습니다. 개인 채널의 회원 자격은 초대에 의해서만 이루어집니다.\n\n그 변화는 영구적이어서 돌이킬 수 없습니다.\n\n{displayName}을(를) 비공개 채널로 변환하시겠습니까?",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName}이(가) 카메라에 접근하려고 합니다.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName}이(가) 카메라에 접근하려고 합니다.",
|
||||
"mobile.alert_dialog.alertCancel": "취소",
|
||||
"intro_messages.creatorPrivate": "{date}에 {name} 비공개 채널을 {creator} 님이 생성하였습니다.",
|
||||
"date_separator.yesterday": "어제",
|
||||
"date_separator.today": "오늘",
|
||||
"channel.isGuest": "이 사람은 게스트입니다.",
|
||||
"channel.hasGuests": "이 그룹 메시지는 게스트가 있습니다.",
|
||||
"channel.channelHasGuests": "이 채널에는 게스트가 있습니다.",
|
||||
"mobile.unsupported_server.ok": "확인",
|
||||
"mobile.message_length.message_split_left": "메시지가 문자 제한을 초과합니다",
|
||||
"mobile.android.back_handler_exit": "종료하려면 뒤로 가기를 다시 눌러주세요",
|
||||
"mobile.unsupported_server.title": "지원되지 않는 서버 버전",
|
||||
"mobile.unsupported_server.message": "첨부 파일, 링크 미리보기, 반응 및 포함 데이터가 올바르게 표시되지 않을 수 있습니다. 이 문제가 지속되면 Mattermost 서버를 업그레이드하기 위해 시스템 관리자에게 문의하십시오.",
|
||||
"mobile.server_upgrade.alert_description": "이 서버 버전은 지원되지 않으며, 사용자는 충돌이나 앱의 핵심 기능을 손상시키는 심각한 버그를 일으키는 호환성 문제에 노출이 될 수 있습니다. {serverVersion}이 상의 버전으로 업그레이드해야 합니다.",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "{mention}을(를) 사용해서 {totalMembers}명의 {timezones, number} {timezones, plural, one {timezone} other {timezones}} 사람들에게 당신은 알림을 보내려고 합니다. 이 작업을 수행하시겠습니까?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "{mention}을(를) 사용해서 {totalMembers}명의 사람들에게 당신은 알림을 보내려고 합니다. 이 작업을 수행하시겠습니까?",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "{mentions}와 {finalMention}을(를) 사용해서 최소 {totalMembers}명의 {timezones, number} {timezones, plural, one {timezone} other {timezones}} 사람들에게 당신은 알림을 보내려고 합니다. 이 작업을 수행하시겠습니까?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "{mentions}와 {finalMention}을(를) 사용해서 최소 {totalMembers}명의 사람들에게 당신은 알림을 보내려고 합니다. 이 작업을 수행하시겠습니까?"
|
||||
"web.root.signup_info": "모든 팀 커뮤니케이션 활동을 한 곳에 모아 빠르게 찾고 공유할 수 있습니다."
|
||||
}
|
||||
|
||||
@@ -1,11 +1,11 @@
|
||||
{
|
||||
"about.date": "Compilatiedatum:",
|
||||
"about.enterpriseEditione1": "Enterprise-Editie",
|
||||
"about.enterpriseEditionLearn": "Meer informatie over de Enterprise-Editie op ",
|
||||
"about.enterpriseEditionSt": "Moderne communicatie achter de eigen firewall.",
|
||||
"about.enterpriseEditione1": "Enterprise-Editie",
|
||||
"about.hash": "Compilatiehash:",
|
||||
"about.hashee": "EE Compilatiehash:",
|
||||
"about.teamEditionLearn": "Kom bij de Mattermost-gemeenschap op ",
|
||||
"about.teamEditionLearn": "Word lid van de Mattermost-gemeenschap op ",
|
||||
"about.teamEditionSt": "Alle team-communicatie op één plaats, doorzoekbaar en van overal bereikbaar.",
|
||||
"about.teamEditiont0": "Team-Editie",
|
||||
"about.teamEditiont1": "Enterprise-Editie",
|
||||
@@ -14,9 +14,17 @@
|
||||
"api.channel.add_member.added": "{addedUsername} is toegevoegd aan het kanaal door {username}.",
|
||||
"archivedChannelMessage": "Je bekijkt een **gearchiveerd kanaal**. Er kunnen geen nieuwe berichten worden geplaatst.",
|
||||
"center_panel.archived.closeChannel": "Kanaal sluiten",
|
||||
"channel.channelHasGuests": "Dit kanaal heeft gasten",
|
||||
"channel.hasGuests": "Dit groepsbericht heeft gasten",
|
||||
"channel.isGuest": "Deze persoon is een gast",
|
||||
"channel_header.addMembers": "Leden toevoegen",
|
||||
"channel_header.directchannel.you": "{displayname} (jij) ",
|
||||
"channel_header.manageMembers": "Leden beheren",
|
||||
"channel_header.notificationPreference": "Mobiele push notificaties",
|
||||
"channel_header.notificationPreference.all": "Allen",
|
||||
"channel_header.notificationPreference.default": "Standaard",
|
||||
"channel_header.notificationPreference.mention": "Vermeldingen",
|
||||
"channel_header.notificationPreference.none": "Nooit",
|
||||
"channel_header.pinnedPosts": "Vastgezette berichten",
|
||||
"channel_header.viewMembers": "Bekijk leden",
|
||||
"channel_info.header": "Kop:",
|
||||
@@ -35,6 +43,12 @@
|
||||
"channel_modal.purposeEx": "Bijv.: \"Een kanaal voor het bestandsfouten en verbeteringen\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "Negeer @channel,@here,@all",
|
||||
"channel_notifications.muteChannel.settings": "Demp kanaal",
|
||||
"channel_notifications.preference.all_activity": "Voor alle activiteiten",
|
||||
"channel_notifications.preference.global_default": "Algemene standaard (Vermeldingen)",
|
||||
"channel_notifications.preference.header": "Verstuur mobiele pushberichten",
|
||||
"channel_notifications.preference.never": "Nooit",
|
||||
"channel_notifications.preference.only_mentions": "Enkel vermeldingen en directe berichten",
|
||||
"channel_notifications.preference.save_error": "We konden je meldingsvoorkeuren niet bewaren. Controleer je verbinding en probeer opnieuw.",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{users} en {lastUser} zijn **toegevoegd aan het kanaal** door {actor}.",
|
||||
"combined_system_message.added_to_channel.one": "{firstUser} **toegevoegd aan het kanaal** door {actor}.",
|
||||
"combined_system_message.added_to_channel.one_you": "Je bent **aan het kanaal toegevoegd** door {actor}.",
|
||||
@@ -71,6 +85,8 @@
|
||||
"create_comment.addComment": "Voeg commentaar toe...",
|
||||
"create_post.deactivated": "Je bekijkt een gearchiveerd kanaal met een gedeactiveerde gebruiker.",
|
||||
"create_post.write": "Schrijven naar {channelDisplayName}",
|
||||
"date_separator.today": "Vandaag",
|
||||
"date_separator.yesterday": "Gisteren",
|
||||
"edit_post.editPost": "Bewerk het bericht...",
|
||||
"edit_post.save": "Opslaan",
|
||||
"file_attachment.download": "Downloaden",
|
||||
@@ -80,6 +96,7 @@
|
||||
"intro_messages.anyMember": " Ieder lid kan dit kanaal lezen en volgen.",
|
||||
"intro_messages.beginning": "Begin van {name}",
|
||||
"intro_messages.creator": "Dit is de start van het {name} kanaal, gemaakt door {creator} op {date}.",
|
||||
"intro_messages.creatorPrivate": "Dit is de start van het {name} privé-kanaal, gemaakt door {creator} op {date}.",
|
||||
"intro_messages.group_message": "Dit is de start van uw groepsberichtgeschiedenis met deze teamgenoten. Berichten en bestanden die gedeeld worden hier niet getoond aan mensen aan buiten dit gebied.",
|
||||
"intro_messages.noCreator": "Dit is de start van het {name} kanaal, gemaakt op {date}.",
|
||||
"intro_messages.onlyInvited": " Alleen uitgenodigde deelnemers kunnen deze privé groep bekijken.",
|
||||
@@ -93,9 +110,6 @@
|
||||
"last_users_message.others": "{numOthers} anderen ",
|
||||
"last_users_message.removed_from_channel.type": "werd **verwijderd uit het kanaal**.",
|
||||
"last_users_message.removed_from_team.type": "werd **verwijderd uit het team**.",
|
||||
"login_mfa.enterToken": "Om het inloggen te voltooien, voer de token in van je smartphone authenticator",
|
||||
"login_mfa.token": "MFA Token",
|
||||
"login_mfa.tokenReq": "Geef een MFA token op",
|
||||
"login.email": "E-mail",
|
||||
"login.forgot": "Ik ben mijn wachtwoord vergeten",
|
||||
"login.invalidPassword": "Uw wachtwoord is niet juist.",
|
||||
@@ -112,8 +126,11 @@
|
||||
"login.or": "of",
|
||||
"login.password": "Wachtwoord",
|
||||
"login.signIn": "Log in",
|
||||
"login.username": "Gebruikersnaam",
|
||||
"login.userNotFound": "We konden geen account vinden met jouw inlog gegevens.",
|
||||
"login.username": "Gebruikersnaam",
|
||||
"login_mfa.enterToken": "Om het inloggen te voltooien, voer de token in van je smartphone authenticator",
|
||||
"login_mfa.token": "MFA Token",
|
||||
"login_mfa.tokenReq": "Geef een MFA token op",
|
||||
"mobile.about.appVersion": "Appversie: {version} (Build {number})",
|
||||
"mobile.about.copyright": "Copyright 2015-{currentYear} Mattermost, Inc. Alle rechten voorbehouden",
|
||||
"mobile.about.database": "Database: {type}",
|
||||
@@ -121,11 +138,11 @@
|
||||
"mobile.about.powered_by": "{site} wordt aangedreven door Mattermost",
|
||||
"mobile.about.serverVersion": "Serverversie: {version} (Build {number})",
|
||||
"mobile.about.serverVersionNoBuild": "Serverversie: {version}",
|
||||
"mobile.account.settings.save": "Opslaan",
|
||||
"mobile.account_notifications.reply.header": "ANTWOORDBERICHTEN VERZENDEN VOOR",
|
||||
"mobile.account_notifications.threads_mentions": "Vermeldingen in threads",
|
||||
"mobile.account_notifications.threads_start": "Threads die ik begin",
|
||||
"mobile.account_notifications.threads_start_participate": "Threads die ik start of waar ik aan deelneem",
|
||||
"mobile.account.settings.save": "Opslaan",
|
||||
"mobile.action_menu.select": "Selecteer een optie",
|
||||
"mobile.advanced_settings.clockDisplay": "Klok weergave",
|
||||
"mobile.advanced_settings.delete": "Verwijderen",
|
||||
@@ -133,6 +150,8 @@
|
||||
"mobile.advanced_settings.delete_title": "Documenten en gegevens wissen",
|
||||
"mobile.advanced_settings.timezone": "Tijdzone",
|
||||
"mobile.advanced_settings.title": "Geavanceerde instellingen",
|
||||
"mobile.alert_dialog.alertCancel": "Annuleren",
|
||||
"mobile.android.back_handler_exit": "Klik nogmaals op Terug om te sluiten",
|
||||
"mobile.android.photos_permission_denied_description": "Foto's uploaden naar jouw Mattermost of ze opslaan op jouw apparaat. Open de Instellingen om Mattermost Lees- en Schrijftoegang te geven tot je fotobibliotheek.",
|
||||
"mobile.android.photos_permission_denied_title": "{applicationName} wil toegang tot jouw foto's",
|
||||
"mobile.android.videos_permission_denied_description": "Video's uploaden naar jouw Mattermost of bewaar ze op jouw apparaat. Open Instellingen om Mattermost Lees- en Schrijftoegang te geven tot je videobibliotheek.",
|
||||
@@ -142,19 +161,34 @@
|
||||
"mobile.calendar.dayNamesShort": "Zon,Maa,Di,Woe,Do,Vrij,Zat",
|
||||
"mobile.calendar.monthNames": "Januari,Februari,Maart,April,Mei,Juni,Juli,Augustus,September,Oktober,November,December",
|
||||
"mobile.calendar.monthNamesShort": "Jan,Feb,Maa,Apr,Mei,Jun,Jul,Aug,Sep,Okt,Nov,Dec",
|
||||
"mobile.camera_photo_permission_denied_description": "Neem foto's en upload ze naar jouw Mattermost of bewaar ze op jouw apparaat. Open Instellingen om Mattermost Lees- en Schrijftoegang te geven tot jouw camera.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} wil toegang tot jouw camera",
|
||||
"mobile.camera_video_permission_denied_description": "Neem video's en upload ze naar jouw Mattermost of bewaar ze op jouw apparaat. Open Instellingen om Mattermost Lees- en Schrijftoegang te geven tot jouw camera.",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} wil toegang tot jouw camera",
|
||||
"mobile.channel_drawer.search": "Spring naar...",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Wanneer je **{displayName}** omzet een privé-kanaal blijft de geschiedenis en het lidmaatschap bewaard. Openbaar gedeelde bestanden blijven toegankelijk voor iedereen met de link. Het lidmaatschap van een privé-kanaal is alleen op uitnodiging.\n \nDe wijziging is definitief en kan niet ongedaan gemaakt worden.\n \n Weet je zeker dat je wilt converteren **{displayName}** naar een privé-kanaal?",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "Weet je zeker dat je deze {term} {name} wil archiveren?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "Weet u zeker dat u {term} {name} wilt verlaten?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Weet je zeker dat je deze {term} {name} wil dearchiveren?",
|
||||
"mobile.channel_info.alertNo": "Nee",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "{displayName} converteren naar een privé-kanaal?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "Archiveer {term}",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "Verlaat {term}",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Dearchiveer {term}",
|
||||
"mobile.channel_info.alertYes": "Ja",
|
||||
"mobile.channel_info.convert": "Omzetten naar privé-kanaal",
|
||||
"mobile.channel_info.convert_failed": "We konden niet {displayName} converteren naar een privé-kanaal.",
|
||||
"mobile.channel_info.convert_success": "{displayName} is nu een privé-kanaal.",
|
||||
"mobile.channel_info.copy_header": "Hoofding Kopiëren",
|
||||
"mobile.channel_info.copy_purpose": "Doel Kopiëren",
|
||||
"mobile.channel_info.delete_failed": "We konden de het kanaal {displayName} niet archiveren. Controleer uw verbinding en probeer het opnieuw.",
|
||||
"mobile.channel_info.edit": "Kanaal Bewerken",
|
||||
"mobile.channel_info.privateChannel": "Privé-kanaal",
|
||||
"mobile.channel_info.publicChannel": "Publiek kanaal",
|
||||
"mobile.channel_info.unarchive_failed": "We konden het kanaal {displayName} niet dearchiveren. Controleer uw verbinding en probeer het opnieuw.",
|
||||
"mobile.channel_list.alertNo": "Nee",
|
||||
"mobile.channel_list.alertYes": "Ja",
|
||||
"mobile.channel_list.archived": "GEARCHIVEERD",
|
||||
"mobile.channel_list.channels": "KANALEN",
|
||||
"mobile.channel_list.closeDM": "Directe Berichten Sluiten",
|
||||
"mobile.channel_list.closeGM": "Groepsberichten Sluiten",
|
||||
@@ -191,6 +225,7 @@
|
||||
"mobile.create_channel.public": "Nieuw Publiek kanaal",
|
||||
"mobile.create_post.read_only": "Dit kanaal is alleen-lezen",
|
||||
"mobile.custom_list.no_results": "Geen resultaten",
|
||||
"mobile.display_settings.sidebar": "Zijbalk",
|
||||
"mobile.display_settings.theme": "Thema",
|
||||
"mobile.document_preview.failed_description": "Er is een fout opgetreden tijdens het openen van het document. Zorg ervoor dat je een {fileType} - viewer geïnstalleerd en probeer het opnieuw. \n",
|
||||
"mobile.document_preview.failed_title": "Openen van document is mislukt",
|
||||
@@ -209,6 +244,7 @@
|
||||
"mobile.drawer.teamsTitle": "Teams",
|
||||
"mobile.edit_channel": "Opslaan",
|
||||
"mobile.edit_post.title": "Bericht bewerken",
|
||||
"mobile.edit_profile.remove_profile_photo": "Verwijder Foto",
|
||||
"mobile.emoji_picker.activity": "ACTIVITEIT",
|
||||
"mobile.emoji_picker.custom": "AANGEPAST",
|
||||
"mobile.emoji_picker.flags": "VLAGGEN",
|
||||
@@ -218,6 +254,8 @@
|
||||
"mobile.emoji_picker.people": "MENSEN",
|
||||
"mobile.emoji_picker.places": "PLAATSEN",
|
||||
"mobile.emoji_picker.recent": "RECENT GEBRUIKT",
|
||||
"mobile.emoji_picker.search.not_found_description": "Controleer de spelling of probeer een andere zoekopdracht.",
|
||||
"mobile.emoji_picker.search.not_found_title": "Geen resultaten gevonden voor: \"{searchTerm}",
|
||||
"mobile.emoji_picker.symbols": "SYMBOLEN",
|
||||
"mobile.error_handler.button": "Opnieuw starten",
|
||||
"mobile.error_handler.description": "\nTik op opnieuw starten om de app opnieuw te openen. Nadat deze opnieuw is opgestart, kunt je het probleem melden in het menu instellingen.\n",
|
||||
@@ -227,42 +265,60 @@
|
||||
"mobile.extension.file_limit": "Delen is beperkt tot maximaal 5 bestanden.",
|
||||
"mobile.extension.max_file_size": "Bestandsbijlagen die in Mattermost worden gedeeld, moeten kleiner zijn dan {size}.",
|
||||
"mobile.extension.permission": "Mattermost heeft toegang nodig tot de opslag van het apparaat om bestanden te delen.",
|
||||
"mobile.extension.team_required": "Je moet tot een team behoren voordat je bestanden kan delen.",
|
||||
"mobile.extension.title": "Delen in Mattermost",
|
||||
"mobile.failed_network_action.retry": "Probeer opnieuw",
|
||||
"mobile.failed_network_action.shortDescription": "Berichten worden geladen wanneer u een internetverbinding hebt.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Kanalen kunnen niet worden geladen voor {teamName}.",
|
||||
"mobile.failed_network_action.teams_description": "Teams kunnen niet worden geladen.",
|
||||
"mobile.failed_network_action.teams_title": "Er ging iets mis",
|
||||
"mobile.failed_network_action.title": "Geen internet-verbinding",
|
||||
"mobile.file_upload.browse": "Bladeren in bestanden",
|
||||
"mobile.file_upload.camera_photo": "Maak Foto",
|
||||
"mobile.file_upload.camera_video": "Maak Video",
|
||||
"mobile.file_upload.library": "Foto-bibliotheek",
|
||||
"mobile.file_upload.max_warning": "Uploads beperkt tot maximaal 5 bestanden.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Alleen BMP, JPG-of PNG-afbeeldingen kunnen worden gebruikt voor profielafbeeldingen.",
|
||||
"mobile.file_upload.video": "Video bibliotheek",
|
||||
"mobile.flagged_posts.empty_description": "Markeren is een manier om berichten te markeren voor follow-up. Jouw markeringen zijn persoonlijk en kunnen niet door andere gebruikers worden gezien.",
|
||||
"mobile.flagged_posts.empty_title": "Geen Gemarkeerde Berichten",
|
||||
"mobile.files_paste.error_description": "Er is een fout opgetreden bij het plakken van het bestand(en). Probeer het opnieuw.",
|
||||
"mobile.files_paste.error_dismiss": "Afwijzen",
|
||||
"mobile.files_paste.error_title": "Plakken mislukt",
|
||||
"mobile.flagged_posts.empty_description": "Bewaarde berichten zijn enkel zichtbaar voor jou. Markeer berichten om ze op te volgen om ze te bewaren voor iets later door lang te duwen op het bericht dan bewaren te kiezen in het menu.",
|
||||
"mobile.flagged_posts.empty_title": "Nog geen bewaarde berichten",
|
||||
"mobile.help.title": "Help",
|
||||
"mobile.image_preview.save": "Afbeelding Opslaan",
|
||||
"mobile.image_preview.save_video": "Video Opslaan",
|
||||
"mobile.intro_messages.DM": "Dit is de start van jouw privé-berichten geschiedenis met {teammate}. Privé-berichten en bestanden die hier gedeeld worden zijn niet zichtbaar voor anderen.",
|
||||
"mobile.intro_messages.default_message": "Dit is de eerste kanaal dat teamgenoten zien wanneer ze zich aanmelden - gebruiken voor het posten van updates die iedereen moet weten.",
|
||||
"mobile.intro_messages.default_welcome": "Welkom aan {name}!",
|
||||
"mobile.intro_messages.DM": "Dit is de start van jouw privé-berichten geschiedenis met {teammate}. Privé-berichten en bestanden die hier gedeeld worden zijn niet zichtbaar voor anderen.",
|
||||
"mobile.ios.photos_permission_denied_description": "Upload foto's en video's naar jouw Mattermost of bewaar ze op jouw apparaat. Open Instellingen om Mattermost Lezen en Schrijftoegang te geven tot jouw foto-en videobibliotheek.",
|
||||
"mobile.ios.photos_permission_denied_title": "{applicationName} wil toegang tot jouw foto's",
|
||||
"mobile.join_channel.error": "We konden geen lid worden van het kanaal {displayName}. Controleer je verbinding en probeer het opnieuw.",
|
||||
"mobile.link.error.text": "Fout bij het openen van de link.",
|
||||
"mobile.link.error.title": "Fout",
|
||||
"mobile.loading_channels": "Kanalen aan het laden...",
|
||||
"mobile.loading_members": "Leden aan het laden...",
|
||||
"mobile.loading_options": "Opties aan het laden...",
|
||||
"mobile.loading_posts": "Berichten aan het laden...",
|
||||
"mobile.login_options.choose_title": "Kies je loginmethode",
|
||||
"mobile.long_post_title": "{channelName} - Bericht",
|
||||
"mobile.mailTo.error.text": "Kan het e-mailprogramma niet openen.",
|
||||
"mobile.mailTo.error.title": "Fout",
|
||||
"mobile.managed.blocked_by": "Geblokkeerd door {vendor}",
|
||||
"mobile.managed.exit": "Afsluiten",
|
||||
"mobile.managed.jailbreak": "Jailbroken apparaten worden niet vertrouwd door {vendor}, sluit de app af.",
|
||||
"mobile.managed.not_secured.android": "Dit apparaat moet beveiligd zijn met een schermvergrendeling om Mattermost te gebruiken.",
|
||||
"mobile.managed.not_secured.ios": "Dit apparaat moet worden beveiligd met een toegangscode om Mattermost te gebruiken.\n\nGa naar Instellingen > Face ID & Wachtwoord.",
|
||||
"mobile.managed.not_secured.ios.touchId": "Dit apparaat moet worden beveiligd met een toegangscode om Mattermost te gebruiken.\n\nGa naar Instellingen > Touch ID & Wachtwoord.",
|
||||
"mobile.managed.secured_by": "Beveiligd door {vendor}",
|
||||
"mobile.managed.settings": "Ga naar instellingen",
|
||||
"mobile.markdown.code.copy_code": "Kopieer Code",
|
||||
"mobile.markdown.code.plusMoreLines": "+{count, number} meer {count, plural, one {line} other {lines}}",
|
||||
"mobile.markdown.image.too_large": "Afbeelding overschrijdt de maximumgrootte van {maxWidth} op {maxHeight}:",
|
||||
"mobile.markdown.link.copy_url": "Kopieer URL",
|
||||
"mobile.mention.copy_mention": "Kopieer Vermelding",
|
||||
"mobile.message_length.message": "Je huidige bericht is te lang. Huidige aantal tekens: {count}/{max}",
|
||||
"mobile.message_length.message_split_left": "Bericht overschrijdt het maximum aantal karakters",
|
||||
"mobile.message_length.title": "Berichtlengte",
|
||||
"mobile.more_dms.add_more": "Je kan {remaining, number} extra gebruikers toevoegen",
|
||||
"mobile.more_dms.cannot_add_more": "Je kan geen extra gebruikers meer toevoegen",
|
||||
@@ -270,9 +326,32 @@
|
||||
"mobile.more_dms.start": "Start",
|
||||
"mobile.more_dms.title": "Nieuw Gesprek",
|
||||
"mobile.more_dms.you": "@{username} - jij",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {nieuwe} other {meer nieuwe}} {count, plural, one {bericht} other {berichten}}",
|
||||
"mobile.notice_mobile_link": "mobiele apps",
|
||||
"mobile.notice_platform_link": "server",
|
||||
"mobile.notice_text": "Mattermost wordt mogelijk gemaakt door de open source software die gebruikt wordt in ons {platform} en {mobile}.",
|
||||
"mobile.notification.in": " in ",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Hallo, ik ben niet op kantoor en kan niet reageren op berichten.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Ingeschakeld",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Stel een aangepast bericht in dat automatisch wordt verzonden als reactie op directe berichten. Vermeldingen in openbare en persoonlijke kanalen zullen niet leiden tot het geautomatiseerde antwoord. Automatische antwoorden inschakelen stelt jouw status in op Out of Office en schakelt e-mail en push-berichten uit.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Bericht",
|
||||
"mobile.notification_settings.auto_responder.message_title": "AANGEPAST BERICHT",
|
||||
"mobile.notification_settings.auto_responder_short": "Automatische Antwoorden",
|
||||
"mobile.notification_settings.email": "E-mail",
|
||||
"mobile.notification_settings.email.send": "VERSTUUR E-MAIL MELDINGEN",
|
||||
"mobile.notification_settings.email_title": "E-mail meldingen",
|
||||
"mobile.notification_settings.mentions.channelWide": "Kanaalbrede vermeldingen",
|
||||
"mobile.notification_settings.mentions.reply_title": "Antwoordberichten verzenden voor",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Jouw hoofdlettergevoelige voornaam",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Jouw niet-hoofdlettergevoelige gebruikersnaam",
|
||||
"mobile.notification_settings.mentions_replies": "Vermeldingen en antwoorden",
|
||||
"mobile.notification_settings.mobile": "Mobiel",
|
||||
"mobile.notification_settings.mobile_title": "Mobiele push notificaties",
|
||||
"mobile.notification_settings.modal_cancel": "ANNULEREN",
|
||||
"mobile.notification_settings.modal_save": "OPSLAAN",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Automatisch Directe Berichten Beantwoorden",
|
||||
"mobile.notification_settings.save_failed_description": "De meldingsinstellingen kunnen niet worden opgeslagen vanwege een verbindingsprobleem. Probeer het opnieuw.",
|
||||
"mobile.notification_settings.save_failed_title": "Verbindingsprobleem",
|
||||
"mobile.notification_settings_mentions.keywords": "Sleutelwoorden",
|
||||
"mobile.notification_settings_mentions.keywordsDescription": "Andere woorden die een vermelding activeren",
|
||||
"mobile.notification_settings_mentions.keywordsHelp": "Sleutelwoorden zijn niet hoofdlettergevoelig en moeten worden gescheiden door een komma.",
|
||||
@@ -289,47 +368,18 @@
|
||||
"mobile.notification_settings_mobile.test": "Stuur me een testmelding",
|
||||
"mobile.notification_settings_mobile.test_push": "Dit is een test notificatie",
|
||||
"mobile.notification_settings_mobile.vibrate": "Trillen",
|
||||
"mobile.notification_settings.auto_responder_short": "Automatische Antwoorden",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Hallo, ik ben niet op kantoor en kan niet reageren op berichten.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Ingeschakeld",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Stel een aangepast bericht in dat automatisch wordt verzonden als reactie op directe berichten. Vermeldingen in openbare en persoonlijke kanalen zullen niet leiden tot het geautomatiseerde antwoord. Automatische antwoorden inschakelen stelt jouw status in op Out of Office en schakelt e-mail en push-berichten uit.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Bericht",
|
||||
"mobile.notification_settings.auto_responder.message_title": "AANGEPAST BERICHT",
|
||||
"mobile.notification_settings.email": "E-mail",
|
||||
"mobile.notification_settings.email_title": "E-mail meldingen",
|
||||
"mobile.notification_settings.email.send": "VERSTUUR E-MAIL MELDINGEN",
|
||||
"mobile.notification_settings.mentions_replies": "Vermeldingen en antwoorden",
|
||||
"mobile.notification_settings.mentions.channelWide": "Kanaalbrede vermeldingen",
|
||||
"mobile.notification_settings.mentions.reply_title": "Antwoordberichten verzenden voor",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Jouw hoofdlettergevoelige voornaam",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Jouw niet-hoofdlettergevoelige gebruikersnaam",
|
||||
"mobile.notification_settings.mobile": "Mobiel",
|
||||
"mobile.notification_settings.mobile_title": "Mobiele push notificaties",
|
||||
"mobile.notification_settings.modal_cancel": "ANNULEREN",
|
||||
"mobile.notification_settings.modal_save": "OPSLAAN",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Automatisch Directe Berichten Beantwoorden",
|
||||
"mobile.notification_settings.save_failed_description": "De meldingsinstellingen kunnen niet worden opgeslagen vanwege een verbindingsprobleem. Probeer het opnieuw.",
|
||||
"mobile.notification_settings.save_failed_title": "Verbindingsprobleem",
|
||||
"mobile.notification.in": " in ",
|
||||
"mobile.offlineIndicator.connected": "Verbonden",
|
||||
"mobile.offlineIndicator.connecting": "Bezig met verbinden...",
|
||||
"mobile.offlineIndicator.offline": "Geen internet-verbinding",
|
||||
"mobile.open_dm.error": "We konden geen direct bericht openen met {displayName} . Controleer jouw verbinding en probeer het opnieuw.",
|
||||
"mobile.open_gm.error": "We konden geen groepsbericht openen met deze gebruikers. Controleer je verbinding en probeer het opnieuw.",
|
||||
"mobile.open_unknown_channel.error": "Kan niet deelnemen aan het kanaal. Reset de cache en probeer het opnieuw.",
|
||||
"mobile.permission_denied_dismiss": "Niet toestaan",
|
||||
"mobile.permission_denied_retry": "Instellingen",
|
||||
"mobile.photo_library_permission_denied_description": "Om afbeeldingen en video's op te slaan in uw bibliotheek, wijzig je machtigingsinstellingen.",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} wil toegang tot jouw foto's",
|
||||
"mobile.pinned_posts.empty_description": "Maak belangrijke items vast door het ingedrukt houden van een bericht en het selecteren van \"Maak vast aan kanaal\".",
|
||||
"mobile.pinned_posts.empty_title": "Geen Vastgemaakte Berichten",
|
||||
"mobile.post_info.add_reaction": "Reactie toevoegen",
|
||||
"mobile.post_info.copy_text": "Kopieer Text",
|
||||
"mobile.post_info.flag": "Markeer",
|
||||
"mobile.post_info.pin": "Vastmaken aan Kanaal",
|
||||
"mobile.post_info.unflag": "Demarkeer",
|
||||
"mobile.post_info.unpin": "Losmaken van Kanaal",
|
||||
"mobile.post_pre_header.flagged": "Gemarkeerd",
|
||||
"mobile.post_pre_header.pinned": "Vastgemaakt",
|
||||
"mobile.post_pre_header.pinned_flagged": "Vastgemaakt en Gemarkeerd",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Het uploaden van sommige bijlagen naar de server is mislukt. Weet je zeker dat je het bericht wilt posten?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Bijlagefout",
|
||||
"mobile.post.cancel": "Annuleren",
|
||||
"mobile.post.delete_question": "Weet je zeker dat je deze bericht wil wissen?",
|
||||
"mobile.post.delete_title": "Verwijder Bericht",
|
||||
@@ -337,7 +387,35 @@
|
||||
"mobile.post.failed_retry": "Probeer Opnieuw",
|
||||
"mobile.post.failed_title": "Kan je bericht niet verzenden",
|
||||
"mobile.post.retry": "Vernieuwen",
|
||||
"mobile.post_info.add_reaction": "Reactie toevoegen",
|
||||
"mobile.post_info.copy_text": "Kopieer Text",
|
||||
"mobile.post_info.flag": "Markeer",
|
||||
"mobile.post_info.mark_unread": "Markeer als Ongelezen",
|
||||
"mobile.post_info.pin": "Vastmaken aan Kanaal",
|
||||
"mobile.post_info.reply": "Antwoord",
|
||||
"mobile.post_info.unflag": "Demarkeer",
|
||||
"mobile.post_info.unpin": "Losmaken van Kanaal",
|
||||
"mobile.post_pre_header.flagged": "Gemarkeerd",
|
||||
"mobile.post_pre_header.pinned": "Vastgemaakt",
|
||||
"mobile.post_pre_header.pinned_flagged": "Vastgemaakt en Gemarkeerd",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Annuleren",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Bevestigen",
|
||||
"mobile.post_textbox.entire_channel.message": "Bij gebruik van @all of @channel verstuur je meldingen naar {totalMembers, number} {totalMembers, plural, one {person} other {people}}. Weet je zeker dat je dit wil doen?",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Bij gebruik van @all of @channel verstuur je meldingen naar {totalMembers, number} {totalMembers, plural, one {person} other {people}} in {timezones, number} {timezones, plural, one {timezone} other {timezones}}. Weet je zeker dat je dit wil doen?",
|
||||
"mobile.post_textbox.entire_channel.title": "Bevestig het verzenden van meldingen naar hele kanaal",
|
||||
"mobile.post_textbox.groups.title": "Verzenden van meldingen naar groepen bevestigen",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Door het gebruik van {mentions} en {finalMention} sta je op het punt om meldingen te zenden naar minstens {totalMembers} mensen in {timezones,number} {timezones, plural, one {tijdzone} other {tijdzones}}. Ben je zeker dat je wil doen?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "Door het gebruik van {mentions} en {finalMention} sta je op het punt om meldingen te zenden naar minstens {totalMembers} mensen. Ben je zeker dat je dit wil doen?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "Door het gebruik van {mention} sta je op het punt om meldingen te zenden naar minstens {totalMembers} mensen in {timezones,number} {timezones, plural, one {tijdzone} other {tijdzones}}. Ben je zeker dat je wil doen?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "Door het gebruik van {mention} sta je op het punt om meldingen te zenden naar minstens {totalMembers} mensen. Ben je zeker dat je wil doen?",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Het uploaden van sommige bijlagen naar de server is mislukt. Weet je zeker dat je het bericht wilt posten?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Bijlagefout",
|
||||
"mobile.posts_view.moreMsg": "Meer Nieuwe Berichten Boven",
|
||||
"mobile.privacy_link": "Privacybeleid",
|
||||
"mobile.push_notification_reply.button": "Verzenden",
|
||||
"mobile.push_notification_reply.placeholder": "Schrijf een antwoord...",
|
||||
"mobile.push_notification_reply.title": "Antwoord",
|
||||
"mobile.reaction_header.all_emojis": "Allen",
|
||||
"mobile.recent_mentions.empty_description": "Berichten met jouw gebruikersnaam en andere woorden die vermeldingen activeren verschijnen hier.",
|
||||
"mobile.recent_mentions.empty_title": "Geen Recente Vermeldingen",
|
||||
"mobile.rename_channel.display_name_maxLength": "Kanaalnaam moet kleiner zijn dan {maxLength, number} tekens",
|
||||
@@ -353,13 +431,15 @@
|
||||
"mobile.reset_status.alert_ok": "Ok",
|
||||
"mobile.reset_status.title_ooo": "\"Out of Office\" Uitschakelen?",
|
||||
"mobile.retry_message": "Het vernieuwen van berichten is mislukt. Probeer het nog eens.",
|
||||
"mobile.routes.channel_members.action": "Leden verwijderen",
|
||||
"mobile.routes.channel_members.action_message": "Je moet tenminste één lid selecteren om uit het kanaal te verwijderen.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Weet je zeker dat je de geselecteerde leden uit het kanaal wilt verwijderen?",
|
||||
"mobile.routes.channelInfo": "Info",
|
||||
"mobile.routes.channelInfo.createdBy": "Gemaakt door {creator} op ",
|
||||
"mobile.routes.channelInfo.delete_channel": "Kanaal Archiveren",
|
||||
"mobile.routes.channelInfo.favorite": "Favoriet",
|
||||
"mobile.routes.channelInfo.groupManaged": "Leden worden beheerd door gekoppelde groepen",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Kanaal Dearchiveren",
|
||||
"mobile.routes.channel_members.action": "Leden verwijderen",
|
||||
"mobile.routes.channel_members.action_message": "Je moet tenminste één lid selecteren om uit het kanaal te verwijderen.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Weet je zeker dat je de geselecteerde leden uit het kanaal wilt verwijderen?",
|
||||
"mobile.routes.code": "{language} Code",
|
||||
"mobile.routes.code.noLanguage": "Code",
|
||||
"mobile.routes.edit_profile": "Bewerk Profiel",
|
||||
@@ -375,6 +455,7 @@
|
||||
"mobile.routes.thread": "{channelName} Thread",
|
||||
"mobile.routes.thread_dm": "Direct Berichten Thread",
|
||||
"mobile.routes.user_profile": "Profiel",
|
||||
"mobile.routes.user_profile.edit": "Bewerken",
|
||||
"mobile.routes.user_profile.local_time": "LOKALE TIJD",
|
||||
"mobile.routes.user_profile.send_message": "Bericht verzenden",
|
||||
"mobile.search.after_modifier_description": "om berichten na een bepaalde datum te vinden",
|
||||
@@ -387,11 +468,22 @@
|
||||
"mobile.search.no_results": "Geen resultaten gevonden",
|
||||
"mobile.search.on_modifier_description": "om berichten op een bepaalde datum te vinden",
|
||||
"mobile.search.recent_title": "Recente Zoekopdrachten",
|
||||
"mobile.select_team.guest_cant_join_team": "Je gastaccount heeft geen teams of kanalen toegewezen. Neem contact op met een beheerder.",
|
||||
"mobile.select_team.join_open": "Open teams waar je lid van kan worden",
|
||||
"mobile.select_team.no_teams": "Er zijn geen teams beschikbaar voor jou om lid van te worden.",
|
||||
"mobile.server_link.error.text": "De link is niet gevonden op deze server.",
|
||||
"mobile.server_link.error.title": "Foute Link",
|
||||
"mobile.server_link.unreachable_channel.error": "Deze link behoort tot een gewist kanaal of tot een kanaal waartoe je geen toegang hebt.",
|
||||
"mobile.server_link.unreachable_team.error": "Deze link behoort tot een gewist team of tot een team waartoe je geen toegang hebt.",
|
||||
"mobile.server_ssl.error.text": "Het certificaat van {host} is niet vertrouwd.\n\nNeem contact op met jouw systeembeheerder om het certificaatprobleem op te lossen en verbindingen toe te laten naar deze server.",
|
||||
"mobile.server_ssl.error.title": "Onbetrouwbaar certificaat",
|
||||
"mobile.server_upgrade.alert_description": "Deze serverversie wordt niet ondersteund en gebruikers zullen worden blootgesteld aan compatibiliteitsproblemen die crashes of ernstige bugs veroorzaken die de basisfuncties van de app verstoren. Upgraden naar serverversie {serverVersion} of hoger is vereist.",
|
||||
"mobile.server_upgrade.button": "OK",
|
||||
"mobile.server_upgrade.description": "\nEen server-upgrade is vereist voor het gebruik van de Mattermost app. Vraag uw Systeembeheerder voor meer informatie.\n",
|
||||
"mobile.server_upgrade.dismiss": "Afwijzen",
|
||||
"mobile.server_upgrade.learn_more": "Meer informatie",
|
||||
"mobile.server_upgrade.title": "Server-upgrade is vereist",
|
||||
"mobile.server_url.empty": "Geef een geldige server URL op",
|
||||
"mobile.server_url.invalid_format": "URL moet beginnen met http:// of https://",
|
||||
"mobile.session_expired": "Sessie verlopen: meld je aan om door te gaan met het ontvangen van berichten. Sessies voor {siteName} zijn geconfigureerd om elke {daysCount, number} {daysCount, plural, one {day} other {days}} te verlopen.",
|
||||
"mobile.set_status.away": "Afwezig",
|
||||
@@ -404,7 +496,22 @@
|
||||
"mobile.share_extension.error_message": "Er is een fout opgetreden tijdens het gebruik van de deel-uitbreiding.",
|
||||
"mobile.share_extension.error_title": "Uitbreidingsfout",
|
||||
"mobile.share_extension.team": "Team",
|
||||
"mobile.share_extension.too_long_message": "Aantal tekens: {count}/{max}",
|
||||
"mobile.share_extension.too_long_title": "Bericht is te lang",
|
||||
"mobile.sidebar_settings.permanent": "Permanente Zijbalk",
|
||||
"mobile.sidebar_settings.permanent_description": "Hou de zijbalk permanent open",
|
||||
"mobile.storage_permission_denied_description": "Upload bestanden naar jouw Mattermost-installatie. Open Instellingen voor het verlenen van Mattermost Lees- en Schrijftoegang tot bestanden op dit apparaat.",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} wil toegang tot jouw bestanden",
|
||||
"mobile.suggestion.members": "Leden",
|
||||
"mobile.system_message.channel_archived_message": "{username} archiveerde het kanaal",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} dearchiveerde het kanaal",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} heeft de weergavenaam van het kanaal bijgewerkt van: {oldDisplayName} naar: {newDisplayName}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} heeft de hoofding verwijderd (was: {oldHeader})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} heeft de kanaalhoofding bijgewerkt van: {oldHeader} naar: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} heeft de kanaalhoofding bijgewerkt naar: {newHeader}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} verwijderde het kanaaldoel (was: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} heeft het doel van het kanaal bijgewerkt van: {oldPurpose} naar: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} heeft het kanaaldoel bijgewerkt naar: {newPurpose}",
|
||||
"mobile.terms_of_service.alert_cancel": "Annuleren",
|
||||
"mobile.terms_of_service.alert_ok": "OK",
|
||||
"mobile.terms_of_service.alert_retry": "Probeer Opnieuw",
|
||||
@@ -412,12 +519,18 @@
|
||||
"mobile.timezone_settings.automatically": "Automatisch instellen",
|
||||
"mobile.timezone_settings.manual": "Tijdzone wijzigen",
|
||||
"mobile.timezone_settings.select": "Tijdzone Selecteren",
|
||||
"mobile.user_list.deactivated": "Gedeactiveerd",
|
||||
"mobile.tos_link": "Servicevoorwaarden",
|
||||
"mobile.unsupported_server.message": "Bijlagen, link voorvertoningen, reacties en ingevoegde bestanden worden mogelijks niet correct weergegeven. Als dit euvel blijft bestaan, contacteer je systeembeheerder om je Mattermost server te upgraden.",
|
||||
"mobile.unsupported_server.ok": "OK",
|
||||
"mobile.unsupported_server.title": "Niet ondersteunde serverversie",
|
||||
"mobile.user.settings.notifications.email.fifteenMinutes": "Elke 15 minuten",
|
||||
"mobile.video_playback.failed_description": "Er is een fout opgetreden tijdens het proberen van het afspelen van de video.\n",
|
||||
"mobile.video_playback.failed_title": "Afspelen van video is mislukt",
|
||||
"mobile.user_list.deactivated": "Gedeactiveerd",
|
||||
"mobile.user_removed.message": "Je werd verwijderd uit het kanaal.",
|
||||
"mobile.user_removed.title": "Verwijderd uit {channelName}",
|
||||
"mobile.video.save_error_message": "Om het videobestand op te slaan moet je deze eerst downloaden.",
|
||||
"mobile.video.save_error_title": "Fout bij het opslaan van video",
|
||||
"mobile.video_playback.failed_description": "Er is een fout opgetreden tijdens het proberen van het afspelen van de video.\n",
|
||||
"mobile.video_playback.failed_title": "Afspelen van video is mislukt",
|
||||
"mobile.youtube_playback_error.description": "Er is een fout opgetreden tijdens het proberen van het afspelen van de YouTube video.\nDetails: {details}",
|
||||
"mobile.youtube_playback_error.title": "Fout bij Afspelen YouTube",
|
||||
"modal.manual_status.auto_responder.message_": "Wil je jouw status wijzigen naar \"{status}\" en Automatisch Antwoorden uitschakelen?",
|
||||
@@ -425,11 +538,22 @@
|
||||
"modal.manual_status.auto_responder.message_dnd": "Wil je de status wijzigen naar \"Niet Storen\" en Automatisch Antwoorden uitschakelen?",
|
||||
"modal.manual_status.auto_responder.message_offline": "Wil je de status wijzigen naar \"Offline\" en Automatisch Antwoorden uitschakelen?",
|
||||
"modal.manual_status.auto_responder.message_online": "Wil je de status wijzigen naar \"Online\" en Automatisch Antwoorden uitschakelen?",
|
||||
"more_channels.archivedChannels": "Gearchiveerde Kanalen",
|
||||
"more_channels.dropdownTitle": "Toon",
|
||||
"more_channels.noMore": "Geen kanalen beschikbaar waar aan deelgenomen kan worden",
|
||||
"more_channels.publicChannels": "Publieke kanalen",
|
||||
"more_channels.showArchivedChannels": "Weergeven: Gearchiveerde Kanalen",
|
||||
"more_channels.showPublicChannels": "Weergeven: Publieke kanalen",
|
||||
"more_channels.title": "Meer kanalen",
|
||||
"msg_typing.areTyping": "{users} en {last} zijn aan het typen...",
|
||||
"msg_typing.isTyping": "{user} typt...",
|
||||
"navbar.channel_drawer.button": "Kanalen en teams",
|
||||
"navbar.channel_drawer.hint": "Opent de kanalen en teams lader",
|
||||
"navbar.leave": "Kanaal verlaten",
|
||||
"navbar.more_options.button": "Meer keuzes",
|
||||
"navbar.more_options.hint": "Opent de rechterzijbalk met meer opties",
|
||||
"navbar.search.button": "Kanaal doorzoeken",
|
||||
"navbar.search.hint": "Opent de zoekmodus voor kanalen",
|
||||
"password_form.title": "Wachtwoord reset",
|
||||
"password_send.checkInbox": "Controleer je inbox.",
|
||||
"password_send.description": "Om uw wachtwoord opnieuw in te stellen voert u het e-mailadres in dat u heeft gebruikt om uzelf aan te melden",
|
||||
@@ -437,18 +561,21 @@
|
||||
"password_send.link": "Als het account bestaat, wordt er een e-mail voor het resetten van wachtwoorden verzonden naar:",
|
||||
"password_send.reset": "Reset wachtwoord",
|
||||
"permalink.error.access": "Permalink behoort toe aan een verwijderd bericht of aan een kanaal waar je geen toegang tot hebt.",
|
||||
"permalink.error.link_not_found": "Link Niet Gevonden",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "werd niet verwittigd door deze vermelding omdat deze niet in het kanaal zijn. Zij kunnen niet aan het kanaal toegevoegd worden omdat ze geen lid zijn van de gekoppelde groepen. Om hem aan het kanaal toe te voegen, moeten ze toegevoegd worden aan de gelinkte groepen.",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": " en ",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "voeg ze toe aan dit privé-kanaal",
|
||||
"post_body.check_for_out_of_channel_mentions.link.public": "voeg ze toe aan het kanaal",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Ze zullen toegang hebben tot de volledige berichtgeschiedenis.",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "niet door deze vermelding op de hoogte zijn gebracht omdat ze niet in het kanaal aanwezig zijn. Wil je ",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "niet door deze vermelding op de hoogte zijn gebracht omdat ze niet in het kanaal aanwezig zijn. Wil je ",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Ze zullen toegang hebben tot de volledige berichtgeschiedenis.",
|
||||
"post_body.commentedOn": "Gaf commentaaar op het bericht van {name}: ",
|
||||
"post_body.deleted": "(bericht verwijderd)",
|
||||
"post_info.auto_responder": "AUTOMATISCH ANTWOORD",
|
||||
"post_info.bot": "BOT",
|
||||
"post_info.del": "Verwijderen",
|
||||
"post_info.edit": "Bewerken",
|
||||
"post_info.guest": "GAST",
|
||||
"post_info.message.show_less": "Toon Minder",
|
||||
"post_info.message.show_more": "Toon Meer",
|
||||
"post_info.system": "Systeem",
|
||||
@@ -460,14 +587,14 @@
|
||||
"search_header.title2": "Recente Vermeldingen",
|
||||
"search_header.title3": "Gemarkeerde Berichten",
|
||||
"search_item.channelArchived": "Gearchiveerd",
|
||||
"sidebar_right_menu.logout": "Afmelden",
|
||||
"sidebar_right_menu.report": "Een probleem melden",
|
||||
"sidebar.channels": "PUBLIEKE KANALEN",
|
||||
"sidebar.direct": "DIRECTE BERICHTEN",
|
||||
"sidebar.favorite": "FAVORIETE KANALEN",
|
||||
"sidebar.pg": "PRIVE KANALEN",
|
||||
"sidebar.types.recent": "RECENTE ACTIVITEIT",
|
||||
"sidebar.unreads": "Meer ongelezen berichten",
|
||||
"sidebar_right_menu.logout": "Afmelden",
|
||||
"sidebar_right_menu.report": "Een probleem melden",
|
||||
"signup.email": "E-mail en Wachtwoord",
|
||||
"signup.office365": "Office 365",
|
||||
"status_dropdown.set_away": "Afwezig",
|
||||
@@ -478,17 +605,20 @@
|
||||
"suggestion.mention.all": "Verwittig iedereen in dit kanaal",
|
||||
"suggestion.mention.channel": "Verwittig iedereen in dit kanaal",
|
||||
"suggestion.mention.channels": "Mijn Kanalen",
|
||||
"suggestion.mention.groups": "Groepsvermeldingen",
|
||||
"suggestion.mention.here": "Verwittig iedereen in dit kanaal",
|
||||
"suggestion.mention.members": "Kanaalleden",
|
||||
"suggestion.mention.morechannels": "Andere Kanalen",
|
||||
"suggestion.mention.nonmembers": "Niet in kanaal",
|
||||
"suggestion.mention.special": "Speciale Vermeldingen",
|
||||
"suggestion.mention.you": "(jij)",
|
||||
"suggestion.search.direct": "Privé bericht",
|
||||
"suggestion.search.private": "Privé-kanalen",
|
||||
"suggestion.search.public": "Publieke kanalen",
|
||||
"terms_of_service.agreeButton": "Ik ga akkoord",
|
||||
"terms_of_service.api_error": "De opdracht kan niet worden voltooid. Als dit probleem zich blijft voordoen, neem dan contact op met de Systeembeheerder.",
|
||||
"user.settings.display.clockDisplay": "Klok weergave",
|
||||
"user.settings.display.custom_theme": "Aangepast thema",
|
||||
"user.settings.display.militaryClock": "24 uren klok (bijvoorbeeld: 16:00)",
|
||||
"user.settings.display.normalClock": "12 uren klok (bijvoorbeeld: 4:00 PM)",
|
||||
"user.settings.display.preferTime": "Selecteer hoe u de tijd wilt zien.",
|
||||
@@ -523,115 +653,5 @@
|
||||
"user.settings.push_notification.disabled_long": "Push-meldingen zijn niet ingeschakeld door de Systeembeheerder.",
|
||||
"user.settings.push_notification.offline": "Offline",
|
||||
"user.settings.push_notification.online": "Online, afwezig of offline",
|
||||
"web.root.signup_info": "Alle team communicatie op een plaats, doorzoekbaar en van overal bereikbaar",
|
||||
"mobile.message_length.message_split_left": "Bericht overschrijdt het maximum aantal karakters",
|
||||
"user.settings.display.custom_theme": "Aangepast thema",
|
||||
"suggestion.mention.you": "(jij)",
|
||||
"post_info.guest": "GAST",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "werd niet verwittigd door deze vermelding omdat deze niet in het kanaal zijn. Zij kunnen niet aan het kanaal toegevoegd worden omdat ze geen lid zijn van de gekoppelde groepen. Om hem aan het kanaal toe te voegen, moeten ze toegevoegd worden aan de gelinkte groepen.",
|
||||
"permalink.error.link_not_found": "Link Niet Gevonden",
|
||||
"navbar.channel_drawer.hint": "Opent de kanalen en teams lader",
|
||||
"navbar.channel_drawer.button": "Kanalen en teams",
|
||||
"more_channels.showPublicChannels": "Weergeven: Publieke kanalen",
|
||||
"more_channels.showArchivedChannels": "Weergeven: Gearchiveerde Kanalen",
|
||||
"more_channels.publicChannels": "Publieke kanalen",
|
||||
"more_channels.dropdownTitle": "Toon",
|
||||
"more_channels.archivedChannels": "Gearchiveerde Kanalen",
|
||||
"mobile.tos_link": "Servicevoorwaarden",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} heeft het kanaaldoel bijgewerkt naar: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} heeft het doel van het kanaal bijgewerkt van: {oldPurpose} naar: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} verwijderde het kanaaldoel (was: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} heeft de kanaalhoofding bijgewerkt naar: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} heeft de kanaalhoofding bijgewerkt van: {oldHeader} naar: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} heeft de hoofding verwijderd (was: {oldHeader})",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} heeft de weergavenaam van het kanaal bijgewerkt van: {oldDisplayName} naar: {newDisplayName}",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} dearchiveerde het kanaal",
|
||||
"mobile.system_message.channel_archived_message": "{username} archiveerde het kanaal",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} wil toegang tot jouw bestanden",
|
||||
"mobile.storage_permission_denied_description": "Upload bestanden naar jouw Mattermost-installatie. Open Instellingen voor het verlenen van Mattermost Lees- en Schrijftoegang tot bestanden op dit apparaat.",
|
||||
"mobile.sidebar_settings.permanent_description": "Hou de zijbalk permanent open",
|
||||
"mobile.sidebar_settings.permanent": "Permanente Zijbalk",
|
||||
"mobile.share_extension.too_long_title": "Message is too long",
|
||||
"mobile.share_extension.too_long_message": "Aantal tekens: {count}/{max}",
|
||||
"mobile.server_ssl.error.title": "Onbetrouwbaar certificaat",
|
||||
"mobile.server_ssl.error.text": "Het certificaat van {host} is niet vertrouwd.\n\nNeem contact op met jouw systeembeheerder om het certificaatprobleem op te lossen en verbindingen toe te laten naar deze server.",
|
||||
"mobile.server_link.unreachable_team.error": "Deze link behoort tot een gewist team of tot een team waartoe je geen toegang hebt.",
|
||||
"mobile.server_link.unreachable_channel.error": "Deze link behoort tot een gewist kanaal of tot een kanaal waartoe je geen toegang hebt.",
|
||||
"mobile.server_link.error.title": "Foute Link",
|
||||
"mobile.server_link.error.text": "De link is niet gevonden op deze server.",
|
||||
"mobile.select_team.guest_cant_join_team": "Je gastaccount heeft geen teams of kanalen toegewezen. Neem contact op met een beheerder.",
|
||||
"mobile.routes.user_profile.edit": "Bewerken",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Kanaal Dearchiveren",
|
||||
"mobile.routes.channelInfo.groupManaged": "Leden worden beheerd door gekoppelde groepen",
|
||||
"mobile.reaction_header.all_emojis": "Allen",
|
||||
"mobile.push_notification_reply.title": "Antwoord",
|
||||
"mobile.push_notification_reply.placeholder": "Schrijf een antwoord...",
|
||||
"mobile.push_notification_reply.button": "Verzenden",
|
||||
"mobile.privacy_link": "Privacybeleid",
|
||||
"mobile.post_textbox.entire_channel.title": "Bevestig het verzenden van meldingen naar hele kanaal",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Bij gebruik van @all of @channel verstuur je meldingen naar {totalMembers, number} {totalMembers, plural, one {person} other {people}} in {timezones, number} {timezones, plural, one {timezone} other {timezones}}. Weet je zeker dat je dit wil doen?",
|
||||
"mobile.post_textbox.entire_channel.message": "Bij gebruik van @all of @channel verstuur je meldingen naar {totalMembers, number} {totalMembers, plural, one {person} other {people}}. Weet je zeker dat je dit wil doen?",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Bevestigen",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Annuleren",
|
||||
"mobile.post_info.reply": "Antwoord",
|
||||
"mobile.post_info.mark_unread": "Markeer als Ongelezen",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} wil toegang tot jouw foto's",
|
||||
"mobile.photo_library_permission_denied_description": "Om afbeeldingen en video's op te slaan in uw bibliotheek, wijzig je machtigingsinstellingen.",
|
||||
"mobile.permission_denied_retry": "Instellingen",
|
||||
"mobile.permission_denied_dismiss": "Niet toestaan",
|
||||
"mobile.managed.settings": "Ga naar instellingen",
|
||||
"mobile.managed.not_secured.ios.touchId": "Dit apparaat moet worden beveiligd met een toegangscode om Mattermost te gebruiken.\n\nGa naar Instellingen > Touch ID & Wachtwoord.",
|
||||
"mobile.managed.not_secured.ios": "Dit apparaat moet worden beveiligd met een toegangscode om Mattermost te gebruiken.\n\nGa naar Instellingen > Face ID & Wachtwoord.",
|
||||
"mobile.managed.not_secured.android": "Dit apparaat moet beveiligd zijn met een schermvergrendeling om Mattermost te gebruiken.",
|
||||
"mobile.ios.photos_permission_denied_title": "{applicationName} wil toegang tot jouw foto's",
|
||||
"mobile.files_paste.error_title": "Plakken mislukt",
|
||||
"mobile.files_paste.error_dismiss": "Afwijzen",
|
||||
"mobile.files_paste.error_description": "Er is een fout opgetreden bij het plakken van het bestand(en). Probeer het opnieuw.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Alleen BMP, JPG-of PNG-afbeeldingen kunnen worden gebruikt voor profielafbeeldingen.",
|
||||
"mobile.failed_network_action.teams_title": "Er ging iets mis",
|
||||
"mobile.failed_network_action.teams_description": "Teams kunnen niet worden geladen.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Kanalen kunnen niet worden geladen voor {teamName}.",
|
||||
"mobile.extension.team_required": "Je moet tot een team behoren voordat je bestanden kan delen.",
|
||||
"mobile.edit_profile.remove_profile_photo": "Verwijder Foto",
|
||||
"mobile.display_settings.sidebar": "Zijbalk",
|
||||
"mobile.channel_list.archived": "GEARCHIVEERD",
|
||||
"mobile.channel_info.unarchive_failed": "We konden het kanaal {displayName} niet dearchiveren. Controleer uw verbinding en probeer het opnieuw.",
|
||||
"mobile.channel_info.copy_purpose": "Doel Kopiëren",
|
||||
"mobile.channel_info.copy_header": "Hoofding Kopiëren",
|
||||
"mobile.channel_info.convert_success": "{displayName} is nu een privé-kanaal.",
|
||||
"mobile.channel_info.convert_failed": "We konden niet {displayName} converteren naar een privé-kanaal.",
|
||||
"mobile.channel_info.convert": "Omzetten naar privé-kanaal",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Dearchiveer {term}",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "{displayName} converteren naar een privé-kanaal?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Weet je zeker dat je deze {term} {name} wil dearchiveren?",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Wanneer je **{displayName}** omzet een privé-kanaal blijft de geschiedenis en het lidmaatschap bewaard. Openbaar gedeelde bestanden blijven toegankelijk voor iedereen met de link. Het lidmaatschap van een privé-kanaal is alleen op uitnodiging.\n \nDe wijziging is definitief en kan niet ongedaan gemaakt worden.\n \n Weet je zeker dat je wilt converteren **{displayName}** naar een privé-kanaal?",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} wil toegang tot jouw camera",
|
||||
"mobile.camera_video_permission_denied_description": "Neem video's en upload ze naar jouw Mattermost of bewaar ze op jouw apparaat. Open Instellingen om Mattermost Lees- en Schrijftoegang te geven tot jouw camera.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} wil toegang tot jouw camera",
|
||||
"mobile.camera_photo_permission_denied_description": "Neem foto's en upload ze naar jouw Mattermost of bewaar ze op jouw apparaat. Open Instellingen om Mattermost Lees- en Schrijftoegang te geven tot jouw camera.",
|
||||
"mobile.alert_dialog.alertCancel": "Annuleren",
|
||||
"intro_messages.creatorPrivate": "Dit is de start van het {name} privé-kanaal, gemaakt door {creator} op {date}.",
|
||||
"date_separator.yesterday": "Gisteren",
|
||||
"date_separator.today": "Vandaag",
|
||||
"channel.isGuest": "Deze persoon is een gast",
|
||||
"channel.hasGuests": "Dit groepsbericht heeft gasten",
|
||||
"channel.channelHasGuests": "Dit kanaal heeft gasten",
|
||||
"mobile.server_upgrade.learn_more": "Meer informatie",
|
||||
"mobile.server_upgrade.dismiss": "Afwijzen",
|
||||
"mobile.server_upgrade.alert_description": "Deze serverversie wordt niet ondersteund en gebruikers zullen worden blootgesteld aan compatibiliteitsproblemen die crashes of ernstige bugs veroorzaken die de basisfuncties van de app verstoren. Upgraden naar serverversie {serverVersion} of hoger is vereist.",
|
||||
"suggestion.mention.groups": "Groepsvermeldingen",
|
||||
"mobile.android.back_handler_exit": "Klik nogmaals op Terug om te sluiten",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {nieuwe} other {meer nieuwe}} {count, plural, one {bericht} other {berichten}}",
|
||||
"mobile.unsupported_server.title": "Niet ondersteunde serverversie",
|
||||
"mobile.unsupported_server.ok": "OK",
|
||||
"mobile.unsupported_server.message": "Bijlagen, link voorvertoningen, reacties en ingevoegde bestanden worden mogelijks niet correct weergegeven. Als dit euvel blijft bestaan, contacteer je systeembeheerder om je Mattermost server te upgraden.",
|
||||
"mobile.post_textbox.groups.title": "Verzenden van meldingen naar groepen bevestigen",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "Door het gebruik van {mention} sta je op het punt om meldingen te zenden naar minstens {totalMembers} mensen in {timezones,number} {timezones, plural, one {tijdzone} other {tijdzones}}. Ben je zeker dat je wil doen?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "Door het gebruik van {mention} sta je op het punt om meldingen te zenden naar minstens {totalMembers} mensen. Ben je zeker dat je wil doen?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "Door het gebruik van {mentions} en {finalMention} sta je op het punt om meldingen te zenden naar minstens {totalMembers} mensen. Ben je zeker dat je dit wil doen?",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Door het gebruik van {mentions} en {finalMention} sta je op het punt om meldingen te zenden naar minstens {totalMembers} mensen in {timezones,number} {timezones, plural, one {tijdzone} other {tijdzones}}. Ben je zeker dat je wil doen?",
|
||||
"mobile.emoji_picker.search.not_found_description": "Controleer de spelling of probeer een andere zoekopdracht.",
|
||||
"mobile.user_removed.title": "Verwijderd uit {channelName}",
|
||||
"mobile.user_removed.message": "Je werd verwijderd uit het kanaal.",
|
||||
"mobile.emoji_picker.search.not_found_title": "Geen resultaten gevonden voor: \"{searchTerm}"
|
||||
"web.root.signup_info": "Alle team communicatie op een plaats, doorzoekbaar en van overal bereikbaar"
|
||||
}
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
{
|
||||
"about.date": "Data De Criação:",
|
||||
"about.enterpriseEditione1": "Enterprise Edition",
|
||||
"about.enterpriseEditionLearn": "Saiba mais sobre Enterprise Edition em ",
|
||||
"about.enterpriseEditionSt": "Comunicação empresarial moderna atrás do seu firewall.",
|
||||
"about.enterpriseEditione1": "Enterprise Edition",
|
||||
"about.hash": "Hash de Compilação:",
|
||||
"about.hashee": "Hash de Compilação EE:",
|
||||
"about.teamEditionLearn": "Entre na comunidade Mattermost em ",
|
||||
@@ -14,10 +14,18 @@
|
||||
"api.channel.add_member.added": "{addedUsername} foi adicionado ao canal por {username}.",
|
||||
"archivedChannelMessage": "Você está vendo um **canal arquivado**. Novas mensagens não podem ser publicadas.",
|
||||
"center_panel.archived.closeChannel": "Fechar Canal",
|
||||
"channel.channelHasGuests": "Este canal tem convidados",
|
||||
"channel.hasGuests": "Este grupo de mensagem tem convidados",
|
||||
"channel.isGuest": "Esta pessoa é um convidado",
|
||||
"channel_header.addMembers": "Adicionar Membros",
|
||||
"channel_header.directchannel.you": "{displayname} (você) ",
|
||||
"channel_header.manageMembers": "Gerenciar Membros",
|
||||
"channel_header.pinnedPosts": "Posts Fixados",
|
||||
"channel_header.notificationPreference": "Notificações Móvel",
|
||||
"channel_header.notificationPreference.all": "Todos",
|
||||
"channel_header.notificationPreference.default": "Padrão",
|
||||
"channel_header.notificationPreference.mention": "Menções",
|
||||
"channel_header.notificationPreference.none": "Nunca",
|
||||
"channel_header.pinnedPosts": "Mensagens Fixadas",
|
||||
"channel_header.viewMembers": "Ver Membros",
|
||||
"channel_info.header": "Cabeçalho:",
|
||||
"channel_info.purpose": "Propósito:",
|
||||
@@ -35,6 +43,12 @@
|
||||
"channel_modal.purposeEx": "Ex.: \"Um canal para arquivar bugs e melhorias\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "Ignorar @channel, @here, @all",
|
||||
"channel_notifications.muteChannel.settings": "Silenciar o canal",
|
||||
"channel_notifications.preference.all_activity": "Para todas as atividades",
|
||||
"channel_notifications.preference.global_default": "Padrão global (Menções)",
|
||||
"channel_notifications.preference.header": "Enviar Notificações",
|
||||
"channel_notifications.preference.never": "Nunca",
|
||||
"channel_notifications.preference.only_mentions": "Somente menções e mensagens diretas",
|
||||
"channel_notifications.preference.save_error": "Não foi possível salvar a preferência de notificação. Por favor verifique sua conexão e tente novamente.",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{users} e {lastUser} foram **adicionados ao canal** por {actor}.",
|
||||
"combined_system_message.added_to_channel.one": "{firstUser} **adicionado ao canal** por {actor}.",
|
||||
"combined_system_message.added_to_channel.one_you": "Você foi **adicionado ao canal** por {actor}.",
|
||||
@@ -71,6 +85,8 @@
|
||||
"create_comment.addComment": "Adicionar um comentário...",
|
||||
"create_post.deactivated": "Você está vendo um canal arquivado com um usuário inativo.",
|
||||
"create_post.write": "Escrever para {channelDisplayName}",
|
||||
"date_separator.today": "Hoje",
|
||||
"date_separator.yesterday": "Ontem",
|
||||
"edit_post.editPost": "Editar o post...",
|
||||
"edit_post.save": "Salvar",
|
||||
"file_attachment.download": "Download",
|
||||
@@ -80,6 +96,7 @@
|
||||
"intro_messages.anyMember": " Qualquer membro pode participar e ler este canal.",
|
||||
"intro_messages.beginning": "Início do {name}",
|
||||
"intro_messages.creator": "Este é o início do canal {name}, criado por {creator} em {date}.",
|
||||
"intro_messages.creatorPrivate": "Este é o início do canal privado {name}, criado por {creator} em {date}.",
|
||||
"intro_messages.group_message": "Este é o início de seu histórico de mensagens em grupo com esta equipe. Mensagens e arquivos compartilhados aqui não são mostrados para pessoas fora dessa área.",
|
||||
"intro_messages.noCreator": "Este é o início do canal {name}, criado em {date}.",
|
||||
"intro_messages.onlyInvited": " Somente membros convidados podem ver este canal privado.",
|
||||
@@ -93,9 +110,6 @@
|
||||
"last_users_message.others": "{numOthers} outros ",
|
||||
"last_users_message.removed_from_channel.type": "foram **removidos do canal**.",
|
||||
"last_users_message.removed_from_team.type": "foram **removidos do canal**.",
|
||||
"login_mfa.enterToken": "Para completar o login em processo, por favor entre um token do seu autenticador no smartphone",
|
||||
"login_mfa.token": "Token MFA",
|
||||
"login_mfa.tokenReq": "Por favor entre um token MFA",
|
||||
"login.email": "E-mail",
|
||||
"login.forgot": "Eu esqueci a minha senha",
|
||||
"login.invalidPassword": "Sua senha está incorreta.",
|
||||
@@ -112,8 +126,11 @@
|
||||
"login.or": "ou",
|
||||
"login.password": "Senha",
|
||||
"login.signIn": "Login",
|
||||
"login.username": "Usuário",
|
||||
"login.userNotFound": "Não foi possível encontrar uma conta que corresponda com as suas credenciais de login.",
|
||||
"login.username": "Usuário",
|
||||
"login_mfa.enterToken": "Para completar o login em processo, por favor entre um token do seu autenticador no smartphone",
|
||||
"login_mfa.token": "Token MFA",
|
||||
"login_mfa.tokenReq": "Por favor entre um token MFA",
|
||||
"mobile.about.appVersion": "Versão do App: {version} (Build {number})",
|
||||
"mobile.about.copyright": "Copyright 2015-{currentYear} Mattermost, Inc. Todos os direitos reservados",
|
||||
"mobile.about.database": "Banco de Dados: {type}",
|
||||
@@ -121,11 +138,11 @@
|
||||
"mobile.about.powered_by": "{site} é desenvoldido por Mattermost",
|
||||
"mobile.about.serverVersion": "Versão do Servidor: {version} (Build {number})",
|
||||
"mobile.about.serverVersionNoBuild": "Versão do Servidor: {version}",
|
||||
"mobile.account.settings.save": "Salvar",
|
||||
"mobile.account_notifications.reply.header": "ENVIAR NOTIFICAÇÕES DE RESPOSTA PARA",
|
||||
"mobile.account_notifications.threads_mentions": "Menções em tópicos",
|
||||
"mobile.account_notifications.threads_start": "Tópicos que eu iniciei",
|
||||
"mobile.account_notifications.threads_start_participate": "Tópicos que eu iniciei ou participo",
|
||||
"mobile.account.settings.save": "Salvar",
|
||||
"mobile.action_menu.select": "Selecione uma opção",
|
||||
"mobile.advanced_settings.clockDisplay": "Exibição do relógio",
|
||||
"mobile.advanced_settings.delete": "Deletar",
|
||||
@@ -133,6 +150,8 @@
|
||||
"mobile.advanced_settings.delete_title": "Remoer Documentos & Dados",
|
||||
"mobile.advanced_settings.timezone": "Fuso horário",
|
||||
"mobile.advanced_settings.title": "Configurações Avançadas",
|
||||
"mobile.alert_dialog.alertCancel": "Cancelar",
|
||||
"mobile.android.back_handler_exit": "Pressione voltar novamente para sair",
|
||||
"mobile.android.photos_permission_denied_description": "Para enviar imagens de sua galeria, por favor altere as permissões.",
|
||||
"mobile.android.photos_permission_denied_title": "Acesso a galeria de fotos é necessário",
|
||||
"mobile.android.videos_permission_denied_description": "Para enviar vides de sua galeria, por favor altere as permissões.",
|
||||
@@ -142,19 +161,34 @@
|
||||
"mobile.calendar.dayNamesShort": "Dom,Seg,Ter,Qua,Qui,Sex,Sab",
|
||||
"mobile.calendar.monthNames": "Janeiro,Fevereiro,Março,Abril,Maio,Junho,Julho,Agosto,Setembro,Outubro,Novembro,Dezembro",
|
||||
"mobile.calendar.monthNamesShort": "Jan,Fev,Mar,Abr,Mai,Jun,Jul,Ago,Set,Out,Nov,Dez",
|
||||
"mobile.camera_photo_permission_denied_description": "Tire fotos e carregue-as na sua instância do Mattermost ou salve-as no seu dispositivo. Abra Configurações para conceder ao Mattermost acesso de leitura e gravação à sua câmera.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} gostaria de acessar sua camera",
|
||||
"mobile.camera_video_permission_denied_description": "Faça vídeos e envie-os para a sua instância do Mattermost ou salve-os no seu dispositivo. Abra Configurações para conceder ao Mattermost acesso de leitura e gravação à sua câmera.",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} gostaria de acessar sua camera",
|
||||
"mobile.channel_drawer.search": "Ir para...",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Quando você converte {displayName} em um canal privado, o histórico e os membros são preservados. Os arquivos compartilhados publicamente permanecem acessíveis a qualquer pessoa com o link. O ingresso a um canal privado é apenas por convite.\n\nA mudança é permanente e não pode ser desfeita.\n\nTem certeza de que deseja converter {displayName} em um canal privado?",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "Você tem certeza que quer arquivar o {term} {name}?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "Você tem certeza que quer deixar o {term} {name}?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Você tem certeza que quer desarquivar {term} {name}?",
|
||||
"mobile.channel_info.alertNo": "Não",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "Converter {displayName} para um canal privado?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "Arquivar {term}",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "Sair {term}",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Desarquivar {term}",
|
||||
"mobile.channel_info.alertYes": "Sim",
|
||||
"mobile.channel_info.convert": "Converter o Canal Privado",
|
||||
"mobile.channel_info.convert_failed": "Não foi possível converter {displayName} em um canal privado.",
|
||||
"mobile.channel_info.convert_success": "{displayName} é agora um canal privado.",
|
||||
"mobile.channel_info.copy_header": "Copiar Cabeçalho",
|
||||
"mobile.channel_info.copy_purpose": "Copiar Propósito",
|
||||
"mobile.channel_info.delete_failed": "Não foi possível arquivar o canal {displayName}. Por favor verifique a sua conexão e tente novamente.",
|
||||
"mobile.channel_info.edit": "Editar Canal",
|
||||
"mobile.channel_info.privateChannel": "Canal Privado",
|
||||
"mobile.channel_info.publicChannel": "Canal Público",
|
||||
"mobile.channel_info.unarchive_failed": "Não foi possível desarquivar o canal {displayName}. Por favor verifique a sua conexão e tente novamente.",
|
||||
"mobile.channel_list.alertNo": "Não",
|
||||
"mobile.channel_list.alertYes": "Sim",
|
||||
"mobile.channel_list.archived": "ARQUIVADO",
|
||||
"mobile.channel_list.channels": "CANAIS",
|
||||
"mobile.channel_list.closeDM": "Fechar Mensagem Direta",
|
||||
"mobile.channel_list.closeGM": "Fechar Mensagem em Grupo",
|
||||
@@ -191,6 +225,7 @@
|
||||
"mobile.create_channel.public": "Novo Canal Público",
|
||||
"mobile.create_post.read_only": "Este canal é de apenas leitura",
|
||||
"mobile.custom_list.no_results": "Nenhum Resultado",
|
||||
"mobile.display_settings.sidebar": "Barra lateral",
|
||||
"mobile.display_settings.theme": "Tema",
|
||||
"mobile.document_preview.failed_description": "Um erro aconteceu durante a abertura do documento. Por favor verifique que você tem o visualizador para {fileType} instalado e tente novamente.\n",
|
||||
"mobile.document_preview.failed_title": "Falha ao Abrir o Documento",
|
||||
@@ -209,6 +244,7 @@
|
||||
"mobile.drawer.teamsTitle": "Equipes",
|
||||
"mobile.edit_channel": "Salvar",
|
||||
"mobile.edit_post.title": "Editando a Mensagem",
|
||||
"mobile.edit_profile.remove_profile_photo": "Remover Foto",
|
||||
"mobile.emoji_picker.activity": "ATIVIDADE",
|
||||
"mobile.emoji_picker.custom": "PERSONALIZADO",
|
||||
"mobile.emoji_picker.flags": "BANDEIRAS",
|
||||
@@ -218,6 +254,8 @@
|
||||
"mobile.emoji_picker.people": "PESSOAS",
|
||||
"mobile.emoji_picker.places": "LUGARES",
|
||||
"mobile.emoji_picker.recent": "RECENTEMENTE UTILIZADO",
|
||||
"mobile.emoji_picker.search.not_found_description": "Verifique a ortografia ou tente outra busca.",
|
||||
"mobile.emoji_picker.search.not_found_title": "Nenhum resultado encontrado para \"{searchTerm}\"",
|
||||
"mobile.emoji_picker.symbols": "SIMBOLOS",
|
||||
"mobile.error_handler.button": "Relançar",
|
||||
"mobile.error_handler.description": "\nClique relançar para abrir a app novamente. Após o reinício, você pode relatar o problema no menu the configuração.\n",
|
||||
@@ -227,42 +265,60 @@
|
||||
"mobile.extension.file_limit": "Compartilhamento está limitado ao máximo de 5 arquivos.",
|
||||
"mobile.extension.max_file_size": "Arquivos anexos compartilhados no Mattermost devem ter menos de {size}.",
|
||||
"mobile.extension.permission": "Mattermost precisa de acesso ao armazenamento do dispositivo para compartilhar arquivos.",
|
||||
"mobile.extension.team_required": "Você deve pertencer a uma equipe antes de compartilhar arquivos.",
|
||||
"mobile.extension.title": "Compartilhar no Mattermost",
|
||||
"mobile.failed_network_action.retry": "Tentar Novamente",
|
||||
"mobile.failed_network_action.shortDescription": "Certifique-se de ter uma conexão ativa e tente novamente.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Os canais não puderam ser carregados para {teamName}.",
|
||||
"mobile.failed_network_action.teams_description": "Equipes não puderam ser carregadas.",
|
||||
"mobile.failed_network_action.teams_title": "Algo deu errado",
|
||||
"mobile.failed_network_action.title": "Sem conexão com a internet",
|
||||
"mobile.file_upload.browse": "Navegar pelos Arquivos",
|
||||
"mobile.file_upload.camera_photo": "Tirar Foto",
|
||||
"mobile.file_upload.camera_video": "Criar 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.unsupportedMimeType": "Somente imagens em BMP, JPG ou PNG podem ser usadas como imagem do perfil.",
|
||||
"mobile.file_upload.video": "Galeria de Videos",
|
||||
"mobile.flagged_posts.empty_description": "As bandeiras são uma forma de marcar as mensagens para segui-la. Suas bandeiras são pessoais, e não podem ser vistas por outros usuários.",
|
||||
"mobile.flagged_posts.empty_title": "Nenhum Post Marcado",
|
||||
"mobile.files_paste.error_description": "Ocorreu um erro enquanto colava o arquivo. Por favor tente novamente.",
|
||||
"mobile.files_paste.error_dismiss": "Ignorar",
|
||||
"mobile.files_paste.error_title": "Colar falhou",
|
||||
"mobile.flagged_posts.empty_description": "As mensagens salvas são visíveis apenas para você. Marque mensagens para acompanhamento ou salve algo para mais tarde mantendo uma mensagem pressionada e escolhendo Salvar no menu.",
|
||||
"mobile.flagged_posts.empty_title": "Nenhuma mensagem salva",
|
||||
"mobile.help.title": "Ajuda",
|
||||
"mobile.image_preview.save": "Salvar imagem",
|
||||
"mobile.image_preview.save_video": "Salvar Vídeo",
|
||||
"mobile.intro_messages.DM": "Este é o início do seu histórico de mensagens diretas com {teammate}. Mensagens diretas e arquivos compartilhados aqui não são mostrados para pessoas de fora desta área.",
|
||||
"mobile.intro_messages.default_message": "Este é o primeiro canal da equipe veja quando eles se registrarem - use para postar atualizações que todos devem saber.",
|
||||
"mobile.intro_messages.default_welcome": "Bem-vindo ao {name}!",
|
||||
"mobile.intro_messages.DM": "Este é o início do seu histórico de mensagens diretas com {teammate}. Mensagens diretas e arquivos compartilhados aqui não são mostrados para pessoas de fora desta área.",
|
||||
"mobile.ios.photos_permission_denied_description": "Para salvar imagens e videos na sua galeria, por favor altere suas configurações de permissão.",
|
||||
"mobile.ios.photos_permission_denied_title": "Acesso a galeria de fotos é necessário",
|
||||
"mobile.join_channel.error": "Não foi possível entrar no canal {displayName}. Por favor verifique a sua conexão e tente novamente.",
|
||||
"mobile.link.error.text": "Não foi possível abrir o link.",
|
||||
"mobile.link.error.title": "Erro",
|
||||
"mobile.loading_channels": "Carregando Canais...",
|
||||
"mobile.loading_members": "Carregando Membros...",
|
||||
"mobile.loading_options": "Carregando Opções...",
|
||||
"mobile.loading_posts": "Carregando Mensagens...",
|
||||
"mobile.login_options.choose_title": "Escolha seu método de login",
|
||||
"mobile.long_post_title": "{channelName} - Post",
|
||||
"mobile.mailTo.error.text": "Não foi possível abrir o cliente de email.",
|
||||
"mobile.mailTo.error.title": "Erro",
|
||||
"mobile.managed.blocked_by": "Bloqueado por {vendor}",
|
||||
"mobile.managed.exit": "Editar",
|
||||
"mobile.managed.jailbreak": "Os dispositivos com Jailbroken não são confiáveis para {vendor}, por favor saia do aplicativo.",
|
||||
"mobile.managed.not_secured.android": "Este dispositivo deve ser protegido com um bloqueio de tela para usar o Mattermost.",
|
||||
"mobile.managed.not_secured.ios": "Este dispositivo deve ser protegido por uma senha para usar o Mattermost.\n\nVá para Configurações > Face ID & Passcode.",
|
||||
"mobile.managed.not_secured.ios.touchId": "Este dispositivo deve ser protegido por uma senha para usar o Mattermost.\n\nVá em Ajustes > Touch ID & Código.",
|
||||
"mobile.managed.secured_by": "Garantido por {vendor}",
|
||||
"mobile.managed.settings": "Vá para configurações",
|
||||
"mobile.markdown.code.copy_code": "Copiar Código",
|
||||
"mobile.markdown.code.plusMoreLines": "+{count, number} mais {count, plural, one {linha} other {linhas}}",
|
||||
"mobile.markdown.image.too_large": "A imagem excede as dimensões máximas de {maxWidth} por {maxHeight}:",
|
||||
"mobile.markdown.link.copy_url": "Copiar URL",
|
||||
"mobile.mention.copy_mention": "Copiar Menção",
|
||||
"mobile.message_length.message": "Sua mensagem atual é muito grande. Contagem corrente de caracters: {max}/{count}",
|
||||
"mobile.message_length.message_split_left": "Mensagem excede o limite de caracteres",
|
||||
"mobile.message_length.title": "Tamanho da Mensagem",
|
||||
"mobile.more_dms.add_more": "Você pode adicionar mais {remaining, number} usuários",
|
||||
"mobile.more_dms.cannot_add_more": "Você não pode adicionar mais usuários",
|
||||
@@ -270,9 +326,32 @@
|
||||
"mobile.more_dms.start": "Início",
|
||||
"mobile.more_dms.title": "Nova Conversa",
|
||||
"mobile.more_dms.you": "@{username} - você",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {nova} other {novas}} {count, plural, one {mensagem} other {mensagens}}",
|
||||
"mobile.notice_mobile_link": "aplicativos móveis",
|
||||
"mobile.notice_platform_link": "servidor",
|
||||
"mobile.notice_text": "Mattermost é possível graças ao software open source na nossa {platform} e {mobile}.",
|
||||
"mobile.notification.in": " em ",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Olá, Eu estou fora do escritório e não é possível responder as mensagens.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Habilitado",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Definir uma mensagem personalizada que será enviada automaticamente em resposta a Mensagens Diretas. As menções nos Canais Públicos ou Privados não acionam a resposta automática. A ativação de Respostas Automáticas definem seu status como Fora do Escritório e desativa as notificações por email e por push.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Mensagem",
|
||||
"mobile.notification_settings.auto_responder.message_title": "MENSAGEM PERSONALIZADA",
|
||||
"mobile.notification_settings.auto_responder_short": "Respostas Automáticas",
|
||||
"mobile.notification_settings.email": "E-mail",
|
||||
"mobile.notification_settings.email.send": "ENVIAR NOTIFICAÇÕES POR EMAIL",
|
||||
"mobile.notification_settings.email_title": "Notificações por Email",
|
||||
"mobile.notification_settings.mentions.channelWide": "Menções de todo canal",
|
||||
"mobile.notification_settings.mentions.reply_title": "Enviar notificações de resposta para",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Seu primeiro nome em maiúsculas e minúsculas",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Seu usuário insensível maiúsculas e minúsculas",
|
||||
"mobile.notification_settings.mentions_replies": "Menções e Respostas",
|
||||
"mobile.notification_settings.mobile": "Celular",
|
||||
"mobile.notification_settings.mobile_title": "Notificações Móvel",
|
||||
"mobile.notification_settings.modal_cancel": "CANCELAR",
|
||||
"mobile.notification_settings.modal_save": "SALVAR",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Respostas Automáticas para Mensagens Diretas",
|
||||
"mobile.notification_settings.save_failed_description": "As configurações de notificação não conseguiram salvar devido a um problema de conexão, tente novamente.",
|
||||
"mobile.notification_settings.save_failed_title": "Problema de conexão",
|
||||
"mobile.notification_settings_mentions.keywords": "Palavras-chave",
|
||||
"mobile.notification_settings_mentions.keywordsDescription": "Outras palavras que disparam uma menção",
|
||||
"mobile.notification_settings_mentions.keywordsHelp": "Palavras-chave são insensíveis a maiúsculas e minusculas e deve ser separada por uma virgula.",
|
||||
@@ -289,47 +368,18 @@
|
||||
"mobile.notification_settings_mobile.test": "Envie-me uma notificação de teste",
|
||||
"mobile.notification_settings_mobile.test_push": "Este é um teste de notificação push",
|
||||
"mobile.notification_settings_mobile.vibrate": "Vibrar",
|
||||
"mobile.notification_settings.auto_responder_short": "Respostas Automáticas",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Olá, Eu estou fora do escritório e não é possível responder as mensagens.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Habilitado",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Definir uma mensagem personalizada que será enviada automaticamente em resposta a Mensagens Diretas. As menções nos Canais Públicos ou Privados não acionam a resposta automática. A ativação de Respostas Automáticas definem seu status como Fora do Escritório e desativa as notificações por email e por push.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Mensagem",
|
||||
"mobile.notification_settings.auto_responder.message_title": "MENSAGEM PERSONALIZADA",
|
||||
"mobile.notification_settings.email": "E-mail",
|
||||
"mobile.notification_settings.email_title": "Notificações por Email",
|
||||
"mobile.notification_settings.email.send": "ENVIAR NOTIFICAÇÕES POR EMAIL",
|
||||
"mobile.notification_settings.mentions_replies": "Menções e Respostas",
|
||||
"mobile.notification_settings.mentions.channelWide": "Menções de todo canal",
|
||||
"mobile.notification_settings.mentions.reply_title": "Enviar notificações de resposta para",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Seu primeiro nome em maiúsculas e minúsculas",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Seu usuário insensível maiúsculas e minúsculas",
|
||||
"mobile.notification_settings.mobile": "Celular",
|
||||
"mobile.notification_settings.mobile_title": "Notificações Móvel",
|
||||
"mobile.notification_settings.modal_cancel": "CANCELAR",
|
||||
"mobile.notification_settings.modal_save": "SALVAR",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Respostas Automáticas para Mensagens Diretas",
|
||||
"mobile.notification_settings.save_failed_description": "As configurações de notificação não conseguiram salvar devido a um problema de conexão, tente novamente.",
|
||||
"mobile.notification_settings.save_failed_title": "Problema de conexão",
|
||||
"mobile.notification.in": " em ",
|
||||
"mobile.offlineIndicator.connected": "Conectado",
|
||||
"mobile.offlineIndicator.connecting": "Conectando...",
|
||||
"mobile.offlineIndicator.offline": "Sem conexão com a internet",
|
||||
"mobile.open_dm.error": "Não foi possível entrar nas mensagens diretas com {displayName}. Por favor verifique a sua conexão e tente novamente.",
|
||||
"mobile.open_gm.error": "Não foi possível abrir uma mensagem em grupo com esses usuários. Por favor verifique sua conexão e tente novamente.",
|
||||
"mobile.open_unknown_channel.error": "Não é possível entrar no canal. Por favor, limpe o cache e tente novamente.",
|
||||
"mobile.pinned_posts.empty_description": "Fixe itens importantes mantendo pressionado em qualquer mensagem e selecione \"Fixar no Canal\".",
|
||||
"mobile.pinned_posts.empty_title": "Publicações Fixadas",
|
||||
"mobile.post_info.add_reaction": "Adicionar Reação",
|
||||
"mobile.post_info.copy_text": "Copiar Texto",
|
||||
"mobile.post_info.flag": "Marcar",
|
||||
"mobile.post_info.pin": "Fixar no Canal",
|
||||
"mobile.post_info.unflag": "Desmarcar",
|
||||
"mobile.post_info.unpin": "Desafixar do Canal",
|
||||
"mobile.post_pre_header.flagged": "Marcado",
|
||||
"mobile.post_pre_header.pinned": "Fixado",
|
||||
"mobile.post_pre_header.pinned_flagged": "Fixado e Marcado",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Alguns anexos não foram enviados para o servidor. Tem certeza de que deseja publicar a mensagem?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Falha no anexo",
|
||||
"mobile.permission_denied_dismiss": "Não Permitir",
|
||||
"mobile.permission_denied_retry": "Configurações",
|
||||
"mobile.photo_library_permission_denied_description": "Para salvar imagens e videos na sua galeria, por favor altere suas configurações de permissão.",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} gostaria de acessar sua galeria de fotos",
|
||||
"mobile.pinned_posts.empty_description": "Fixe mensagens importantes que sejam visíveis para todo o canal. Mantenha uma mensagem pressionada e escolha Fixar no canal para salvá-la aqui.",
|
||||
"mobile.pinned_posts.empty_title": "Ainda não há mensagens fixadas",
|
||||
"mobile.post.cancel": "Cancelar",
|
||||
"mobile.post.delete_question": "Tem certeza de que deseja excluir este post?",
|
||||
"mobile.post.delete_title": "Deletar Post",
|
||||
@@ -337,9 +387,37 @@
|
||||
"mobile.post.failed_retry": "Tentar Novamente",
|
||||
"mobile.post.failed_title": "Não foi possível enviar sua mensagem",
|
||||
"mobile.post.retry": "Atualizar",
|
||||
"mobile.post_info.add_reaction": "Adicionar Reação",
|
||||
"mobile.post_info.copy_text": "Copiar Texto",
|
||||
"mobile.post_info.flag": "Marcar",
|
||||
"mobile.post_info.mark_unread": "Marcar como Não Lido",
|
||||
"mobile.post_info.pin": "Fixar no Canal",
|
||||
"mobile.post_info.reply": "Responder",
|
||||
"mobile.post_info.unflag": "Desmarcar",
|
||||
"mobile.post_info.unpin": "Desafixar do Canal",
|
||||
"mobile.post_pre_header.flagged": "Marcado",
|
||||
"mobile.post_pre_header.pinned": "Fixado",
|
||||
"mobile.post_pre_header.pinned_flagged": "Fixado e Marcado",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Cancelar",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Confirmar",
|
||||
"mobile.post_textbox.entire_channel.message": "Usando @all ou @channel você está enviando notificações para {totalMembers, number} {totalMembers, plural, one {pessoa} other {pessoas}}. Você tem certeza que quer fazer isso?",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Usando @all ou @channel você está enviando notificações para {totalMembers, number} {totalMembers, plural, one {pessoa} other {pessoas}} em {timezones, number} {timezones, plural, one {fuso horário} other {fusos horários}}. Você tem certeza que quer fazer isso?",
|
||||
"mobile.post_textbox.entire_channel.title": "Confirmar o envio de notificações para o canal todo",
|
||||
"mobile.post_textbox.groups.title": "Confirmar envio de notificações para grupos",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Ao usar {mentions} e {finalMention}, você está prestes a enviar notificações para pelo menos {totalMembers} pessoas em {timezones, number} {timezones, plural, one {fuso horário} other {fusos horários}}. Você tem certeza de que quer fazer isso?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "Ao usar {mentions} e {finalMention}, você está prestes a enviar notificações para pelo menos {totalMembers} pessoas. Você tem certeza de que quer fazer isso?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "Ao usar {mention}, você está prestes a enviar notificações para {totalMembers} pessoas em {timezones, number} {timezones, plural, one {fuso horário} other {fusos horários}}. Você tem certeza de que quer fazer isso?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "Ao usar {mention}, você está prestes a enviar notificações para {totalMembers} pessoas. Você tem certeza de que quer fazer isso?",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Alguns anexos não foram enviados para o servidor. Tem certeza de que deseja publicar a mensagem?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Falha no anexo",
|
||||
"mobile.posts_view.moreMsg": "Acima Mais Mensagens Novas",
|
||||
"mobile.privacy_link": "Política de Privacidade",
|
||||
"mobile.push_notification_reply.button": "Enviar",
|
||||
"mobile.push_notification_reply.placeholder": "Escrever uma resposta...",
|
||||
"mobile.push_notification_reply.title": "Responder",
|
||||
"mobile.reaction_header.all_emojis": "Todos",
|
||||
"mobile.recent_mentions.empty_description": "Mensagens contendo o seu nome de usuário e outras palavras de gatilho aparecerão aqui.",
|
||||
"mobile.recent_mentions.empty_title": "Sem Menções Recentes",
|
||||
"mobile.recent_mentions.empty_title": "Ainda não há menções",
|
||||
"mobile.rename_channel.display_name_maxLength": "Nome do canal precisa ter menos de {maxLength, number} caracteres",
|
||||
"mobile.rename_channel.display_name_minLength": "Nome do canal deve ter {minLength, number} caracteres ou mais",
|
||||
"mobile.rename_channel.display_name_required": "Nome do canal é obrigatório",
|
||||
@@ -353,13 +431,15 @@
|
||||
"mobile.reset_status.alert_ok": "Ok",
|
||||
"mobile.reset_status.title_ooo": "Desativar \"Fora Do Escritório\"?",
|
||||
"mobile.retry_message": "Atualização de mensagens falharam. Puxe para tentar novamente.",
|
||||
"mobile.routes.channel_members.action": "Remover Membros",
|
||||
"mobile.routes.channel_members.action_message": "Você deve selecionar pelo menos um membro para remover do canal.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Você tem certeza que quer remover o membro selecionado do canal?",
|
||||
"mobile.routes.channelInfo": "Informações",
|
||||
"mobile.routes.channelInfo.createdBy": "Criado por {creator} em ",
|
||||
"mobile.routes.channelInfo.delete_channel": "Arquivar Canal",
|
||||
"mobile.routes.channelInfo.favorite": "Favorito",
|
||||
"mobile.routes.channelInfo.groupManaged": "Membros são gerenciados por grupos vinculados",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Desarquivar Canal",
|
||||
"mobile.routes.channel_members.action": "Remover Membros",
|
||||
"mobile.routes.channel_members.action_message": "Você deve selecionar pelo menos um membro para remover do canal.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Você tem certeza que quer remover o membro selecionado do canal?",
|
||||
"mobile.routes.code": "{language} Código",
|
||||
"mobile.routes.code.noLanguage": "Código",
|
||||
"mobile.routes.edit_profile": "Editar Perfil",
|
||||
@@ -375,6 +455,7 @@
|
||||
"mobile.routes.thread": "Tópico {channelName}",
|
||||
"mobile.routes.thread_dm": "Tópico Mensagem Direta",
|
||||
"mobile.routes.user_profile": "Perfil",
|
||||
"mobile.routes.user_profile.edit": "Editar",
|
||||
"mobile.routes.user_profile.local_time": "HORA LOCAL",
|
||||
"mobile.routes.user_profile.send_message": "Enviar Mensagem",
|
||||
"mobile.search.after_modifier_description": "encontrar publicações após uma data específica",
|
||||
@@ -387,11 +468,22 @@
|
||||
"mobile.search.no_results": "Nenhum Resultado Encontrado",
|
||||
"mobile.search.on_modifier_description": "encontrar publicações em uma data específica",
|
||||
"mobile.search.recent_title": "Pesquisas Recentes",
|
||||
"mobile.select_team.guest_cant_join_team": "Sua conta de convidado não possui equipes ou canais atribuídos. Entre em contato com um administrador.",
|
||||
"mobile.select_team.join_open": "Equipes abertas que você pode entrar",
|
||||
"mobile.select_team.no_teams": "Não existem equipes disponíveis para você entrar.",
|
||||
"mobile.server_link.error.text": "O link não pôde ser encontrado neste servidor.",
|
||||
"mobile.server_link.error.title": "Erro Link",
|
||||
"mobile.server_link.unreachable_channel.error": "Este link pertence a uma mensagem apagada ou a um canal do qual você não tem acesso.",
|
||||
"mobile.server_link.unreachable_team.error": "Este link pertence a uma mensagem apagada ou a um canal do qual você não tem acesso.",
|
||||
"mobile.server_ssl.error.text": "O certificado de {host} não é confiável.\n\nEntre em contato com o Administrador do Sistema para resolver os problemas de certificado e permitir conexões com este servidor.",
|
||||
"mobile.server_ssl.error.title": "Certificado Não Confiável",
|
||||
"mobile.server_upgrade.alert_description": "Esta versão do servidor não é suportada e os usuários serão expostos a problemas de compatibilidade que causam falhas ou erros graves que quebram a funcionalidade principal do aplicativo. É necessário atualizar para a versão do servidor {serverVersion} ou posterior.",
|
||||
"mobile.server_upgrade.button": "OK",
|
||||
"mobile.server_upgrade.description": "\nUm upgrade no servidor é necessário para usar o Mattermost app. Por favor fale com o seu Administrador de sistema para mais detalhes.\n",
|
||||
"mobile.server_upgrade.dismiss": "Ignorar",
|
||||
"mobile.server_upgrade.learn_more": "Saiba Mais",
|
||||
"mobile.server_upgrade.title": "Atualização do servidor necessária",
|
||||
"mobile.server_url.empty": "Insira um URL de servidor válido",
|
||||
"mobile.server_url.invalid_format": "URL deve começar com http:// ou https://",
|
||||
"mobile.session_expired": "Sessão Expirada: Por favor faça o login para continuar recebendo as notificações.",
|
||||
"mobile.set_status.away": "Ausente",
|
||||
@@ -404,7 +496,22 @@
|
||||
"mobile.share_extension.error_message": "Um erro ocorreu enquanto usava a extensão compartilhada.",
|
||||
"mobile.share_extension.error_title": "Erro de Extensão",
|
||||
"mobile.share_extension.team": "Equipe",
|
||||
"mobile.share_extension.too_long_message": "Contador de caracteres: {count}/{max}",
|
||||
"mobile.share_extension.too_long_title": "Mensagem muito longa",
|
||||
"mobile.sidebar_settings.permanent": "Barra lateral Permanente",
|
||||
"mobile.sidebar_settings.permanent_description": "Mantem a barra lateral aberta permanentemente",
|
||||
"mobile.storage_permission_denied_description": "Envie arquivos para sua instância do Mattermost. Abra Configurações para conceder ao Mattermost acesso de leitura e gravação aos arquivos deste dispositivo.",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} gostaria de acessar seus arquivos",
|
||||
"mobile.suggestion.members": "Membros",
|
||||
"mobile.system_message.channel_archived_message": "{username} arquivou o canal",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} desarquivou o canal",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} atualizou o nome de exibição do canal de: {oldDisplayName} para: {newDisplayName}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} removeu o cabeçalho do canal (era: {oldHeader})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} atualizou o cabeçalho do canal de: {oldHeader} para: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} atualizou o cabeçalho do canal para: {newHeader}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} removeu o propósito do canal (era: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} atualizou o propósito do canal de: {oldPurpose} para: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} atualizou o propósito do canal para: {newPurpose}",
|
||||
"mobile.terms_of_service.alert_cancel": "Cancelar",
|
||||
"mobile.terms_of_service.alert_ok": "OK",
|
||||
"mobile.terms_of_service.alert_retry": "Tentar Novamente",
|
||||
@@ -412,12 +519,18 @@
|
||||
"mobile.timezone_settings.automatically": "Definir automáticamente",
|
||||
"mobile.timezone_settings.manual": "Mudar fuso horário",
|
||||
"mobile.timezone_settings.select": "Selecionar Fuso horário",
|
||||
"mobile.user_list.deactivated": "Desativado",
|
||||
"mobile.tos_link": "Termos de Serviço",
|
||||
"mobile.unsupported_server.message": "Anexos, visualizações de links, reações e dados incorporados podem não ser exibidos corretamente. Se esse problema persistir, entre em contato com o administrador do sistema para atualizar o servidor Mattermost.",
|
||||
"mobile.unsupported_server.ok": "OK",
|
||||
"mobile.unsupported_server.title": "Versão do servidor não suportada",
|
||||
"mobile.user.settings.notifications.email.fifteenMinutes": "A cada 15 minutos",
|
||||
"mobile.video_playback.failed_description": "Ocorreu um erro ao tentar reproduzir o video.\n",
|
||||
"mobile.video_playback.failed_title": "Erro ao realizar o playback do video",
|
||||
"mobile.user_list.deactivated": "Desativado",
|
||||
"mobile.user_removed.message": "Você foi removido do canal.",
|
||||
"mobile.user_removed.title": "Removido de {channelName}",
|
||||
"mobile.video.save_error_message": "Para salvar o arquivo de video você deve primeiro realizar o download.",
|
||||
"mobile.video.save_error_title": "Erro ao Salvar o Vídeo",
|
||||
"mobile.video_playback.failed_description": "Ocorreu um erro ao tentar reproduzir o video.\n",
|
||||
"mobile.video_playback.failed_title": "Erro ao realizar o playback do video",
|
||||
"mobile.youtube_playback_error.description": "Ocorreu um erro ao tentar executar um vídeo do YouTube.\nDetalhes: {details}",
|
||||
"mobile.youtube_playback_error.title": "Erro de reprodução do YouTube",
|
||||
"modal.manual_status.auto_responder.message_": "Você gostaria de trocar o seu status para \"{status}\" e desativar as Respostas Automáticas?",
|
||||
@@ -425,11 +538,22 @@
|
||||
"modal.manual_status.auto_responder.message_dnd": "Você gostaria de trocar o seu status para \"Não Perturbe\" e desativar as Respostas Automáticas?",
|
||||
"modal.manual_status.auto_responder.message_offline": "Você gostaria de trocar o seu status para \"Desconectado\" e desativar as Respostas Automáticas?",
|
||||
"modal.manual_status.auto_responder.message_online": "Você gostaria de trocar o seu status para \"Conectado\" e desativar as Respostas Automáticas?",
|
||||
"more_channels.archivedChannels": "Canais Arquivados",
|
||||
"more_channels.dropdownTitle": "Exibir",
|
||||
"more_channels.noMore": "Não há mais canais para participar",
|
||||
"more_channels.publicChannels": "Canais Públicos",
|
||||
"more_channels.showArchivedChannels": "Exibir: Canais Arquivados",
|
||||
"more_channels.showPublicChannels": "Exibir: Canais Públicos",
|
||||
"more_channels.title": "Mais Canais",
|
||||
"msg_typing.areTyping": "{users} e {last} estão digitando...",
|
||||
"msg_typing.isTyping": "{user} está digitando...",
|
||||
"navbar.channel_drawer.button": "Canais e equipes",
|
||||
"navbar.channel_drawer.hint": "Abre os canais e a gaveta de equipes",
|
||||
"navbar.leave": "Deixar o Canal",
|
||||
"navbar.more_options.button": "Mais Opções",
|
||||
"navbar.more_options.hint": "Abre mais opções na barra lateral direita",
|
||||
"navbar.search.button": "Pesquisa de Canal",
|
||||
"navbar.search.hint": "Abre a janela de pesquisa de canal",
|
||||
"password_form.title": "Redefinir Senha",
|
||||
"password_send.checkInbox": "Por favor verifique sua caixa de entrada.",
|
||||
"password_send.description": "Para redefinir sua senha, digite o endereço de email que você usou para se inscrever",
|
||||
@@ -437,18 +561,21 @@
|
||||
"password_send.link": "Se a conta existir, um email de redefinição de senha será enviado para:",
|
||||
"password_send.reset": "Redefinir minha senha",
|
||||
"permalink.error.access": "O permalink pertence a uma mensagem deletada ou a um canal o qual você não tem acesso.",
|
||||
"permalink.error.link_not_found": "Link Não Encontrado",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "não foi notificado por esta menção porque não estão no canal. Eles não podem ser adicionados ao canal porque não são membros dos grupos vinculados. Para adicioná-los a este canal, eles devem ser adicionados aos grupos vinculados.",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": " e ",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "adicionar a este canal privado",
|
||||
"post_body.check_for_out_of_channel_mentions.link.public": "adicionar ao canal",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Terão acesso a todo o histórico de mensagens.",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "foram mencionados mas eles não estão no canal. Você gostaria de ",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "foi mencionado mas não está no canal. Você gostaria de ",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Terão acesso a todo o histórico de mensagens.",
|
||||
"post_body.commentedOn": "Comentou a mensagem de {name}: ",
|
||||
"post_body.deleted": "(mensagem deletada)",
|
||||
"post_info.auto_responder": "RESPOSTA AUTOMÁTICA",
|
||||
"post_info.bot": "BOT",
|
||||
"post_info.del": "Deletar",
|
||||
"post_info.edit": "Editar",
|
||||
"post_info.guest": "CONVIDADO",
|
||||
"post_info.message.show_less": "Mostrar menos",
|
||||
"post_info.message.show_more": "Mostrar mais",
|
||||
"post_info.system": "Sistema",
|
||||
@@ -458,16 +585,16 @@
|
||||
"search_bar.search": "Procurar",
|
||||
"search_header.results": "Resultados da Pesquisa",
|
||||
"search_header.title2": "Menções Recentes",
|
||||
"search_header.title3": "Posts Marcados",
|
||||
"search_header.title3": "Mensagens Salvas",
|
||||
"search_item.channelArchived": "Arquivado",
|
||||
"sidebar_right_menu.logout": "Sair",
|
||||
"sidebar_right_menu.report": "Relatar um Problema",
|
||||
"sidebar.channels": "CANAIS PÚBLICOS",
|
||||
"sidebar.direct": "MENSAGENS DIRETAS",
|
||||
"sidebar.favorite": "CANAIS FAVORITOS",
|
||||
"sidebar.pg": "CANAIS PRIVADOS",
|
||||
"sidebar.types.recent": "ATIVIDADE RECENTE",
|
||||
"sidebar.unreads": "Mais não lidos",
|
||||
"sidebar_right_menu.logout": "Sair",
|
||||
"sidebar_right_menu.report": "Relatar um Problema",
|
||||
"signup.email": "Email e Senha",
|
||||
"signup.office365": "Office 365",
|
||||
"status_dropdown.set_away": "Ausente",
|
||||
@@ -478,17 +605,20 @@
|
||||
"suggestion.mention.all": "Notifica a todos no canal",
|
||||
"suggestion.mention.channel": "Notifica a todos no canal",
|
||||
"suggestion.mention.channels": "Meus Canais",
|
||||
"suggestion.mention.groups": "Menção de Grupo",
|
||||
"suggestion.mention.here": "Notifica a todos online no canal",
|
||||
"suggestion.mention.members": "Membros do Canal",
|
||||
"suggestion.mention.morechannels": "Outros Canais",
|
||||
"suggestion.mention.nonmembers": "Não no Canal",
|
||||
"suggestion.mention.special": "Menções Especiais",
|
||||
"suggestion.mention.you": "(você)",
|
||||
"suggestion.search.direct": "Mensagens Diretas",
|
||||
"suggestion.search.private": "Canais Privados",
|
||||
"suggestion.search.public": "Canais Públicos",
|
||||
"terms_of_service.agreeButton": "Eu Concordo",
|
||||
"terms_of_service.api_error": "Não é possível concluir o pedido. Se esse problema persistir, entre em contato com o Administrador do Sistema.",
|
||||
"user.settings.display.clockDisplay": "Exibição do Relógio",
|
||||
"user.settings.display.custom_theme": "Tema Personalizado",
|
||||
"user.settings.display.militaryClock": "Relógio de 24 horas (exemplo: 16:00)",
|
||||
"user.settings.display.normalClock": "Relógio de 12 horas (exemplo: 4:00 PM)",
|
||||
"user.settings.display.preferTime": "Selecione como você prefere que a hora seja mostrada.",
|
||||
@@ -523,114 +653,5 @@
|
||||
"user.settings.push_notification.disabled_long": "As notificações de push não foram ativadas pelo Administrador do Sistema.",
|
||||
"user.settings.push_notification.offline": "Desconectado",
|
||||
"user.settings.push_notification.online": "Conectado, ausente ou desconectado",
|
||||
"web.root.signup_info": "Toda comunicação em um só lugar, pesquisável e acessível em qualquer lugar",
|
||||
"mobile.alert_dialog.alertCancel": "Cancelar",
|
||||
"intro_messages.creatorPrivate": "Este é o início do canal privado {name}, criado por {creator} em {date}.",
|
||||
"date_separator.yesterday": "Ontem",
|
||||
"date_separator.today": "Hoje",
|
||||
"channel.isGuest": "Esta pessoa é um convidado",
|
||||
"channel.hasGuests": "Este grupo de mensagem tem convidados",
|
||||
"channel.channelHasGuests": "Este canal tem convidados",
|
||||
"user.settings.display.custom_theme": "Tema Personalizado",
|
||||
"suggestion.mention.you": "(você)",
|
||||
"post_info.guest": "CONVIDADO",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "não foi notificado por esta menção porque não estão no canal. Eles não podem ser adicionados ao canal porque não são membros dos grupos vinculados. Para adicioná-los a este canal, eles devem ser adicionados aos grupos vinculados.",
|
||||
"permalink.error.link_not_found": "Link Não Encontrado",
|
||||
"navbar.channel_drawer.hint": "Abre os canais e a gaveta de equipes",
|
||||
"navbar.channel_drawer.button": "Canais e equipes",
|
||||
"more_channels.showPublicChannels": "Exibir: Canais Públicos",
|
||||
"more_channels.showArchivedChannels": "Exibir: Canais Arquivados",
|
||||
"more_channels.publicChannels": "Canais Públicos",
|
||||
"more_channels.dropdownTitle": "Exibir",
|
||||
"more_channels.archivedChannels": "Canais Arquivados",
|
||||
"mobile.tos_link": "Termos de Serviço",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} atualizou o propósito do canal para: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} atualizou o propósito do canal de: {oldPurpose} para: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} removeu o propósito do canal (era: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} atualizou o cabeçalho do canal para: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} atualizou o cabeçalho do canal de: {oldHeader} para: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} removeu o cabeçalho do canal (era: {oldHeader})",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} atualizou o nome de exibição do canal de: {oldDisplayName} para: {newDisplayName}",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} desarquivou o canal",
|
||||
"mobile.system_message.channel_archived_message": "{username} arquivou o canal",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} gostaria de acessar seus arquivos",
|
||||
"mobile.storage_permission_denied_description": "Envie arquivos para sua instância do Mattermost. Abra Configurações para conceder ao Mattermost acesso de leitura e gravação aos arquivos deste dispositivo.",
|
||||
"mobile.sidebar_settings.permanent_description": "Mantem a barra lateral aberta permanentemente",
|
||||
"mobile.sidebar_settings.permanent": "Barra lateral Permanente",
|
||||
"mobile.share_extension.too_long_title": "Mensagem muito longa",
|
||||
"mobile.share_extension.too_long_message": "Contador de caracteres: {count}/{max}",
|
||||
"mobile.server_ssl.error.title": "Certificado Não Confiável",
|
||||
"mobile.server_ssl.error.text": "O certificado de {host} não é confiável.\n\nEntre em contato com o Administrador do Sistema para resolver os problemas de certificado e permitir conexões com este servidor.",
|
||||
"mobile.server_link.unreachable_team.error": "Este link pertence a uma mensagem apagada ou a um canal do qual você não tem acesso.",
|
||||
"mobile.server_link.unreachable_channel.error": "Este link pertence a uma mensagem apagada ou a um canal do qual você não tem acesso.",
|
||||
"mobile.server_link.error.title": "Erro Link",
|
||||
"mobile.server_link.error.text": "O link não pôde ser encontrado neste servidor.",
|
||||
"mobile.select_team.guest_cant_join_team": "Sua conta de convidado não possui equipes ou canais atribuídos. Entre em contato com um administrador.",
|
||||
"mobile.routes.user_profile.edit": "Editar",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Desarquivar Canal",
|
||||
"mobile.routes.channelInfo.groupManaged": "Membros são gerenciados por grupos vinculados",
|
||||
"mobile.reaction_header.all_emojis": "Todos",
|
||||
"mobile.push_notification_reply.title": "Responder",
|
||||
"mobile.push_notification_reply.placeholder": "Escrever uma resposta...",
|
||||
"mobile.push_notification_reply.button": "Enviar",
|
||||
"mobile.privacy_link": "Política de Privacidade",
|
||||
"mobile.post_textbox.entire_channel.title": "Confirmar o envio de notificações para o canal todo",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Usando @all ou @channel você está enviando notificações para {totalMembers, number} {totalMembers, plural, one {pessoa} other {pessoas}} em {timezones, number} {timezones, plural, one {fuso horário} other {fusos horários}}. Você tem certeza que quer fazer isso?",
|
||||
"mobile.post_textbox.entire_channel.message": "Usando @all ou @channel você está enviando notificações para {totalMembers, number} {totalMembers, plural, one {pessoa} other {pessoas}}. Você tem certeza que quer fazer isso?",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Confirmar",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Cancelar",
|
||||
"mobile.post_info.reply": "Responder",
|
||||
"mobile.post_info.mark_unread": "Marcar como Não Lido",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} gostaria de acessar sua galeria de fotos",
|
||||
"mobile.photo_library_permission_denied_description": "Para salvar imagens e videos na sua galeria, por favor altere suas configurações de permissão.",
|
||||
"mobile.permission_denied_retry": "Configurações",
|
||||
"mobile.permission_denied_dismiss": "Não Permitir",
|
||||
"mobile.managed.settings": "Vá para configurações",
|
||||
"mobile.managed.not_secured.ios.touchId": "Este dispositivo deve ser protegido por uma senha para usar o Mattermost.\n\nVá em Ajustes > Touch ID & Código.",
|
||||
"mobile.managed.not_secured.ios": "Este dispositivo deve ser protegido por uma senha para usar o Mattermost.\n\nVá para Configurações > Face ID & Passcode.",
|
||||
"mobile.managed.not_secured.android": "Este dispositivo deve ser protegido com um bloqueio de tela para usar o Mattermost.",
|
||||
"mobile.ios.photos_permission_denied_title": "Acesso a galeria de fotos é necessário",
|
||||
"mobile.files_paste.error_title": "Colar falhou",
|
||||
"mobile.files_paste.error_dismiss": "Ignorar",
|
||||
"mobile.files_paste.error_description": "Ocorreu um erro enquanto colava o arquivo. Por favor tente novamente.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Somente imagens em BMP, JPG ou PNG podem ser usadas como imagem do perfil.",
|
||||
"mobile.failed_network_action.teams_title": "Algo deu errado",
|
||||
"mobile.failed_network_action.teams_description": "Equipes não puderam ser carregadas.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Os canais não puderam ser carregados para {teamName}.",
|
||||
"mobile.extension.team_required": "Você deve pertencer a uma equipe antes de compartilhar arquivos.",
|
||||
"mobile.edit_profile.remove_profile_photo": "Remover Foto",
|
||||
"mobile.display_settings.sidebar": "Barra lateral",
|
||||
"mobile.channel_list.archived": "ARQUIVADO",
|
||||
"mobile.channel_info.unarchive_failed": "Não foi possível desarquivar o canal {displayName}. Por favor verifique a sua conexão e tente novamente.",
|
||||
"mobile.channel_info.copy_purpose": "Copiar Propósito",
|
||||
"mobile.channel_info.copy_header": "Copiar Cabeçalho",
|
||||
"mobile.channel_info.convert_success": "{displayName} é agora um canal privado.",
|
||||
"mobile.channel_info.convert_failed": "Não foi possível converter {displayName} em um canal privado.",
|
||||
"mobile.channel_info.convert": "Converter o Canal Privado",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Desarquivar {term}",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "Converter {displayName} para um canal privado?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Você tem certeza que quer desarquivar {term} {name}?",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Quando você converte {displayName} em um canal privado, o histórico e os membros são preservados. Os arquivos compartilhados publicamente permanecem acessíveis a qualquer pessoa com o link. O ingresso a um canal privado é apenas por convite.\n\nA mudança é permanente e não pode ser desfeita.\n\nTem certeza de que deseja converter {displayName} em um canal privado?",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} gostaria de acessar sua camera",
|
||||
"mobile.camera_video_permission_denied_description": "Faça vídeos e envie-os para a sua instância do Mattermost ou salve-os no seu dispositivo. Abra Configurações para conceder ao Mattermost acesso de leitura e gravação à sua câmera.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} gostaria de acessar sua camera",
|
||||
"mobile.camera_photo_permission_denied_description": "Tire fotos e carregue-as na sua instância do Mattermost ou salve-as no seu dispositivo. Abra Configurações para conceder ao Mattermost acesso de leitura e gravação à sua câmera.",
|
||||
"mobile.server_upgrade.learn_more": "Saiba Mais",
|
||||
"mobile.server_upgrade.dismiss": "Ignorar",
|
||||
"mobile.server_upgrade.alert_description": "Esta versão do servidor não é suportada e os usuários serão expostos a problemas de compatibilidade que causam falhas ou erros graves que quebram a funcionalidade principal do aplicativo. É necessário atualizar para a versão do servidor {serverVersion} ou posterior.",
|
||||
"mobile.message_length.message_split_left": "Mensagem excede o limite de caracteres",
|
||||
"suggestion.mention.groups": "Menção de Grupo",
|
||||
"mobile.android.back_handler_exit": "Pressione voltar novamente para sair",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {nova} other {novas}} {count, plural, one {mensagem} other {mensagens}}",
|
||||
"mobile.post_textbox.groups.title": "Confirmar envio de notificações para grupos",
|
||||
"mobile.unsupported_server.ok": "OK",
|
||||
"mobile.unsupported_server.title": "Versão do servidor não suportada",
|
||||
"mobile.unsupported_server.message": "Anexos, visualizações de links, reações e dados incorporados podem não ser exibidos corretamente. Se esse problema persistir, entre em contato com o administrador do sistema para atualizar o servidor Mattermost.",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "Ao usar {mention}, você está prestes a enviar notificações para {totalMembers} pessoas. Você tem certeza de que quer fazer isso?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "Ao usar {mention}, você está prestes a enviar notificações para {totalMembers} pessoas em {timezones, number} {timezones, plural, one {fuso horário} other {fusos horários}}. Você tem certeza de que quer fazer isso?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "Ao usar {mentions} e {finalMention}, você está prestes a enviar notificações para pelo menos {totalMembers} pessoas. Você tem certeza de que quer fazer isso?",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Ao usar {mentions} e {finalMention}, você está prestes a enviar notificações para pelo menos {totalMembers} pessoas em {timezones, number} {timezones, plural, one {fuso horário} other {fusos horários}}. Você tem certeza de que quer fazer isso?",
|
||||
"mobile.user_removed.title": "Removido de {channelName}",
|
||||
"mobile.user_removed.message": "Você foi removido do canal.",
|
||||
"mobile.emoji_picker.search.not_found_description": "Verifique a ortografia ou tente outra busca."
|
||||
"web.root.signup_info": "Toda comunicação em um só lugar, pesquisável e acessível em qualquer lugar"
|
||||
}
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
{
|
||||
"about.date": "Data construcției:",
|
||||
"about.enterpriseEditione1": "Ediția Enterprise",
|
||||
"about.enterpriseEditionLearn": "Aflați mai multe despre varianta Enterprise la ",
|
||||
"about.enterpriseEditionSt": "Comunicare modernă din spatele firewallului.",
|
||||
"about.enterpriseEditione1": "Ediția Enterprise",
|
||||
"about.hash": "Construcția Hash:",
|
||||
"about.hashee": "EE Construcția Hash:",
|
||||
"about.teamEditionLearn": "Alăturați-vă comunității Mattermost la ",
|
||||
@@ -14,10 +14,18 @@
|
||||
"api.channel.add_member.added": "{addedUsername} a fost adăugat la canal de {username}.",
|
||||
"archivedChannelMessage": "Vizualizați un ** canal arhivat**. Mesaje noi nu pot fi postate.",
|
||||
"center_panel.archived.closeChannel": "Închide Canalul",
|
||||
"channel.channelHasGuests": "Acest canal are oaspeți",
|
||||
"channel.hasGuests": "Acest mesaj de grup are oaspeți",
|
||||
"channel.isGuest": "Această persoană este invitat",
|
||||
"channel_header.addMembers": "Adăugați membri",
|
||||
"channel_header.directchannel.you": "{displayname} (tine) ",
|
||||
"channel_header.manageMembers": "Gestioneaza membri",
|
||||
"channel_header.pinnedPosts": "Posturi fixate",
|
||||
"channel_header.notificationPreference": "Notificări mobile",
|
||||
"channel_header.notificationPreference.all": "Toate",
|
||||
"channel_header.notificationPreference.default": "Mod implicit",
|
||||
"channel_header.notificationPreference.mention": "Mențiuni",
|
||||
"channel_header.notificationPreference.none": "Niciodata",
|
||||
"channel_header.pinnedPosts": "Mesaje fixate",
|
||||
"channel_header.viewMembers": "Vezi membrii",
|
||||
"channel_info.header": "Antet:",
|
||||
"channel_info.purpose": "Scop:",
|
||||
@@ -35,6 +43,12 @@
|
||||
"channel_modal.purposeEx": "De exemplu: \"Un canal pentru a trimite bug-uri și îmbunătățiri\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "Ignora @channel, @here, @all",
|
||||
"channel_notifications.muteChannel.settings": "Dezactivați canalul",
|
||||
"channel_notifications.preference.all_activity": "Pentru toată activitatea",
|
||||
"channel_notifications.preference.global_default": "Implicit global (mențiuni)",
|
||||
"channel_notifications.preference.header": "Trimiteți notificări",
|
||||
"channel_notifications.preference.never": "Niciodata",
|
||||
"channel_notifications.preference.only_mentions": "Numai mențiuni și mesaje directe",
|
||||
"channel_notifications.preference.save_error": "Nu am putut salva preferința de notificare. Vă rugăm să verificați conexiunea și să încercați din nou.",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{users} și {lastUser} au fost ** adăugați la canalul ** de către {actor}.",
|
||||
"combined_system_message.added_to_channel.one": "{firstUser} ** a fost adăugat la canalul ** de către {actor}.",
|
||||
"combined_system_message.added_to_channel.one_you": "Ai fost ** adăugat la canalul ** de {actor}.",
|
||||
@@ -71,6 +85,8 @@
|
||||
"create_comment.addComment": "Adauga un comentariu...",
|
||||
"create_post.deactivated": "Vizualizați un canal arhivat cu un utilizator dezactivat.",
|
||||
"create_post.write": "Scrieți pe {channelDisplayName}",
|
||||
"date_separator.today": "Azi",
|
||||
"date_separator.yesterday": "Ieri",
|
||||
"edit_post.editPost": "Editați postarea...",
|
||||
"edit_post.save": "Salvează",
|
||||
"file_attachment.download": "Descarca",
|
||||
@@ -80,6 +96,7 @@
|
||||
"intro_messages.anyMember": " Orice membru poate să se alăture și să citească în acest canal.",
|
||||
"intro_messages.beginning": "Începutul {name}",
|
||||
"intro_messages.creator": "Acesta este începutul {name} {type}, creat de {creator} la {date}.",
|
||||
"intro_messages.creatorPrivate": "Acesta este începutul canalului privat {name}, creat de {creator} pe {date}.",
|
||||
"intro_messages.group_message": "Acesta este începutul istoricului mesajelor dvs. de grup cu acești coechipieri. Mesajele și fișierele partajate aici nu sunt afișate persoanelor din afara acestei zone.",
|
||||
"intro_messages.noCreator": "Acesta este începutul canalului {name}, creat pe {date}.",
|
||||
"intro_messages.onlyInvited": " Numai membrii invitați pot vedea acest canal privat.",
|
||||
@@ -93,9 +110,6 @@
|
||||
"last_users_message.others": "{numOthers} alții ",
|
||||
"last_users_message.removed_from_channel.type": "au fost **eliminați din canal**.",
|
||||
"last_users_message.removed_from_team.type": "au fost **eliminați din echipă**.",
|
||||
"login_mfa.enterToken": "Pentru a finaliza procesul de conectare, introduceți un jeton de pe autentificatorul smartphone-ului tau",
|
||||
"login_mfa.token": "Eroare încearcă să se autentifice Mae token",
|
||||
"login_mfa.tokenReq": "Introduceți un indicativ MFA",
|
||||
"login.email": "Email",
|
||||
"login.forgot": "Am uitat parola",
|
||||
"login.invalidPassword": "Parola curentă este incorectă.",
|
||||
@@ -112,8 +126,11 @@
|
||||
"login.or": "sau",
|
||||
"login.password": "Parola",
|
||||
"login.signIn": "Autentificare",
|
||||
"login.username": "Utilizator",
|
||||
"login.userNotFound": "Nu am putut găsi un cont care să se potrivească cu acreditările dvs. de conectare.",
|
||||
"login.username": "Utilizator",
|
||||
"login_mfa.enterToken": "Pentru a finaliza procesul de conectare, introduceți un jeton de pe autentificatorul smartphone-ului tau",
|
||||
"login_mfa.token": "Eroare încearcă să se autentifice Mae token",
|
||||
"login_mfa.tokenReq": "Introduceți un indicativ MFA",
|
||||
"mobile.about.appVersion": "Versiunea aplicației: {version} (Build {number})",
|
||||
"mobile.about.copyright": "Drepturi de autor 2015-{currentYear} Mattermost, Inc. Toate drepturile rezervate",
|
||||
"mobile.about.database": "Bază de date: {type}",
|
||||
@@ -121,11 +138,11 @@
|
||||
"mobile.about.powered_by": "{site} este alimentat de Mattermost",
|
||||
"mobile.about.serverVersion": "Versiunea serverului: {version} (Build {number})",
|
||||
"mobile.about.serverVersionNoBuild": "Versiunea serverului: {version}",
|
||||
"mobile.account.settings.save": "Salvează",
|
||||
"mobile.account_notifications.reply.header": "TRIMITE NOTIFICĂRI DE RĂSPUNS PENTRU",
|
||||
"mobile.account_notifications.threads_mentions": "Menționează în fire",
|
||||
"mobile.account_notifications.threads_start": "Subiecte pe care le încep",
|
||||
"mobile.account_notifications.threads_start_participate": "Threads la care încep sau particip",
|
||||
"mobile.account.settings.save": "Salvează",
|
||||
"mobile.action_menu.select": "Selecteaza o optiune",
|
||||
"mobile.advanced_settings.clockDisplay": "Afișaj ceas",
|
||||
"mobile.advanced_settings.delete": "Șterge",
|
||||
@@ -133,6 +150,8 @@
|
||||
"mobile.advanced_settings.delete_title": "Ștergeți documentele și datele",
|
||||
"mobile.advanced_settings.timezone": "Fus orar",
|
||||
"mobile.advanced_settings.title": "Configurări Avansate Şablon",
|
||||
"mobile.alert_dialog.alertCancel": "Anulează",
|
||||
"mobile.android.back_handler_exit": "Apăsați inapoi din nou pentru a ieși",
|
||||
"mobile.android.photos_permission_denied_description": "Pentru a încărca imagini din bibliotecă, modificați setările de permisiune.",
|
||||
"mobile.android.photos_permission_denied_title": "Este necesar accesul la biblioteca foto",
|
||||
"mobile.android.videos_permission_denied_description": "Pentru a încărca videoclipuri din bibliotecă, modificați setările de permisiune.",
|
||||
@@ -142,19 +161,34 @@
|
||||
"mobile.calendar.dayNamesShort": "Dum,Lu,Ma,Mie,Jo,Vi,Sam",
|
||||
"mobile.calendar.monthNames": "Ianuarie,Februarie,Martie,Aprilie,Mai,Iunie,Iulie,August,Septembrie,Octombrie,Noiembrie,Decembrie",
|
||||
"mobile.calendar.monthNamesShort": "Ian,Feb,Mar,Apr,Mai,Iun,Iul,Aug,Sep,Oct,Noi,Dec",
|
||||
"mobile.camera_photo_permission_denied_description": "Faceți fotografii și încărcați-le în cea mai importantă instanță sau le salvați pe dispozitiv. Deschideți Setări pentru a acorda acces la citire și scriere materie.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} ar dori pentru a accesa aparatul de fotografiat",
|
||||
"mobile.camera_video_permission_denied_description": "Ia clipuri video și încărcați-le la Mattermost exemplu, sau să le salvați pe dispozitiv. Deschide Setările pentru a acorda Mattermost Citi și Scrie acces la aparatul de fotografiat.",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} ar dori pentru a accesa aparatul de fotografiat",
|
||||
"mobile.channel_drawer.search": "Sari la...",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Când convertiți {displayName} într-un canal privat, istoricul și apartenența sunt păstrate. Fișierele partajate public rămân accesibile oricui are legătura. Calitatea de membru într-un canal privat se face numai prin invitație.\n\nModificarea este permanentă și nu poate fi anulată.\n\nSigur doriți să convertiți {displayName} într-un canal privat?",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "Sigur doriți să arhivați {term} {name}?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "Sigur doriți să lăsați {term} {name}?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Sigur doriți să dezarhivați {term} {name}?",
|
||||
"mobile.channel_info.alertNo": "Nu",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "Convertiți {displayName} într-un canal privat?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "Arhiva {term}",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "Lăsați {term}",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Dezarhivează {term}",
|
||||
"mobile.channel_info.alertYes": "Da",
|
||||
"mobile.channel_info.convert": "Conversia la canalul privat",
|
||||
"mobile.channel_info.convert_failed": "Nu am putut converti {displayName} într-un canal privat.",
|
||||
"mobile.channel_info.convert_success": "{displayName} este acum un canal privat.",
|
||||
"mobile.channel_info.copy_header": "Copiază Antetul",
|
||||
"mobile.channel_info.copy_purpose": "Copiază Scopul",
|
||||
"mobile.channel_info.delete_failed": "Nu am putut arhiva canalul {displayName}. Verificați conexiunea dvs. și încercați din nou.",
|
||||
"mobile.channel_info.edit": "Editați canalul",
|
||||
"mobile.channel_info.privateChannel": "Canal privat",
|
||||
"mobile.channel_info.publicChannel": "Canalul public",
|
||||
"mobile.channel_info.unarchive_failed": "Nu am putut dezarhiva canalul {displayName}. Verificați conexiunea dvs. și încercați din nou.",
|
||||
"mobile.channel_list.alertNo": "Nu",
|
||||
"mobile.channel_list.alertYes": "Da",
|
||||
"mobile.channel_list.archived": "ARHIVAT",
|
||||
"mobile.channel_list.channels": "CANALE",
|
||||
"mobile.channel_list.closeDM": "Închideți mesajul direct",
|
||||
"mobile.channel_list.closeGM": "Închideți mesajul de grup",
|
||||
@@ -191,6 +225,7 @@
|
||||
"mobile.create_channel.public": "Noul canal public",
|
||||
"mobile.create_post.read_only": "Acest canal este numai pentru citire",
|
||||
"mobile.custom_list.no_results": "Nici un Rezultat",
|
||||
"mobile.display_settings.sidebar": "Bara Margine",
|
||||
"mobile.display_settings.theme": "Temă",
|
||||
"mobile.document_preview.failed_description": "A apărut o eroare la deschiderea documentului. Asigurați-vă că aveți instalat un {fileType} vizualizor și încercați din nou.\n",
|
||||
"mobile.document_preview.failed_title": "Documentul deschis a eșuat",
|
||||
@@ -209,6 +244,7 @@
|
||||
"mobile.drawer.teamsTitle": "Echipe",
|
||||
"mobile.edit_channel": "Salvează",
|
||||
"mobile.edit_post.title": "Editare mesaj",
|
||||
"mobile.edit_profile.remove_profile_photo": "Eliminați fotografia",
|
||||
"mobile.emoji_picker.activity": "ACTIVITATE",
|
||||
"mobile.emoji_picker.custom": "Personalizat",
|
||||
"mobile.emoji_picker.flags": "Semnalizari",
|
||||
@@ -218,6 +254,8 @@
|
||||
"mobile.emoji_picker.people": "PERSOANE",
|
||||
"mobile.emoji_picker.places": "LOCURI",
|
||||
"mobile.emoji_picker.recent": "FOLOSIT RECENT",
|
||||
"mobile.emoji_picker.search.not_found_description": "Verificați ortografia sau încercați o altă căutare.",
|
||||
"mobile.emoji_picker.search.not_found_title": "Nu există rezultate pentru \"{searchTerm}\"",
|
||||
"mobile.emoji_picker.symbols": "SIMBOLURI",
|
||||
"mobile.error_handler.button": "Repornește",
|
||||
"mobile.error_handler.description": "\nFaceți clic pe relansare pentru a deschide din nou aplicația. După repornire, puteți raporta problema din meniul de setări.\n",
|
||||
@@ -227,25 +265,34 @@
|
||||
"mobile.extension.file_limit": "Distribuirea este limitată la maxim 5 fișiere.",
|
||||
"mobile.extension.max_file_size": "Fișierele atașate în Mattermost trebuie să fie mai mici de {size}.",
|
||||
"mobile.extension.permission": "Mattermost are nevoie de acces la spațiul de stocare al dispozitivului pentru partajarea fișierelor.",
|
||||
"mobile.extension.team_required": "Trebuie să aparțineți unei echipe înainte de a putea partaja fișiere.",
|
||||
"mobile.extension.title": "Împărtășește-te în materie",
|
||||
"mobile.failed_network_action.retry": "Încercați din nou",
|
||||
"mobile.failed_network_action.shortDescription": "Asigurați-vă că aveți o conexiune activă și încercați din nou.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Canalele nu au putut fi încărcate pentru {teamName}.",
|
||||
"mobile.failed_network_action.teams_description": "Echipele nu au putut fi încărcate.",
|
||||
"mobile.failed_network_action.teams_title": "Ceva nu a mers bine",
|
||||
"mobile.failed_network_action.title": "Fără conexiune la internet",
|
||||
"mobile.file_upload.browse": "Cauta fisiere",
|
||||
"mobile.file_upload.camera_photo": "Ia-Foto",
|
||||
"mobile.file_upload.camera_video": "Adauga video",
|
||||
"mobile.file_upload.library": "Biblioteca foto",
|
||||
"mobile.file_upload.max_warning": "Încărcările sunt limitate la maxim 5 fișiere.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Pentru imaginile de profil pot fi utilizate doar imagini BMP, JPG sau PNG.",
|
||||
"mobile.file_upload.video": "Biblioteca video",
|
||||
"mobile.flagged_posts.empty_description": "Steagurile reprezintă o modalitate de a marca mesajele de urmat. Steagurile dvs. sunt personale și nu pot fi văzute de alți utilizatori.",
|
||||
"mobile.flagged_posts.empty_title": "Nu sunt postări semnate",
|
||||
"mobile.files_paste.error_description": "A apărut o eroare la lipirea fișierelor. Vă rugăm să încercați din nou.",
|
||||
"mobile.files_paste.error_dismiss": "Elimină",
|
||||
"mobile.files_paste.error_title": "Alipirea a eșuat",
|
||||
"mobile.flagged_posts.empty_description": "Mesajele salvate sunt vizibile numai pentru dvs. Marcați mesajele pentru urmărire sau salvați ceva pentru mai târziu, apăsând lung un mesaj și alegând Salvare din meniu.",
|
||||
"mobile.flagged_posts.empty_title": "Nu există mesaje salvate încă",
|
||||
"mobile.help.title": "Ajutor",
|
||||
"mobile.image_preview.save": "Salvare imagineCopy Link context menu item",
|
||||
"mobile.image_preview.save_video": "Adauga video",
|
||||
"mobile.intro_messages.DM": "Acesta este începutul istoricului mesajului dvs. direct cu {teammate}. Mesajele directe și fișierele partajate aici nu sunt afișate persoanelor din afara acestei zone.",
|
||||
"mobile.intro_messages.default_message": "Acesta este primul canal pe care colegii îl văd când se înscriu - îl folosește pentru postarea actualizărilor pe care toată lumea trebuie să le cunoască.",
|
||||
"mobile.intro_messages.default_welcome": "Bine ați venit la {name}!",
|
||||
"mobile.intro_messages.DM": "Acesta este începutul istoricului mesajului dvs. direct cu {teammate}. Mesajele directe și fișierele partajate aici nu sunt afișate persoanelor din afara acestei zone.",
|
||||
"mobile.ios.photos_permission_denied_description": "Pentru a salva imagini și videoclipuri în bibliotecă, modificați setările de permisiune.",
|
||||
"mobile.ios.photos_permission_denied_title": "Este necesar accesul la biblioteca foto",
|
||||
"mobile.join_channel.error": "Nu am putut să ne alăturăm canalului {displayName}. Verificați conexiunea dvs. și încercați din nou.",
|
||||
"mobile.loading_channels": "Se încarcă canalele ...",
|
||||
"mobile.loading_members": "Încărcarea membrilor ...",
|
||||
@@ -256,13 +303,18 @@
|
||||
"mobile.managed.blocked_by": "Blocat de {vendor}",
|
||||
"mobile.managed.exit": "Iesi",
|
||||
"mobile.managed.jailbreak": "Dispozitivele jailbroken nu au încredere în {vendor}, închideți aplicația.",
|
||||
"mobile.managed.not_secured.android": "Acest dispozitiv trebuie să fie asigurat cu un dispozitiv de blocare a ecranului pentru a utiliza Mattermost.",
|
||||
"mobile.managed.not_secured.ios": "Acest dispozitiv trebuie să fie securizat cu un cod de acces pentru a utiliza Mattermost.\n\nAccesați Setări > ID-ul feței și codul de acces.",
|
||||
"mobile.managed.not_secured.ios.touchId": "Acest dispozitiv trebuie să fie securizat cu un cod de acces pentru a utiliza Mattermost.\n \nAccesați Setări > ID-ul feței și codul de acces.",
|
||||
"mobile.managed.secured_by": "Securizat de {vendor}",
|
||||
"mobile.managed.settings": "Mergi la Setări",
|
||||
"mobile.markdown.code.copy_code": "Copiați codul",
|
||||
"mobile.markdown.code.plusMoreLines": "+ {count, number} mai mult {count, plural, one {line} alte {lines}}",
|
||||
"mobile.markdown.image.too_large": "Imaginea depășește dimensiunile maxime ale {maxWidth} de {maxHeight}:",
|
||||
"mobile.markdown.link.copy_url": "Copiază URL- ul",
|
||||
"mobile.mention.copy_mention": "Copiați mențiunea",
|
||||
"mobile.message_length.message": "Mesajul dvs. curent este prea lung. Număr curent de caractere: {max} / {count}",
|
||||
"mobile.message_length.message_split_left": "Mesajul depășește limita de caractere",
|
||||
"mobile.message_length.title": "Mesaj Lungime",
|
||||
"mobile.more_dms.add_more": "Puteți adăuga încă {remaining, number} mai mulți utilizatori",
|
||||
"mobile.more_dms.cannot_add_more": "Nu puteți adăuga mai mulți utilizatori",
|
||||
@@ -270,9 +322,32 @@
|
||||
"mobile.more_dms.start": "Start",
|
||||
"mobile.more_dms.title": "Conversație nouă",
|
||||
"mobile.more_dms.you": "@{username} - tu",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {nou} other {mai multe noi}} {count, plural, one {mesaj} other {mesaje}}",
|
||||
"mobile.notice_mobile_link": "aplicații pentru mobil",
|
||||
"mobile.notice_platform_link": "server",
|
||||
"mobile.notice_text": "Cel mai important lucru este posibil prin software-ul open source folosit în {platform} și {mobile}.",
|
||||
"mobile.notification.in": " în ",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Bună ziua, sunt în afara funcției și nu pot răspunde la mesaje.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Activat",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Setați un mesaj personalizat care va fi trimis automat ca răspuns la mesajele directe. Mențiunile din canalele publice și private nu vor declanșa răspunsul automat. Activarea răspunsurilor automate vă stabilește starea Plecat din Birou și dezactivează e-mailurile și notificările automate.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Mesaj",
|
||||
"mobile.notification_settings.auto_responder.message_title": "Mesaj personalizat",
|
||||
"mobile.notification_settings.auto_responder_short": "Răspunsuri automate",
|
||||
"mobile.notification_settings.email": "Email",
|
||||
"mobile.notification_settings.email.send": "TRIMITE NOTIFICĂRI PRIN E-MAIL",
|
||||
"mobile.notification_settings.email_title": "Notificări email",
|
||||
"mobile.notification_settings.mentions.channelWide": "Acces la canal",
|
||||
"mobile.notification_settings.mentions.reply_title": "Trimiteți notificări de răspuns pentru",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Pseudonimul dvs. de primar",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Numele dvs. de utilizator sensibil non-case",
|
||||
"mobile.notification_settings.mentions_replies": "Mențiuni și răspunsuri",
|
||||
"mobile.notification_settings.mobile": "Mobil",
|
||||
"mobile.notification_settings.mobile_title": "Notificări pe mobil",
|
||||
"mobile.notification_settings.modal_cancel": "ANULARE",
|
||||
"mobile.notification_settings.modal_save": "SALVARE",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Răspunsuri automate ale mesajelor directe",
|
||||
"mobile.notification_settings.save_failed_description": "Setările de notificare nu au putut fi salvate din cauza unei probleme de conectare, încercați din nou.",
|
||||
"mobile.notification_settings.save_failed_title": "Problemă de conexiune",
|
||||
"mobile.notification_settings_mentions.keywords": "Cuvinte cheie",
|
||||
"mobile.notification_settings_mentions.keywordsDescription": "Alte cuvinte care declanșează o mențiune",
|
||||
"mobile.notification_settings_mentions.keywordsHelp": "Cuvintele cheie nu sunt sensibile la caz și trebuie separate prin virgulă.",
|
||||
@@ -289,47 +364,18 @@
|
||||
"mobile.notification_settings_mobile.test": "Trimiteți-mi o notificare de testare",
|
||||
"mobile.notification_settings_mobile.test_push": "Aceasta este o notificare de test push",
|
||||
"mobile.notification_settings_mobile.vibrate": "Vibrare",
|
||||
"mobile.notification_settings.auto_responder_short": "Răspunsuri automate",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Bună ziua, sunt în afara funcției și nu pot răspunde la mesaje.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Activat",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Setați un mesaj personalizat care va fi trimis automat ca răspuns la mesajele directe. Mențiunile din canalele publice și private nu vor declanșa răspunsul automat. Activarea răspunsurilor automate vă stabilește starea Plecat din Birou și dezactivează e-mailurile și notificările automate.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Mesaj",
|
||||
"mobile.notification_settings.auto_responder.message_title": "Mesaj personalizat",
|
||||
"mobile.notification_settings.email": "Email",
|
||||
"mobile.notification_settings.email_title": "Notificări email",
|
||||
"mobile.notification_settings.email.send": "TRIMITE NOTIFICĂRI PRIN E-MAIL",
|
||||
"mobile.notification_settings.mentions_replies": "Mențiuni și răspunsuri",
|
||||
"mobile.notification_settings.mentions.channelWide": "Acces la canal",
|
||||
"mobile.notification_settings.mentions.reply_title": "Trimiteți notificări de răspuns pentru",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Pseudonimul dvs. de primar",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Numele dvs. de utilizator sensibil non-case",
|
||||
"mobile.notification_settings.mobile": "Mobil",
|
||||
"mobile.notification_settings.mobile_title": "Notificări pe mobil",
|
||||
"mobile.notification_settings.modal_cancel": "ANULARE",
|
||||
"mobile.notification_settings.modal_save": "SALVARE",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Răspunsuri automate ale mesajelor directe",
|
||||
"mobile.notification_settings.save_failed_description": "Setările de notificare nu au putut fi salvate din cauza unei probleme de conectare, încercați din nou.",
|
||||
"mobile.notification_settings.save_failed_title": "Problemă de conexiune",
|
||||
"mobile.notification.in": " în ",
|
||||
"mobile.offlineIndicator.connected": "Conectat",
|
||||
"mobile.offlineIndicator.connecting": "În curs de conectare...",
|
||||
"mobile.offlineIndicator.offline": "Fără conexiune la internet",
|
||||
"mobile.open_dm.error": "Nu am putut deschide un mesaj direct cu {displayName}. Verificați conexiunea dvs. și încercați din nou.",
|
||||
"mobile.open_gm.error": "Nu am putut deschide un mesaj de grup cu acei utilizatori. Verificați conexiunea dvs. și încercați din nou.",
|
||||
"mobile.open_unknown_channel.error": "Imposibil de aderat la canal. Resetați memoria cache și încercați din nou.",
|
||||
"mobile.pinned_posts.empty_description": "Fixați elemente importante ținând apăsat pe orice mesaj și selectând \"Fixați la Canal\".",
|
||||
"mobile.pinned_posts.empty_title": "Nu există mesaje fixate",
|
||||
"mobile.post_info.add_reaction": "Adaugă Reacție",
|
||||
"mobile.post_info.copy_text": "Copiază textul",
|
||||
"mobile.post_info.flag": "Steag",
|
||||
"mobile.post_info.pin": "Fixați pe canal",
|
||||
"mobile.post_info.unflag": "Anulați semnalarea",
|
||||
"mobile.post_info.unpin": "Eliberați-vă din canal",
|
||||
"mobile.post_pre_header.flagged": "Marcat",
|
||||
"mobile.post_pre_header.pinned": "Fixat",
|
||||
"mobile.post_pre_header.pinned_flagged": "Fixat și marcat",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Unele atașări nu au putut fi încărcate pe server. Sigur doriți să încărcați mesajul?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Eșec atașament",
|
||||
"mobile.permission_denied_dismiss": "Nu Permite",
|
||||
"mobile.permission_denied_retry": "Setări",
|
||||
"mobile.photo_library_permission_denied_description": "Pentru a salva imagini și videoclipuri în biblioteca dvs., vă rugăm să schimbați setările de permisiune.",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} ar dori pentru a accesa biblioteca dvs. foto",
|
||||
"mobile.pinned_posts.empty_description": "Fixați mesaje importante care sunt vizibile pentru întregul canal. Apăsați lung pe un mesaj și alegeți Fixare la canal pentru a-l salva aici.",
|
||||
"mobile.pinned_posts.empty_title": "Nu există încă mesaje fixate",
|
||||
"mobile.post.cancel": "Anulează",
|
||||
"mobile.post.delete_question": "Sigur doriți să ștergeți acest lucru?",
|
||||
"mobile.post.delete_title": "Ștergeți mesajul",
|
||||
@@ -337,9 +383,37 @@
|
||||
"mobile.post.failed_retry": "Încearcă din nou",
|
||||
"mobile.post.failed_title": "Imposibil de trimis mesajul",
|
||||
"mobile.post.retry": "Actualizeaza",
|
||||
"mobile.post_info.add_reaction": "Adaugă Reacție",
|
||||
"mobile.post_info.copy_text": "Copiază textul",
|
||||
"mobile.post_info.flag": "Steag",
|
||||
"mobile.post_info.mark_unread": "Marcheaza ca necitit",
|
||||
"mobile.post_info.pin": "Fixați pe canal",
|
||||
"mobile.post_info.reply": "Răspuns",
|
||||
"mobile.post_info.unflag": "Anulați semnalarea",
|
||||
"mobile.post_info.unpin": "Eliberați-vă din canal",
|
||||
"mobile.post_pre_header.flagged": "Marcat",
|
||||
"mobile.post_pre_header.pinned": "Fixat",
|
||||
"mobile.post_pre_header.pinned_flagged": "Fixat și marcat",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Anulează",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Confirma",
|
||||
"mobile.post_textbox.entire_channel.message": "Folosind @all sau @channel sunteți pe cale să trimiteți notificări către {totalMembers, number} {totalMembers, plural, one {persoană} other {oameni}}. Ești sigur că vrei să faci asta?",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Folosind @all sau @channel sunteți pe cale să trimiteți notificări către {totalMembers, number} {totalMembers, plural, one {persoană} other {oameni}} in {timezones, number} {timezones, plural, one {fus orar} other {fusuri orare}}. Ești sigur că vrei să faci asta?",
|
||||
"mobile.post_textbox.entire_channel.title": "Confirmați trimiterea notificărilor către întregul canal",
|
||||
"mobile.post_textbox.groups.title": "Confirmați trimiterea notificărilor către grupuri",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Folosind {mentions} și {finalMention} sunteți pe punctul de a trimite notificări la cel puțin {totalMembers} persoane din {timezones, number} {timezones, plural, una {timezone} alte {timezones}}. Ești sigur că vrei să faci asta?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "Folosind {mentions} și {finalMention} sunteți pe punctul de a trimite notificări la cel puțin {totalMembers} persoane. Ești sigur că vrei să faci asta?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "Folosind {mentionare} sunteți pe punctul de a trimite notificări către {totalMembers} persoane din {timezones, number} {timezones, plural, una {timezone} alte {timezones}}. Ești sigur că vrei să faci asta?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "Folosind {mentionare} sunteți pe punctul de a trimite notificări către {totalMembers} persoane. Ești sigur că vrei să faci asta?",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Unele atașări nu au putut fi încărcate pe server. Sigur doriți să încărcați mesajul?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Eșec atașament",
|
||||
"mobile.posts_view.moreMsg": "Mai multe mesaje noi de mai sus",
|
||||
"mobile.recent_mentions.empty_description": "Mesajele care conțin numele dvs. de utilizator și alte cuvinte care declanșează mențiunile vor apărea aici.",
|
||||
"mobile.recent_mentions.empty_title": "Nu există mențiuni recente",
|
||||
"mobile.privacy_link": "Politica de confidentialitate",
|
||||
"mobile.push_notification_reply.button": "Trimite",
|
||||
"mobile.push_notification_reply.placeholder": "Scrie un răspuns...",
|
||||
"mobile.push_notification_reply.title": "Răspuns",
|
||||
"mobile.reaction_header.all_emojis": "Toate",
|
||||
"mobile.recent_mentions.empty_description": "Mesajele în care cineva te menționează sau include cuvintele tale de declanșare sunt salvate aici.",
|
||||
"mobile.recent_mentions.empty_title": "Nici o mențiune încă",
|
||||
"mobile.rename_channel.display_name_maxLength": "Numele canalului trebuie să fie mai mic de {maxLength, number} characters",
|
||||
"mobile.rename_channel.display_name_minLength": "Numele canalului trebuie să fie {minLength, number} sau mai multe caractere",
|
||||
"mobile.rename_channel.display_name_required": "Numele canalului este necesar",
|
||||
@@ -353,13 +427,15 @@
|
||||
"mobile.reset_status.alert_ok": "OK",
|
||||
"mobile.reset_status.title_ooo": "Dezactivați \"Afară din birou\"?",
|
||||
"mobile.retry_message": "Mesajele refăcute au eșuat. Trageți în sus pentru a încerca din nou.",
|
||||
"mobile.routes.channel_members.action": "Eliminați membrii",
|
||||
"mobile.routes.channel_members.action_message": "Trebuie să selectați cel puțin un membru pentru a fi eliminat din canal.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Sigur doriți să eliminați membrii selectați din canal?",
|
||||
"mobile.routes.channelInfo": "Info",
|
||||
"mobile.routes.channelInfo.createdBy": "Creat de {creator} pe ",
|
||||
"mobile.routes.channelInfo.delete_channel": "Arhiva canalului",
|
||||
"mobile.routes.channelInfo.favorite": "Favorit",
|
||||
"mobile.routes.channelInfo.groupManaged": "Membrii sunt gestionați de grupuri legate",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Dezarhivează canalul",
|
||||
"mobile.routes.channel_members.action": "Eliminați membrii",
|
||||
"mobile.routes.channel_members.action_message": "Trebuie să selectați cel puțin un membru pentru a fi eliminat din canal.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Sigur doriți să eliminați membrii selectați din canal?",
|
||||
"mobile.routes.code": "Limbaj-{language}",
|
||||
"mobile.routes.code.noLanguage": "Cod",
|
||||
"mobile.routes.edit_profile": "Editati Profil",
|
||||
@@ -375,6 +451,7 @@
|
||||
"mobile.routes.thread": "{channelName} Subiect",
|
||||
"mobile.routes.thread_dm": "Mesajul direct al mesajului",
|
||||
"mobile.routes.user_profile": "Profil",
|
||||
"mobile.routes.user_profile.edit": "Editați",
|
||||
"mobile.routes.user_profile.local_time": "ORA LOCALĂ",
|
||||
"mobile.routes.user_profile.send_message": "Trimite mesaj",
|
||||
"mobile.search.after_modifier_description": "pentru a găsi postări după o anumită dată",
|
||||
@@ -387,10 +464,20 @@
|
||||
"mobile.search.no_results": "Nu a fost gasit nici un rezultat",
|
||||
"mobile.search.on_modifier_description": "pentru a găsi postări la o anumită dată",
|
||||
"mobile.search.recent_title": "Ultimile cautari",
|
||||
"mobile.select_team.guest_cant_join_team": "Contul dvs. de oaspeți nu are alocate echipe sau canale. Vă rugăm să contactați un administrator.",
|
||||
"mobile.select_team.join_open": "Deschideți echipe la care te poți alătura",
|
||||
"mobile.select_team.no_teams": "Nu există echipe disponibile pentru a vă alătura.",
|
||||
"mobile.server_link.error.text": "Link-ul nu a putut fi găsit pe acest server.",
|
||||
"mobile.server_link.error.title": "Eroare de legătură",
|
||||
"mobile.server_link.unreachable_channel.error": "Acest link aparține unui canal șters sau unui canal la care nu aveți acces.",
|
||||
"mobile.server_link.unreachable_team.error": "Acest link aparține unei echipe șterse sau unei echipe la care nu aveți acces.",
|
||||
"mobile.server_ssl.error.text": "Certificatul de la {host} nu este de încredere.\n\nVă rugăm să contactați administratorul de sistem pentru a rezolva problemele certificatului și a permite conexiunile la acest server.",
|
||||
"mobile.server_ssl.error.title": "Certificat neîncredut",
|
||||
"mobile.server_upgrade.alert_description": "Această versiune a serverului nu este compatibilă, iar utilizatorii vor fi expuși la probleme de compatibilitate care cauzează prăbușiri sau erori grave care rup funcționalitatea principală a aplicației. Actualizarea la versiunea serverului {serverVersion} sau o versiune ulterioară este necesară.",
|
||||
"mobile.server_upgrade.button": "OK",
|
||||
"mobile.server_upgrade.description": "\nEste necesară o actualizare a serverului pentru a utiliza aplicația Mattermost. Contactați administratorul de sistem pentru detalii.\n",
|
||||
"mobile.server_upgrade.dismiss": "Elimină",
|
||||
"mobile.server_upgrade.learn_more": "Aflați Mai Multe",
|
||||
"mobile.server_upgrade.title": "Este necesară actualizarea serverului",
|
||||
"mobile.server_url.invalid_format": "Adresa URL trebuie să înceapă cu http: // sau https: //",
|
||||
"mobile.session_expired": "Sesiune expirată: vă rugăm să vă autentificați pentru a continua să primiți notificări.",
|
||||
@@ -404,7 +491,22 @@
|
||||
"mobile.share_extension.error_message": "A apărut o eroare în timpul utilizării extensiei de distribuire.",
|
||||
"mobile.share_extension.error_title": "Eroare extindere",
|
||||
"mobile.share_extension.team": "Echipa",
|
||||
"mobile.share_extension.too_long_message": "Numărul de caractere: {count}/{max}",
|
||||
"mobile.share_extension.too_long_title": "Mesaj prea lung",
|
||||
"mobile.sidebar_settings.permanent": "Bara laterală permanentă",
|
||||
"mobile.sidebar_settings.permanent_description": "Mențineți bara laterală deschisă permanent",
|
||||
"mobile.storage_permission_denied_description": "Încărcați fișiere în instanța dvs. cea mai importantă. Deschideți Setări pentru a acorda acces la citire și scriere materie la fișierele de pe acest dispozitiv.",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} ar dori să vă acceseze fișierele",
|
||||
"mobile.suggestion.members": "Membrii",
|
||||
"mobile.system_message.channel_archived_message": "{username} a arhivat canalul",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} a dezarhivat canalul",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} a actualizat numele canalului de la: {oldDisplayName} la: {newDisplayName}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} a eliminat antetul canalului (a fost: {oldHeader})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} a actualizat antetul canalului din: {oldHeader} în: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} a actualizat antetul canalului la: {newHeader}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} a eliminat scopul canalului (a fost: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} a actualizat scopul canalului din: {oldPurpose} în: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} a actualizat scopul canalului la: {newPurpose}",
|
||||
"mobile.terms_of_service.alert_cancel": "Anulează",
|
||||
"mobile.terms_of_service.alert_ok": "OK",
|
||||
"mobile.terms_of_service.alert_retry": "Încearcă din nou",
|
||||
@@ -412,12 +514,18 @@
|
||||
"mobile.timezone_settings.automatically": "Setați automat",
|
||||
"mobile.timezone_settings.manual": "Schimbați fusul orar",
|
||||
"mobile.timezone_settings.select": "Selectați Fusul orar",
|
||||
"mobile.user_list.deactivated": "Dezactivat",
|
||||
"mobile.tos_link": "Termenii serviciului",
|
||||
"mobile.unsupported_server.message": "Fișierele atașate, previzualizările linkurilor, reacțiile și datele încorporate nu pot fi afișate corect. Dacă această problemă persistă, contactați administratorul de sistem pentru a actualiza serverul dvs. Mattermost.",
|
||||
"mobile.unsupported_server.ok": "OK",
|
||||
"mobile.unsupported_server.title": "Versiunea serverului neacceptat",
|
||||
"mobile.user.settings.notifications.email.fifteenMinutes": "La fiecare 15 minute",
|
||||
"mobile.video_playback.failed_description": "A apărut o eroare în timp ce încercați să redați videoclipul.\n",
|
||||
"mobile.video_playback.failed_title": "Redarea video a eșuat",
|
||||
"mobile.user_list.deactivated": "Dezactivat",
|
||||
"mobile.user_removed.message": "Ai fost eliminat din canal.",
|
||||
"mobile.user_removed.title": "Eliminat din {channelName}",
|
||||
"mobile.video.save_error_message": "Pentru a salva fișierul video trebuie să îl descărcați mai întâi.",
|
||||
"mobile.video.save_error_title": "Salvați eroarea video",
|
||||
"mobile.video_playback.failed_description": "A apărut o eroare în timp ce încercați să redați videoclipul.\n",
|
||||
"mobile.video_playback.failed_title": "Redarea video a eșuat",
|
||||
"mobile.youtube_playback_error.description": "A apărut o eroare în timp ce încerca pentru a rula video de pe YouTube.\nDetalii: {details}",
|
||||
"mobile.youtube_playback_error.title": "YouTube eroare de redare",
|
||||
"modal.manual_status.auto_responder.message_": "Doriți să treceți statutul dvs. la \"{status}\" și să dezactivați răspunsurile automate?",
|
||||
@@ -425,11 +533,22 @@
|
||||
"modal.manual_status.auto_responder.message_dnd": "Doriți să vă schimbați statutul în \"Nu deranjați\" și să dezactivați răspunsurile automate?",
|
||||
"modal.manual_status.auto_responder.message_offline": "Doriți să vă schimbați statutul în \"Offline\" și să dezactivați răspunsurile automate?",
|
||||
"modal.manual_status.auto_responder.message_online": "Doriți să vă schimbați statusul la \"Online\" și să dezactivați răspunsurile automate?",
|
||||
"more_channels.archivedChannels": "Canalele arhivate",
|
||||
"more_channels.dropdownTitle": "Arată",
|
||||
"more_channels.noMore": "Nu mai există canale care să se alăture",
|
||||
"more_channels.publicChannels": "Canale publice",
|
||||
"more_channels.showArchivedChannels": "Arată: Canalele Arhivate",
|
||||
"more_channels.showPublicChannels": "Arată: Canalele publice",
|
||||
"more_channels.title": "Mai multe canale",
|
||||
"msg_typing.areTyping": "{users} și {last} scriu...",
|
||||
"msg_typing.isTyping": "{user} scrie...",
|
||||
"navbar.channel_drawer.button": "Canale și echipe",
|
||||
"navbar.channel_drawer.hint": "Deschide sertarul canalelor și echipelor",
|
||||
"navbar.leave": "Părăsiți canalul",
|
||||
"navbar.more_options.button": "Mai multe opțiuni",
|
||||
"navbar.more_options.hint": "Deschide bara laterală din dreapta cu mai multe opțiuni",
|
||||
"navbar.search.button": "Căutare canal",
|
||||
"navbar.search.hint": "Deschide modalitatea de căutare a canalului",
|
||||
"password_form.title": "Resetare parolă",
|
||||
"password_send.checkInbox": "Vă rugăm să vă verificați inbox-ul.",
|
||||
"password_send.description": "Pentru a reseta parola, introduceți adresa de e-mail pe care ați utilizat-o pentru a vă înscrie",
|
||||
@@ -437,18 +556,21 @@
|
||||
"password_send.link": "Dacă contul există, un e-mail de resetare a parolei va fi trimis la:",
|
||||
"password_send.reset": "Resetează-mi parola",
|
||||
"permalink.error.access": "Permalink aparține unui mesaj șters sau unui canal la care nu aveți acces.",
|
||||
"permalink.error.link_not_found": "Linkul nu a fost găsit",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "nu au fost notificați de această mențiune deoarece nu se află în canal. Ele nu pot fi adăugate la canal deoarece nu fac parte din grupurile conectate. Pentru a le adăuga la acest canal, acestea trebuie adăugate la grupurile conectate.",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": " şi ",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "adăugați-le la acest canal privat",
|
||||
"post_body.check_for_out_of_channel_mentions.link.public": "adăugați-le pe canal",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Ei vor avea acces la toate istoricul mesajelor.",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "au fost menționate, dar nu sunt în canal. Aţi dori să ",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "a fost menționat, dar nu este în canal. Aţi dori să ",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Ei vor avea acces la toate istoricul mesajelor.",
|
||||
"post_body.commentedOn": "A comentat mesajul {name}: ",
|
||||
"post_body.deleted": "(mesaj sters)",
|
||||
"post_info.auto_responder": "RASPUNS AUTOMAT",
|
||||
"post_info.bot": "BOT",
|
||||
"post_info.del": "Șterge",
|
||||
"post_info.edit": "Editați",
|
||||
"post_info.guest": "OASPETE",
|
||||
"post_info.message.show_less": "Afișați mai puține",
|
||||
"post_info.message.show_more": "Detalii",
|
||||
"post_info.system": "Sistem",
|
||||
@@ -458,16 +580,16 @@
|
||||
"search_bar.search": "Caută",
|
||||
"search_header.results": "Rezultatele căutării",
|
||||
"search_header.title2": "Mențiuni recente",
|
||||
"search_header.title3": "Mesaje marcate",
|
||||
"search_header.title3": "Mesaje salvate",
|
||||
"search_item.channelArchived": "Arhivat",
|
||||
"sidebar_right_menu.logout": "Deconectare",
|
||||
"sidebar_right_menu.report": "Raportează o problemă",
|
||||
"sidebar.channels": "CANALE PUBLICE",
|
||||
"sidebar.direct": "MESAJE DIRECTE",
|
||||
"sidebar.favorite": "CANALE FAVORITE",
|
||||
"sidebar.pg": "CANALE PRIVATE",
|
||||
"sidebar.types.recent": "ACTIVITATEA RECENTĂ",
|
||||
"sidebar.unreads": "Mai multe necitite",
|
||||
"sidebar_right_menu.logout": "Deconectare",
|
||||
"sidebar_right_menu.report": "Raportează o problemă",
|
||||
"signup.email": "Email și parolă",
|
||||
"signup.office365": "Office 365",
|
||||
"status_dropdown.set_away": "Plecat",
|
||||
@@ -478,17 +600,20 @@
|
||||
"suggestion.mention.all": "Notifică pe toată lumea din acest canal",
|
||||
"suggestion.mention.channel": "Notifică pe toată lumea din acest canal",
|
||||
"suggestion.mention.channels": "Canalele mele",
|
||||
"suggestion.mention.groups": "Mențiuni de grup",
|
||||
"suggestion.mention.here": "Notifică pe toată lumea din canal și on-line",
|
||||
"suggestion.mention.members": "Membrii canalului",
|
||||
"suggestion.mention.morechannels": "Alte canale",
|
||||
"suggestion.mention.nonmembers": "Nu este în canal",
|
||||
"suggestion.mention.special": "MENȚIUNI SPECIALE",
|
||||
"suggestion.mention.you": "(tu)",
|
||||
"suggestion.search.direct": "Mesaje Directe",
|
||||
"suggestion.search.private": "Canale private",
|
||||
"suggestion.search.public": "Canale publice",
|
||||
"terms_of_service.agreeButton": "De Acord",
|
||||
"terms_of_service.api_error": "Imposibil de completat cererea. Dacă această problemă persistă, contactați administratorul de sistem.",
|
||||
"user.settings.display.clockDisplay": "Afișajul ceasului",
|
||||
"user.settings.display.custom_theme": "Teme personalizate",
|
||||
"user.settings.display.militaryClock": "Ceas 24 de ore (exemplu: 16:00)",
|
||||
"user.settings.display.normalClock": "Ceas de 12 ore (exemplu: 4:00 PM)",
|
||||
"user.settings.display.preferTime": "Selectați modul în care preferați timpul afișat.",
|
||||
@@ -523,115 +648,5 @@
|
||||
"user.settings.push_notification.disabled_long": "Notificările push nu au fost activate de Administratorul de sistem.",
|
||||
"user.settings.push_notification.offline": "Deconectat",
|
||||
"user.settings.push_notification.online": "Online, departe sau offline",
|
||||
"web.root.signup_info": "Toate comunicările echipei într-un singur loc, cautari instante și accesibile oriunde",
|
||||
"mobile.message_length.message_split_left": "Mesajul depășește limita de caractere",
|
||||
"user.settings.display.custom_theme": "Teme personalizate",
|
||||
"suggestion.mention.you": "(tu)",
|
||||
"post_info.guest": "OASPETE",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "nu au fost notificați de această mențiune deoarece nu se află în canal. Ele nu pot fi adăugate la canal deoarece nu fac parte din grupurile conectate. Pentru a le adăuga la acest canal, acestea trebuie adăugate la grupurile conectate.",
|
||||
"permalink.error.link_not_found": "Linkul nu a fost găsit",
|
||||
"navbar.channel_drawer.hint": "Deschide sertarul canalelor și echipelor",
|
||||
"navbar.channel_drawer.button": "Canale și echipe",
|
||||
"more_channels.showPublicChannels": "Arată: Canalele publice",
|
||||
"more_channels.showArchivedChannels": "Arată: Canalele Arhivate",
|
||||
"more_channels.publicChannels": "Canale publice",
|
||||
"more_channels.dropdownTitle": "Arată",
|
||||
"more_channels.archivedChannels": "Canalele arhivate",
|
||||
"mobile.tos_link": "Termenii serviciului",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} a actualizat scopul canalului la: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} a actualizat scopul canalului din: {oldPurpose} în: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} a eliminat scopul canalului (a fost: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} a actualizat antetul canalului la: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} a actualizat antetul canalului din: {oldHeader} în: {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} a eliminat antetul canalului (a fost: {oldHeader})",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} a actualizat numele canalului de la: {oldDisplayName} la: {newDisplayName}",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} a dezarhivat canalul",
|
||||
"mobile.system_message.channel_archived_message": "{username} a arhivat canalul",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} ar dori să vă acceseze fișierele",
|
||||
"mobile.storage_permission_denied_description": "Încărcați fișiere în instanța dvs. cea mai importantă. Deschideți Setări pentru a acorda acces la citire și scriere materie la fișierele de pe acest dispozitiv.",
|
||||
"mobile.sidebar_settings.permanent_description": "Mențineți bara laterală deschisă permanent",
|
||||
"mobile.sidebar_settings.permanent": "Bara laterală permanentă",
|
||||
"mobile.share_extension.too_long_title": "Mesaj prea lung",
|
||||
"mobile.share_extension.too_long_message": "Numărul de caractere: {count}/{max}",
|
||||
"mobile.server_ssl.error.title": "Certificat neîncredut",
|
||||
"mobile.server_ssl.error.text": "Certificatul de la {host} nu este de încredere.\n\nVă rugăm să contactați administratorul de sistem pentru a rezolva problemele certificatului și a permite conexiunile la acest server.",
|
||||
"mobile.server_link.unreachable_team.error": "Acest link aparține unei echipe șterse sau unei echipe la care nu aveți acces.",
|
||||
"mobile.server_link.unreachable_channel.error": "Acest link aparține unui canal șters sau unui canal la care nu aveți acces.",
|
||||
"mobile.server_link.error.title": "Eroare de legătură",
|
||||
"mobile.server_link.error.text": "Link-ul nu a putut fi găsit pe acest server.",
|
||||
"mobile.select_team.guest_cant_join_team": "Contul dvs. de oaspeți nu are alocate echipe sau canale. Vă rugăm să contactați un administrator.",
|
||||
"mobile.routes.user_profile.edit": "Editați",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Dezarhivează canalul",
|
||||
"mobile.routes.channelInfo.groupManaged": "Membrii sunt gestionați de grupuri legate",
|
||||
"mobile.reaction_header.all_emojis": "Toate",
|
||||
"mobile.push_notification_reply.title": "Răspuns",
|
||||
"mobile.push_notification_reply.placeholder": "Scrie un răspuns...",
|
||||
"mobile.push_notification_reply.button": "Trimite",
|
||||
"mobile.privacy_link": "Politica de confidentialitate",
|
||||
"mobile.post_textbox.entire_channel.title": "Confirmați trimiterea notificărilor către întregul canal",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Folosind @all sau @channel sunteți pe cale să trimiteți notificări către {totalMembers, number} {totalMembers, plural, one {persoană} other {oameni}} in {timezones, number} {timezones, plural, one {fus orar} other {fusuri orare}}. Ești sigur că vrei să faci asta?",
|
||||
"mobile.post_textbox.entire_channel.message": "Folosind @all sau @channel sunteți pe cale să trimiteți notificări către {totalMembers, number} {totalMembers, plural, one {persoană} other {oameni}}. Ești sigur că vrei să faci asta?",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Confirma",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Anulează",
|
||||
"mobile.post_info.reply": "Răspuns",
|
||||
"mobile.post_info.mark_unread": "Marcheaza ca necitit",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} ar dori pentru a accesa biblioteca dvs. foto",
|
||||
"mobile.photo_library_permission_denied_description": "Pentru a salva imagini și videoclipuri în biblioteca dvs., vă rugăm să schimbați setările de permisiune.",
|
||||
"mobile.permission_denied_retry": "Setări",
|
||||
"mobile.permission_denied_dismiss": "Nu Permite",
|
||||
"mobile.managed.settings": "Mergi la Setări",
|
||||
"mobile.managed.not_secured.ios.touchId": "Acest dispozitiv trebuie să fie securizat cu un cod de acces pentru a utiliza Mattermost.\n \nAccesați Setări > ID-ul feței și codul de acces.",
|
||||
"mobile.managed.not_secured.ios": "Acest dispozitiv trebuie să fie securizat cu un cod de acces pentru a utiliza Mattermost.\n\nAccesați Setări > ID-ul feței și codul de acces.",
|
||||
"mobile.managed.not_secured.android": "Acest dispozitiv trebuie să fie asigurat cu un dispozitiv de blocare a ecranului pentru a utiliza Mattermost.",
|
||||
"mobile.ios.photos_permission_denied_title": "Este necesar accesul la biblioteca foto",
|
||||
"mobile.files_paste.error_title": "Alipirea a eșuat",
|
||||
"mobile.files_paste.error_dismiss": "Elimină",
|
||||
"mobile.files_paste.error_description": "A apărut o eroare la lipirea fișierelor. Vă rugăm să încercați din nou.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Pentru imaginile de profil pot fi utilizate doar imagini BMP, JPG sau PNG.",
|
||||
"mobile.failed_network_action.teams_title": "Ceva nu a mers bine",
|
||||
"mobile.failed_network_action.teams_description": "Echipele nu au putut fi încărcate.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Canalele nu au putut fi încărcate pentru {teamName}.",
|
||||
"mobile.extension.team_required": "Trebuie să aparțineți unei echipe înainte de a putea partaja fișiere.",
|
||||
"mobile.edit_profile.remove_profile_photo": "Eliminați fotografia",
|
||||
"mobile.display_settings.sidebar": "Bara Margine",
|
||||
"mobile.channel_list.archived": "ARHIVAT",
|
||||
"mobile.channel_info.unarchive_failed": "Nu am putut dezarhiva canalul {displayName}. Verificați conexiunea dvs. și încercați din nou.",
|
||||
"mobile.channel_info.copy_purpose": "Copiază Scopul",
|
||||
"mobile.channel_info.copy_header": "Copiază Antetul",
|
||||
"mobile.channel_info.convert_success": "{displayName} este acum un canal privat.",
|
||||
"mobile.channel_info.convert_failed": "Nu am putut converti {displayName} într-un canal privat.",
|
||||
"mobile.channel_info.convert": "Conversia la canalul privat",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Dezarhivează {term}",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "Convertiți {displayName} într-un canal privat?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Sigur doriți să dezarhivați {term} {name}?",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Când convertiți {displayName} într-un canal privat, istoricul și apartenența sunt păstrate. Fișierele partajate public rămân accesibile oricui are legătura. Calitatea de membru într-un canal privat se face numai prin invitație.\n\nModificarea este permanentă și nu poate fi anulată.\n\nSigur doriți să convertiți {displayName} într-un canal privat?",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} ar dori pentru a accesa aparatul de fotografiat",
|
||||
"mobile.camera_video_permission_denied_description": "Ia clipuri video și încărcați-le la Mattermost exemplu, sau să le salvați pe dispozitiv. Deschide Setările pentru a acorda Mattermost Citi și Scrie acces la aparatul de fotografiat.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} ar dori pentru a accesa aparatul de fotografiat",
|
||||
"mobile.camera_photo_permission_denied_description": "Faceți fotografii și încărcați-le în cea mai importantă instanță sau le salvați pe dispozitiv. Deschideți Setări pentru a acorda acces la citire și scriere materie.",
|
||||
"mobile.alert_dialog.alertCancel": "Anulează",
|
||||
"intro_messages.creatorPrivate": "Acesta este începutul canalului privat {name}, creat de {creator} pe {date}.",
|
||||
"date_separator.yesterday": "Ieri",
|
||||
"date_separator.today": "Azi",
|
||||
"channel.isGuest": "Această persoană este invitat",
|
||||
"channel.hasGuests": "Acest mesaj de grup are oaspeți",
|
||||
"channel.channelHasGuests": "Acest canal are oaspeți",
|
||||
"mobile.server_upgrade.alert_description": "Această versiune a serverului nu este compatibilă, iar utilizatorii vor fi expuși la probleme de compatibilitate care cauzează prăbușiri sau erori grave care rup funcționalitatea principală a aplicației. Actualizarea la versiunea serverului {serverVersion} sau o versiune ulterioară este necesară.",
|
||||
"mobile.server_upgrade.learn_more": "Aflați Mai Multe",
|
||||
"mobile.server_upgrade.dismiss": "Elimină",
|
||||
"suggestion.mention.groups": "Mențiuni de grup",
|
||||
"mobile.post_textbox.groups.title": "Confirmați trimiterea notificărilor către grupuri",
|
||||
"mobile.unsupported_server.ok": "OK",
|
||||
"mobile.unsupported_server.title": "Versiunea serverului neacceptat",
|
||||
"mobile.unsupported_server.message": "Fișierele atașate, previzualizările linkurilor, reacțiile și datele încorporate nu pot fi afișate corect. Dacă această problemă persistă, contactați administratorul de sistem pentru a actualiza serverul dvs. Mattermost.",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "Folosind {mentionare} sunteți pe punctul de a trimite notificări către {totalMembers} persoane. Ești sigur că vrei să faci asta?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "Folosind {mentionare} sunteți pe punctul de a trimite notificări către {totalMembers} persoane din {timezones, number} {timezones, plural, una {timezone} alte {timezones}}. Ești sigur că vrei să faci asta?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "Folosind {mentions} și {finalMention} sunteți pe punctul de a trimite notificări la cel puțin {totalMembers} persoane. Ești sigur că vrei să faci asta?",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Folosind {mentions} și {finalMention} sunteți pe punctul de a trimite notificări la cel puțin {totalMembers} persoane din {timezones, number} {timezones, plural, una {timezone} alte {timezones}}. Ești sigur că vrei să faci asta?",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {nou} other {mai multe noi}} {count, plural, one {mesaj} other {mesaje}}",
|
||||
"mobile.android.back_handler_exit": "Apăsați inapoi din nou pentru a ieși",
|
||||
"mobile.emoji_picker.search.not_found_description": "Verificați ortografia sau încercați o altă căutare.",
|
||||
"mobile.user_removed.title": "Eliminat din {channelName}",
|
||||
"mobile.user_removed.message": "Ai fost eliminat din canal.",
|
||||
"mobile.emoji_picker.search.not_found_title": "Nu există rezultate pentru \"{searchTerm}\""
|
||||
"web.root.signup_info": "Toate comunicările echipei într-un singur loc, cautari instante și accesibile oriunde"
|
||||
}
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
{
|
||||
"about.date": "Дата сборки:",
|
||||
"about.enterpriseEditione1": "Корпоративная редакция",
|
||||
"about.enterpriseEditionLearn": "Подробнее о Корпоративной редакции читайте на ",
|
||||
"about.enterpriseEditionSt": "Современное общение в вашей внутренней сети.",
|
||||
"about.enterpriseEditione1": "Корпоративная редакция",
|
||||
"about.hash": "Хэш сборки:",
|
||||
"about.hashee": "Хэш сборки EE:",
|
||||
"about.teamEditionLearn": "Присоединяйтесь к сообществу Mattermost на ",
|
||||
@@ -14,10 +14,18 @@
|
||||
"api.channel.add_member.added": "{addedUsername} добавлен в канал участником {username}.",
|
||||
"archivedChannelMessage": "Вы просматриваете **архивированный канал**. Создание новых сообщений запрещено.",
|
||||
"center_panel.archived.closeChannel": "Закрыть канал",
|
||||
"channel.channelHasGuests": "У этого канала есть гости",
|
||||
"channel.hasGuests": "В этом групповом сообщении есть гости",
|
||||
"channel.isGuest": "Этот человек гость",
|
||||
"channel_header.addMembers": "Добавить участников",
|
||||
"channel_header.directchannel.you": "{displayname} (это вы) ",
|
||||
"channel_header.manageMembers": "Управление участниками",
|
||||
"channel_header.pinnedPosts": "Прикреплённые сообщения",
|
||||
"channel_header.notificationPreference": "Мобильные уведомления",
|
||||
"channel_header.notificationPreference.all": "Все",
|
||||
"channel_header.notificationPreference.default": "По умолчанию",
|
||||
"channel_header.notificationPreference.mention": "Упоминания",
|
||||
"channel_header.notificationPreference.none": "Никогда",
|
||||
"channel_header.pinnedPosts": "Закреплённые сообщения",
|
||||
"channel_header.viewMembers": "Список участников",
|
||||
"channel_info.header": "Заголовок:",
|
||||
"channel_info.purpose": "Назначение:",
|
||||
@@ -35,6 +43,12 @@
|
||||
"channel_modal.purposeEx": "Например: \"Канал для ошибок и пожеланий\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "Игнорировать @channel, @here, @all",
|
||||
"channel_notifications.muteChannel.settings": "Отключить уведомления",
|
||||
"channel_notifications.preference.all_activity": "При любой активности",
|
||||
"channel_notifications.preference.global_default": "По умолчанию (Упоминания)",
|
||||
"channel_notifications.preference.header": "Отправлять уведомления",
|
||||
"channel_notifications.preference.never": "Никогда",
|
||||
"channel_notifications.preference.only_mentions": "Только упоминания и личные сообщения",
|
||||
"channel_notifications.preference.save_error": "Не удалось сохранить настройки уведомлений. Пожалуйста, проверьте ваше соединение и попробуйте еще раз.",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{users} и {lastUser} были **добавлены на канал** пользователем {actor}.",
|
||||
"combined_system_message.added_to_channel.one": "{firstUser} **приглашается на канал**. Кем: {actor}.",
|
||||
"combined_system_message.added_to_channel.one_you": "Вы были **добавлены на канал** пользователем {actor}.",
|
||||
@@ -71,6 +85,8 @@
|
||||
"create_comment.addComment": "Добавить комментарий...",
|
||||
"create_post.deactivated": "Вы просматриваете архивированный канал как деактивированный пользователь.",
|
||||
"create_post.write": "Написать в {channelDisplayName}",
|
||||
"date_separator.today": "Cегодня",
|
||||
"date_separator.yesterday": "Вчера",
|
||||
"edit_post.editPost": "Редактировать сообщение...",
|
||||
"edit_post.save": "Сохранить",
|
||||
"file_attachment.download": "Скачать",
|
||||
@@ -80,6 +96,7 @@
|
||||
"intro_messages.anyMember": " Любой участник может зайти и читать этот канал.",
|
||||
"intro_messages.beginning": "Начало {name}",
|
||||
"intro_messages.creator": "Канал: {name}, создан {creator} {date}.",
|
||||
"intro_messages.creatorPrivate": "Приватный канал: {name}, созданный {creator} {date}.",
|
||||
"intro_messages.group_message": "Начало истории групповых сообщений с участниками. Размещённые здесь сообщения и файлы не видны за пределами этой области.",
|
||||
"intro_messages.noCreator": "Канал: {name}, созданный {date}.",
|
||||
"intro_messages.onlyInvited": " Только приглашенные пользователи могут видеть этот приватный канал.",
|
||||
@@ -93,9 +110,6 @@
|
||||
"last_users_message.others": "{numOthers} других ",
|
||||
"last_users_message.removed_from_channel.type": "были **удалены с канала**.",
|
||||
"last_users_message.removed_from_team.type": "были **удалены из команды**.",
|
||||
"login_mfa.enterToken": "Для завершения процесса регистрации, введите токен из аутентификатора на вашем смартфоне",
|
||||
"login_mfa.token": "Токен МФА",
|
||||
"login_mfa.tokenReq": "Пожалуйста, введите токен МФА",
|
||||
"login.email": "Электронная почта",
|
||||
"login.forgot": "Я забыл свой пароль",
|
||||
"login.invalidPassword": "Неверный пароль.",
|
||||
@@ -112,8 +126,11 @@
|
||||
"login.or": "или",
|
||||
"login.password": "Пароль",
|
||||
"login.signIn": "Войти",
|
||||
"login.username": "Имя пользователя",
|
||||
"login.userNotFound": "Мы не обнаружили аккаунт по вашим данным для входа.",
|
||||
"login.username": "Имя пользователя",
|
||||
"login_mfa.enterToken": "Для завершения процесса регистрации, введите токен из аутентификатора на вашем смартфоне",
|
||||
"login_mfa.token": "Токен МФА",
|
||||
"login_mfa.tokenReq": "Пожалуйста, введите токен МФА",
|
||||
"mobile.about.appVersion": "Версия приложения: {version} (Сборка {number})",
|
||||
"mobile.about.copyright": "Copyright 2015-{currentYear} Mattermost, Inc. Все права защищены",
|
||||
"mobile.about.database": "Тип базы данных: {type}",
|
||||
@@ -121,11 +138,11 @@
|
||||
"mobile.about.powered_by": "{site} работает на Mattermost",
|
||||
"mobile.about.serverVersion": "Версия сервера: {version} (Сборка {number})",
|
||||
"mobile.about.serverVersionNoBuild": "Версия сервера: {version}",
|
||||
"mobile.account.settings.save": "Сохранить",
|
||||
"mobile.account_notifications.reply.header": "ОТПРАВЛЯТЬ УВЕДОМЛЕНИЯ ОТ ОТВЕТАХ",
|
||||
"mobile.account_notifications.threads_mentions": "Если меня упомянули",
|
||||
"mobile.account_notifications.threads_start": "Если я начал эту ветку",
|
||||
"mobile.account_notifications.threads_start_participate": "Если я начал эту ветку или участвовал в ней",
|
||||
"mobile.account.settings.save": "Сохранить",
|
||||
"mobile.action_menu.select": "Выберите опцию",
|
||||
"mobile.advanced_settings.clockDisplay": "Отображение времени",
|
||||
"mobile.advanced_settings.delete": "Удалить",
|
||||
@@ -133,6 +150,8 @@
|
||||
"mobile.advanced_settings.delete_title": "Удалить файловый кэш",
|
||||
"mobile.advanced_settings.timezone": "Часовой пояс",
|
||||
"mobile.advanced_settings.title": "Дополнительные параметры",
|
||||
"mobile.alert_dialog.alertCancel": "Отмена",
|
||||
"mobile.android.back_handler_exit": "Нажмите еще раз, чтобы выйти",
|
||||
"mobile.android.photos_permission_denied_description": "Загрузите фотографии в свой экземпляр Mattermost или сохраните их на своем устройстве. Откройте «Настройки», чтобы предоставить Mattermost доступ для чтения и записи к своей библиотеке фотографий.",
|
||||
"mobile.android.photos_permission_denied_title": "{applicationName} хотело бы получить доступ к вашим фотографиям",
|
||||
"mobile.android.videos_permission_denied_description": "Загрузите видео в свой экземпляр Mattermost или сохраните его на своем устройстве. Откройте «Настройки», чтобы предоставить Mattermost доступ для чтения и записи к своей видеотеке.",
|
||||
@@ -142,19 +161,34 @@
|
||||
"mobile.calendar.dayNamesShort": "Вс,Пн,Вт,Ср,Чт,Пт,Сб",
|
||||
"mobile.calendar.monthNames": "Январь,Февраль,Март,Апрель,Май,Июнь,Июль,Август,Сентябрь,Октябрь,Ноябрь,Декабрь",
|
||||
"mobile.calendar.monthNamesShort": "Янв,Феб,Мар,Апр,Май,Июн,Июл,Авг,Сен,Окт,Ноя,Дек",
|
||||
"mobile.camera_photo_permission_denied_description": "Делайте фотографии и загружайте их в свой экземпляр Mattermost или сохраняйте их на свое устройство. Откройте «Настройки», чтобы предоставить доступ к вашей камере для чтения и записи.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} хотел бы получить доступ к вашей камере",
|
||||
"mobile.camera_video_permission_denied_description": "Снимайте видео и загружайте их в свой экземпляр Mattermost или сохраняйте на свое устройство. Откройте «Настройки», чтобы предоставить доступ к вашей камере для чтения и записи.",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} хотел бы получить доступ к вашей камере",
|
||||
"mobile.channel_drawer.search": "Перейти к...",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Когда вы преобразуете **{displayName}** в приватный канал, история и участники сохранятся. Публично доступные файлы останутся доступными всем, у кого есть ссылка. Стать участником приватного канала можно только по приглашению. \n\n Это изменение является постоянным и не может быть отменено.\n\nВы уверены, что хотите преобразовать {displayName} в приватный канал?",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "Вы действительно хотите архивировать {term} {name}?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "Вы действительно хотите покинуть {term} {name}?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Вы действительно хотите разархивировать {term} {name}?",
|
||||
"mobile.channel_info.alertNo": "Нет",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "Преобразовать {displayName} в приватный канал?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "Архивировать {term}",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "Покинуть {term}",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Разархивировать {term}",
|
||||
"mobile.channel_info.alertYes": "Да",
|
||||
"mobile.channel_info.convert": "Преобразовать в приватный канал",
|
||||
"mobile.channel_info.convert_failed": "Не удалось преобразовать {displayName} в приватный канал.",
|
||||
"mobile.channel_info.convert_success": "{displayName} стал приватным каналом.",
|
||||
"mobile.channel_info.copy_header": "Копировать заголовок",
|
||||
"mobile.channel_info.copy_purpose": "Копировать Цель",
|
||||
"mobile.channel_info.delete_failed": "Мы не можем архивировать канал {displayName}. Пожалуйста, проверьте подключение и попробуйте снова.",
|
||||
"mobile.channel_info.edit": "Изменить канал",
|
||||
"mobile.channel_info.privateChannel": "Приватный канал",
|
||||
"mobile.channel_info.publicChannel": "Публичные каналы",
|
||||
"mobile.channel_info.unarchive_failed": "Мы не можем разархивировать канал {displayName}. Пожалуйста, проверьте подключение и попробуйте снова.",
|
||||
"mobile.channel_list.alertNo": "Нет",
|
||||
"mobile.channel_list.alertYes": "Да",
|
||||
"mobile.channel_list.archived": "АРХИВИРОВАН",
|
||||
"mobile.channel_list.channels": "КАНАЛЫ",
|
||||
"mobile.channel_list.closeDM": "Закрыть личные сообщения",
|
||||
"mobile.channel_list.closeGM": "Закрыть сообщения группы",
|
||||
@@ -191,6 +225,7 @@
|
||||
"mobile.create_channel.public": "Публичный канал",
|
||||
"mobile.create_post.read_only": "Этот канал только для чтения",
|
||||
"mobile.custom_list.no_results": "Нет результатов",
|
||||
"mobile.display_settings.sidebar": "Боковая панель",
|
||||
"mobile.display_settings.theme": "Тема",
|
||||
"mobile.document_preview.failed_description": "Ошибка при открытии документа. Пожалуйста, убедитесь, что у вас есть приложение для просмотра {fileType} и попробуйте снова.\n",
|
||||
"mobile.document_preview.failed_title": "Ошибка открытия документа",
|
||||
@@ -209,6 +244,7 @@
|
||||
"mobile.drawer.teamsTitle": "Команды",
|
||||
"mobile.edit_channel": "Сохранить",
|
||||
"mobile.edit_post.title": "Редактирование сообщения",
|
||||
"mobile.edit_profile.remove_profile_photo": "Удалить фото",
|
||||
"mobile.emoji_picker.activity": "АКТИВНОСТЬ",
|
||||
"mobile.emoji_picker.custom": "ПОЛЬЗОВАТЕЛЬСКИЕ",
|
||||
"mobile.emoji_picker.flags": "ФЛАГИ",
|
||||
@@ -218,6 +254,8 @@
|
||||
"mobile.emoji_picker.people": "ЛЮДИ",
|
||||
"mobile.emoji_picker.places": "МЕСТА",
|
||||
"mobile.emoji_picker.recent": "НЕДАВНИЕ",
|
||||
"mobile.emoji_picker.search.not_found_description": "Проверьте орфографию или попробуйте другой поиск.",
|
||||
"mobile.emoji_picker.search.not_found_title": "Ничего не найдено по запросу \"{searchTerm}\"",
|
||||
"mobile.emoji_picker.symbols": "СИМВОЛЫ",
|
||||
"mobile.error_handler.button": "Перезапустить",
|
||||
"mobile.error_handler.description": "\nНажмите на кнопку Перезапустить, чтобы открыть приложение заново. После запуска, вы можете сообщить о проблеме через меню настроек.\n",
|
||||
@@ -227,42 +265,60 @@
|
||||
"mobile.extension.file_limit": "Можно делиться не более чем 5 файлами за раз.",
|
||||
"mobile.extension.max_file_size": "Файлы для передачи должны быть не больше чем {size}.",
|
||||
"mobile.extension.permission": "Для того, чтобы делиться файлами, вам нужно предоставить разрешение приложению.",
|
||||
"mobile.extension.team_required": "Вы должны принадлежать к команде, прежде чем вы сможете поделиться файлами.",
|
||||
"mobile.extension.title": "Поделиться в Mattermost",
|
||||
"mobile.failed_network_action.retry": "Попробовать снова",
|
||||
"mobile.failed_network_action.shortDescription": "Сообщения будут загружаться, когда у вас есть подключение к интернету.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Не удалось загрузить каналы для {teamName}.",
|
||||
"mobile.failed_network_action.teams_description": "Команды не могут быть загружены.",
|
||||
"mobile.failed_network_action.teams_title": "Что-то пошло не так",
|
||||
"mobile.failed_network_action.title": "Нет соединения с интернетом",
|
||||
"mobile.file_upload.browse": "Выбрать файлы",
|
||||
"mobile.file_upload.camera_photo": "Сделать фото",
|
||||
"mobile.file_upload.camera_video": "Снять видео",
|
||||
"mobile.file_upload.library": "Библиотека изображений",
|
||||
"mobile.file_upload.max_warning": "Вы можете загрузить не более 5 файлов за раз.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Только BMP, JPG или PNG изображения могут быть использованы как изображения профиля.",
|
||||
"mobile.file_upload.video": "Библиотека видео",
|
||||
"mobile.flagged_posts.empty_description": "Флаги - один из способов отметки сообщений для последующей деятельности. Ваши флаги не могут быть просмотрены другими пользователями.",
|
||||
"mobile.flagged_posts.empty_title": "Нет отмеченных сообщений",
|
||||
"mobile.files_paste.error_description": "Ошибка при отправке файлов. Пожалуйста, попробуйте снова.",
|
||||
"mobile.files_paste.error_dismiss": "Отмена",
|
||||
"mobile.files_paste.error_title": "Вставить не удалось",
|
||||
"mobile.flagged_posts.empty_description": "Сохраненные сообщения видны только вам. Отметьте сообщения для отслеживания или сохраните что-нибудь на будущее, нажав и удерживая сообщение, и выбрав в меню Сохранить.",
|
||||
"mobile.flagged_posts.empty_title": "Нет сохраненных сообщений",
|
||||
"mobile.help.title": "Помощь",
|
||||
"mobile.image_preview.save": "Сохранить изображение",
|
||||
"mobile.image_preview.save_video": "Сохранить видео",
|
||||
"mobile.intro_messages.DM": "Начало истории личных сообщений с {teammate}. Личные сообщения и файлы доступны здесь и не видны за пределами этой области.",
|
||||
"mobile.intro_messages.default_message": "Это первый канал, который видит новый участник группы - используйте его для отправки сообщений, которые должны увидеть все.",
|
||||
"mobile.intro_messages.default_welcome": "Добро пожаловать в {name}!",
|
||||
"mobile.intro_messages.DM": "Начало истории личных сообщений с {teammate}. Личные сообщения и файлы доступны здесь и не видны за пределами этой области.",
|
||||
"mobile.ios.photos_permission_denied_description": "Загрузите фотографии и видео в свой экземпляр Mattermost или сохраните их на свое устройство. Откройте «Настройки», чтобы предоставить Mattermost доступ для чтения и записи к своей библиотеке фотографий и видео.",
|
||||
"mobile.ios.photos_permission_denied_title": "{applicationName} хотело бы получить доступ к вашим фотографиям",
|
||||
"mobile.join_channel.error": "Мы не можем подключиться к каналу {displayName}. Пожалуйста, проверьте подключение и попробуйте снова.",
|
||||
"mobile.link.error.text": "Невозможно открыть ссылку.",
|
||||
"mobile.link.error.title": "Ошибка",
|
||||
"mobile.loading_channels": "Загрузка списка каналов...",
|
||||
"mobile.loading_members": "Загрузка списка участников...",
|
||||
"mobile.loading_options": "Загрузка опций...",
|
||||
"mobile.loading_posts": "Загрузка сообщений...",
|
||||
"mobile.login_options.choose_title": "Выберите метод входа",
|
||||
"mobile.long_post_title": "{channelName} - Сообщение",
|
||||
"mobile.mailTo.error.text": "Невозможно открыть почтовый клиент.",
|
||||
"mobile.mailTo.error.title": "Ошибка",
|
||||
"mobile.managed.blocked_by": "Заблокирован {vendor}",
|
||||
"mobile.managed.exit": "Выход",
|
||||
"mobile.managed.jailbreak": "Устройства с джейлбрейком не являются доверенными {vendor}, выйдите из приложения.",
|
||||
"mobile.managed.not_secured.android": "Это устройство должно быть защищено с помощью блокировки экрана, чтобы использовать Mattermost.",
|
||||
"mobile.managed.not_secured.ios": "Это устройство должно быть защищено паролем для использования Mattermost. \n\nПерейдите в Настройки > Face ID и пароль.",
|
||||
"mobile.managed.not_secured.ios.touchId": "Это устройство должно быть защищено паролем для использования Mattermost.\n\nПерейдите в Настройки > Touch ID и пароль.",
|
||||
"mobile.managed.secured_by": "Защищено {vendor}",
|
||||
"mobile.managed.settings": "Перейти к настройкам",
|
||||
"mobile.markdown.code.copy_code": "Скопировать код",
|
||||
"mobile.markdown.code.plusMoreLines": "еще +{count, number} {count, plural, one {строка} few {строки} other {строк}}",
|
||||
"mobile.markdown.image.too_large": "Изображение превышает максимальное разрешение {maxWidth} на {maxHeight}:",
|
||||
"mobile.markdown.link.copy_url": "Скопировать URL",
|
||||
"mobile.mention.copy_mention": "Скопировать упоминание",
|
||||
"mobile.message_length.message": "Слишком длинное сообщение. Текущее количество знаков: {count}/{max}",
|
||||
"mobile.message_length.message_split_left": "Сообщение превышает лимит символов",
|
||||
"mobile.message_length.title": "Длина сообщения",
|
||||
"mobile.more_dms.add_more": "Осталось пользователей для добавления: {remaining, number}",
|
||||
"mobile.more_dms.cannot_add_more": "Вы не можете добавить больше пользователей",
|
||||
@@ -270,9 +326,32 @@
|
||||
"mobile.more_dms.start": "Начать",
|
||||
"mobile.more_dms.title": "Новая беседа",
|
||||
"mobile.more_dms.you": "@{username} - вы",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {новое} other {новых}} {count, plural, one {сообщение}, few {сообщения} other {сообщений}}",
|
||||
"mobile.notice_mobile_link": "мобильных приложениях",
|
||||
"mobile.notice_platform_link": "сервере",
|
||||
"mobile.notice_text": "Mattermost стал возможен благодаря использованию программ с открытым исходным кодом в нашем {platform} и {mobile}.",
|
||||
"mobile.notification.in": " в ",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Привет, я сейчас не на работе и не могу ответить.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Включено",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Установите специальное сообщение, которое будет автоматически отправлено в ответ на личные сообщения. Упоминания в публичных и частных каналах не будут отправлять автоматический ответ. Включение автоматических ответов устанавливает статус «Не на работе» и отключает отправку push и email и уведомлений.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Сообщение",
|
||||
"mobile.notification_settings.auto_responder.message_title": "ПОЛЬЗОВАТЕЛЬСКОЕ СООБЩЕНИЕ",
|
||||
"mobile.notification_settings.auto_responder_short": "Автоматические ответы",
|
||||
"mobile.notification_settings.email": "Электронная почта",
|
||||
"mobile.notification_settings.email.send": "ОТПРАВКА УВЕДОМЛЕНИЙ НА EMAIL",
|
||||
"mobile.notification_settings.email_title": "Уведомления на email",
|
||||
"mobile.notification_settings.mentions.channelWide": "Общесистемные упоминания",
|
||||
"mobile.notification_settings.mentions.reply_title": "Отправлять уведомления об ответе",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Ваше регистрозависимое имя",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Ваше регистронезависимое имя",
|
||||
"mobile.notification_settings.mentions_replies": "Упоминания и ответы",
|
||||
"mobile.notification_settings.mobile": "Мобильный",
|
||||
"mobile.notification_settings.mobile_title": "Мобильные уведомления",
|
||||
"mobile.notification_settings.modal_cancel": "ОТМЕНА",
|
||||
"mobile.notification_settings.modal_save": "СОХРАНИТЬ",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Автоматический ответ на личные сообщения",
|
||||
"mobile.notification_settings.save_failed_description": "Ошибка сохранения настроек уведомлений из-за проблем со связью. Пожалуйста, попробуйте снова.",
|
||||
"mobile.notification_settings.save_failed_title": "Ошибка подключения",
|
||||
"mobile.notification_settings_mentions.keywords": "Ключевые слова",
|
||||
"mobile.notification_settings_mentions.keywordsDescription": "Специальные слова, генерирующие уведомления",
|
||||
"mobile.notification_settings_mentions.keywordsHelp": "Ключевые слова регистронезависимы и разделяются запятыми.",
|
||||
@@ -289,47 +368,18 @@
|
||||
"mobile.notification_settings_mobile.test": "Отправить себе тестовое уведомление",
|
||||
"mobile.notification_settings_mobile.test_push": "Это тестовое push уведомление",
|
||||
"mobile.notification_settings_mobile.vibrate": "Вибрация",
|
||||
"mobile.notification_settings.auto_responder_short": "Автоматические ответы",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Привет, я сейчас не на работе и не могу ответить.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Включено",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Установите специальное сообщение, которое будет автоматически отправлено в ответ на личные сообщения. Упоминания в публичных и частных каналах не будут отправлять автоматический ответ. Включение автоматических ответов устанавливает статус «Не на работе» и отключает отправку push и email и уведомлений.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Сообщение",
|
||||
"mobile.notification_settings.auto_responder.message_title": "ПОЛЬЗОВАТЕЛЬСКОЕ СООБЩЕНИЕ",
|
||||
"mobile.notification_settings.email": "Электронная почта",
|
||||
"mobile.notification_settings.email_title": "Уведомления на email",
|
||||
"mobile.notification_settings.email.send": "ОТПРАВКА УВЕДОМЛЕНИЙ НА EMAIL",
|
||||
"mobile.notification_settings.mentions_replies": "Упоминания и ответы",
|
||||
"mobile.notification_settings.mentions.channelWide": "Общесистемные упоминания",
|
||||
"mobile.notification_settings.mentions.reply_title": "Отправлять уведомления об ответе",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Ваше регистрозависимое имя",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Ваше регистронезависимое имя",
|
||||
"mobile.notification_settings.mobile": "Мобильный",
|
||||
"mobile.notification_settings.mobile_title": "Мобильные уведомления",
|
||||
"mobile.notification_settings.modal_cancel": "ОТМЕНА",
|
||||
"mobile.notification_settings.modal_save": "СОХРАНИТЬ",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Автоматический ответ на личные сообщения",
|
||||
"mobile.notification_settings.save_failed_description": "Ошибка сохранения настроек уведомлений из-за проблем со связью. Пожалуйста, попробуйте снова.",
|
||||
"mobile.notification_settings.save_failed_title": "Ошибка подключения",
|
||||
"mobile.notification.in": " в ",
|
||||
"mobile.offlineIndicator.connected": "Подключено",
|
||||
"mobile.offlineIndicator.connecting": "Подключение...",
|
||||
"mobile.offlineIndicator.offline": "Нет соединения с интернетом",
|
||||
"mobile.open_dm.error": "Мы не можем открыть личные сообщения с {displayName}. Пожалуйста, проверьте подключение и попробуйте снова.",
|
||||
"mobile.open_gm.error": "Не удалось открыть групповое сообщение с этими пользователями. Пожалуйста, проверьте подключение и попробуйте заново.",
|
||||
"mobile.open_unknown_channel.error": "Не могу присоединиться к каналу. Пожалуйста, сбросьте кэш и попробуйте снова.",
|
||||
"mobile.pinned_posts.empty_description": "Сохраняйте важные вещи, удерживая палец на сообщении и выбрав \"Прикрепить сообщение\".",
|
||||
"mobile.pinned_posts.empty_title": "Нет прикреплённых сообщений",
|
||||
"mobile.post_info.add_reaction": "Добавить реакцию",
|
||||
"mobile.post_info.copy_text": "Копировать текст",
|
||||
"mobile.post_info.flag": "Отметить",
|
||||
"mobile.post_info.pin": "Прикрепить сообщение",
|
||||
"mobile.post_info.unflag": "Снять отметку",
|
||||
"mobile.post_info.unpin": "Открепить сообщение",
|
||||
"mobile.post_pre_header.flagged": "Отмеченные",
|
||||
"mobile.post_pre_header.pinned": "Прикреплено",
|
||||
"mobile.post_pre_header.pinned_flagged": "Прикреплённые и отмеченные",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Некоторые вложения не были загружены на сервер. Вы уверены, что хотите отправить сообщение?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Ошибка загрузки",
|
||||
"mobile.permission_denied_dismiss": "Не разрешать",
|
||||
"mobile.permission_denied_retry": "Параметры",
|
||||
"mobile.photo_library_permission_denied_description": "Чтобы сохранять фото и видео в библиотеку, вам нужно изменить настройки разрешений.",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} хотело бы получить доступ к вашей библиотеке фотографий",
|
||||
"mobile.pinned_posts.empty_description": "Закрепляйте важные сообщения, которые видны всему каналу. Нажмите и удерживайте сообщение, и выберите «Закрепить на канале», чтобы сохранить его здесь.",
|
||||
"mobile.pinned_posts.empty_title": "Нет закреплённых сообщений",
|
||||
"mobile.post.cancel": "Отмена",
|
||||
"mobile.post.delete_question": "Вы действительно хотите удалить запись?",
|
||||
"mobile.post.delete_title": "Удалить пост",
|
||||
@@ -337,9 +387,37 @@
|
||||
"mobile.post.failed_retry": "Попробовать снова",
|
||||
"mobile.post.failed_title": "Не удалось отправить сообщение",
|
||||
"mobile.post.retry": "Обновить",
|
||||
"mobile.post_info.add_reaction": "Добавить реакцию",
|
||||
"mobile.post_info.copy_text": "Копировать текст",
|
||||
"mobile.post_info.flag": "Отметить",
|
||||
"mobile.post_info.mark_unread": "Пометить как непрочитанное",
|
||||
"mobile.post_info.pin": "Прикрепить сообщение",
|
||||
"mobile.post_info.reply": "Ответить",
|
||||
"mobile.post_info.unflag": "Снять отметку",
|
||||
"mobile.post_info.unpin": "Открепить сообщение",
|
||||
"mobile.post_pre_header.flagged": "Отмеченные",
|
||||
"mobile.post_pre_header.pinned": "Прикреплено",
|
||||
"mobile.post_pre_header.pinned_flagged": "Прикреплённые и отмеченные",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Отмена",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Подтвердить",
|
||||
"mobile.post_textbox.entire_channel.message": "Используя @all или @channel, вы собираетесь отправлять уведомления {totalMembers, number} {totalMembers, plural, one {человеку} few {людям} other {человекам}}. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Используя @all или @channel, вы собираетесь отправлять уведомления {totalMembers, number} {totalMembers, plural, one {человеку} other {людям}} в {timezones, number} {timezones, plural, one {часовом поясе} other {часовых поясах}}. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.entire_channel.title": "Подтвердите отправку уведомления всему каналу",
|
||||
"mobile.post_textbox.groups.title": "Подтвердите отправку уведомлений группам",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Используя {mentions} и {finalMention}, вы собираетесь отправить уведомления по крайней мере {totalMembers} людям в {timezones, number} {timezones, plural, one {часовом поясе} other {часовых поясах}}. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "Используя {mentions} и {finalMention}, вы собираетесь отправить уведомления по крайней мере {totalMembers} людям. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "Используя {mention}, вы собираетесь отправить уведомления по крайней мере {totalMembers} людям в {timezones, number} {timezones, plural, one {часовом поясе} other {часовых поясах}}. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "Используя {mentions}, вы собираетесь отправить уведомления по крайней мере {totalMembers} людям. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Некоторые вложения не были загружены на сервер. Вы уверены, что хотите отправить сообщение?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Ошибка загрузки",
|
||||
"mobile.posts_view.moreMsg": "Загрузить еще сообщения",
|
||||
"mobile.privacy_link": "Политика конфиденциальности",
|
||||
"mobile.push_notification_reply.button": "Отправить",
|
||||
"mobile.push_notification_reply.placeholder": "Ответить...",
|
||||
"mobile.push_notification_reply.title": "Ответить",
|
||||
"mobile.reaction_header.all_emojis": "Все",
|
||||
"mobile.recent_mentions.empty_description": "Здесь будут сообщения, которые содержат ваше имя или другие слова, отмеченные для уведомлений.",
|
||||
"mobile.recent_mentions.empty_title": "Недавние упоминания",
|
||||
"mobile.recent_mentions.empty_title": "Пока нет упоминаний",
|
||||
"mobile.rename_channel.display_name_maxLength": "Название канала не должно превышать {maxLength, number} символов",
|
||||
"mobile.rename_channel.display_name_minLength": "Название канала должно быть не меньше, чем {minLength, number} символов",
|
||||
"mobile.rename_channel.display_name_required": "Вы должны указать название канала",
|
||||
@@ -353,13 +431,15 @@
|
||||
"mobile.reset_status.alert_ok": "Ок",
|
||||
"mobile.reset_status.title_ooo": "Выключить \"Не на работе\"?",
|
||||
"mobile.retry_message": "Не удалось обновить сообщения. Потяните, чтобы попробовать снова.",
|
||||
"mobile.routes.channel_members.action": "Удалить участников",
|
||||
"mobile.routes.channel_members.action_message": "Вы должны выбрать хотя бы одного участника для удаления с канала.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Вы уверены, что хотите удалить выбранных участников с канала?",
|
||||
"mobile.routes.channelInfo": "Информация",
|
||||
"mobile.routes.channelInfo.createdBy": "Создан {creator} в ",
|
||||
"mobile.routes.channelInfo.delete_channel": "Архивировать канал",
|
||||
"mobile.routes.channelInfo.favorite": "Избранные",
|
||||
"mobile.routes.channelInfo.groupManaged": "Участники управляются связанными группами",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Разархивировать канал",
|
||||
"mobile.routes.channel_members.action": "Удалить участников",
|
||||
"mobile.routes.channel_members.action_message": "Вы должны выбрать хотя бы одного участника для удаления с канала.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Вы уверены, что хотите удалить выбранных участников с канала?",
|
||||
"mobile.routes.code": "{language} код",
|
||||
"mobile.routes.code.noLanguage": "Код",
|
||||
"mobile.routes.edit_profile": "Изменить профиль",
|
||||
@@ -375,6 +455,7 @@
|
||||
"mobile.routes.thread": "{channelName}",
|
||||
"mobile.routes.thread_dm": "Ветка личных сообщений",
|
||||
"mobile.routes.user_profile": "Профиль",
|
||||
"mobile.routes.user_profile.edit": "Изменить",
|
||||
"mobile.routes.user_profile.local_time": "МЕСТНОЕ ВРЕМЯ",
|
||||
"mobile.routes.user_profile.send_message": "Отправить сообщение",
|
||||
"mobile.search.after_modifier_description": "поиск сообщения после указанной даты",
|
||||
@@ -387,11 +468,22 @@
|
||||
"mobile.search.no_results": "Ничего не найдено",
|
||||
"mobile.search.on_modifier_description": "поиск сообщений за нужную дату",
|
||||
"mobile.search.recent_title": "Недавние запросы",
|
||||
"mobile.select_team.guest_cant_join_team": "В вашем гостевом аккаунте нет назначенных команд или каналов. Пожалуйста, свяжитесь с администратором.",
|
||||
"mobile.select_team.join_open": "Другие команды, к которым вы можете присоединиться",
|
||||
"mobile.select_team.no_teams": "Нет доступных команд, к которым вы можете присоединиться.",
|
||||
"mobile.server_link.error.text": "Ссылка не найдена на этом сервере.",
|
||||
"mobile.server_link.error.title": "Ошибка ссылки",
|
||||
"mobile.server_link.unreachable_channel.error": "Постоянная ссылка принадлежит к удалённому каналу или каналу, к которому у вас нет доступа.",
|
||||
"mobile.server_link.unreachable_team.error": "Постоянная ссылка принадлежит к удалённой команде или команде, к которой у вас нет доступа.",
|
||||
"mobile.server_ssl.error.text": "Сертификат от {host} не является доверенным.\n\nОбратитесь к системному администратору, чтобы решить проблемы с сертификатами и разрешить подключения к этому серверу.",
|
||||
"mobile.server_ssl.error.title": "Ненадежный сертификат",
|
||||
"mobile.server_upgrade.alert_description": "Эта версия сервера не поддерживается, и пользователи будут сталкиваться с проблемами совместимости, которые вызывают сбои или серьезные ошибки, нарушающие основные функции приложения. Требуется обновление до версии сервера {serverVersion} или новее.",
|
||||
"mobile.server_upgrade.button": "Ок\"",
|
||||
"mobile.server_upgrade.description": "\nДля продолжения работы требуется обновление сервера Mattermost. Пожалуйста, обратитесь к системному администратору за подробностями.\n",
|
||||
"mobile.server_upgrade.dismiss": "Отмена",
|
||||
"mobile.server_upgrade.learn_more": "Узнать больше",
|
||||
"mobile.server_upgrade.title": "Требуется обновление сервера",
|
||||
"mobile.server_url.empty": "Пожалуйста, введите действительный URL-адрес сервера",
|
||||
"mobile.server_url.invalid_format": "Адрес должен начинаться с http:// или https://",
|
||||
"mobile.session_expired": "Время сеанса истекло: войдите в систему, чтобы продолжить получать уведомления. Сеансы для {siteName} настроены на истечение каждые {daysCount, number} {daysCount, plural, one {день} few {дня} other {дней}}.",
|
||||
"mobile.set_status.away": "Отошёл",
|
||||
@@ -404,7 +496,22 @@
|
||||
"mobile.share_extension.error_message": "Ошибка при попытке поделиться файлом.",
|
||||
"mobile.share_extension.error_title": "Ошибка расширения",
|
||||
"mobile.share_extension.team": "Команда",
|
||||
"mobile.share_extension.too_long_message": "Количество символов: {count}/{max}",
|
||||
"mobile.share_extension.too_long_title": "Сообщение слишком длинное",
|
||||
"mobile.sidebar_settings.permanent": "Постоянная боковая панель",
|
||||
"mobile.sidebar_settings.permanent_description": "Держать боковую панель постоянно открытой",
|
||||
"mobile.storage_permission_denied_description": "Загрузите файлы в свой экземпляр Mattermost. Откройте «Настройки», чтобы предоставить доступ к файлам на этом устройстве.",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} хотело бы получить доступ к вашим файлам",
|
||||
"mobile.suggestion.members": "Участники",
|
||||
"mobile.system_message.channel_archived_message": "{username} архивировал канал",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} разархивировал канал",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} сменил отображаемое имя канала с: {oldDisplayName} на: {newDisplayName}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} удалил заголовок канала (было: {oldHeader})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} изменил(а) заголовок канала с {oldHeader} на {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} изменил(а) заголовок канала на {newHeader}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} удалил заголовок канала (было: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} изменил назначение канала с {oldPurpose} на {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} установил назначение канала: {newPurpose}",
|
||||
"mobile.terms_of_service.alert_cancel": "Отмена",
|
||||
"mobile.terms_of_service.alert_ok": "Ок\"",
|
||||
"mobile.terms_of_service.alert_retry": "Попробовать снова",
|
||||
@@ -412,12 +519,18 @@
|
||||
"mobile.timezone_settings.automatically": "Выбрать автоматически",
|
||||
"mobile.timezone_settings.manual": "Сменить часовой пояс",
|
||||
"mobile.timezone_settings.select": "Выберите часовой пояс",
|
||||
"mobile.user_list.deactivated": "Деактивирован",
|
||||
"mobile.tos_link": "Условия использования",
|
||||
"mobile.unsupported_server.message": "Вложения, предварительный просмотр ссылок, реакции и встроенные данные могут отображаться некорректно. Если проблема не устраняется, обратитесь к системному администратору для обновления сервера Mattermost.",
|
||||
"mobile.unsupported_server.ok": "Ок\"",
|
||||
"mobile.unsupported_server.title": "Неподдерживаемая версия сервера",
|
||||
"mobile.user.settings.notifications.email.fifteenMinutes": "Каждые 15 минут",
|
||||
"mobile.video_playback.failed_description": "Возникла ошибка проигрывания видео.\n",
|
||||
"mobile.video_playback.failed_title": "Ошибка проигрывания видео",
|
||||
"mobile.user_list.deactivated": "Деактивирован",
|
||||
"mobile.user_removed.message": "Вы были удалены из канала.",
|
||||
"mobile.user_removed.title": "Удален из {channelName}",
|
||||
"mobile.video.save_error_message": "Для сохранения видео, вам нужно сначала его скачать.",
|
||||
"mobile.video.save_error_title": "Ошибка сохранения видео",
|
||||
"mobile.video_playback.failed_description": "Возникла ошибка проигрывания видео.\n",
|
||||
"mobile.video_playback.failed_title": "Ошибка проигрывания видео",
|
||||
"mobile.youtube_playback_error.description": "Возникла ошибка проигрывания видео YouTube.\nПодробности: {details}",
|
||||
"mobile.youtube_playback_error.title": "Ошибка видео YouTube",
|
||||
"modal.manual_status.auto_responder.message_": "Вы хотите установить статус \"{status}\" и отключить автоматические ответы?",
|
||||
@@ -425,11 +538,22 @@
|
||||
"modal.manual_status.auto_responder.message_dnd": "Вы хотите установить статус \"Не беспокоить\" и отключить автоматические ответы?",
|
||||
"modal.manual_status.auto_responder.message_offline": "Вы хотите установить статус \"Не в сети\" и отключить автоматические ответы?",
|
||||
"modal.manual_status.auto_responder.message_online": "Вы хотите установить статус \"В сети\" и отключить автоматические ответы?",
|
||||
"more_channels.archivedChannels": "Архивированные каналы",
|
||||
"more_channels.dropdownTitle": "Показать",
|
||||
"more_channels.noMore": "Доступных каналов не найдено",
|
||||
"more_channels.publicChannels": "Публичные каналы",
|
||||
"more_channels.showArchivedChannels": "Показать: Архивированные каналы",
|
||||
"more_channels.showPublicChannels": "Показать: Публичные каналы",
|
||||
"more_channels.title": "Выберите канал",
|
||||
"msg_typing.areTyping": "{users} и {last} печатают...",
|
||||
"msg_typing.isTyping": "{user} печатает...",
|
||||
"navbar.channel_drawer.button": "Каналы и команды",
|
||||
"navbar.channel_drawer.hint": "Открывает панель каналов и команд",
|
||||
"navbar.leave": "Покинуть Канал",
|
||||
"navbar.more_options.button": "Больше настроек",
|
||||
"navbar.more_options.hint": "Открывает дополнительную правую боковую панель",
|
||||
"navbar.search.button": "Поиск каналов",
|
||||
"navbar.search.hint": "Открывает модальное окно поиска каналов",
|
||||
"password_form.title": "Сброс пароля",
|
||||
"password_send.checkInbox": "Проверьте свои входящие.",
|
||||
"password_send.description": "Для сброса пароля введите email адрес, использованный при регистрации",
|
||||
@@ -437,18 +561,21 @@
|
||||
"password_send.link": "Если акаунт с таким email существует, ты вы получите письмо со ссылкой для сброса пароля на:",
|
||||
"password_send.reset": "Сбросить пароль",
|
||||
"permalink.error.access": "Постоянная ссылка принадлежит к удалённому сообщению или каналу, к которому у вас нет доступа.",
|
||||
"permalink.error.link_not_found": "Ссылка не найдена",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "не получили уведомления от этого упоминания, потому что их нет в канале. Они не могут быть добавлены в канал, потому что они не являются членами связанных групп. Чтобы добавить их в этот канал, они должны быть добавлены в связанные группы.",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": " и ",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "добавить пользователей в приватный канал",
|
||||
"post_body.check_for_out_of_channel_mentions.link.public": "добавить на канал",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Они увидят всю предыдущую историю сообщений.",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "были упомянуты, но они не на канале. Не хотите ли вы ",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "упомянули, но пользователь не на канале. Не хотите ли вы ",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Они увидят всю предыдущую историю сообщений.",
|
||||
"post_body.commentedOn": "Прокомментировано сообщение {name}: ",
|
||||
"post_body.deleted": "(сообщение удалено)",
|
||||
"post_info.auto_responder": "Автоматический Ответ",
|
||||
"post_info.bot": "БОТ",
|
||||
"post_info.del": "Удалить",
|
||||
"post_info.edit": "Изменить",
|
||||
"post_info.guest": "ГОСТЬ",
|
||||
"post_info.message.show_less": "Показать меньше",
|
||||
"post_info.message.show_more": "Показать больше",
|
||||
"post_info.system": "Система",
|
||||
@@ -458,16 +585,16 @@
|
||||
"search_bar.search": "Поиск",
|
||||
"search_header.results": "Результаты поиска",
|
||||
"search_header.title2": "Недавние упоминания",
|
||||
"search_header.title3": "Отмеченные сообщения",
|
||||
"search_header.title3": "Сохраненные сообщения",
|
||||
"search_item.channelArchived": "Архив",
|
||||
"sidebar_right_menu.logout": "Выйти",
|
||||
"sidebar_right_menu.report": "Сообщить о проблеме",
|
||||
"sidebar.channels": "ПУБЛИЧНЫЕ КАНАЛЫ",
|
||||
"sidebar.direct": "ЛИЧНЫЕ СООБЩЕНИЯ",
|
||||
"sidebar.favorite": "ИЗБРАННЫЕ КАНАЛЫ",
|
||||
"sidebar.pg": "ПРИВАТНЫЕ КАНАЛЫ",
|
||||
"sidebar.types.recent": "НЕДАВНЯЯ АКТИВНОСТЬ",
|
||||
"sidebar.unreads": "Больше непрочитанных",
|
||||
"sidebar_right_menu.logout": "Выйти",
|
||||
"sidebar_right_menu.report": "Сообщить о проблеме",
|
||||
"signup.email": "Email и Пароль",
|
||||
"signup.office365": "Офис 365",
|
||||
"status_dropdown.set_away": "Отошёл",
|
||||
@@ -478,17 +605,20 @@
|
||||
"suggestion.mention.all": "Уведомляет всех на канале",
|
||||
"suggestion.mention.channel": "Уведомляет всех на канале",
|
||||
"suggestion.mention.channels": "Мои каналы",
|
||||
"suggestion.mention.groups": "Групповые упоминания",
|
||||
"suggestion.mention.here": "Уведомляет всех кто онлайн на канале",
|
||||
"suggestion.mention.members": "Участники канала",
|
||||
"suggestion.mention.morechannels": "Другие каналы",
|
||||
"suggestion.mention.nonmembers": "Не в канале",
|
||||
"suggestion.mention.special": "Особые упоминания",
|
||||
"suggestion.mention.you": "(это вы)",
|
||||
"suggestion.search.direct": "Личные сообщения",
|
||||
"suggestion.search.private": "Приватные каналы",
|
||||
"suggestion.search.public": "Публичные каналы",
|
||||
"terms_of_service.agreeButton": "Я согласен",
|
||||
"terms_of_service.api_error": "Не могу выполнить запрос. Если ошибка не исчезнет, обратитесь к своему системному администратору.",
|
||||
"user.settings.display.clockDisplay": "Отображение времени",
|
||||
"user.settings.display.custom_theme": "Пользовательская Тема",
|
||||
"user.settings.display.militaryClock": "24-часовой формат (пример: 16:00)",
|
||||
"user.settings.display.normalClock": "12-часовой формат (пример: 4:00 PM)",
|
||||
"user.settings.display.preferTime": "Выберите предпочитаемый формат времени.",
|
||||
@@ -523,115 +653,5 @@
|
||||
"user.settings.push_notification.disabled_long": "Ваш системный администратор не включил Push уведомления.",
|
||||
"user.settings.push_notification.offline": "Не в сети",
|
||||
"user.settings.push_notification.online": "В сети, отошёл или не в сети",
|
||||
"web.root.signup_info": "Все способы общения команды собраны в одном месте, с возможностью мгновенного поиска и доступом отовсюду",
|
||||
"intro_messages.creatorPrivate": "Приватный канал: {name}, созданный {creator} {date}.",
|
||||
"user.settings.display.custom_theme": "Пользовательская Тема",
|
||||
"suggestion.mention.you": "(это вы)",
|
||||
"post_info.guest": "ГОСТЬ",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "не получили уведомления от этого упоминания, потому что их нет в канале. Они не могут быть добавлены в канал, потому что они не являются членами связанных групп. Чтобы добавить их в этот канал, они должны быть добавлены в связанные группы.",
|
||||
"permalink.error.link_not_found": "Ссылка не найдена",
|
||||
"navbar.channel_drawer.hint": "Открывает панель каналов и команд",
|
||||
"navbar.channel_drawer.button": "Каналы и команды",
|
||||
"more_channels.showPublicChannels": "Показать: Публичные каналы",
|
||||
"more_channels.showArchivedChannels": "Показать: Архивированные каналы",
|
||||
"more_channels.publicChannels": "Публичные каналы",
|
||||
"more_channels.dropdownTitle": "Показать",
|
||||
"more_channels.archivedChannels": "Архивированные каналы",
|
||||
"mobile.tos_link": "Условия использования",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} установил назначение канала: {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} изменил назначение канала с {oldPurpose} на {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} удалил заголовок канала (было: {oldPurpose})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} изменил(а) заголовок канала на {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} изменил(а) заголовок канала с {oldHeader} на {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} удалил заголовок канала (было: {oldHeader})",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} сменил отображаемое имя канала с: {oldDisplayName} на: {newDisplayName}",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} разархивировал канал",
|
||||
"mobile.system_message.channel_archived_message": "{username} архивировал канал",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} хотело бы получить доступ к вашим файлам",
|
||||
"mobile.storage_permission_denied_description": "Загрузите файлы в свой экземпляр Mattermost. Откройте «Настройки», чтобы предоставить доступ к файлам на этом устройстве.",
|
||||
"mobile.sidebar_settings.permanent_description": "Держать боковую панель постоянно открытой",
|
||||
"mobile.sidebar_settings.permanent": "Постоянная боковая панель",
|
||||
"mobile.share_extension.too_long_title": "Сообщение слишком длинное",
|
||||
"mobile.share_extension.too_long_message": "Количество символов: {count}/{max}",
|
||||
"mobile.server_ssl.error.title": "Ненадежный сертификат",
|
||||
"mobile.server_ssl.error.text": "Сертификат от {host} не является доверенным.\n\nОбратитесь к системному администратору, чтобы решить проблемы с сертификатами и разрешить подключения к этому серверу.",
|
||||
"mobile.server_link.unreachable_team.error": "Постоянная ссылка принадлежит к удалённой команде или команде, к которой у вас нет доступа.",
|
||||
"mobile.server_link.unreachable_channel.error": "Постоянная ссылка принадлежит к удалённому каналу или каналу, к которому у вас нет доступа.",
|
||||
"mobile.server_link.error.title": "Ошибка ссылки",
|
||||
"mobile.server_link.error.text": "Ссылка не найдена на этом сервере.",
|
||||
"mobile.select_team.guest_cant_join_team": "В вашем гостевом аккаунте нет назначенных команд или каналов. Пожалуйста, свяжитесь с администратором.",
|
||||
"mobile.routes.user_profile.edit": "Изменить",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Разархивировать канал",
|
||||
"mobile.routes.channelInfo.groupManaged": "Участники управляются связанными группами",
|
||||
"mobile.reaction_header.all_emojis": "Все",
|
||||
"mobile.push_notification_reply.title": "Ответить",
|
||||
"mobile.push_notification_reply.placeholder": "Ответить...",
|
||||
"mobile.push_notification_reply.button": "Отправить",
|
||||
"mobile.privacy_link": "Политика конфиденциальности",
|
||||
"mobile.post_textbox.entire_channel.title": "Подтвердите отправку уведомления всему каналу",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Используя @all или @channel, вы собираетесь отправлять уведомления {totalMembers, number} {totalMembers, plural, one {человеку} other {людям}} в {timezones, number} {timezones, plural, one {часовом поясе} other {часовых поясах}}. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.entire_channel.message": "Используя @all или @channel, вы собираетесь отправлять уведомления {totalMembers, number} {totalMembers, plural, one {человеку} few {людям} other {человекам}}. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Подтвердить",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Отмена",
|
||||
"mobile.post_info.reply": "Ответить",
|
||||
"mobile.post_info.mark_unread": "Пометить как непрочитанное",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} хотело бы получить доступ к вашей библиотеке фотографий",
|
||||
"mobile.photo_library_permission_denied_description": "Чтобы сохранять фото и видео в библиотеку, вам нужно изменить настройки разрешений.",
|
||||
"mobile.permission_denied_retry": "Параметры",
|
||||
"mobile.permission_denied_dismiss": "Не разрешать",
|
||||
"mobile.managed.settings": "Перейти к настройкам",
|
||||
"mobile.managed.not_secured.ios.touchId": "Это устройство должно быть защищено паролем для использования Mattermost.\n\nПерейдите в Настройки > Touch ID и пароль.",
|
||||
"mobile.managed.not_secured.ios": "Это устройство должно быть защищено паролем для использования Mattermost. \n\nПерейдите в Настройки > Face ID и пароль.",
|
||||
"mobile.managed.not_secured.android": "Это устройство должно быть защищено с помощью блокировки экрана, чтобы использовать Mattermost.",
|
||||
"mobile.ios.photos_permission_denied_title": "{applicationName} хотело бы получить доступ к вашим фотографиям",
|
||||
"mobile.files_paste.error_title": "Вставить не удалось",
|
||||
"mobile.files_paste.error_dismiss": "Отмена",
|
||||
"mobile.files_paste.error_description": "Ошибка при отправке файлов. Пожалуйста, попробуйте снова.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Только BMP, JPG или PNG изображения могут быть использованы как изображения профиля.",
|
||||
"mobile.failed_network_action.teams_title": "Что-то пошло не так",
|
||||
"mobile.failed_network_action.teams_description": "Команды не могут быть загружены.",
|
||||
"mobile.failed_network_action.teams_channel_description": "Не удалось загрузить каналы для {teamName}.",
|
||||
"mobile.extension.team_required": "Вы должны принадлежать к команде, прежде чем вы сможете поделиться файлами.",
|
||||
"mobile.edit_profile.remove_profile_photo": "Удалить фото",
|
||||
"mobile.display_settings.sidebar": "Боковая панель",
|
||||
"mobile.channel_list.archived": "АРХИВИРОВАН",
|
||||
"mobile.channel_info.unarchive_failed": "Мы не можем разархивировать канал {displayName}. Пожалуйста, проверьте подключение и попробуйте снова.",
|
||||
"mobile.channel_info.copy_purpose": "Копировать Цель",
|
||||
"mobile.channel_info.copy_header": "Копировать заголовок",
|
||||
"mobile.channel_info.convert_success": "{displayName} стал приватным каналом.",
|
||||
"mobile.channel_info.convert_failed": "Не удалось преобразовать {displayName} в приватный канал.",
|
||||
"mobile.channel_info.convert": "Преобразовать в приватный канал",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Разархивировать {term}",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "Преобразовать {displayName} в приватный канал?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Вы действительно хотите разархивировать {term} {name}?",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "Когда вы преобразуете **{displayName}** в приватный канал, история и участники сохранятся. Публично доступные файлы останутся доступными всем, у кого есть ссылка. Стать участником приватного канала можно только по приглашению. \n\n Это изменение является постоянным и не может быть отменено.\n\nВы уверены, что хотите преобразовать {displayName} в приватный канал?",
|
||||
"mobile.message_length.message_split_left": "Сообщение превышает лимит символов",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} хотел бы получить доступ к вашей камере",
|
||||
"mobile.camera_video_permission_denied_description": "Снимайте видео и загружайте их в свой экземпляр Mattermost или сохраняйте на свое устройство. Откройте «Настройки», чтобы предоставить доступ к вашей камере для чтения и записи.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} хотел бы получить доступ к вашей камере",
|
||||
"mobile.camera_photo_permission_denied_description": "Делайте фотографии и загружайте их в свой экземпляр Mattermost или сохраняйте их на свое устройство. Откройте «Настройки», чтобы предоставить доступ к вашей камере для чтения и записи.",
|
||||
"mobile.alert_dialog.alertCancel": "Отмена",
|
||||
"date_separator.yesterday": "Вчера",
|
||||
"date_separator.today": "Cегодня",
|
||||
"channel.isGuest": "Этот человек гость",
|
||||
"channel.hasGuests": "В этом групповом сообщении есть гости",
|
||||
"channel.channelHasGuests": "У этого канала есть гости",
|
||||
"mobile.server_upgrade.learn_more": "Узнать больше",
|
||||
"mobile.server_upgrade.dismiss": "Отмена",
|
||||
"mobile.server_upgrade.alert_description": "Эта версия сервера не поддерживается, и пользователи будут сталкиваться с проблемами совместимости, которые вызывают сбои или серьезные ошибки, нарушающие основные функции приложения. Требуется обновление до версии сервера {serverVersion} или новее.",
|
||||
"suggestion.mention.groups": "Групповые упоминания",
|
||||
"mobile.android.back_handler_exit": "Нажмите еще раз, чтобы выйти",
|
||||
"mobile.unsupported_server.title": "Неподдерживаемая версия сервера",
|
||||
"mobile.unsupported_server.ok": "Ок\"",
|
||||
"mobile.unsupported_server.message": "Вложения, предварительный просмотр ссылок, реакции и встроенные данные могут отображаться некорректно. Если проблема не устраняется, обратитесь к системному администратору для обновления сервера Mattermost.",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {новое} other {новых}} {count, plural, one {сообщение}, few {сообщения} other {сообщений}}",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "Используя {mentions}, вы собираетесь отправить уведомления по крайней мере {totalMembers} людям. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "Используя {mention}, вы собираетесь отправить уведомления по крайней мере {totalMembers} людям в {timezones, number} {timezones, plural, one {часовом поясе} other {часовых поясах}}. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "Используя {mentions} и {finalMention}, вы собираетесь отправить уведомления по крайней мере {totalMembers} людям. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "Используя {mentions} и {finalMention}, вы собираетесь отправить уведомления по крайней мере {totalMembers} людям в {timezones, number} {timezones, plural, one {часовом поясе} other {часовых поясах}}. Вы уверены, что хотите это сделать?",
|
||||
"mobile.post_textbox.groups.title": "Подтвердите отправку уведомлений группам",
|
||||
"mobile.user_removed.title": "Удален из {channelName}",
|
||||
"mobile.user_removed.message": "Вы были удалены из канала.",
|
||||
"mobile.emoji_picker.search.not_found_description": "Проверьте орфографию или попробуйте другой поиск.",
|
||||
"mobile.emoji_picker.search.not_found_title": "Ничего не найдено по запросу \"{searchTerm}\""
|
||||
"web.root.signup_info": "Все способы общения команды собраны в одном месте, с возможностью мгновенного поиска и доступом отовсюду"
|
||||
}
|
||||
|
||||
@@ -1,10 +1,10 @@
|
||||
{
|
||||
"about.date": "Yapım Tarihi:",
|
||||
"about.enterpriseEditione1": "Enterprise Sürümü",
|
||||
"about.enterpriseEditionLearn": "Enterprise Sürüm hakkında şuradan ayrıntılı bilgi alabilirsiniz ",
|
||||
"about.enterpriseEditionSt": "Güvenlik duvarının arkasından modern iletişim.",
|
||||
"about.enterpriseEditione1": "Enterprise Sürümü",
|
||||
"about.hash": "Yapım Karması:",
|
||||
"about.hashee": "Kurumsal Yapım Karması:",
|
||||
"about.hashee": "Enterprise Sürüm Yapım Karması:",
|
||||
"about.teamEditionLearn": "Mattermost topluluğuna katılın: ",
|
||||
"about.teamEditionSt": "Tüm takım iletişimi tek bir yerde, anında aranabilir ve her yerden erişilebilir.",
|
||||
"about.teamEditiont0": "Team Sürümü",
|
||||
@@ -14,9 +14,17 @@
|
||||
"api.channel.add_member.added": "{addedUsername} kullanıcısı {username} tarafından kanala eklendi.",
|
||||
"archivedChannelMessage": "**Arşivlenmiş bir kanala** bakıyorsunuz. Yeni ileti gönderilemez.",
|
||||
"center_panel.archived.closeChannel": "Kanalı Kapat",
|
||||
"channel.channelHasGuests": "Bu kanalda konuklar var",
|
||||
"channel.hasGuests": "Bu grup iletisinde konuklar var",
|
||||
"channel.isGuest": "Bu kişi bir konuk",
|
||||
"channel_header.addMembers": "Üye Ekle",
|
||||
"channel_header.directchannel.you": "{displayname} (siz) ",
|
||||
"channel_header.manageMembers": "Üye Yönetimi",
|
||||
"channel_header.notificationPreference": "Mobil Bildirimler",
|
||||
"channel_header.notificationPreference.all": "Tümü",
|
||||
"channel_header.notificationPreference.default": "Varsayılan",
|
||||
"channel_header.notificationPreference.mention": "Anmalar",
|
||||
"channel_header.notificationPreference.none": "Asla",
|
||||
"channel_header.pinnedPosts": "Sabitlenmiş İletiler",
|
||||
"channel_header.viewMembers": "Üyeleri Görüntüle",
|
||||
"channel_info.header": "Başlık:",
|
||||
@@ -35,6 +43,12 @@
|
||||
"channel_modal.purposeEx": "Örnek: \"Hatalar ve geliştirmeler kanalı\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "@channel, @here, @all yok sayılsın",
|
||||
"channel_notifications.muteChannel.settings": "Kanal bildirimlerini kapat",
|
||||
"channel_notifications.preference.all_activity": "Tüm işlemler için",
|
||||
"channel_notifications.preference.global_default": "Genel varsayılan (Anmalar)",
|
||||
"channel_notifications.preference.header": "Bildirimler Gönderilsin",
|
||||
"channel_notifications.preference.never": "Asla",
|
||||
"channel_notifications.preference.only_mentions": "Yalnız anmalar ve doğrudan iletiler",
|
||||
"channel_notifications.preference.save_error": "Bildirim ayarı kaydedilemedi. Lütfen bağlantınızı denetleyip yeniden deneyin.",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{users} ve {lastUser} {actor} tarafından **kanala eklendi**.",
|
||||
"combined_system_message.added_to_channel.one": "{firstUser} {actor} tarafından **kanala eklendi**.",
|
||||
"combined_system_message.added_to_channel.one_you": "{actor} tarafından **kanala eklendiniz**.",
|
||||
@@ -71,6 +85,8 @@
|
||||
"create_comment.addComment": "Yorum yazın...",
|
||||
"create_post.deactivated": "Devre dışı bırakılmış bir kullanıcı ile arşivlenmiş bir kanala bakıyorsunuz.",
|
||||
"create_post.write": "{channelDisplayName} kanalına yazın",
|
||||
"date_separator.today": "Bugün",
|
||||
"date_separator.yesterday": "Dün",
|
||||
"edit_post.editPost": "İletiyi düzenle...",
|
||||
"edit_post.save": "Kaydet",
|
||||
"file_attachment.download": "İndir",
|
||||
@@ -80,6 +96,7 @@
|
||||
"intro_messages.anyMember": " Tüm üyeler bu kanala üye olup iletileri okuyabilir.",
|
||||
"intro_messages.beginning": "{name} başlangıcı",
|
||||
"intro_messages.creator": "{creator} tarafından {date} tarihinde oluşturulmuş {name} kanalının başlangıcı.",
|
||||
"intro_messages.creatorPrivate": "{name} özel kanalı, {creator} tarafından {date} tarihinde başlatılmış.",
|
||||
"intro_messages.group_message": "Bu takım arkadaşlarınız ile doğrudan ileti geçmişinizin başlangıcı. Bu bölüm dışındaki kişiler burada paylaşılan doğrudan ileti ve dosyaları göremez.",
|
||||
"intro_messages.noCreator": "{date} tarihinde oluşturulmuş {name} kanalının başlangıcı.",
|
||||
"intro_messages.onlyInvited": " Bu özel kanalı yalnız çağrılmış üyeler görüntüleyebilir.",
|
||||
@@ -93,9 +110,6 @@
|
||||
"last_users_message.others": "{numOthers} diğer kullanıcı ",
|
||||
"last_users_message.removed_from_channel.type": "**kanaldan çıkarıldı**.",
|
||||
"last_users_message.removed_from_team.type": "**takımdan çıkarıldı**.",
|
||||
"login_mfa.enterToken": "Oturum açma işlemini tamamlamak için, akıllı telefonunuzdaki doğrulama uygulamasındaki kodu yazın",
|
||||
"login_mfa.token": "ÇAKD Kodu",
|
||||
"login_mfa.tokenReq": "Lütfen bir ÇAKD kodu yazın",
|
||||
"login.email": "E-posta",
|
||||
"login.forgot": "Parolamı unuttum",
|
||||
"login.invalidPassword": "Parolanız yanlış.",
|
||||
@@ -112,8 +126,11 @@
|
||||
"login.or": "ya da",
|
||||
"login.password": "Parola",
|
||||
"login.signIn": "Oturum Açın",
|
||||
"login.username": "Kullanıcı Adı",
|
||||
"login.userNotFound": "Oturum açma bilgilerinizle eşleşen bir hesap bulunamadı.",
|
||||
"login.username": "Kullanıcı Adı",
|
||||
"login_mfa.enterToken": "Oturum açma işlemini tamamlamak için, akıllı telefonunuzdaki doğrulama uygulamasındaki kodu yazın",
|
||||
"login_mfa.token": "ÇAKD Kodu",
|
||||
"login_mfa.tokenReq": "Lütfen bir ÇAKD kodu yazın",
|
||||
"mobile.about.appVersion": "Uygulama Sürümü: {version} (Build {number})",
|
||||
"mobile.about.copyright": "Telif Hakkı 2015-{currentYear} Mattermost, Inc. Tüm hakları saklıdır",
|
||||
"mobile.about.database": "Veritabanı: {type}",
|
||||
@@ -121,11 +138,11 @@
|
||||
"mobile.about.powered_by": "{site} sitesi Mattermost tarafından sunulmaktadır",
|
||||
"mobile.about.serverVersion": "Sunucu Sürümü: {version} (Build {number})",
|
||||
"mobile.about.serverVersionNoBuild": "Sunucu Sürümü: {version}",
|
||||
"mobile.account.settings.save": "Kaydet",
|
||||
"mobile.account_notifications.reply.header": "ŞUNUN İÇİN YANIT BİLDİRİMLERİ GÖNDERİLSİN",
|
||||
"mobile.account_notifications.threads_mentions": "Konulardaki anmalar",
|
||||
"mobile.account_notifications.threads_start": "Başlattığım konular",
|
||||
"mobile.account_notifications.threads_start_participate": "Başlattığım ya da katıldığım konular",
|
||||
"mobile.account.settings.save": "Kaydet",
|
||||
"mobile.action_menu.select": "Bir seçenek seçin",
|
||||
"mobile.advanced_settings.clockDisplay": "Saat görünümü",
|
||||
"mobile.advanced_settings.delete": "Sil",
|
||||
@@ -133,6 +150,8 @@
|
||||
"mobile.advanced_settings.delete_title": "Belge ve Verileri Sil",
|
||||
"mobile.advanced_settings.timezone": "Saat Dilimi",
|
||||
"mobile.advanced_settings.title": "Gelişmiş Ayarlar",
|
||||
"mobile.alert_dialog.alertCancel": "İptal",
|
||||
"mobile.android.back_handler_exit": "Çıkmak için yeniden geri üzerine tıklayın",
|
||||
"mobile.android.photos_permission_denied_description": "Fotoğrafları Mattermost kopyanıza yükleyin ya da aygıtınıza kaydedin. Mattermost uygulamasına fotoğraf kitaplığınızı okuma ve yazma izni vermek için ayarları açın.",
|
||||
"mobile.android.photos_permission_denied_title": "{applicationName} fotoğraflarınıza erişmek istiyor",
|
||||
"mobile.android.videos_permission_denied_description": "Fotoğrafları Mattermost kopyanıza yükleyin ya da aygıtınıza kaydedin. Mattermost uygulamasına görüntü kitaplığınızı okuma ve yazma izni vermek için ayarları açın.",
|
||||
@@ -142,19 +161,34 @@
|
||||
"mobile.calendar.dayNamesShort": "Paz.Pzt,Sal,Çar,Per,Cum,Cmt",
|
||||
"mobile.calendar.monthNames": "Ocak,Şubat,Mart,Nisan,Mayıs,Haziran,Temmuz,Ağustos,Eylül,Ekim,Kasım,Aralık",
|
||||
"mobile.calendar.monthNamesShort": "Oca,Şub,Mar,Nis,May,Haz,Tem,Ağu,Eyl,Eki,Kas,Ara",
|
||||
"mobile.camera_photo_permission_denied_description": "Fotoğraf çekin ve Mattermost kopyanıza yükleyin ya da aygıtınıza kaydedin. Mattermost uygulamasına kameranızı okuma ve yazma izni vermek için ayarları açın.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} kameranıza erişmek istiyor",
|
||||
"mobile.camera_video_permission_denied_description": "Görüntü çekin ve Mattermost kopyanıza yükleyin ya da aygıtınıza kaydedin. Mattermost uygulamasına kameranızı okuma ve yazma izni vermek için ayarları açın.",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} kameranıza erişmek istiyor",
|
||||
"mobile.channel_drawer.search": "Şuraya geç...",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "{displayName} özel bir kanala dönüştürüldüğünde, geçmiş iletiler ve üyelikler korunur. Herkese açık olarak paylaşılmış dosyalara bağlantıya sahip olan herkes erişmeye devam edebilir. Özel kanallara yalnız çağrı ile üye olunabilir. \n \nBu değişiklik kalıcıdır ve geri alınamaz.\n\n{displayName} kanalını özel kanala dönüştürmek istediğinize emin misiniz?",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "{term} {name} kanalını arşivlemek istediğinize emin misiniz?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "{term} {name} kanalından ayrılmak istediğinize emin misiniz?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "{term} {name} kanalını arşivden çıkarmak istediğinize emin misiniz?",
|
||||
"mobile.channel_info.alertNo": "Hayır",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "{displayName} özel kanala dönüştürülsün mü?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "{term} kanalını arşivle",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "{term} Kanalından Ayrıl",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "{term} kanalını arşivden çıkar",
|
||||
"mobile.channel_info.alertYes": "Evet",
|
||||
"mobile.channel_info.convert": "Özel Kanala Dönüştür",
|
||||
"mobile.channel_info.convert_failed": "{displayName} özel kanala dönüştürülemedi.",
|
||||
"mobile.channel_info.convert_success": "{displayName} artık bir özel kanal.",
|
||||
"mobile.channel_info.copy_header": "Başlığı Kopyala",
|
||||
"mobile.channel_info.copy_purpose": "Amacı Kopyala",
|
||||
"mobile.channel_info.delete_failed": "{displayName} kanalı arşivlenemedi. Lütfen bağlantınızı denetleyip yeniden deneyin.",
|
||||
"mobile.channel_info.edit": "Kanalı Düzenle",
|
||||
"mobile.channel_info.privateChannel": "Özel Kanal",
|
||||
"mobile.channel_info.publicChannel": "Herkese Açık Kanal",
|
||||
"mobile.channel_info.unarchive_failed": "{displayName} kanalı arşivden çıkarılamadı. Lütfen bağlantınızı denetleyip yeniden deneyin.",
|
||||
"mobile.channel_list.alertNo": "Hayır",
|
||||
"mobile.channel_list.alertYes": "Evet",
|
||||
"mobile.channel_list.archived": "ARŞİVLENMİŞ",
|
||||
"mobile.channel_list.channels": "KANALLAR",
|
||||
"mobile.channel_list.closeDM": "Doğrudan İletiyi Kapat",
|
||||
"mobile.channel_list.closeGM": "Grup İletisini Kapat",
|
||||
@@ -191,6 +225,7 @@
|
||||
"mobile.create_channel.public": "Yeni Herkese Açık Kanal",
|
||||
"mobile.create_post.read_only": "Bu kanal salt okunur",
|
||||
"mobile.custom_list.no_results": "Herhangi bir sonuç bulunamadı",
|
||||
"mobile.display_settings.sidebar": "Yan Çubuk",
|
||||
"mobile.display_settings.theme": "Tema",
|
||||
"mobile.document_preview.failed_description": "Belge açılırken bir sorun çıktı. Lütfen {fileType} türündeki dosyalar için bir görüntüleyicinin kurulmuş olduğundan emin olun ve yeniden deneyin.\n",
|
||||
"mobile.document_preview.failed_title": "Belge Açılamadı",
|
||||
@@ -209,6 +244,7 @@
|
||||
"mobile.drawer.teamsTitle": "Takımlar",
|
||||
"mobile.edit_channel": "Kaydet",
|
||||
"mobile.edit_post.title": "İleti Düzenleniyor",
|
||||
"mobile.edit_profile.remove_profile_photo": "Fotoğrafı Kaldır",
|
||||
"mobile.emoji_picker.activity": "ETKİNLİK",
|
||||
"mobile.emoji_picker.custom": "ÖZEL",
|
||||
"mobile.emoji_picker.flags": "İŞARETLER",
|
||||
@@ -218,6 +254,8 @@
|
||||
"mobile.emoji_picker.people": "KİŞİLER",
|
||||
"mobile.emoji_picker.places": "YERLER",
|
||||
"mobile.emoji_picker.recent": "SON KULLANILANLAR",
|
||||
"mobile.emoji_picker.search.not_found_description": "Yazımı denetleyin ya da başka bir arama yapmayı deneyin.",
|
||||
"mobile.emoji_picker.search.not_found_title": "\"{searchTerm}\" ile eşleşen bir sonuç bulunamadı",
|
||||
"mobile.emoji_picker.symbols": "SİMGELER",
|
||||
"mobile.error_handler.button": "Yeniden başlat",
|
||||
"mobile.error_handler.description": "\nUygulamayı açmak için yeniden başlat üzerine tıklayın. Yeniden başlatıldıktan sonra ayarlar menüsünden sorunu bildirebilirsiniz.\n",
|
||||
@@ -227,42 +265,60 @@
|
||||
"mobile.extension.file_limit": "Paylaşımda en çok 5 dosya bulunabilir.",
|
||||
"mobile.extension.max_file_size": "Mattermost üzerinde paylaşılan ek dosyalar {size} boyutundan küçük olmalıdır.",
|
||||
"mobile.extension.permission": "Mattermost dosyaları paylaşabilmek için depolama aygıtlarına erişebilmelidir.",
|
||||
"mobile.extension.team_required": "Dosya paylaşabilmek için önce bir takımın üyesi olmalısınız.",
|
||||
"mobile.extension.title": "Mattermost Üzerinde Paylaş",
|
||||
"mobile.failed_network_action.retry": "Yeniden dene",
|
||||
"mobile.failed_network_action.shortDescription": "İletiler İnternet bağlantınız olduğunda yüklenecek.",
|
||||
"mobile.failed_network_action.teams_channel_description": "{teamName} takımının kanalları yüklenemedi.",
|
||||
"mobile.failed_network_action.teams_description": "Takımlar yüklenemedi.",
|
||||
"mobile.failed_network_action.teams_title": "Bir şeyler ters gitti",
|
||||
"mobile.failed_network_action.title": "İnternet bağlantısı yok",
|
||||
"mobile.file_upload.browse": "Dosyalara Göz At",
|
||||
"mobile.file_upload.camera_photo": "Fotoğraf Çek",
|
||||
"mobile.file_upload.camera_video": "Görüntü Kaydet",
|
||||
"mobile.file_upload.library": "Fotoğraf Kitaplığı",
|
||||
"mobile.file_upload.max_warning": "En fazla 5 dosya yüklenebilir.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Profil görseli olarak yalnız BMP, JPG ya da PNG dosyaları kullanılabilir.",
|
||||
"mobile.file_upload.video": "Görüntü Kitaplığı",
|
||||
"mobile.flagged_posts.empty_description": "İşaretler iletileri izlemek için kullanılır. İşaretleriniz kişiseldir ve diğer kullanıcılar tarafından görülemez.",
|
||||
"mobile.flagged_posts.empty_title": "İşaretlenmiş İleti Yok",
|
||||
"mobile.files_paste.error_description": "Dosyalar yapıştırılırken bir sorun çıktı. Lütfen yeniden deneyin.",
|
||||
"mobile.files_paste.error_dismiss": "Yok say",
|
||||
"mobile.files_paste.error_title": "Yapıştırılamadı",
|
||||
"mobile.flagged_posts.empty_description": "Kaydedilmiş iletileri yalnız siz görebilirsiniz. İletileri izlemek için işaretleyin ya da bir şeyi kaydetmek için ileti üzerine uzun basıp menüden Kaydet komutunu seçin.",
|
||||
"mobile.flagged_posts.empty_title": "Kaydedilmiş bir ileti yok",
|
||||
"mobile.help.title": "Yardım",
|
||||
"mobile.image_preview.save": "Görseli Kaydet",
|
||||
"mobile.image_preview.save_video": "Görüntüyü Kaydet",
|
||||
"mobile.intro_messages.DM": "{teammate} takım arkadaşınız ile doğrudan ileti geçmişinizin başlangıcı. Bu bölüm dışındaki kişiler burada paylaşılan doğrudan ileti ve dosyaları göremez.",
|
||||
"mobile.intro_messages.default_message": "Takım arkadaşlarınız kayıt olduğunda görecekleri ilk kanal budur. Bu kanalı herkesin bilmesi gereken iletiler için kullanın.",
|
||||
"mobile.intro_messages.default_welcome": "{name} üzerine hoş geldiniz!",
|
||||
"mobile.intro_messages.DM": "{teammate} takım arkadaşınız ile doğrudan ileti geçmişinizin başlangıcı. Bu bölüm dışındaki kişiler burada paylaşılan doğrudan ileti ve dosyaları göremez.",
|
||||
"mobile.ios.photos_permission_denied_description": "Fotoğraf ve görüntüleri Mattermost kopyanıza yükleyin ya da aygıtınıza kaydedin. Mattermost uygulamasına fotoğraf ve görüntü kitaplığınızı okuma ve yazma izni vermek için ayarları açın.",
|
||||
"mobile.ios.photos_permission_denied_title": "{applicationName} fotoğraflarınıza erişmek istiyor",
|
||||
"mobile.join_channel.error": "{displayName} kanalına katınılamadı. Lütfen bağlantınızı denetleyip yeniden deneyin.",
|
||||
"mobile.link.error.text": "Bağlantı açılamadı.",
|
||||
"mobile.link.error.title": "Hata",
|
||||
"mobile.loading_channels": "Kanallar Yükleniyor...",
|
||||
"mobile.loading_members": "Üyeler Yükleniyor...",
|
||||
"mobile.loading_options": "Ayarlar Yükleniyor...",
|
||||
"mobile.loading_posts": "İletiler yükleniyor...",
|
||||
"mobile.login_options.choose_title": "Oturum açma yönteminizi seçin",
|
||||
"mobile.long_post_title": "{channelName} - İleti",
|
||||
"mobile.mailTo.error.text": "Bir e-posta istemcisi açılamadı.",
|
||||
"mobile.mailTo.error.title": "Hata",
|
||||
"mobile.managed.blocked_by": "{vendor} tarafından engellenmiş",
|
||||
"mobile.managed.exit": "Çık",
|
||||
"mobile.managed.jailbreak": "Jailbreak uygulanmış aygıtlara {vendor} tarafından güvenilmiyor, lütfen uygulamadan çıkın.",
|
||||
"mobile.managed.not_secured.android": "Bu aygıtta Mattermost kullanılabilmesi için ekran kilidi güvenliğinin etkinleştirilmesi gerekir.",
|
||||
"mobile.managed.not_secured.ios": "Bu aygıtta Mattermost kullanılabilmesi için parola güvenliğinin etkinleştirilmesi gerekir.\n\nAyarlar > Face ID ve Parola bölümünden ayarlayabilirsiniz.",
|
||||
"mobile.managed.not_secured.ios.touchId": "Bu aygıtta Mattermost kullanılabilmesi için parola güvenliğinin etkinleştirilmesi gerekir.\n\nAyarlar > Touch ID ve Parola bölümünden ayarlayabilirsiniz.",
|
||||
"mobile.managed.secured_by": "{vendor} tarafından korunuyor",
|
||||
"mobile.managed.settings": "Ayarlara git",
|
||||
"mobile.markdown.code.copy_code": "Kodu Kopyala",
|
||||
"mobile.markdown.code.plusMoreLines": "+ {count, number} diğer {count, plural, one {satır} other {satır}}",
|
||||
"mobile.markdown.image.too_large": "Görsel {maxWidth} x {maxHeight} boyutundan büyük:",
|
||||
"mobile.markdown.link.copy_url": "Adresi Kopyala",
|
||||
"mobile.mention.copy_mention": "Anmayı Kopyala",
|
||||
"mobile.message_length.message": "Yazdığınız ileti çok uzun. Şu andaki karakter sayısı: {count}/{max}",
|
||||
"mobile.message_length.message_split_left": "İletinin uzunluğu karakter sınırını aşıyor",
|
||||
"mobile.message_length.title": "İleti Uzunluğu",
|
||||
"mobile.more_dms.add_more": "{remaining, number} kullanıcı daha ekleyebilirsiniz",
|
||||
"mobile.more_dms.cannot_add_more": "Daha fazla kullanıcı ekleyemezsiniz",
|
||||
@@ -270,9 +326,32 @@
|
||||
"mobile.more_dms.start": "Başlat",
|
||||
"mobile.more_dms.title": "Yeni Konuşma",
|
||||
"mobile.more_dms.you": "(@{username} - siz)",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {yeni} other {daha yeni}} {count, plural, one {ileti} other {ileti}}",
|
||||
"mobile.notice_mobile_link": "mobil uygulamalar",
|
||||
"mobile.notice_platform_link": "sunucu",
|
||||
"mobile.notice_text": "Mattermost kullandığımız {platform} ve {mobile} üzerinde açık kaynaklı yazılım sayesinde var.",
|
||||
"mobile.notification.in": " içinde ",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Merhaba, Ofis dışında olduğumdan iletilere yanıt veremiyorum.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Etkin",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Doğrudan İletilere otomatik olarak verilecek yanıt metnini yazın. Herkese Açık ve Özel Kanallardaki anmalar otomatik yanıtı tetiklemez. Otomatik Yanıtların ayarlanması durumunuzu Ofis Dışında olarak değiştirerek e-posta ve anında bildirimleri devre dışı bırakır.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "İleti",
|
||||
"mobile.notification_settings.auto_responder.message_title": "ÖZEL İLETİ",
|
||||
"mobile.notification_settings.auto_responder_short": "Otomatik Yanıtlar",
|
||||
"mobile.notification_settings.email": "E-posta",
|
||||
"mobile.notification_settings.email.send": "E-POSTA BİLDİRİMLERİNİ GÖNDER",
|
||||
"mobile.notification_settings.email_title": "E-posta Bildirimleri",
|
||||
"mobile.notification_settings.mentions.channelWide": "Tüm kanal anmaları",
|
||||
"mobile.notification_settings.mentions.reply_title": "Şunun için yanıt bildirimleri gönderilsin",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Büyük küçük harfe duyarlı olan adınız",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Büyük küçük harfe duyarlı olmayan kullanıcı adınız",
|
||||
"mobile.notification_settings.mentions_replies": "Anmalar ve Yanıtlar",
|
||||
"mobile.notification_settings.mobile": "Cep Telefonu",
|
||||
"mobile.notification_settings.mobile_title": "Cep Telefonu Bildirimlerİ",
|
||||
"mobile.notification_settings.modal_cancel": "İPTAL",
|
||||
"mobile.notification_settings.modal_save": "KAYDET",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Otomatik Doğrudan İleti Yanıtları",
|
||||
"mobile.notification_settings.save_failed_description": "Bağlantı sorunu nedeniyle bildirim ayarları kaydedilemedi, lütfen yeniden deneyin.",
|
||||
"mobile.notification_settings.save_failed_title": "Bağlantı sorunu",
|
||||
"mobile.notification_settings_mentions.keywords": "Anahtar Sözcükler",
|
||||
"mobile.notification_settings_mentions.keywordsDescription": "Bir anmayı tetikleyecek diğer sözcükler",
|
||||
"mobile.notification_settings_mentions.keywordsHelp": "Anahtar sözcükler büyük küçük harfe duyarlı değildir ve virgül ile ayrılarak yazılmalıdır.",
|
||||
@@ -289,47 +368,18 @@
|
||||
"mobile.notification_settings_mobile.test": "Deneme bildirimi gönder",
|
||||
"mobile.notification_settings_mobile.test_push": "Bu bir deneme bildirimidir",
|
||||
"mobile.notification_settings_mobile.vibrate": "Titret",
|
||||
"mobile.notification_settings.auto_responder_short": "Otomatik Yanıtlar",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Merhaba, Ofis dışında olduğumdan iletilere yanıt veremiyorum.",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Etkin",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Doğrudan İletilere otomatik olarak verilecek yanıt metnini yazın. Herkese Açık ve Özel Kanallardaki anmalar otomatik yanıtı tetiklemez. Otomatik Yanıtların ayarlanması durumunuzu Ofis Dışında olarak değiştirerek e-posta ve anında bildirimleri devre dışı bırakır.",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "İleti",
|
||||
"mobile.notification_settings.auto_responder.message_title": "ÖZEL İLETİ",
|
||||
"mobile.notification_settings.email": "E-posta",
|
||||
"mobile.notification_settings.email_title": "E-posta Bildirimleri",
|
||||
"mobile.notification_settings.email.send": "E-POSTA BİLDİRİMLERİNİ GÖNDER",
|
||||
"mobile.notification_settings.mentions_replies": "Anmalar ve Yanıtlar",
|
||||
"mobile.notification_settings.mentions.channelWide": "Tüm kanal anmaları",
|
||||
"mobile.notification_settings.mentions.reply_title": "Şunun için yanıt bildirimleri gönderilsin",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Büyük küçük harfe duyarlı olan adınız",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Büyük küçük harfe duyarlı olmayan kullanıcı adınız",
|
||||
"mobile.notification_settings.mobile": "Cep Telefonu",
|
||||
"mobile.notification_settings.mobile_title": "Cep Telefonu Bildirimlerİ",
|
||||
"mobile.notification_settings.modal_cancel": "İPTAL",
|
||||
"mobile.notification_settings.modal_save": "KAYDET",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Otomatik Doğrudan İleti Yanıtları",
|
||||
"mobile.notification_settings.save_failed_description": "Bağlantı sorunu nedeniyle bildirim ayarları kaydedilemedi, lütfen yeniden deneyin.",
|
||||
"mobile.notification_settings.save_failed_title": "Bağlantı sorunu",
|
||||
"mobile.notification.in": " içinde ",
|
||||
"mobile.offlineIndicator.connected": "Bağlandı",
|
||||
"mobile.offlineIndicator.connecting": "Bağlanıyor...",
|
||||
"mobile.offlineIndicator.offline": "İnternet bağlantısı yok",
|
||||
"mobile.open_dm.error": "{displayName} kanalına doğrudan ileti açılamadı. Lütfen bağlantınızı denetleyip yeniden deneyin.",
|
||||
"mobile.open_gm.error": "Bu kullanıcılar ile bir grup iletisi açılamadı. Lütfen bağlantınızı denetleyip yeniden deneyin.",
|
||||
"mobile.open_unknown_channel.error": "Kanala katılınamadı. Lütfen ön belleği sıfırlayıp yeniden deneyin.",
|
||||
"mobile.pinned_posts.empty_description": "Önemli iletileri üzerinde basılı tutarken \"Kanala Sabitle\" seçeneği ile sabitleyebilirsiniz.",
|
||||
"mobile.pinned_posts.empty_title": "Sabitlenmiş İleti Yok",
|
||||
"mobile.post_info.add_reaction": "Tepki Ekle",
|
||||
"mobile.post_info.copy_text": "Metni Kopyala",
|
||||
"mobile.post_info.flag": "İşaretle",
|
||||
"mobile.post_info.pin": "Kanala Sabitle",
|
||||
"mobile.post_info.unflag": "İşareti Kaldır",
|
||||
"mobile.post_info.unpin": "Kanal Sabitlemesini Kaldır",
|
||||
"mobile.post_pre_header.flagged": "İşaretlenmiş",
|
||||
"mobile.post_pre_header.pinned": "Sabitlenmiş",
|
||||
"mobile.post_pre_header.pinned_flagged": "Sabitlenmiş ve İşaretlenmiş",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Bazı ek dosyaları sunucuya yüklenemedi. İletiyi göndermek istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Ek dosya yüklenemedi",
|
||||
"mobile.permission_denied_dismiss": "İzin Verme",
|
||||
"mobile.permission_denied_retry": "Ayarlar",
|
||||
"mobile.photo_library_permission_denied_description": "Kitaplığınıza fotoğraf ve görüntü kaydedebilmek için izin ayarlarınızı değiştirmelisiniz.",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} fotoğraf kitaplığınıza erişmek isityor",
|
||||
"mobile.pinned_posts.empty_description": "Önemli iletileri tüm kanala görüntülenmesi için sabitleyin. Buraya kaydetmek istediğiniz iletilerin üzerine uzun basın ve Kanala Sabitle komutunu seçin.",
|
||||
"mobile.pinned_posts.empty_title": "Sabitlenmiş bir ileti yok",
|
||||
"mobile.post.cancel": "İptal",
|
||||
"mobile.post.delete_question": "Bu iletiyi silmek istediğinize emin misiniz?",
|
||||
"mobile.post.delete_title": "İletisi Sil",
|
||||
@@ -337,9 +387,37 @@
|
||||
"mobile.post.failed_retry": "Yeniden Dene",
|
||||
"mobile.post.failed_title": "İletinizi gönderilemedi",
|
||||
"mobile.post.retry": "Yenile",
|
||||
"mobile.post_info.add_reaction": "Tepki Ekle",
|
||||
"mobile.post_info.copy_text": "Metni Kopyala",
|
||||
"mobile.post_info.flag": "İşaretle",
|
||||
"mobile.post_info.mark_unread": "Okunmamış Olarak İşaretle",
|
||||
"mobile.post_info.pin": "Kanala Sabitle",
|
||||
"mobile.post_info.reply": "Yanıtla",
|
||||
"mobile.post_info.unflag": "İşareti Kaldır",
|
||||
"mobile.post_info.unpin": "Kanal Sabitlemesini Kaldır",
|
||||
"mobile.post_pre_header.flagged": "İşaretlenmiş",
|
||||
"mobile.post_pre_header.pinned": "Sabitlenmiş",
|
||||
"mobile.post_pre_header.pinned_flagged": "Sabitlenmiş ve İşaretlenmiş",
|
||||
"mobile.post_textbox.entire_channel.cancel": "İptal",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Onayla",
|
||||
"mobile.post_textbox.entire_channel.message": "@all ya da @channel kullanıldığında bildirimler {totalMembers, number} {totalMembers, plural, one {kişiye} other {kişiye}} gönderilir. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "@all ya da @channel kullanıldığında bildirimler {totalMembers, number} {totalMembers, plural, one {person} other {people}} kişiye ve {timezones, number} {timezones, plural, one {saat dilimine} other {saat dilimine}} gönderilir. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.entire_channel.title": "Bildirimlerin tüm kanala gönderilmesini onayla",
|
||||
"mobile.post_textbox.groups.title": "Gruplara bildirim gönderilmesini onaylayın",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "{mentions} ve {finalMention} kullanarak, en az {timezones, number} {timezones, plural, one {saat dilimi} other {saat dilimi}} üzerindeki {totalMembers} kişiye bildirim göndereceksiniz. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "{mentions} ve {finalMention} kullanarak, en az {totalMembers} kişiye bildirim göndereceksiniz. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "{mention} kullanarak {timezones, number} {timezones, plural, one {saat dilimi} other {saat dilimi}} üzerindeki {totalMembers} kişiye bildirim göndereceksiniz. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "{mention} kullanarak {totalMembers} kişiye bildirim göndereceksiniz. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Bazı ek dosyaları sunucuya yüklenemedi. İletiyi göndermek istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Ek dosya yüklenemedi",
|
||||
"mobile.posts_view.moreMsg": "Yukarıdaki Diğer Yeni İletiler",
|
||||
"mobile.recent_mentions.empty_description": "Kullanıcı adınızı ve diğer sözcükleri içeren iletilerin tetiklediği anmalar burada görüntülenir.",
|
||||
"mobile.recent_mentions.empty_title": "Yakınlarda Bir Anılma Yok",
|
||||
"mobile.privacy_link": "Kişisel Verilerin Gizliliği İlkesi",
|
||||
"mobile.push_notification_reply.button": "Gönder",
|
||||
"mobile.push_notification_reply.placeholder": "Yanıt yazın...",
|
||||
"mobile.push_notification_reply.title": "Yanıtla",
|
||||
"mobile.reaction_header.all_emojis": "Tümü",
|
||||
"mobile.recent_mentions.empty_description": "Birinin sizi andığı ya da tetikleyici sözcüklerinizi kullandığı iletiler buraya kaydedilir.",
|
||||
"mobile.recent_mentions.empty_title": "Bir anılma yok",
|
||||
"mobile.rename_channel.display_name_maxLength": "Kanal adı en fazla {maxLength, number} karakter uzunluğunda olmalıdır",
|
||||
"mobile.rename_channel.display_name_minLength": "Kanal adı en az {minLength, number} karakter uzunluğunda olmalıdır",
|
||||
"mobile.rename_channel.display_name_required": "Kanal adı zorunludur",
|
||||
@@ -353,13 +431,15 @@
|
||||
"mobile.reset_status.alert_ok": "Tamam",
|
||||
"mobile.reset_status.title_ooo": "\"Ofis Dışında\" devre dışı bırakılsın mı?",
|
||||
"mobile.retry_message": "İletiler yenilenemedi. Yeniden denemek için yukarı çekin.",
|
||||
"mobile.routes.channel_members.action": "Üyeleri Çıkar",
|
||||
"mobile.routes.channel_members.action_message": "Kanaldan çıkarılacak en az bir üye seçmelisiniz.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Seçilmiş üyeleri kanaldan çıkarmak istediğinize emin misiniz?",
|
||||
"mobile.routes.channelInfo": "Bilgiler",
|
||||
"mobile.routes.channelInfo.createdBy": "{creator} tarafından şu zamanda oluşturuldu ",
|
||||
"mobile.routes.channelInfo.delete_channel": "Kanalı Arşivle",
|
||||
"mobile.routes.channelInfo.favorite": "Beğendiklerime Ekle",
|
||||
"mobile.routes.channelInfo.groupManaged": "Üyeler ilişkilendirilmiş gruplar tarafından yönetilir",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Kanalı Arşivden Çıkar",
|
||||
"mobile.routes.channel_members.action": "Üyeleri Çıkar",
|
||||
"mobile.routes.channel_members.action_message": "Kanaldan çıkarılacak en az bir üye seçmelisiniz.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Seçilmiş üyeleri kanaldan çıkarmak istediğinize emin misiniz?",
|
||||
"mobile.routes.code": "{language} Kodu",
|
||||
"mobile.routes.code.noLanguage": "Kod",
|
||||
"mobile.routes.edit_profile": "Profili Düzenle",
|
||||
@@ -375,6 +455,7 @@
|
||||
"mobile.routes.thread": "{channelName} Konusu",
|
||||
"mobile.routes.thread_dm": "Doğrudan İleti Konusu",
|
||||
"mobile.routes.user_profile": "Profil",
|
||||
"mobile.routes.user_profile.edit": "Düzenle",
|
||||
"mobile.routes.user_profile.local_time": "YEREL ZAMAN",
|
||||
"mobile.routes.user_profile.send_message": "İleti Gönder",
|
||||
"mobile.search.after_modifier_description": "belirli bir tarihten sonraki iletileri bulmak için",
|
||||
@@ -387,11 +468,22 @@
|
||||
"mobile.search.no_results": "Herhangi bir sonuç bulunamadı",
|
||||
"mobile.search.on_modifier_description": "belirli bir tarihteki iletileri bulmak için",
|
||||
"mobile.search.recent_title": "Son Aramalar",
|
||||
"mobile.select_team.guest_cant_join_team": "Konuk hesabınız ile ilişkili bir takım ya da kanal yok. Lütfen bir yönetici ile görüşün.",
|
||||
"mobile.select_team.join_open": "Katılabileceğiniz diğer açık takımlar",
|
||||
"mobile.select_team.no_teams": "Katılabileceğiniz herhangi bir takım yok.",
|
||||
"mobile.server_link.error.text": "Bağlantı bu sunucu üzerinde bulunamadı.",
|
||||
"mobile.server_link.error.title": "Bağlantı Sorunu",
|
||||
"mobile.server_link.unreachable_channel.error": "Bu bağlantı silinmiş ya da erişiminiz olmayan bir kanala ait.",
|
||||
"mobile.server_link.unreachable_team.error": "Bu bağlantı silinmiş ya da erişiminiz olmayan bir takıma ait.",
|
||||
"mobile.server_ssl.error.text": "{host} sertifikası güvenilir değil.\n\nLütfen sertifika sorunlarını çözerek bu sunucu ile bağlantı kurulabilmesini sağlaması için Sistem Yöneticiniz ile görüşün.",
|
||||
"mobile.server_ssl.error.title": "Güvenilmeyen Sertifika",
|
||||
"mobile.server_upgrade.alert_description": "Bu sunucu sürümü desteklenmediğinden, kullanıcılar uyumluluk sorunlarından kaynaklanan çökmeler ya da uygulamanın temel işlevselliğini bozan ciddi sorunlar ile karşılaşacak. Sunucu sürümünün {ServerVersion} ya da üzerindeki bir sürüme yükseltilmesi gerekli.",
|
||||
"mobile.server_upgrade.button": "Tamam",
|
||||
"mobile.server_upgrade.description": "\nMattermost uygulamasını kullanmak için sunucunun güncellenmesi gerekiyor. Lütfen ayrıntılı bilgi almak için sistem yöneticisi ile görüşün.\n",
|
||||
"mobile.server_upgrade.dismiss": "Yok say",
|
||||
"mobile.server_upgrade.learn_more": "Ayrıntılı Bilgi Alın",
|
||||
"mobile.server_upgrade.title": "Sunucunun güncellenmesi gerekli",
|
||||
"mobile.server_url.empty": "Lütfen geçerli bir sunucu adresi yazın",
|
||||
"mobile.server_url.invalid_format": "Adres http:// yada https:// ile başlamalıdır",
|
||||
"mobile.session_expired": "Oturum Süresi Dolmuş: Lütfen bildirimleri alabilmek için oturum açın. {siteName} oturumları {daysCount, number} {daysCount, plural, one {gün} other {gün}} süreyle açık kalır.",
|
||||
"mobile.set_status.away": "Uzakta",
|
||||
@@ -404,7 +496,22 @@
|
||||
"mobile.share_extension.error_message": "Paylaşım eklentisi kullanılırken bir sorun çıktı.",
|
||||
"mobile.share_extension.error_title": "Eklenti Sorunu",
|
||||
"mobile.share_extension.team": "Takım",
|
||||
"mobile.share_extension.too_long_message": "Karakter sayısı: {count}/{max}",
|
||||
"mobile.share_extension.too_long_title": "İleti çok uzun",
|
||||
"mobile.sidebar_settings.permanent": "Yan Çubuk Kalıcı Olsun",
|
||||
"mobile.sidebar_settings.permanent_description": "Bu seçenek etkinleştirildiğinde, yan çubuk kalıcı olarak açık kalır",
|
||||
"mobile.storage_permission_denied_description": "Dosyaları Mattermost kopyanıza yükleyin. Mattermost uygulamasına bu aygıt üzerindeki dosyaları okuma ve yazma izni vermek için ayarları açın.",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} dosyalarınıza erişmek istiyor",
|
||||
"mobile.suggestion.members": "Üyeler",
|
||||
"mobile.system_message.channel_archived_message": "{username} kanalı arşivledi",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} kanalı arşivden çıkardı",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username}, {oldDisplayName} olarak görüntülenen kanal adını {newDisplayName} olarak değiştirdi",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} kanal başlığını kaldırdı ({oldHeader} idi)",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username}, {oldHeader} olan eski kanal başlığını {newHeader} olarak değiştirdi",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} kanal başlığını {newHeader} olarak değiştirdi",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} kanal amacını kaldırdı ({oldPurpose} idi)",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username}, {oldPurpose} olan eski kanal amacını {newPurpose} olarak değiştirdi",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} kanal amacını {newPurpose} olarak değiştirdi",
|
||||
"mobile.terms_of_service.alert_cancel": "İptal",
|
||||
"mobile.terms_of_service.alert_ok": "Tamam",
|
||||
"mobile.terms_of_service.alert_retry": "Yeniden Dene",
|
||||
@@ -412,12 +519,18 @@
|
||||
"mobile.timezone_settings.automatically": "Otomatik olarak ayarlansın",
|
||||
"mobile.timezone_settings.manual": "Saat dilimini değiştir",
|
||||
"mobile.timezone_settings.select": "Saat Dilimini Seçin",
|
||||
"mobile.user_list.deactivated": "Devre Dışı",
|
||||
"mobile.tos_link": "Hizmet Koşulları",
|
||||
"mobile.unsupported_server.message": "Ek dosyalar, bağlantı ön izlemeleri, tepkiler ve gömülü veriler doğru görüntülenmeyebilir. Bu sorun sürerse BT yöneticinizden Mattermost sürümünü yükseltmesi gerektiğini bildirin.",
|
||||
"mobile.unsupported_server.ok": "Tamam",
|
||||
"mobile.unsupported_server.title": "Sunucu sürümü desteklenmiyor",
|
||||
"mobile.user.settings.notifications.email.fifteenMinutes": "15 dakikada bir",
|
||||
"mobile.video_playback.failed_description": "Görüntü oynatılmaya çalışılırken bir sorun çıktı.\n",
|
||||
"mobile.video_playback.failed_title": "Görüntü oynatılamadı",
|
||||
"mobile.user_list.deactivated": "Devre Dışı",
|
||||
"mobile.user_removed.message": "Kanaldan çıkarıldınız.",
|
||||
"mobile.user_removed.title": "{channelName} kanalından çıkarıldı",
|
||||
"mobile.video.save_error_message": "Görüntü dosyasını kaydedebilmek için önce indirmelisiniz.",
|
||||
"mobile.video.save_error_title": "Görüntü Kaydetme Sorunu",
|
||||
"mobile.video_playback.failed_description": "Görüntü oynatılmaya çalışılırken bir sorun çıktı.\n",
|
||||
"mobile.video_playback.failed_title": "Görüntü oynatılamadı",
|
||||
"mobile.youtube_playback_error.description": "YouTube görüntüsü oynatılırken bir sorun çıktı.\nAyrıntılar: {details}",
|
||||
"mobile.youtube_playback_error.title": "YouTube oynatma hatası",
|
||||
"modal.manual_status.auto_responder.message_": "Durumunuzu \"{status}\" olarak değiştirmek ve Otomatik Yanıtları devre dışı bırakmak istediğinize emin misiniz?",
|
||||
@@ -425,11 +538,22 @@
|
||||
"modal.manual_status.auto_responder.message_dnd": "Durumunuzu \"Rahatsız Etmeyin\" olarak değiştirmek ve Otomatik Yanıtları devre dışı bırakmak istediğinize emin misiniz?",
|
||||
"modal.manual_status.auto_responder.message_offline": "Durumunuzu \"Çevrimdışı\" olarak değiştirmek ve Otomatik Yanıtları devre dışı bırakmak istediğinize emin misiniz?",
|
||||
"modal.manual_status.auto_responder.message_online": "Durumunuzu \"Çevrimiçi\" olarak değiştirmek ve Otomatik Yanıtları devre dışı bırakmak istediğinize emin misiniz?",
|
||||
"more_channels.archivedChannels": "Arşivlenmiş Kanallar",
|
||||
"more_channels.dropdownTitle": "Görüntüle",
|
||||
"more_channels.noMore": "Katılabileceğiniz başka bir kanal yok",
|
||||
"more_channels.publicChannels": "Herkese Açık Kanallar",
|
||||
"more_channels.showArchivedChannels": "Görüntüle: Arşivlenmiş Kanallar",
|
||||
"more_channels.showPublicChannels": "Görüntüle: Herkese Açık Kanallar",
|
||||
"more_channels.title": "Diğer Kanallar",
|
||||
"msg_typing.areTyping": "{users} ve {last} yazıyor...",
|
||||
"msg_typing.isTyping": "{user} yazıyor...",
|
||||
"navbar.channel_drawer.button": "Kanallar ve takımlar",
|
||||
"navbar.channel_drawer.hint": "Kanallar ve takımlar panosunu açar",
|
||||
"navbar.leave": "Kanaldan Ayrıl",
|
||||
"navbar.more_options.button": "Diğer Ayarlar",
|
||||
"navbar.more_options.hint": "Sağ yan çubukta diğer ayarları açar",
|
||||
"navbar.search.button": "Kanal Arama",
|
||||
"navbar.search.hint": "Kanal arama penceresini üste açar",
|
||||
"password_form.title": "Parolayı Sıfırla",
|
||||
"password_send.checkInbox": "Lütfen gelen kutunuza bakın.",
|
||||
"password_send.description": "Parolanızı sıfırlamak için hesabınızı açarken kullandığınız e-posta adresini yazın",
|
||||
@@ -437,18 +561,21 @@
|
||||
"password_send.link": "Hesap varsa şuraya bir parola sıfırlama e-postası gönderilecek:",
|
||||
"password_send.reset": "Parolamı sıfırla",
|
||||
"permalink.error.access": "Kalıcı bağlantı silinmiş ya da erişiminiz olmayan bir kanaldaki bir iletiye ait.",
|
||||
"permalink.error.link_not_found": "Bağlantı Bulunamadı",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "kanalda bulunmadıkları için bu anma nedeniyle bildirim gönderilmeyecek. İlişkilendirilmiş grupların üyesi olmadıklarından bu kanala eklenemezler. Onları bu kanala eklemek için ilişkilendirilmiş gruplara eklenmeleri gerekir.",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": " ve ",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "bu özel kanala eklemek ister misiniz",
|
||||
"post_body.check_for_out_of_channel_mentions.link.public": "kanala eklemek ister misiniz",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Tüm ileti geçmişini görebilirler.",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "anılmış ancak kanalda değiller. Şunu yapmak ister misiniz ",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "anılmış ancak kanalda değil. Şunu yapmak ister misiniz ",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Tüm ileti geçmişini görebilirler.",
|
||||
"post_body.commentedOn": "{name} iletisine yorum yapıldı: ",
|
||||
"post_body.deleted": "(ileti silindi)",
|
||||
"post_info.auto_responder": "OTOMATİK YANIT",
|
||||
"post_info.bot": "BOT",
|
||||
"post_info.del": "Sil",
|
||||
"post_info.edit": "Düzenle",
|
||||
"post_info.guest": "KONUK",
|
||||
"post_info.message.show_less": "Daha az ayrıntı",
|
||||
"post_info.message.show_more": "Daha çok ayrıntı",
|
||||
"post_info.system": "Sistem",
|
||||
@@ -458,16 +585,16 @@
|
||||
"search_bar.search": "Arama",
|
||||
"search_header.results": "Arama Sonuçları",
|
||||
"search_header.title2": "Son Anmalar",
|
||||
"search_header.title3": "İşaretlenmiş İletiler",
|
||||
"search_header.title3": "Kaydedilmiş İletiler",
|
||||
"search_item.channelArchived": "Arşivlenmiş",
|
||||
"sidebar_right_menu.logout": "Oturumu Kapat",
|
||||
"sidebar_right_menu.report": "Sorun Bildir",
|
||||
"sidebar.channels": "HERKESE AÇIK KANALLAR",
|
||||
"sidebar.direct": "DOĞRUDAN İLETİLER",
|
||||
"sidebar.favorite": "BEĞENİLEN KANALLAR",
|
||||
"sidebar.pg": "ÖZEL KANALLAR",
|
||||
"sidebar.types.recent": "SON İŞLEMLER",
|
||||
"sidebar.unreads": "Diğer okunmamışlar",
|
||||
"sidebar_right_menu.logout": "Oturumu Kapat",
|
||||
"sidebar_right_menu.report": "Sorun Bildir",
|
||||
"signup.email": "E-posta ve Parola",
|
||||
"signup.office365": "Office 365",
|
||||
"status_dropdown.set_away": "Uzakta",
|
||||
@@ -478,17 +605,20 @@
|
||||
"suggestion.mention.all": "Bu kanaldaki herkese bildirilir",
|
||||
"suggestion.mention.channel": "Bu kanaldaki herkese bildirilir",
|
||||
"suggestion.mention.channels": "Kanallarım",
|
||||
"suggestion.mention.groups": "Grup Anmaları",
|
||||
"suggestion.mention.here": "Bu kanalda çevrimiçi olan herkese bildirilir",
|
||||
"suggestion.mention.members": "Kanal Üyeleri",
|
||||
"suggestion.mention.morechannels": "Diğer Kanallar",
|
||||
"suggestion.mention.nonmembers": "Kanalda Değil",
|
||||
"suggestion.mention.special": "Özel Anmalar",
|
||||
"suggestion.mention.you": "(siz)",
|
||||
"suggestion.search.direct": "Doğrudan İletiler",
|
||||
"suggestion.search.private": "Özel Kanallar",
|
||||
"suggestion.search.public": "Herkese Açık Kanallar",
|
||||
"terms_of_service.agreeButton": "Onaylıyorum",
|
||||
"terms_of_service.api_error": "İstek yerine getirilemedi. Sorun sürerse Sistem Yöneticiniz ile görüşün.",
|
||||
"user.settings.display.clockDisplay": "Saat Görünümü",
|
||||
"user.settings.display.custom_theme": "Özel Tema",
|
||||
"user.settings.display.militaryClock": "24 saat (16:00 gibi)",
|
||||
"user.settings.display.normalClock": "12 saat (4:00 PM gibi)",
|
||||
"user.settings.display.preferTime": "Saatin nasıl görüntüleneceğini ayarlayın.",
|
||||
@@ -523,114 +653,5 @@
|
||||
"user.settings.push_notification.disabled_long": "Anında bildirimler Sistem Yöneticiniz tarafından devre dışı bırakılmış.",
|
||||
"user.settings.push_notification.offline": "Çevrimdışı",
|
||||
"user.settings.push_notification.online": "Çevrimiçi, uzakta ya da çevrimdışı",
|
||||
"web.root.signup_info": "Tüm takım iletişimi tek bir yerde, aranabilir ve her yerden erişilebilir",
|
||||
"mobile.message_length.message_split_left": "İletinin uzunluğu karakter sınırını aşıyor",
|
||||
"mobile.managed.not_secured.ios": "Bu aygıtta Mattermost kullanılabilmesi için parola güvenliğinin etkinleştirilmesi gerekir.\n\nAyarlar > Face ID ve Parola bölümünden ayarlayabilirsiniz.",
|
||||
"mobile.channel_info.convert_success": "{displayName} artık bir özel kanal.",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "{displayName} özel bir kanala dönüştürüldüğünde, geçmiş iletiler ve üyelikler korunur. Herkese açık olarak paylaşılmış dosyalara bağlantıya sahip olan herkes erişmeye devam edebilir. Özel kanallara yalnız çağrı ile üye olunabilir. \n \nBu değişiklik kalıcıdır ve geri alınamaz.\n\n{displayName} kanalını özel kanala dönüştürmek istediğinize emin misiniz?",
|
||||
"user.settings.display.custom_theme": "Özel Tema",
|
||||
"suggestion.mention.you": "(siz)",
|
||||
"post_info.guest": "KONUK",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "kanalda bulunmadıkları için bu anma nedeniyle bildirim gönderilmeyecek. İlişkilendirilmiş grupların üyesi olmadıklarından bu kanala eklenemezler. Onları bu kanala eklemek için ilişkilendirilmiş gruplara eklenmeleri gerekir.",
|
||||
"permalink.error.link_not_found": "Bağlantı Bulunamadı",
|
||||
"navbar.channel_drawer.hint": "Kanallar ve takımlar panosunu açar",
|
||||
"navbar.channel_drawer.button": "Kanallar ve takımlar",
|
||||
"more_channels.showPublicChannels": "Görüntüle: Herkese Açık Kanallar",
|
||||
"more_channels.showArchivedChannels": "Görüntüle: Arşivlenmiş Kanallar",
|
||||
"more_channels.publicChannels": "Herkese Açık Kanallar",
|
||||
"more_channels.dropdownTitle": "Görüntüle",
|
||||
"more_channels.archivedChannels": "Arşivlenmiş Kanallar",
|
||||
"mobile.tos_link": "Hizmet Koşulları",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} kanal amacını {newPurpose} olarak değiştirdi",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username}, {oldPurpose} olan eski kanal amacını {newPurpose} olarak değiştirdi",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} kanal amacını kaldırdı ({oldPurpose} idi)",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} kanal başlığını {newHeader} olarak değiştirdi",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username}, {oldHeader} olan eski kanal başlığını {newHeader} olarak değiştirdi",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} kanal başlığını kaldırdı ({oldHeader} idi)",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username}, {oldDisplayName} olarak görüntülenen kanal adını {newDisplayName} olarak değiştirdi",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} kanalı arşivden çıkardı",
|
||||
"mobile.system_message.channel_archived_message": "{username} kanalı arşivledi",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} dosyalarınıza erişmek istiyor",
|
||||
"mobile.storage_permission_denied_description": "Dosyaları Mattermost kopyanıza yükleyin. Mattermost uygulamasına bu aygıt üzerindeki dosyaları okuma ve yazma izni vermek için ayarları açın.",
|
||||
"mobile.sidebar_settings.permanent_description": "Bu seçenek etkinleştirildiğinde, yan çubuk kalıcı olarak açık kalır",
|
||||
"mobile.sidebar_settings.permanent": "Yan Çubuk Kalıcı Olsun",
|
||||
"mobile.share_extension.too_long_title": "İleti çok uzun",
|
||||
"mobile.share_extension.too_long_message": "Karakter sayısı: {count}/{max}",
|
||||
"mobile.server_ssl.error.title": "Güvenilmeyen Sertifika",
|
||||
"mobile.server_ssl.error.text": "{host} sertifikası güvenilir değil.\n\nLütfen sertifika sorunlarını çözerek bu sunucu ile bağlantı kurulabilmesini sağlaması için Sistem Yöneticiniz ile görüşün.",
|
||||
"mobile.server_link.unreachable_team.error": "Bu bağlantı silinmiş ya da erişiminiz olmayan bir takıma ait.",
|
||||
"mobile.server_link.unreachable_channel.error": "Bu bağlantı silinmiş ya da erişiminiz olmayan bir kanala ait.",
|
||||
"mobile.server_link.error.title": "Bağlantı Sorunu",
|
||||
"mobile.server_link.error.text": "Bağlantı bu sunucu üzerinde bulunamadı.",
|
||||
"mobile.select_team.guest_cant_join_team": "Konuk hesabınız ile ilişkili bir takım ya da kanal yok. Lütfen bir yönetici ile görüşün.",
|
||||
"mobile.routes.user_profile.edit": "Düzenle",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Kanalı Arşivden Çıkar",
|
||||
"mobile.routes.channelInfo.groupManaged": "Üyeler ilişkilendirilmiş gruplar tarafından yönetilir",
|
||||
"mobile.reaction_header.all_emojis": "Tümü",
|
||||
"mobile.push_notification_reply.title": "Yanıtla",
|
||||
"mobile.push_notification_reply.placeholder": "Yanıt yazın...",
|
||||
"mobile.push_notification_reply.button": "Gönder",
|
||||
"mobile.privacy_link": "Kişisel Verilerin Gizliliği İlkesi",
|
||||
"mobile.post_textbox.entire_channel.title": "Bildirimlerin tüm kanala gönderilmesini onayla",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "@all ya da @channel kullanıldığında bildirimler {totalMembers, number} {totalMembers, plural, one {person} other {people}} kişiye ve {timezones, number} {timezones, plural, one {saat dilimine} other {saat dilimine}} gönderilir. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.entire_channel.message": "@all ya da @channel kullanıldığında bildirimler {totalMembers, number} {totalMembers, plural, one {kişiye} other {kişiye}} gönderilir. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Onayla",
|
||||
"mobile.post_textbox.entire_channel.cancel": "İptal",
|
||||
"mobile.post_info.reply": "Yanıtla",
|
||||
"mobile.post_info.mark_unread": "Okunmamış Olarak İşaretle",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} fotoğraf kitaplığınıza erişmek isityor",
|
||||
"mobile.photo_library_permission_denied_description": "Kitaplığınıza fotoğraf ve görüntü kaydedebilmek için izin ayarlarınızı değiştirmelisiniz.",
|
||||
"mobile.permission_denied_retry": "Ayarlar",
|
||||
"mobile.permission_denied_dismiss": "İzin Verme",
|
||||
"mobile.managed.settings": "Ayarlara git",
|
||||
"mobile.managed.not_secured.ios.touchId": "Bu aygıtta Mattermost kullanılabilmesi için parola güvenliğinin etkinleştirilmesi gerekir.\n\nAyarlar > Touch ID ve Parola bölümünden ayarlayabilirsiniz.",
|
||||
"mobile.managed.not_secured.android": "Bu aygıtta Mattermost kullanılabilmesi için ekran kilidi güvenliğinin etkinleştirilmesi gerekir.",
|
||||
"mobile.ios.photos_permission_denied_title": "{applicationName} fotoğraflarınıza erişmek istiyor",
|
||||
"mobile.files_paste.error_title": "Yapıştırılamadı",
|
||||
"mobile.files_paste.error_dismiss": "Yok say",
|
||||
"mobile.files_paste.error_description": "Dosyalar yapıştırılırken bir sorun çıktı. Lütfen yeniden deneyin.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Profil görseli olarak yalnız BMP, JPG ya da PNG dosyaları kullanılabilir.",
|
||||
"mobile.failed_network_action.teams_title": "Bir şeyler ters gitti",
|
||||
"mobile.failed_network_action.teams_description": "Takımlar yüklenemedi.",
|
||||
"mobile.failed_network_action.teams_channel_description": "{teamName} takımının kanalları yüklenemedi.",
|
||||
"mobile.extension.team_required": "Dosya paylaşabilmek için önce bir takımın üyesi olmalısınız.",
|
||||
"mobile.edit_profile.remove_profile_photo": "Fotoğrafı Kaldır",
|
||||
"mobile.display_settings.sidebar": "Yan Çubuk",
|
||||
"mobile.channel_list.archived": "ARŞİVLENMİŞ",
|
||||
"mobile.channel_info.unarchive_failed": "{displayName} kanalı arşivden çıkarılamadı. Lütfen bağlantınızı denetleyip yeniden deneyin.",
|
||||
"mobile.channel_info.copy_purpose": "Amacı Kopyala",
|
||||
"mobile.channel_info.copy_header": "Başlığı Kopyala",
|
||||
"mobile.channel_info.convert_failed": "{displayName} özel kanala dönüştürülemedi.",
|
||||
"mobile.channel_info.convert": "Özel Kanala Dönüştür",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "{term} kanalını arşivden çıkar",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "{displayName} özel kanala dönüştürülsün mü?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "{term} {name} kanalını arşivden çıkarmak istediğinize emin misiniz?",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName} kameranıza erişmek istiyor",
|
||||
"mobile.camera_video_permission_denied_description": "Görüntü çekin ve Mattermost kopyanıza yükleyin ya da aygıtınıza kaydedin. Mattermost uygulamasına kameranızı okuma ve yazma izni vermek için ayarları açın.",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName} kameranıza erişmek istiyor",
|
||||
"mobile.camera_photo_permission_denied_description": "Fotoğraf çekin ve Mattermost kopyanıza yükleyin ya da aygıtınıza kaydedin. Mattermost uygulamasına kameranızı okuma ve yazma izni vermek için ayarları açın.",
|
||||
"mobile.alert_dialog.alertCancel": "İptal",
|
||||
"intro_messages.creatorPrivate": "{name} özel kanalı, {creator} tarafından {date} tarihinde başlatılmış.",
|
||||
"date_separator.yesterday": "Dün",
|
||||
"date_separator.today": "Bugün",
|
||||
"channel.isGuest": "Bu kişi bir konuk",
|
||||
"channel.hasGuests": "Bu grup iletisinde konuklar var",
|
||||
"channel.channelHasGuests": "Bu kanalda konuklar var",
|
||||
"mobile.server_upgrade.learn_more": "Ayrıntılı Bilgi Alın",
|
||||
"mobile.server_upgrade.dismiss": "Yok say",
|
||||
"mobile.server_upgrade.alert_description": "Bu sunucu sürümü desteklenmediğinden, kullanıcılar uyumluluk sorunlarından kaynaklanan çökmeler ya da uygulamanın temel işlevselliğini bozan ciddi sorunlar ile karşılaşacak. Sunucu sürümünün {ServerVersion} ya da üzerindeki bir sürüme yükseltilmesi gerekli.",
|
||||
"suggestion.mention.groups": "Grup Anmaları",
|
||||
"mobile.android.back_handler_exit": "Çıkmak için yeniden geri üzerine tıklayın",
|
||||
"mobile.more_messages_button.text": "{count} {isInitialMessage, select, true {yeni} other {daha yeni}} {count, plural, one {ileti} other {ileti}}",
|
||||
"mobile.unsupported_server.title": "Sunucu sürümü desteklenmiyor",
|
||||
"mobile.unsupported_server.message": "Ek dosyalar, bağlantı ön izlemeleri, tepkiler ve gömülü veriler doğru görüntülenmeyebilir. Bu sorun sürerse BT yöneticinizden Mattermost sürümünü yükseltmesi gerektiğini bildirin.",
|
||||
"mobile.unsupported_server.ok": "Tamam",
|
||||
"mobile.post_textbox.groups.title": "Gruplara bildirim gönderilmesini onaylayın",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "{mention} kullanarak {totalMembers} kişiye bildirim göndereceksiniz. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "{mention} kullanarak {timezones, number} {timezones, plural, one {saat dilimi} other {saat dilimi}} üzerindeki {totalMembers} kişiye bildirim göndereceksiniz. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "{mentions} ve {finalMention} kullanarak, en az {totalMembers} kişiye bildirim göndereceksiniz. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "{mentions} ve {finalMention} kullanarak, en az {timezones, number} {timezones, plural, one {saat dilimi} other {saat dilimi}} üzerindeki {totalMembers} kişiye bildirim göndereceksiniz. Bunu yapmak istediğinize emin misiniz?",
|
||||
"mobile.user_removed.title": "{channelName} kanalından çıkarıldı",
|
||||
"mobile.user_removed.message": "Kanaldan çıkarıldınız.",
|
||||
"mobile.emoji_picker.search.not_found_description": "Yazımı denetleyin ya da başka bir arama yapmayı deneyin."
|
||||
"web.root.signup_info": "Tüm takım iletişimi tek bir yerde, aranabilir ve her yerden erişilebilir"
|
||||
}
|
||||
|
||||
@@ -14,6 +14,7 @@
|
||||
"channel_header.addMembers": "Додати учасників",
|
||||
"channel_header.directchannel.you": "{displayname} (ви)",
|
||||
"channel_header.manageMembers": "Управління учасниками",
|
||||
"channel_header.notificationPreference.mention": "Згадування",
|
||||
"channel_header.pinnedPosts": "Прикріплені повідомлення",
|
||||
"channel_header.viewMembers": "Переглянути список учасників",
|
||||
"channel_info.header": "Заголовок:",
|
||||
@@ -30,7 +31,10 @@
|
||||
"channel_modal.optional": "(не обов'язково)",
|
||||
"channel_modal.purpose": "Призначення",
|
||||
"channel_modal.purposeEx": "Наприклад: \"Канал для помилок і побажань\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "Ігнорувати @channel, @here, @all",
|
||||
"channel_notifications.muteChannel.settings": "Вимкнути канал",
|
||||
"channel_notifications.preference.global_default": "Глобальне налаштування за замовчуванням (Згадування)",
|
||||
"channel_notifications.preference.header": "Надіслати сповіщення",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{users} і {finalUser} були **додані до каналу** {actor}.",
|
||||
"combined_system_message.added_to_channel.one": "{firstUser} **запрошується на канал** користувачем {actor}. ",
|
||||
"combined_system_message.added_to_channel.one_you": "Ви були **додані на канал** користувачем {actor}.",
|
||||
@@ -75,6 +79,7 @@
|
||||
"intro_messages.anyMember": "Будь-який учасник може зайти і читати цей канал.",
|
||||
"intro_messages.beginning": "Початок {name}",
|
||||
"intro_messages.creator": "{name} {type}, створений {creator} {date}.",
|
||||
"intro_messages.creatorPrivate": "{name} {type}, створений {creator} {date}.",
|
||||
"intro_messages.group_message": "Початок історії групових повідомлень з учасниками. Розміщені тут повідомлення і файли не видно за межами цієї області.",
|
||||
"intro_messages.noCreator": "{name} - {type}, створене {date}",
|
||||
"intro_messages.onlyInvited": "Тільки запрошені користувачі можуть бачити цей приватний канал.",
|
||||
@@ -88,9 +93,6 @@
|
||||
"last_users_message.others": "{numOthers} інших",
|
||||
"last_users_message.removed_from_channel.type": "Ви були **видалені з каналу**.",
|
||||
"last_users_message.removed_from_team.type": "Ви були **вилучені з команди**.",
|
||||
"login_mfa.enterToken": "Для завершення процесу реєстрації, введіть токен з аутентифікатора на вашому смартфоні",
|
||||
"login_mfa.token": "Токен MFA",
|
||||
"login_mfa.tokenReq": "Будь-ласка, введіть токен MFA",
|
||||
"login.email": "Електронна пошта ",
|
||||
"login.forgot": "Я забув свій пароль",
|
||||
"login.invalidPassword": "Не вірний пароль.",
|
||||
@@ -107,8 +109,11 @@
|
||||
"login.or": "або",
|
||||
"login.password": "Пароль",
|
||||
"login.signIn": "Увійти",
|
||||
"login.username": "Ім'я користувача",
|
||||
"login.userNotFound": "Ми не виявили акаунт за вашими даними для входу.",
|
||||
"login.username": "Ім'я користувача",
|
||||
"login_mfa.enterToken": "Для завершення процесу реєстрації, введіть токен з аутентифікатора на вашому смартфоні",
|
||||
"login_mfa.token": "Токен MFA",
|
||||
"login_mfa.tokenReq": "Будь-ласка, введіть токен MFA",
|
||||
"mobile.about.appVersion": "Версія програми: {version} (Збірка {number})",
|
||||
"mobile.about.copyright": "Copyright 2015 - {currentYear} Mattermost, Inc. Всі права захищені",
|
||||
"mobile.about.database": "Тип бази даних: {type}",
|
||||
@@ -116,11 +121,11 @@
|
||||
"mobile.about.powered_by": "{site} працює від Mattermost",
|
||||
"mobile.about.serverVersion": "Версія сервера: {version} (Збірка {number})",
|
||||
"mobile.about.serverVersionNoBuild": "Версія сервера: {version}",
|
||||
"mobile.account.settings.save": "Зберегти",
|
||||
"mobile.account_notifications.reply.header": "НАДІСЛАТИ ЗАПИТАННЯ ДЛЯ",
|
||||
"mobile.account_notifications.threads_mentions": "Згадки в тредах",
|
||||
"mobile.account_notifications.threads_start": "Гілки розпочаті мною",
|
||||
"mobile.account_notifications.threads_start_participate": "Якщо я почав цю гілку або приймав участь в ній",
|
||||
"mobile.account.settings.save": "Зберегти",
|
||||
"mobile.action_menu.select": "Виберіть параметр",
|
||||
"mobile.advanced_settings.clockDisplay": "Дисплей годинника",
|
||||
"mobile.advanced_settings.delete": "Видалити",
|
||||
@@ -128,6 +133,8 @@
|
||||
"mobile.advanced_settings.delete_title": "Delete Documents & Data",
|
||||
"mobile.advanced_settings.timezone": "Часовий пояс ",
|
||||
"mobile.advanced_settings.title": "Додаткові параметри ",
|
||||
"mobile.alert_dialog.alertCancel": "Відміна",
|
||||
"mobile.android.back_handler_exit": "Повторно натисніть назад, щоб вийти",
|
||||
"mobile.android.photos_permission_denied_description": "Щоб завантажити зображення з вашої бібліотеки, будь-ласка, змініть налаштування вашого дозволу.",
|
||||
"mobile.android.photos_permission_denied_title": "Потрібен доступ до фото-бібліотеки",
|
||||
"mobile.android.videos_permission_denied_description": "Щоб завантажити відео з вашої бібліотеки, будь-ласка, змініть налаштування вашого дозволу.",
|
||||
@@ -140,16 +147,24 @@
|
||||
"mobile.channel_drawer.search": "Перейти до ...",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "Ви впевнені, що хочете архівувати {term} {name}?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "Ви дійсно бажаєте залишити {term} {name}?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Ви впевнені, що хочете архівувати {term} {name}?",
|
||||
"mobile.channel_info.alertNo": "Ні",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "Перетворити {display_name} на приватний канал?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "Архів {термін}",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "Залишити {термін}",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Архів {термін}",
|
||||
"mobile.channel_info.alertYes": "Так",
|
||||
"mobile.channel_info.convert": "Конвертувати в приватний канал",
|
||||
"mobile.channel_info.copy_header": "Копіювати заголовок",
|
||||
"mobile.channel_info.copy_purpose": "Призначення копії",
|
||||
"mobile.channel_info.delete_failed": "Не вдалося архівувати канал {displayName}. Перевірте ваше з'єднання та повторіть спробу.",
|
||||
"mobile.channel_info.edit": "Редагувати канал",
|
||||
"mobile.channel_info.privateChannel": "Приватний канал",
|
||||
"mobile.channel_info.publicChannel": "Публічний канал",
|
||||
"mobile.channel_info.unarchive_failed": "Не вдалося архівувати канал {displayName}. Перевірте ваше з'єднання та повторіть спробу.",
|
||||
"mobile.channel_list.alertNo": "Ні",
|
||||
"mobile.channel_list.alertYes": "Так",
|
||||
"mobile.channel_list.archived": "ARCHIVED",
|
||||
"mobile.channel_list.channels": "КАНАЛИ ",
|
||||
"mobile.channel_list.closeDM": "Закрити пряме повідомлення",
|
||||
"mobile.channel_list.closeGM": "Закрити групове повідомлення",
|
||||
@@ -186,6 +201,7 @@
|
||||
"mobile.create_channel.public": "Новий публічний канал",
|
||||
"mobile.create_post.read_only": "Цей канал доступний лише для читання",
|
||||
"mobile.custom_list.no_results": "Немає результатів",
|
||||
"mobile.display_settings.sidebar": "Бічна панель ",
|
||||
"mobile.display_settings.theme": "Тема ",
|
||||
"mobile.document_preview.failed_description": "Під час відкриття документа сталася помилка. Будь-ласка, переконайтеся, що ви встановили програму перегляду {fileType} та повторіть спробу.\n",
|
||||
"mobile.document_preview.failed_title": "Відкрити документ не вдалося",
|
||||
@@ -204,6 +220,7 @@
|
||||
"mobile.drawer.teamsTitle": "Команди",
|
||||
"mobile.edit_channel": "Зберегти",
|
||||
"mobile.edit_post.title": "Редагування повідомлення",
|
||||
"mobile.edit_profile.remove_profile_photo": "Видалити фото",
|
||||
"mobile.emoji_picker.activity": "АКТИВНІСТЬ ",
|
||||
"mobile.emoji_picker.custom": "ПОСЛУГИ",
|
||||
"mobile.emoji_picker.flags": "ФЛАГИ",
|
||||
@@ -222,41 +239,53 @@
|
||||
"mobile.extension.file_limit": "Обмін обмежується максимум 5 файлами.",
|
||||
"mobile.extension.max_file_size": "Додатки до файлів, якими поділилися в Mattermost повинні бути менше {size}.",
|
||||
"mobile.extension.permission": "Mattermost потрібен доступ до сховища пристрою для обміну файлами.",
|
||||
"mobile.extension.team_required": "Щоб ділитися файлами, потрібно належати до команди.",
|
||||
"mobile.extension.title": "Поділіться в Mattermost",
|
||||
"mobile.failed_network_action.retry": "Спробуй ще раз",
|
||||
"mobile.failed_network_action.shortDescription": "Переконайтеся, що у вас активне з'єднання, і повторіть спробу.",
|
||||
"mobile.failed_network_action.teams_description": "Не вдалося завантажити команди.",
|
||||
"mobile.failed_network_action.teams_title": "Щось пішло не так",
|
||||
"mobile.failed_network_action.title": "Немає підключення до Інтернету",
|
||||
"mobile.file_upload.browse": "Перегляньте файли",
|
||||
"mobile.file_upload.camera_photo": "Сфотографувати",
|
||||
"mobile.file_upload.camera_video": "Візьміть відео",
|
||||
"mobile.file_upload.library": "Бібліотека фотозображень ",
|
||||
"mobile.file_upload.max_warning": "Максимальна кількість завантажень - до 5 файлів.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Для зображення команди можна використовувати лише BMP, JPG або PNG ",
|
||||
"mobile.file_upload.video": "Відео бібліотека",
|
||||
"mobile.files_paste.error_description": "Помилка при направленні повідомлення. Будь-ласка, спробуйте знову.",
|
||||
"mobile.files_paste.error_dismiss": "Відхилити",
|
||||
"mobile.flagged_posts.empty_description": "Прапори - це спосіб позначення повідомлень для подальшого спостереження. Ваші прапори є особистими, і їх не можуть бачити інші користувачі.",
|
||||
"mobile.flagged_posts.empty_title": "Немає позначених повідомлень",
|
||||
"mobile.help.title": "Допомога ",
|
||||
"mobile.image_preview.save": "Зберегти зображення",
|
||||
"mobile.image_preview.save_video": "Зберегти відео",
|
||||
"mobile.intro_messages.DM": "Початок історії особистих повідомлень з {teammate}. Особисті повідомлення і файли доступні тут і не видно за межами цієї області.",
|
||||
"mobile.intro_messages.default_message": "Це перший канал, який бачить новий учасник групи - використовуйте його для направлення повідомлень, які повинні побачити всі.",
|
||||
"mobile.intro_messages.default_welcome": "Ласкаво просимо до {name}!",
|
||||
"mobile.intro_messages.DM": "Початок історії особистих повідомлень з {teammate}. Особисті повідомлення і файли доступні тут і не видно за межами цієї області.",
|
||||
"mobile.ios.photos_permission_denied_description": "Щоб зберегти зображення та відео в бібліотеці, змініть налаштування вашого дозволу.",
|
||||
"mobile.ios.photos_permission_denied_title": "Потрібен доступ до фото-бібліотеки",
|
||||
"mobile.join_channel.error": "Ми не можемо підключитися до каналу {displayName}. Будь-ласка, перевірте підключення та спробуйте знову.",
|
||||
"mobile.link.error.text": "Неможливо відкрити посилання.",
|
||||
"mobile.link.error.title": "Помилка",
|
||||
"mobile.loading_channels": "Завантаження списку каналів...",
|
||||
"mobile.loading_members": "Завантаження списку учасників...",
|
||||
"mobile.loading_options": "Параметри завантаження...",
|
||||
"mobile.loading_posts": "Завантаження повідомлень...",
|
||||
"mobile.login_options.choose_title": "Виберіть спосіб входу",
|
||||
"mobile.long_post_title": "{channelName} - повідомлення",
|
||||
"mobile.mailTo.error.title": "Помилка",
|
||||
"mobile.managed.blocked_by": "Заблоковано {vendor}",
|
||||
"mobile.managed.exit": "Вхід",
|
||||
"mobile.managed.jailbreak": "Пристрої з Jailbroken не є довіреними {vendor}, вийдіть з програми.",
|
||||
"mobile.managed.secured_by": "Захищено {vendor}",
|
||||
"mobile.managed.settings": "Перейдіть до налаштувань",
|
||||
"mobile.markdown.code.copy_code": "Копія коду",
|
||||
"mobile.markdown.image.too_large": "Зображення перевищує макс. розміри {maxWidth} до {maxHeight}:",
|
||||
"mobile.markdown.link.copy_url": "Копіювати URL",
|
||||
"mobile.mention.copy_mention": "Копіювати згадування",
|
||||
"mobile.message_length.message": "Ваше поточне повідомлення задовге. Поточний символ: {max}/{count}",
|
||||
"mobile.message_length.message_split_left": "Повідомлення перевищує ліміт символів",
|
||||
"mobile.message_length.title": "Довжина повідомлення",
|
||||
"mobile.more_dms.add_more": "Ви можете додати {залишилося, число} більше користувачів",
|
||||
"mobile.more_dms.cannot_add_more": "Ви не можете додати більше користувачів",
|
||||
@@ -267,6 +296,28 @@
|
||||
"mobile.notice_mobile_link": "мобільні додатки",
|
||||
"mobile.notice_platform_link": "сервер",
|
||||
"mobile.notice_text": "Mattermost це стало можливим за допомогою програмного забезпечення з відкритим вихідним кодом, яке використовується на наших {платформах} та {mobile}.",
|
||||
"mobile.notification.in": "в",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Привіт, я не на робочому місці і не можу відповісти на повідомлення. ",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Увімкнути ",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Встановіть спеціальне повідомлення, яке автоматично надсилатиметься у відповідь на особисті повідомлення. Зауваження в загальнодоступних та приватних каналах не будуть викликати автоматичну відповідь. Увімкнення автоматичних відповідей встановлює статус Out of Office і вимикає сповіщення. ",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Повідомлення ",
|
||||
"mobile.notification_settings.auto_responder.message_title": "НАДІЙНЕ ПОВІДОМЛЕННЯ",
|
||||
"mobile.notification_settings.auto_responder_short": "Автоматичні відповіді",
|
||||
"mobile.notification_settings.email": "Електронна пошта ",
|
||||
"mobile.notification_settings.email.send": "НАДІСЛАТИ ЕЛЕКТРОННИЙ ЗВІТУ",
|
||||
"mobile.notification_settings.email_title": "Повідомлення електронною поштою ",
|
||||
"mobile.notification_settings.mentions.channelWide": "Загальні канали згадуються",
|
||||
"mobile.notification_settings.mentions.reply_title": "Включити повідомлення про відповіді",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Ваше ім'я справжнє ",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Ваше ім'я користувача, що не має справжнього регістру",
|
||||
"mobile.notification_settings.mentions_replies": "Згадки та відповіді",
|
||||
"mobile.notification_settings.mobile": "Мобільний",
|
||||
"mobile.notification_settings.mobile_title": "Надіслати sms повідомлення",
|
||||
"mobile.notification_settings.modal_cancel": "СКАСУВАТИ",
|
||||
"mobile.notification_settings.modal_save": "ЗБЕРЕГТИ",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Автоматичні відповіді на особисті повідомлення ",
|
||||
"mobile.notification_settings.save_failed_description": "Не вдалося зберегти налаштування сповіщень через проблему підключення. Будь-ласка, повторіть спробу.",
|
||||
"mobile.notification_settings.save_failed_title": "Питання з'єднання",
|
||||
"mobile.notification_settings_mentions.keywords": "Ключові слова:",
|
||||
"mobile.notification_settings_mentions.keywordsDescription": "Інші слова, які викликають згадування",
|
||||
"mobile.notification_settings_mentions.keywordsHelp": "Ключові слова є чутливими до регістру і повинні бути розділені комою.",
|
||||
@@ -283,47 +334,16 @@
|
||||
"mobile.notification_settings_mobile.test": "Надішліть тестове повідомлення",
|
||||
"mobile.notification_settings_mobile.test_push": "Це сповіщення про тестування",
|
||||
"mobile.notification_settings_mobile.vibrate": "Вібрація ",
|
||||
"mobile.notification_settings.auto_responder_short": "Автоматичні відповіді",
|
||||
"mobile.notification_settings.auto_responder.default_message": "Привіт, я не на робочому місці і не можу відповісти на повідомлення. ",
|
||||
"mobile.notification_settings.auto_responder.enabled": "Увімкнути ",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "Встановіть спеціальне повідомлення, яке автоматично надсилатиметься у відповідь на особисті повідомлення. Зауваження в загальнодоступних та приватних каналах не будуть викликати автоматичну відповідь. Увімкнення автоматичних відповідей встановлює статус Out of Office і вимикає сповіщення. ",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "Повідомлення ",
|
||||
"mobile.notification_settings.auto_responder.message_title": "НАДІЙНЕ ПОВІДОМЛЕННЯ",
|
||||
"mobile.notification_settings.email": "Електронна пошта ",
|
||||
"mobile.notification_settings.email_title": "Повідомлення електронною поштою ",
|
||||
"mobile.notification_settings.email.send": "НАДІСЛАТИ ЕЛЕКТРОННИЙ ЗВІТУ",
|
||||
"mobile.notification_settings.mentions_replies": "Згадки та відповіді",
|
||||
"mobile.notification_settings.mentions.channelWide": "Загальні канали згадуються",
|
||||
"mobile.notification_settings.mentions.reply_title": "Включити повідомлення про відповіді",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "Ваше ім'я справжнє ",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "Ваше ім'я користувача, що не має справжнього регістру",
|
||||
"mobile.notification_settings.mobile": "Мобільний",
|
||||
"mobile.notification_settings.mobile_title": "Надіслати sms повідомлення",
|
||||
"mobile.notification_settings.modal_cancel": "СКАСУВАТИ",
|
||||
"mobile.notification_settings.modal_save": "ЗБЕРЕГТИ",
|
||||
"mobile.notification_settings.ooo_auto_responder": "Автоматичні відповіді на особисті повідомлення ",
|
||||
"mobile.notification_settings.save_failed_description": "Не вдалося зберегти налаштування сповіщень через проблему підключення. Будь-ласка, повторіть спробу.",
|
||||
"mobile.notification_settings.save_failed_title": "Питання з'єднання",
|
||||
"mobile.notification.in": "в",
|
||||
"mobile.offlineIndicator.connected": "Підключений",
|
||||
"mobile.offlineIndicator.connecting": "Підключення...",
|
||||
"mobile.offlineIndicator.offline": "Немає підключення до Інтернету",
|
||||
"mobile.open_dm.error": "Ми не можемо підключитися до каналу {displayName}. Будь-ласка, перевірте підключення та спробуйте знову.",
|
||||
"mobile.open_gm.error": "Помилка з'єднання із групи з цими користувачами. Будь-ласка, перевірте підключення та спробуйте заново.",
|
||||
"mobile.open_unknown_channel.error": "Не вдається приєднатися до каналу. Скиньте кеш і спробуйте ще раз.",
|
||||
"mobile.permission_denied_retry": "Налаштування",
|
||||
"mobile.photo_library_permission_denied_description": "Щоб зберегти зображення та відео в бібліотеці, змініть налаштування вашого дозволу.",
|
||||
"mobile.pinned_posts.empty_description": "Закріпіть важливі елементи, утримуючи на будь-якому повідомленні та обравши \"Прикріпити в каналі\".",
|
||||
"mobile.pinned_posts.empty_title": "Немає закріплених повідомлень",
|
||||
"mobile.post_info.add_reaction": "Додати реакцію ",
|
||||
"mobile.post_info.copy_text": "Копіювати текст",
|
||||
"mobile.post_info.flag": "Відмітити ",
|
||||
"mobile.post_info.pin": "Прикріпити в каналі",
|
||||
"mobile.post_info.unflag": "Не позначено",
|
||||
"mobile.post_info.unpin": "Від'єднати від каналу ",
|
||||
"mobile.post_pre_header.flagged": "Позначено",
|
||||
"mobile.post_pre_header.pinned": "Прикріплено ",
|
||||
"mobile.post_pre_header.pinned_flagged": "Прикріплений і позначений",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Деякі вкладення не змогли завантажити на сервер. Ви впевнені, що хочете опублікувати це повідомлення? ",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Вкладення несправності",
|
||||
"mobile.post.cancel": "Відміна",
|
||||
"mobile.post.delete_question": "Ви впевнені, що хочете видалити це повідомлення?",
|
||||
"mobile.post.delete_title": "Видалити публікацію",
|
||||
@@ -331,7 +351,26 @@
|
||||
"mobile.post.failed_retry": "Спробуй ще раз ",
|
||||
"mobile.post.failed_title": "Не вдалося відправити повідомлення",
|
||||
"mobile.post.retry": "Оновити",
|
||||
"mobile.post_info.add_reaction": "Додати реакцію ",
|
||||
"mobile.post_info.copy_text": "Копіювати текст",
|
||||
"mobile.post_info.flag": "Відмітити ",
|
||||
"mobile.post_info.pin": "Прикріпити в каналі",
|
||||
"mobile.post_info.reply": "Відповідь",
|
||||
"mobile.post_info.unflag": "Не позначено",
|
||||
"mobile.post_info.unpin": "Від'єднати від каналу ",
|
||||
"mobile.post_pre_header.flagged": "Позначено",
|
||||
"mobile.post_pre_header.pinned": "Прикріплено ",
|
||||
"mobile.post_pre_header.pinned_flagged": "Прикріплений і позначений",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Відміна",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Підтвердьте",
|
||||
"mobile.post_textbox.entire_channel.message": "Використовуючи @all або @channel, ви збираєтеся надсилати сповіщення** {totalMembers} людям** у **{timezones, number} {timezones, plural, one {timezone} other {timezones}}**. Ви впевнені, що хочете це зробити?",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Використовуючи @all або @channel, ви збираєтеся надсилати сповіщення** {totalMembers} людям** у **{timezones, number} {timezones, plural, one {timezone} other {timezones}}**. Ви впевнені, що хочете це зробити?",
|
||||
"mobile.post_textbox.entire_channel.title": "Підтвердьте надсилання повідомлень на весь канал",
|
||||
"mobile.post_textbox.uploadFailedDesc": "Деякі вкладення не змогли завантажити на сервер. Ви впевнені, що хочете опублікувати це повідомлення? ",
|
||||
"mobile.post_textbox.uploadFailedTitle": "Вкладення несправності",
|
||||
"mobile.posts_view.moreMsg": "Більше нових повідомлень ",
|
||||
"mobile.push_notification_reply.button": "Відправити",
|
||||
"mobile.push_notification_reply.title": "Відповідь",
|
||||
"mobile.recent_mentions.empty_description": "Тут відображатимуться повідомлення, що містять ваше ім'я користувача та інші слова, які викликають згадування.",
|
||||
"mobile.recent_mentions.empty_title": "Немає останніх згадок",
|
||||
"mobile.rename_channel.display_name_maxLength": "Назва каналу має бути меншою за символи {maxLength, number}",
|
||||
@@ -347,13 +386,14 @@
|
||||
"mobile.reset_status.alert_ok": "Ок",
|
||||
"mobile.reset_status.title_ooo": "Вимкнути \"Out Of Office\"?",
|
||||
"mobile.retry_message": "Не вдалося оновити повідомлення. Потягніть, щоб повторити спробу.",
|
||||
"mobile.routes.channel_members.action": "Видалити учасника ",
|
||||
"mobile.routes.channel_members.action_message": "Ви повинні вибрати хоча б одного учасника для видалення з каналу.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Ви впевнені, що хочете видалити вибраних учасників із каналу?",
|
||||
"mobile.routes.channelInfo": "Інформація",
|
||||
"mobile.routes.channelInfo.createdBy": "Створено {creator} в",
|
||||
"mobile.routes.channelInfo.delete_channel": "Архів каналів",
|
||||
"mobile.routes.channelInfo.favorite": "Вибрані",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Архів каналів",
|
||||
"mobile.routes.channel_members.action": "Видалити учасника ",
|
||||
"mobile.routes.channel_members.action_message": "Ви повинні вибрати хоча б одного учасника для видалення з каналу.",
|
||||
"mobile.routes.channel_members.action_message_confirm": "Ви впевнені, що хочете видалити вибраних учасників із каналу?",
|
||||
"mobile.routes.code": "{language} код",
|
||||
"mobile.routes.code.noLanguage": "Код",
|
||||
"mobile.routes.edit_profile": "Редагувати профіль",
|
||||
@@ -369,6 +409,7 @@
|
||||
"mobile.routes.thread": "{channelName} Деталі",
|
||||
"mobile.routes.thread_dm": "Прямий потік повідомлень",
|
||||
"mobile.routes.user_profile": "Профіль ",
|
||||
"mobile.routes.user_profile.edit": "Редагувати",
|
||||
"mobile.routes.user_profile.local_time": "МІСЦЕВИЙ ЧАС",
|
||||
"mobile.routes.user_profile.send_message": "Відправити повідомлення",
|
||||
"mobile.search.after_modifier_description": "щоб знайти повідомлення після певної дати",
|
||||
@@ -383,8 +424,13 @@
|
||||
"mobile.search.recent_title": "Останні пошуки",
|
||||
"mobile.select_team.join_open": "Інші команди, до яких ви можете приєднатися.",
|
||||
"mobile.select_team.no_teams": "Немає доступних команд, до яких ви можете приєднатися.",
|
||||
"mobile.server_link.error.title": "Link Error",
|
||||
"mobile.server_link.unreachable_channel.error": "Постійне посилання належить до видаленого повідомлення або до каналу, на який ви не маєте доступу.",
|
||||
"mobile.server_link.unreachable_team.error": "Постійне посилання належить до видаленого повідомлення або до каналу, на який ви не маєте доступу.",
|
||||
"mobile.server_upgrade.button": "OK",
|
||||
"mobile.server_upgrade.description": "\nДля продовження роботи потрібно оновлення сервера Mattermost. Будь-ласка, зверніться до адміністратора за подробицями.\n",
|
||||
"mobile.server_upgrade.dismiss": "Відхилити",
|
||||
"mobile.server_upgrade.learn_more": "Вчи більше",
|
||||
"mobile.server_upgrade.title": "Потрібно оновлення сервера",
|
||||
"mobile.server_url.invalid_format": "Адреса повинен починатися з http:// або https://",
|
||||
"mobile.session_expired": "Сесія закінчилася. Увійдіть, щоб продовжувати отримувати сповіщення.",
|
||||
@@ -398,7 +444,16 @@
|
||||
"mobile.share_extension.error_message": "Під час використання розширення спільного використання сталася помилка.",
|
||||
"mobile.share_extension.error_title": "Помилка розширення",
|
||||
"mobile.share_extension.team": "Команди ",
|
||||
"mobile.share_extension.too_long_title": "Повідомлення задовге",
|
||||
"mobile.suggestion.members": "Учасники ",
|
||||
"mobile.system_message.channel_archived_message": "{username} архівує канал.",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} архівує канал.",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{Username} видалив заголовок каналу (було: {old})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} змінив(ла) заголовок каналу з {old} на {new}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{Username} змінив(ла) заголовок каналу на {new}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} видалив заголовок каналу (було: {old})",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} змінив заголовок каналу з {old} на {new}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} встановив заголовок каналу: {new}",
|
||||
"mobile.terms_of_service.alert_cancel": "Відміна",
|
||||
"mobile.terms_of_service.alert_ok": "OK",
|
||||
"mobile.terms_of_service.alert_retry": "Спробуй ще раз ",
|
||||
@@ -406,12 +461,15 @@
|
||||
"mobile.timezone_settings.automatically": "Встановити автоматично ",
|
||||
"mobile.timezone_settings.manual": "Змінити часовий пояс ",
|
||||
"mobile.timezone_settings.select": "Виберіть часовий пояс",
|
||||
"mobile.user_list.deactivated": "Деактивувати",
|
||||
"mobile.tos_link": "Умови обслуговування",
|
||||
"mobile.unsupported_server.ok": "OK",
|
||||
"mobile.user.settings.notifications.email.fifteenMinutes": "Кожні 15 хвилин",
|
||||
"mobile.video_playback.failed_description": "Під час спроби відтворити відео сталася помилка.\n",
|
||||
"mobile.video_playback.failed_title": "Відтворення відео не вдалося",
|
||||
"mobile.user_list.deactivated": "Деактивувати",
|
||||
"mobile.user_removed.message": "Вас видалили з каналу.",
|
||||
"mobile.video.save_error_message": "Щоб зберегти відеофайл, потрібно спочатку завантажити його.",
|
||||
"mobile.video.save_error_title": "Зберегти відео помилку",
|
||||
"mobile.video_playback.failed_description": "Під час спроби відтворити відео сталася помилка.\n",
|
||||
"mobile.video_playback.failed_title": "Відтворення відео не вдалося",
|
||||
"mobile.youtube_playback_error.description": "Під час спроби відтворити відео YouTube сталася помилка.\nПодробиці: {detail}",
|
||||
"mobile.youtube_playback_error.title": "Помилка відтворення YouTube",
|
||||
"modal.manual_status.auto_responder.message_": "Ви хочете змінити свій статус на \"{status}\" і вимкнути автоматичні відповіді?",
|
||||
@@ -419,11 +477,18 @@
|
||||
"modal.manual_status.auto_responder.message_dnd": "Ви хочете змінити свій статус на \"Не турбувати\" та вимкнути автоматичні відповіді?",
|
||||
"modal.manual_status.auto_responder.message_offline": "Ви хочете змінити свій статус на \"Offline\" і вимкнути автоматичні відповіді?",
|
||||
"modal.manual_status.auto_responder.message_online": "Хочете переключити свій статус на \"Online\" і вимкнути автоматичні відповіді?",
|
||||
"more_channels.archivedChannels": "Архів каналів",
|
||||
"more_channels.dropdownTitle": "Показати",
|
||||
"more_channels.noMore": "Більше немає каналів для входу",
|
||||
"more_channels.publicChannels": "Публічні канали",
|
||||
"more_channels.showPublicChannels": "Новий публічний канал",
|
||||
"more_channels.title": "Більше каналів",
|
||||
"msg_typing.areTyping": "{users} і {last} друкують...",
|
||||
"msg_typing.isTyping": "{користувач} друкує...",
|
||||
"navbar.channel_drawer.button": "Канали та команди",
|
||||
"navbar.leave": "Залишити канал",
|
||||
"navbar.search.button": "Пошук каналу",
|
||||
"navbar.search.hint": "Відкриває модальний пошук каналу",
|
||||
"password_form.title": "Скидання пароля",
|
||||
"password_send.checkInbox": "Перевірте вашу поштову скриньку.",
|
||||
"password_send.description": "Щоб скинути свій пароль, введіть адресу електронної пошти, яку ви використовували для реєстрації",
|
||||
@@ -431,18 +496,21 @@
|
||||
"password_send.link": "Якщо обліковий запис існує, електронний лист для зміни пароля буде надіслано на адресу:",
|
||||
"password_send.reset": "Скинути пароль ",
|
||||
"permalink.error.access": "Постійне посилання належить до видаленого повідомлення або до каналу, на який ви не маєте доступу.",
|
||||
"permalink.error.link_not_found": "Посилання не знайдено",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "did not get notified by this mention because they are not in the channel. They cannot be added to the channel because they are not a member of the linked groups. To add them to this channel, they must be added to the linked groups.",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": "і",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "додайте їх до цього приватного каналу",
|
||||
"post_body.check_for_out_of_channel_mentions.link.public": "додати їх до каналу",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Вони матимуть доступ до всієї історії повідомлень.",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "були згадані, але вони не перебувають у каналі. Чи хотіли б Ви",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "було згадано, але не в каналі. Чи хотіли б Ви",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? Вони матимуть доступ до всієї історії повідомлень.",
|
||||
"post_body.commentedOn": "Прокоментував {name} повідомлення:",
|
||||
"post_body.deleted": "(повідомлення видалено)",
|
||||
"post_info.auto_responder": "АВТОМАТИЧНА ВІДПОВІДЬ",
|
||||
"post_info.bot": "BOT",
|
||||
"post_info.del": "Видалити",
|
||||
"post_info.edit": "Редагувати",
|
||||
"post_info.guest": "GUEST",
|
||||
"post_info.message.show_less": "Показати менше",
|
||||
"post_info.message.show_more": "Показати більше",
|
||||
"post_info.system": "Система",
|
||||
@@ -454,14 +522,14 @@
|
||||
"search_header.title2": "Недавні згадки",
|
||||
"search_header.title3": "Зазначені повідомлення ",
|
||||
"search_item.channelArchived": "Архівувати ",
|
||||
"sidebar_right_menu.logout": "Вийти ",
|
||||
"sidebar_right_menu.report": "Повідомити про проблему",
|
||||
"sidebar.channels": "ПУБЛІЧНІ КАНАЛИ",
|
||||
"sidebar.direct": "ПРЯМІ ПОСИЛАННЯ",
|
||||
"sidebar.favorite": "ОБРАНІ КАНАЛИ",
|
||||
"sidebar.pg": "ПРИВАТНІ КАНАЛИ",
|
||||
"sidebar.types.recent": "ОСТАННЯ АКТИВНІСТЬ",
|
||||
"sidebar.unreads": "НОВІ ПОВІДОМЛЕННЯ ",
|
||||
"sidebar_right_menu.logout": "Вийти ",
|
||||
"sidebar_right_menu.report": "Повідомити про проблему",
|
||||
"signup.email": "Email і пароль ",
|
||||
"signup.office365": "Office 365",
|
||||
"status_dropdown.set_away": "Не на місці ",
|
||||
@@ -483,6 +551,7 @@
|
||||
"terms_of_service.agreeButton": "Я згоден",
|
||||
"terms_of_service.api_error": "Не вдається завантажити умови надання послуг. Якщо ця проблема не зникне, зверніться до свого системного адміністратора.",
|
||||
"user.settings.display.clockDisplay": "Дисплей годинника ",
|
||||
"user.settings.display.custom_theme": "Тема користувача ",
|
||||
"user.settings.display.militaryClock": "24-годинний формат (приклад: 16:00)",
|
||||
"user.settings.display.normalClock": "12-годинний формат (приклад: 4:00 PM)",
|
||||
"user.settings.display.preferTime": "Виберіть бажаний формат часу.",
|
||||
@@ -516,52 +585,5 @@
|
||||
"user.settings.push_notification.disabled_long": "Системний адміністратор не активував сповіщення електронною поштою. ",
|
||||
"user.settings.push_notification.offline": "Offline ",
|
||||
"user.settings.push_notification.online": "У мережі, немає на місці або не в мережі",
|
||||
"web.root.signup_info": "Всі спілкування вашої команди в одному місці, з миттєвим пошуком та доступом звідусюди. ",
|
||||
"user.settings.display.custom_theme": "Тема користувача ",
|
||||
"post_info.guest": "GUEST",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "did not get notified by this mention because they are not in the channel. They cannot be added to the channel because they are not a member of the linked groups. To add them to this channel, they must be added to the linked groups.",
|
||||
"more_channels.showPublicChannels": "Новий публічний канал",
|
||||
"more_channels.publicChannels": "Публічні канали",
|
||||
"more_channels.archivedChannels": "Архів каналів",
|
||||
"mobile.tos_link": "Умови обслуговування",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} встановив заголовок каналу: {new}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} змінив заголовок каналу з {old} на {new}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} видалив заголовок каналу (було: {old})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{Username} змінив(ла) заголовок каналу на {new}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} змінив(ла) заголовок каналу з {old} на {new}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{Username} видалив заголовок каналу (було: {old})",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} архівує канал.",
|
||||
"mobile.system_message.channel_archived_message": "{username} архівує канал.",
|
||||
"mobile.share_extension.too_long_title": "Повідомлення задовге",
|
||||
"mobile.server_link.unreachable_team.error": "Постійне посилання належить до видаленого повідомлення або до каналу, на який ви не маєте доступу.",
|
||||
"mobile.server_link.unreachable_channel.error": "Постійне посилання належить до видаленого повідомлення або до каналу, на який ви не маєте доступу.",
|
||||
"mobile.server_link.error.title": "Link Error",
|
||||
"mobile.routes.user_profile.edit": "Редагувати",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "Архів каналів",
|
||||
"mobile.push_notification_reply.title": "Відповідь",
|
||||
"mobile.push_notification_reply.button": "Відправити",
|
||||
"mobile.post_textbox.entire_channel.title": "Підтвердьте надсилання повідомлень на весь канал",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "Використовуючи @all або @channel, ви збираєтеся надсилати сповіщення** {totalMembers} людям** у **{timezones, number} {timezones, plural, one {timezone} other {timezones}}**. Ви впевнені, що хочете це зробити?",
|
||||
"mobile.post_textbox.entire_channel.message": "Використовуючи @all або @channel, ви збираєтеся надсилати сповіщення** {totalMembers} людям** у **{timezones, number} {timezones, plural, one {timezone} other {timezones}}**. Ви впевнені, що хочете це зробити?",
|
||||
"mobile.post_textbox.entire_channel.confirm": "Підтвердьте",
|
||||
"mobile.post_textbox.entire_channel.cancel": "Відміна",
|
||||
"mobile.post_info.reply": "Відповідь",
|
||||
"mobile.photo_library_permission_denied_description": "Щоб зберегти зображення та відео в бібліотеці, змініть налаштування вашого дозволу.",
|
||||
"mobile.permission_denied_retry": "Налаштування",
|
||||
"mobile.ios.photos_permission_denied_title": "Потрібен доступ до фото-бібліотеки",
|
||||
"mobile.files_paste.error_dismiss": "Відхилити",
|
||||
"mobile.files_paste.error_description": "Помилка при направленні повідомлення. Будь-ласка, спробуйте знову.",
|
||||
"mobile.file_upload.unsupportedMimeType": "Для зображення команди можна використовувати лише BMP, JPG або PNG ",
|
||||
"mobile.display_settings.sidebar": "Бічна панель ",
|
||||
"mobile.channel_list.archived": "ARCHIVED",
|
||||
"mobile.channel_info.unarchive_failed": "Не вдалося архівувати канал {displayName}. Перевірте ваше з'єднання та повторіть спробу.",
|
||||
"mobile.channel_info.convert": "Конвертувати в приватний канал",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "Архів {термін}",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "Перетворити {display_name} на приватний канал?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "Ви впевнені, що хочете архівувати {term} {name}?",
|
||||
"mobile.alert_dialog.alertCancel": "Відміна",
|
||||
"intro_messages.creatorPrivate": "{name} {type}, створений {creator} {date}.",
|
||||
"mobile.server_upgrade.learn_more": "Вчи більше",
|
||||
"mobile.server_upgrade.dismiss": "Відхилити",
|
||||
"mobile.unsupported_server.ok": "OK"
|
||||
"web.root.signup_info": "Всі спілкування вашої команди в одному місці, з миттєвим пошуком та доступом звідусюди. "
|
||||
}
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
{
|
||||
"about.date": "创建日期:",
|
||||
"about.enterpriseEditione1": "企业版本",
|
||||
"about.enterpriseEditionLearn": "了解更多关于企业版:",
|
||||
"about.enterpriseEditionLearn": "了解更多关于企业版 ",
|
||||
"about.enterpriseEditionSt": "位于防火墙后的现代通讯方式。",
|
||||
"about.enterpriseEditione1": "企业版本",
|
||||
"about.hash": "构建哈希:",
|
||||
"about.hashee": "构建EE哈希:",
|
||||
"about.teamEditionLearn": "加入 Mattermost 社区 ",
|
||||
@@ -14,9 +14,17 @@
|
||||
"api.channel.add_member.added": "{addedUsername} 被 {username} 添加到此频道.",
|
||||
"archivedChannelMessage": "您正在查看**已归档的频道**。新消息无法被发送。",
|
||||
"center_panel.archived.closeChannel": "关闭频道",
|
||||
"channel.channelHasGuests": "此频道有游客",
|
||||
"channel.hasGuests": "此群消息有游客",
|
||||
"channel.isGuest": "该用户是访客",
|
||||
"channel_header.addMembers": "添加成员",
|
||||
"channel_header.directchannel.you": "{displayname} (您) ",
|
||||
"channel_header.manageMembers": "成员管理",
|
||||
"channel_header.notificationPreference": "移动设备推送",
|
||||
"channel_header.notificationPreference.all": "全部",
|
||||
"channel_header.notificationPreference.default": "默认",
|
||||
"channel_header.notificationPreference.mention": "提及",
|
||||
"channel_header.notificationPreference.none": "从不",
|
||||
"channel_header.pinnedPosts": "置顶消息",
|
||||
"channel_header.viewMembers": "查看成员",
|
||||
"channel_info.header": "标题:",
|
||||
@@ -35,6 +43,12 @@
|
||||
"channel_modal.purposeEx": "例如:\"用于提交问题和建议的频道\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "忽略 @channel、@here 以及 @all",
|
||||
"channel_notifications.muteChannel.settings": "静音频道",
|
||||
"channel_notifications.preference.all_activity": "所有活动",
|
||||
"channel_notifications.preference.global_default": "全局默认(提及)",
|
||||
"channel_notifications.preference.header": "发送通知",
|
||||
"channel_notifications.preference.never": "从不",
|
||||
"channel_notifications.preference.only_mentions": "只限提及与私信",
|
||||
"channel_notifications.preference.save_error": "无法保存通知设定。请检查连接并重试。",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{actor} 添加了 {users} 以及 {lastUser} 至**此频道**。",
|
||||
"combined_system_message.added_to_channel.one": "{actor} 添加了 {firstUser} 至**此频道**。",
|
||||
"combined_system_message.added_to_channel.one_you": "您被 {actor} 添加至**此频道**。",
|
||||
@@ -71,6 +85,8 @@
|
||||
"create_comment.addComment": "添加一个评论...",
|
||||
"create_post.deactivated": "您正在查看已注销用户的归档频道。",
|
||||
"create_post.write": "写入到{channelDisplayName}",
|
||||
"date_separator.today": "今天",
|
||||
"date_separator.yesterday": "昨天",
|
||||
"edit_post.editPost": "编辑信息...",
|
||||
"edit_post.save": "保存",
|
||||
"file_attachment.download": "下载",
|
||||
@@ -80,6 +96,7 @@
|
||||
"intro_messages.anyMember": " 任何成员可以加入和查看这个频道。",
|
||||
"intro_messages.beginning": "{name} 的开端",
|
||||
"intro_messages.creator": "这是{name}频道的开端,由{creator}于{date}建立。",
|
||||
"intro_messages.creatorPrivate": "这是{name}私有频道的开端,由{creator}于{date}建立。",
|
||||
"intro_messages.group_message": "这是您与此团队成员团体记录的开端。在这里的直接消息和文件共享除了在此的人外无法看到。",
|
||||
"intro_messages.noCreator": "这是{name}频道的开端,建立于{date}。",
|
||||
"intro_messages.onlyInvited": " 只有受邀的成员才能看到此私有频道。",
|
||||
@@ -93,9 +110,6 @@
|
||||
"last_users_message.others": "{numOthers} 其他人 ",
|
||||
"last_users_message.removed_from_channel.type": "被**移出了此频道**。",
|
||||
"last_users_message.removed_from_team.type": "被**移出了此团队**。",
|
||||
"login_mfa.enterToken": "请输入您智能手机的验证令牌以便完成登录",
|
||||
"login_mfa.token": "多重验证令牌",
|
||||
"login_mfa.tokenReq": "请输入多重验证令牌",
|
||||
"login.email": "电子邮件",
|
||||
"login.forgot": "我忘记了密码",
|
||||
"login.invalidPassword": "您的密码是错误的。",
|
||||
@@ -112,8 +126,11 @@
|
||||
"login.or": "或",
|
||||
"login.password": "密码",
|
||||
"login.signIn": "登录",
|
||||
"login.username": "用户名",
|
||||
"login.userNotFound": "我们找不到现有的帐户匹配您的凭证。",
|
||||
"login.username": "用户名",
|
||||
"login_mfa.enterToken": "请输入您智能手机的验证令牌以便完成登录",
|
||||
"login_mfa.token": "多重验证令牌",
|
||||
"login_mfa.tokenReq": "请输入多重验证令牌",
|
||||
"mobile.about.appVersion": "应用版本:{version} (Build {number})",
|
||||
"mobile.about.copyright": "版权所有 2015-{currentYear} Mattermost, Inc. 保留所有权利",
|
||||
"mobile.about.database": "数据库:{type}",
|
||||
@@ -121,11 +138,11 @@
|
||||
"mobile.about.powered_by": "{site} Powered by Mattermost",
|
||||
"mobile.about.serverVersion": "服务端版本:{version} (Build {number})",
|
||||
"mobile.about.serverVersionNoBuild": "服务端版本:{version}",
|
||||
"mobile.account.settings.save": "保存",
|
||||
"mobile.account_notifications.reply.header": "发送回复通知",
|
||||
"mobile.account_notifications.threads_mentions": "串中的提及",
|
||||
"mobile.account_notifications.threads_start": "我创建的串",
|
||||
"mobile.account_notifications.threads_start_participate": "我创建的或参与的串",
|
||||
"mobile.account.settings.save": "保存",
|
||||
"mobile.action_menu.select": "选择选项",
|
||||
"mobile.advanced_settings.clockDisplay": "时钟显示",
|
||||
"mobile.advanced_settings.delete": "删除",
|
||||
@@ -133,6 +150,8 @@
|
||||
"mobile.advanced_settings.delete_title": "删除文档及数据",
|
||||
"mobile.advanced_settings.timezone": "时区",
|
||||
"mobile.advanced_settings.title": "高级设置",
|
||||
"mobile.alert_dialog.alertCancel": "取消",
|
||||
"mobile.android.back_handler_exit": "再次点击返回以退出",
|
||||
"mobile.android.photos_permission_denied_description": "上传照片到您的 Mattermost 或保存到您的设备。打开设定并允许 Mattermost 读写到您的相册。",
|
||||
"mobile.android.photos_permission_denied_title": "{applicationName} 想要访问您的照片",
|
||||
"mobile.android.videos_permission_denied_description": "上传视频到您的 Mattermost 或保存到您的设备。打开设定并允许 Mattermost 读写到您的视频。",
|
||||
@@ -142,19 +161,34 @@
|
||||
"mobile.calendar.dayNamesShort": "周日,周一,周二,周三,周四,周五,周六",
|
||||
"mobile.calendar.monthNames": "一月,二月,三月,四月,五月,六月,七月,八月,九月,十月,十一月,十二月",
|
||||
"mobile.calendar.monthNamesShort": "一月,二月,三月,四月,五月,六月,七月,八月,九月,十月,十一月,十二月",
|
||||
"mobile.camera_photo_permission_denied_description": "拍照并上传到您的 Mattermost 或保存到您的设备。打开设定并允许 Mattermost 读写到您的相机。",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName}想要访问您的相机",
|
||||
"mobile.camera_video_permission_denied_description": "摄影并上传到您的 Mattermost 或保存到您的设备。打开设定并允许 Mattermost 读写到您的相机。",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName}想要访问您的相机",
|
||||
"mobile.channel_drawer.search": "转至...",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "当您转换 {displayName} 至私有频道时,历史以及成员将被保留。公开共享的文件仍可用链接访问。私有频道成员需要被邀请才能加入。\n\n此操作为永久且不能取消。\n\n您确定要装换 {displayName} 至私有频道?",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "您确定要归档 {term} {name}?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "您确定要离开{term} {name}?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "您确定要取消归档 {term} {name}?",
|
||||
"mobile.channel_info.alertNo": "否",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "转换 {displayName} 为私有频道?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "归档 {term}",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "离开 {term}",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "取消归档 {term}",
|
||||
"mobile.channel_info.alertYes": "是的",
|
||||
"mobile.channel_info.convert": "转换至私有频道",
|
||||
"mobile.channel_info.convert_failed": "无法转换 {displayName} 为私有频道。",
|
||||
"mobile.channel_info.convert_success": "{displayName} 已成为私有频道。",
|
||||
"mobile.channel_info.copy_header": "复制标题",
|
||||
"mobile.channel_info.copy_purpose": "复制用途",
|
||||
"mobile.channel_info.delete_failed": "我们无法归档频道 {displayName}。请检查您的网络连接再尝试。",
|
||||
"mobile.channel_info.edit": "编辑频道",
|
||||
"mobile.channel_info.privateChannel": "私有频道",
|
||||
"mobile.channel_info.publicChannel": "公共频道",
|
||||
"mobile.channel_info.unarchive_failed": "我们无法取消归档频道 {displayName}。请检查您的网络连接再尝试。",
|
||||
"mobile.channel_list.alertNo": "否",
|
||||
"mobile.channel_list.alertYes": "是的",
|
||||
"mobile.channel_list.archived": "归档",
|
||||
"mobile.channel_list.channels": "频道",
|
||||
"mobile.channel_list.closeDM": "关闭私信",
|
||||
"mobile.channel_list.closeGM": "关闭组消息",
|
||||
@@ -191,6 +225,7 @@
|
||||
"mobile.create_channel.public": "新公共频道",
|
||||
"mobile.create_post.read_only": "此频道为只读",
|
||||
"mobile.custom_list.no_results": "无结果",
|
||||
"mobile.display_settings.sidebar": "侧边栏",
|
||||
"mobile.display_settings.theme": "主题",
|
||||
"mobile.document_preview.failed_description": "打开文档时遇到错误。请确定您已安装 {fileType} 查看器后再重试。\n",
|
||||
"mobile.document_preview.failed_title": "打开文档失败",
|
||||
@@ -209,6 +244,7 @@
|
||||
"mobile.drawer.teamsTitle": "团队",
|
||||
"mobile.edit_channel": "保存",
|
||||
"mobile.edit_post.title": "编辑消息",
|
||||
"mobile.edit_profile.remove_profile_photo": "移除照片",
|
||||
"mobile.emoji_picker.activity": "活动",
|
||||
"mobile.emoji_picker.custom": "自定义",
|
||||
"mobile.emoji_picker.flags": "旗帜",
|
||||
@@ -218,6 +254,8 @@
|
||||
"mobile.emoji_picker.people": "人物",
|
||||
"mobile.emoji_picker.places": "地点",
|
||||
"mobile.emoji_picker.recent": "最近使用",
|
||||
"mobile.emoji_picker.search.not_found_description": "检查拼写后再尝试。",
|
||||
"mobile.emoji_picker.search.not_found_title": "未找到“{searchTerm}”的结果",
|
||||
"mobile.emoji_picker.symbols": "符号",
|
||||
"mobile.error_handler.button": "重加载",
|
||||
"mobile.error_handler.description": "\n点击重启动应用。重启后,您可以在设定菜单汇报问题。\n",
|
||||
@@ -227,42 +265,60 @@
|
||||
"mobile.extension.file_limit": "共享限制最多 5 个文件。",
|
||||
"mobile.extension.max_file_size": "分享在 Mattermost 的附件必须小于 {size}。",
|
||||
"mobile.extension.permission": "Mattermost 需要访问储存设备以共享文件。",
|
||||
"mobile.extension.team_required": "您必须归属一个团队才能共享文件。",
|
||||
"mobile.extension.title": "分享到 Mattermost",
|
||||
"mobile.failed_network_action.retry": "重试",
|
||||
"mobile.failed_network_action.shortDescription": "消息将在您有网络连接后加载。",
|
||||
"mobile.failed_network_action.teams_channel_description": "无法加载 {teamName} 的频道。",
|
||||
"mobile.failed_network_action.teams_description": "无法加载团队。",
|
||||
"mobile.failed_network_action.teams_title": "出现了故障",
|
||||
"mobile.failed_network_action.title": "无网络连接",
|
||||
"mobile.file_upload.browse": "浏览文件",
|
||||
"mobile.file_upload.camera_photo": "拍照",
|
||||
"mobile.file_upload.camera_video": "录像",
|
||||
"mobile.file_upload.library": "照片库",
|
||||
"mobile.file_upload.max_warning": "最多上传 5 个文件。",
|
||||
"mobile.file_upload.unsupportedMimeType": "只有 BMP、JPG 或 PNG 图片可做为个人资料照片。",
|
||||
"mobile.file_upload.video": "视频库",
|
||||
"mobile.flagged_posts.empty_description": "标记信息以便之后更进。您的标记是个人的,不会被他人看到。",
|
||||
"mobile.files_paste.error_description": "粘贴文件时遇到错误。请重试。",
|
||||
"mobile.files_paste.error_dismiss": "解除",
|
||||
"mobile.files_paste.error_title": "粘贴失败",
|
||||
"mobile.flagged_posts.empty_description": "只有您可见保存的消息。长按消息并在菜单选择保存可标记信息以便之后更进。",
|
||||
"mobile.flagged_posts.empty_title": "无已标记的信息",
|
||||
"mobile.help.title": "帮助",
|
||||
"mobile.image_preview.save": "保存图片",
|
||||
"mobile.image_preview.save_video": "保存视频",
|
||||
"mobile.intro_messages.DM": "这是您和{teammate}私信记录的开端。此区域外的人不能看到这里共享的私信和文件。",
|
||||
"mobile.intro_messages.default_message": "这是团队成员注册后第一个看到的频道 - 使用它发布所有人需要知道的消息。",
|
||||
"mobile.intro_messages.default_welcome": "欢迎来到 {name}!",
|
||||
"mobile.intro_messages.DM": "这是您和{teammate}私信记录的开端。此区域外的人不能看到这里共享的私信和文件。",
|
||||
"mobile.ios.photos_permission_denied_description": "上传照片和视频到您的 Mattermost 或保存到您的设备。打开设定并允许 Mattermost 读写到您的相册和视频集。",
|
||||
"mobile.ios.photos_permission_denied_title": "{applicationName} 想要访问您的照片",
|
||||
"mobile.join_channel.error": "我们无法加入频道 {displayName}。请检查您的网络连接再尝试。",
|
||||
"mobile.link.error.text": "无法打开链接。",
|
||||
"mobile.link.error.title": "错误",
|
||||
"mobile.loading_channels": "正在加载频道...",
|
||||
"mobile.loading_members": "正在加载成员...",
|
||||
"mobile.loading_options": "加载选项中...",
|
||||
"mobile.loading_posts": "正在加载消息...",
|
||||
"mobile.login_options.choose_title": "选择您的登入方式",
|
||||
"mobile.long_post_title": "{channelName} - 消息",
|
||||
"mobile.mailTo.error.text": "无法打开电子邮件客户端。",
|
||||
"mobile.mailTo.error.title": "错误",
|
||||
"mobile.managed.blocked_by": "被 {vendor} 封锁",
|
||||
"mobile.managed.exit": "退出",
|
||||
"mobile.managed.jailbreak": "越狱的设备不被 {vendor} 信任,请退出应用。",
|
||||
"mobile.managed.not_secured.android": "此设备必须开启屏幕锁才能使用 Mattermost。",
|
||||
"mobile.managed.not_secured.ios": "此设备必须开启密码锁才能使用 Mattermost。\n\n前往设置 > 面容 ID 与密码。",
|
||||
"mobile.managed.not_secured.ios.touchId": "此设备必须开启密码锁才能使用 Mattermost。\n\n前往设置 > 面容 ID 与密码。",
|
||||
"mobile.managed.secured_by": "被 {vendor} 安全保护",
|
||||
"mobile.managed.settings": "前往设置",
|
||||
"mobile.markdown.code.copy_code": "复制代码",
|
||||
"mobile.markdown.code.plusMoreLines": "+{count, number} 行",
|
||||
"mobile.markdown.image.too_large": "图片超过最大尺寸 {maxWidth}x{maxHeight}:",
|
||||
"mobile.markdown.link.copy_url": "复制网址",
|
||||
"mobile.mention.copy_mention": "复制提及",
|
||||
"mobile.message_length.message": "您的消息过长。目前字数:{max}/{count}",
|
||||
"mobile.message_length.message_split_left": "消息超过字数限制",
|
||||
"mobile.message_length.title": "消息长度",
|
||||
"mobile.more_dms.add_more": "您还可以添加 {remaining, number} 位用户",
|
||||
"mobile.more_dms.cannot_add_more": "您不能再添加更多用户",
|
||||
@@ -270,9 +326,32 @@
|
||||
"mobile.more_dms.start": "开始",
|
||||
"mobile.more_dms.title": "新建对话",
|
||||
"mobile.more_dms.you": "@{username} - 您",
|
||||
"mobile.more_messages_button.text": "{count} 条消息",
|
||||
"mobile.notice_mobile_link": "移动应用",
|
||||
"mobile.notice_platform_link": "服务器",
|
||||
"mobile.notice_text": "Mattermost 通过开源软件实现了我们的 {platform} 以及 {mobile}。",
|
||||
"mobile.notification.in": " 在 ",
|
||||
"mobile.notification_settings.auto_responder.default_message": "你好,我现在已离开办公室并无法回复消息。",
|
||||
"mobile.notification_settings.auto_responder.enabled": "已启用",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "设定在私信里自动回复的消息。在公共或私有频道下的提及不会触发自动回复。开启自动回复将设您的状态为离开办公室并停用邮件和推送通知。",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "消息",
|
||||
"mobile.notification_settings.auto_responder.message_title": "自定义消息",
|
||||
"mobile.notification_settings.auto_responder_short": "自动回复",
|
||||
"mobile.notification_settings.email": "电子邮件",
|
||||
"mobile.notification_settings.email.send": "发送邮件通知",
|
||||
"mobile.notification_settings.email_title": "电子邮件通知",
|
||||
"mobile.notification_settings.mentions.channelWide": "频道提及",
|
||||
"mobile.notification_settings.mentions.reply_title": "发送回复通知给",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "您区分大小写的名字",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "您不区分大小写的名字",
|
||||
"mobile.notification_settings.mentions_replies": "提及和回复",
|
||||
"mobile.notification_settings.mobile": "移动设备",
|
||||
"mobile.notification_settings.mobile_title": "移动设备推送",
|
||||
"mobile.notification_settings.modal_cancel": "取消",
|
||||
"mobile.notification_settings.modal_save": "保存",
|
||||
"mobile.notification_settings.ooo_auto_responder": "自动私信回复",
|
||||
"mobile.notification_settings.save_failed_description": "通知设定因连接问题保存失败,请重试。",
|
||||
"mobile.notification_settings.save_failed_title": "连接问题",
|
||||
"mobile.notification_settings_mentions.keywords": "关键字",
|
||||
"mobile.notification_settings_mentions.keywordsDescription": "其他触发提及的词",
|
||||
"mobile.notification_settings_mentions.keywordsHelp": "关键字不区分大小写并需要以逗号区分。",
|
||||
@@ -289,47 +368,18 @@
|
||||
"mobile.notification_settings_mobile.test": "给我发送个测试通知",
|
||||
"mobile.notification_settings_mobile.test_push": "这是一个推送通知测试",
|
||||
"mobile.notification_settings_mobile.vibrate": "震动",
|
||||
"mobile.notification_settings.auto_responder_short": "自动回复",
|
||||
"mobile.notification_settings.auto_responder.default_message": "你好,我现在已离开办公室并无法回复消息。",
|
||||
"mobile.notification_settings.auto_responder.enabled": "已启用",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "设定在私信里自动回复的消息。在公共或私有频道下的提及不会触发自动回复。开启自动回复将设您的状态为离开办公室并停用邮件和推送通知。",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "消息",
|
||||
"mobile.notification_settings.auto_responder.message_title": "自定义消息",
|
||||
"mobile.notification_settings.email": "电子邮件",
|
||||
"mobile.notification_settings.email_title": "电子邮件通知",
|
||||
"mobile.notification_settings.email.send": "发送邮件通知",
|
||||
"mobile.notification_settings.mentions_replies": "提及和回复",
|
||||
"mobile.notification_settings.mentions.channelWide": "频道提及",
|
||||
"mobile.notification_settings.mentions.reply_title": "发送回复通知给",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "您区分大小写的名字",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "您不区分大小写的名字",
|
||||
"mobile.notification_settings.mobile": "移动设备",
|
||||
"mobile.notification_settings.mobile_title": "移动设备推送",
|
||||
"mobile.notification_settings.modal_cancel": "取消",
|
||||
"mobile.notification_settings.modal_save": "保存",
|
||||
"mobile.notification_settings.ooo_auto_responder": "自动私信回复",
|
||||
"mobile.notification_settings.save_failed_description": "通知设定因连接问题保存失败,请重试。",
|
||||
"mobile.notification_settings.save_failed_title": "连接问题",
|
||||
"mobile.notification.in": " 在 ",
|
||||
"mobile.offlineIndicator.connected": "已连接",
|
||||
"mobile.offlineIndicator.connecting": "正在连接...",
|
||||
"mobile.offlineIndicator.offline": "无网络连接",
|
||||
"mobile.open_dm.error": "我们无法打开私信 {displayName}。请检查您的网络连接再尝试。",
|
||||
"mobile.open_gm.error": "我们无法打开和这些用户的团体消息。请检查您的网络连接再尝试。",
|
||||
"mobile.open_unknown_channel.error": "无法加入频道。请重置缓存后重试。",
|
||||
"mobile.pinned_posts.empty_description": "按住任何消息并选择 \"置顶到频道\" 以置顶重要的项目。",
|
||||
"mobile.permission_denied_dismiss": "不允许",
|
||||
"mobile.permission_denied_retry": "设置",
|
||||
"mobile.photo_library_permission_denied_description": "请更改您的权限设定以保存图片和视频到您的媒体库。",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} 想访问您的相册",
|
||||
"mobile.pinned_posts.empty_description": "置顶全频道可见的重要消息。按住任何消息并选择置顶到频道以保存至此。",
|
||||
"mobile.pinned_posts.empty_title": "无置顶消息",
|
||||
"mobile.post_info.add_reaction": "添加互动",
|
||||
"mobile.post_info.copy_text": "复制文字",
|
||||
"mobile.post_info.flag": "标记",
|
||||
"mobile.post_info.pin": "置顶到频道",
|
||||
"mobile.post_info.unflag": "取消标记",
|
||||
"mobile.post_info.unpin": "从频道取消置顶",
|
||||
"mobile.post_pre_header.flagged": "已标记",
|
||||
"mobile.post_pre_header.pinned": "已置顶",
|
||||
"mobile.post_pre_header.pinned_flagged": "已被置顶及标记",
|
||||
"mobile.post_textbox.uploadFailedDesc": "一些附件上传失败,您确定发送此消息?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "附件失败",
|
||||
"mobile.post.cancel": "取消",
|
||||
"mobile.post.delete_question": "您确认要删除此消息?",
|
||||
"mobile.post.delete_title": "删除消息",
|
||||
@@ -337,9 +387,37 @@
|
||||
"mobile.post.failed_retry": "重试",
|
||||
"mobile.post.failed_title": "无法发送您的消息",
|
||||
"mobile.post.retry": "刷新",
|
||||
"mobile.post_info.add_reaction": "添加互动",
|
||||
"mobile.post_info.copy_text": "复制文字",
|
||||
"mobile.post_info.flag": "标记",
|
||||
"mobile.post_info.mark_unread": "标为未读",
|
||||
"mobile.post_info.pin": "置顶到频道",
|
||||
"mobile.post_info.reply": "回复",
|
||||
"mobile.post_info.unflag": "取消标记",
|
||||
"mobile.post_info.unpin": "从频道取消置顶",
|
||||
"mobile.post_pre_header.flagged": "已标记",
|
||||
"mobile.post_pre_header.pinned": "已置顶",
|
||||
"mobile.post_pre_header.pinned_flagged": "已被置顶及标记",
|
||||
"mobile.post_textbox.entire_channel.cancel": "取消",
|
||||
"mobile.post_textbox.entire_channel.confirm": "确认",
|
||||
"mobile.post_textbox.entire_channel.message": "使用 @all 或 @channel 您将发送通知至 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "使用 @all 或 @channel 您将发送通知至 {timezones, number} 个时区的 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.post_textbox.entire_channel.title": "确定发送通知到整个频道",
|
||||
"mobile.post_textbox.groups.title": "确认发送推送给组",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "使用 {mentions} 与 {finalMention} 将发送通知给 {timezones, number} 个时区的 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "使用 {mentions} 与 {finalMention} 将发送通知给至少 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "使用 {mentions} 将发送通知给 {timezones, number} 个时区的 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "使用 {mentions} 将发送通知给 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.post_textbox.uploadFailedDesc": "一些附件上传失败,您确定发送此消息?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "附件失败",
|
||||
"mobile.posts_view.moreMsg": "以上有更多新消息",
|
||||
"mobile.privacy_link": "隐私政策",
|
||||
"mobile.push_notification_reply.button": "发送",
|
||||
"mobile.push_notification_reply.placeholder": "撰写回复...",
|
||||
"mobile.push_notification_reply.title": "回复",
|
||||
"mobile.reaction_header.all_emojis": "全部",
|
||||
"mobile.recent_mentions.empty_description": "包含您的用户名或其他触发提及的消息将会显示在此。",
|
||||
"mobile.recent_mentions.empty_title": "无最近提及",
|
||||
"mobile.recent_mentions.empty_title": "暂无提及",
|
||||
"mobile.rename_channel.display_name_maxLength": "频道名必须小于 {maxLength, number} 个字符",
|
||||
"mobile.rename_channel.display_name_minLength": "频道名必须至少 {minLength, number} 个字符",
|
||||
"mobile.rename_channel.display_name_required": "频道名为必填",
|
||||
@@ -353,13 +431,15 @@
|
||||
"mobile.reset_status.alert_ok": "确定",
|
||||
"mobile.reset_status.title_ooo": "停用 \"不在办公室\"?",
|
||||
"mobile.retry_message": "刷新消息失败。拉上以重试。",
|
||||
"mobile.routes.channel_members.action": "移除成员",
|
||||
"mobile.routes.channel_members.action_message": "您必须至少选择一个要移出频道的成员。",
|
||||
"mobile.routes.channel_members.action_message_confirm": "您确定要将选择的成员移出频道?",
|
||||
"mobile.routes.channelInfo": "信息",
|
||||
"mobile.routes.channelInfo.createdBy": "{creator} 创建于 ",
|
||||
"mobile.routes.channelInfo.delete_channel": "归档频道",
|
||||
"mobile.routes.channelInfo.favorite": "收藏",
|
||||
"mobile.routes.channelInfo.groupManaged": "成员由关联组管理",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "取消归档频道",
|
||||
"mobile.routes.channel_members.action": "移除成员",
|
||||
"mobile.routes.channel_members.action_message": "您必须至少选择一个要移出频道的成员。",
|
||||
"mobile.routes.channel_members.action_message_confirm": "您确定要将选择的成员移出频道?",
|
||||
"mobile.routes.code": "{language} 代码",
|
||||
"mobile.routes.code.noLanguage": "代码",
|
||||
"mobile.routes.edit_profile": "编辑个人资料",
|
||||
@@ -375,6 +455,7 @@
|
||||
"mobile.routes.thread": "{channelName} 串",
|
||||
"mobile.routes.thread_dm": "私信串",
|
||||
"mobile.routes.user_profile": "个人资料",
|
||||
"mobile.routes.user_profile.edit": "编辑",
|
||||
"mobile.routes.user_profile.local_time": "本地时间",
|
||||
"mobile.routes.user_profile.send_message": "发送消息",
|
||||
"mobile.search.after_modifier_description": "搜索指定日期后的消息",
|
||||
@@ -387,11 +468,22 @@
|
||||
"mobile.search.no_results": "未找到结果",
|
||||
"mobile.search.on_modifier_description": "搜索指定日期的消息",
|
||||
"mobile.search.recent_title": "最近的搜索",
|
||||
"mobile.select_team.guest_cant_join_team": "您的访客帐号没有分配团队或频道。请联系管理员。",
|
||||
"mobile.select_team.join_open": "您可以加入的开放团队",
|
||||
"mobile.select_team.no_teams": "没有您可以加入的团队。",
|
||||
"mobile.server_link.error.text": "无法在此服务器找到该链接。",
|
||||
"mobile.server_link.error.title": "链接错误",
|
||||
"mobile.server_link.unreachable_channel.error": "此链接属于已删除的频道或者您没有权限访问的频道。",
|
||||
"mobile.server_link.unreachable_team.error": "此链接属于已删除的团队或者您没有权限访问的团队。",
|
||||
"mobile.server_ssl.error.text": "{host} 的证书不可信。\n\n请联系您的系统管理员解决证书问题。",
|
||||
"mobile.server_ssl.error.title": "不可信任的证书",
|
||||
"mobile.server_upgrade.alert_description": "此服务器版本不受支持,用户将面临兼容性问题,这些问题会导致崩溃或严重的错误影响应用程序的核心功能。 需要升级到服务器版本 {serverVersion} 或更高。",
|
||||
"mobile.server_upgrade.button": "确定",
|
||||
"mobile.server_upgrade.description": "\n服务器需要更新才能使用 Mattermost 应用。请询问系统管理员了解详情。\n",
|
||||
"mobile.server_upgrade.dismiss": "解除",
|
||||
"mobile.server_upgrade.learn_more": "了解更多",
|
||||
"mobile.server_upgrade.title": "服务器需要更新",
|
||||
"mobile.server_url.empty": "请输入有效的服务端网址",
|
||||
"mobile.server_url.invalid_format": "每个 URL 必须以 http:// 或 https:// 开头",
|
||||
"mobile.session_expired": "会话已超时:请登入再以继续接收通知。{siteName} 的会话过期时间设定为 {daysCount, number} 天。",
|
||||
"mobile.set_status.away": "离开",
|
||||
@@ -404,7 +496,22 @@
|
||||
"mobile.share_extension.error_message": "使用共享扩展时遇到了错误。",
|
||||
"mobile.share_extension.error_title": "扩展错误",
|
||||
"mobile.share_extension.team": "团队",
|
||||
"mobile.share_extension.too_long_message": "字数:{count}/{max}",
|
||||
"mobile.share_extension.too_long_title": "消息过长",
|
||||
"mobile.sidebar_settings.permanent": "永久侧栏",
|
||||
"mobile.sidebar_settings.permanent_description": "让侧栏永久开启",
|
||||
"mobile.storage_permission_denied_description": "上传文件到您的 Mattermost。打开设定并允许 Mattermost 读写此设备上的文件。",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} 想要访问您的文件",
|
||||
"mobile.suggestion.members": "成员",
|
||||
"mobile.system_message.channel_archived_message": "{username} 已归档频道",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} 已取消归档频道",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} 已更新频道显示名从 {oldDisplayName} 改为 {newDisplayName}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} 已移除频道标题 (原为:{oldHeader})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} 更新了频道标题从:{oldHeader} 到 {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} 更新了频道标题至:{newHeader}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} 移除了频道用途 (原为:{oldPurpose})",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} 更新了频道用途从:{oldPurpose} 到 {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} 更新了频道用途至:{newPurpose}",
|
||||
"mobile.terms_of_service.alert_cancel": "取消",
|
||||
"mobile.terms_of_service.alert_ok": "确定",
|
||||
"mobile.terms_of_service.alert_retry": "重试",
|
||||
@@ -412,12 +519,18 @@
|
||||
"mobile.timezone_settings.automatically": "自动设定",
|
||||
"mobile.timezone_settings.manual": "更改时区",
|
||||
"mobile.timezone_settings.select": "选择时区",
|
||||
"mobile.user_list.deactivated": "已停用",
|
||||
"mobile.tos_link": "服务条款",
|
||||
"mobile.unsupported_server.message": "附件、链接预览、互动以及内嵌数据可能无法正确显示。如果此问题持续发生,请联系您的系统管理员以升级 Mattermost 服务器。",
|
||||
"mobile.unsupported_server.ok": "确定",
|
||||
"mobile.unsupported_server.title": "不支持的服务端版本",
|
||||
"mobile.user.settings.notifications.email.fifteenMinutes": "每 15 分钟",
|
||||
"mobile.video_playback.failed_description": "尝试播放视频时发送错误。\n",
|
||||
"mobile.video_playback.failed_title": "视频播放失败",
|
||||
"mobile.user_list.deactivated": "已停用",
|
||||
"mobile.user_removed.message": "您被移出频道。",
|
||||
"mobile.user_removed.title": "已从{channelName}移出",
|
||||
"mobile.video.save_error_message": "您需要先下载才能保存视频文件。",
|
||||
"mobile.video.save_error_title": "保存视频出错",
|
||||
"mobile.video_playback.failed_description": "尝试播放视频时发送错误。\n",
|
||||
"mobile.video_playback.failed_title": "视频播放失败",
|
||||
"mobile.youtube_playback_error.description": "尝试播放 YouTube 视频失败。\n详细信息:{details}",
|
||||
"mobile.youtube_playback_error.title": "YouTube 播放错误",
|
||||
"modal.manual_status.auto_responder.message_": "你想切换您的状态到 \"{status}\" 并停用自动回复吗?",
|
||||
@@ -425,11 +538,22 @@
|
||||
"modal.manual_status.auto_responder.message_dnd": "你想切换您的状态到 \"请勿打扰\" 并停用自动回复吗?",
|
||||
"modal.manual_status.auto_responder.message_offline": "你想切换您的状态到 \"离线\" 并停用自动回复吗?",
|
||||
"modal.manual_status.auto_responder.message_online": "你想切换您的状态到 \"在线\" 并停用自动回复吗?",
|
||||
"more_channels.archivedChannels": "已归档的频道",
|
||||
"more_channels.dropdownTitle": "显示",
|
||||
"more_channels.noMore": "没有更多可加入的频道",
|
||||
"more_channels.publicChannels": "公共频道",
|
||||
"more_channels.showArchivedChannels": "显示:已归档的频道",
|
||||
"more_channels.showPublicChannels": "显示:公共频道",
|
||||
"more_channels.title": "更多频道",
|
||||
"msg_typing.areTyping": "{users}和{last}正在输入...",
|
||||
"msg_typing.isTyping": "{user}正在输入...",
|
||||
"navbar.channel_drawer.button": "频道与团队",
|
||||
"navbar.channel_drawer.hint": "打开频道与团队菜单",
|
||||
"navbar.leave": "离开频道",
|
||||
"navbar.more_options.button": "更多选项",
|
||||
"navbar.more_options.hint": "在右侧栏打开更多选项",
|
||||
"navbar.search.button": "搜索频道",
|
||||
"navbar.search.hint": "打开搜索频道对话框",
|
||||
"password_form.title": "密码重置",
|
||||
"password_send.checkInbox": "请检查您的收件箱。",
|
||||
"password_send.description": "重置您的密码,输入您用于注册的电子邮件地址",
|
||||
@@ -437,18 +561,21 @@
|
||||
"password_send.link": "如果账户存在,密码重置邮件将会被发送到:",
|
||||
"password_send.reset": "重置我的密码",
|
||||
"permalink.error.access": "此永久链接指向已删除的消息或者您没有权限访问的频道。",
|
||||
"permalink.error.link_not_found": "未找到链接",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "未收到此提及因为他们不在此频道。同时他们也不是此频道关联组的成员。",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": " 以及 ",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "添加他们到此私有频道",
|
||||
"post_body.check_for_out_of_channel_mentions.link.public": "添加他们到频道",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? 他们将可以查看所有消息历史。",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "未收到此提及因为他们不在此频道。您是否想要 ",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "未收到此提及因为他们不在此频道。您是否想要 ",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "? 他们将可以查看所有消息历史。",
|
||||
"post_body.commentedOn": "在{name}的消息评论了:",
|
||||
"post_body.deleted": "(消息被删除)",
|
||||
"post_info.auto_responder": "自动回复",
|
||||
"post_info.bot": "机器人",
|
||||
"post_info.del": "删除",
|
||||
"post_info.edit": "编辑",
|
||||
"post_info.guest": "游客",
|
||||
"post_info.message.show_less": "显示更少",
|
||||
"post_info.message.show_more": "显示更多",
|
||||
"post_info.system": "系统",
|
||||
@@ -458,16 +585,16 @@
|
||||
"search_bar.search": "搜索",
|
||||
"search_header.results": "搜索结果",
|
||||
"search_header.title2": "最近提及",
|
||||
"search_header.title3": "已标记的信息",
|
||||
"search_header.title3": "已保存的消息",
|
||||
"search_item.channelArchived": "已归档",
|
||||
"sidebar_right_menu.logout": "注销",
|
||||
"sidebar_right_menu.report": "报告问题",
|
||||
"sidebar.channels": "公开频道",
|
||||
"sidebar.direct": "私信",
|
||||
"sidebar.favorite": "我最爱的频道",
|
||||
"sidebar.pg": "私有频道",
|
||||
"sidebar.types.recent": "最近活动",
|
||||
"sidebar.unreads": "更多未读",
|
||||
"sidebar_right_menu.logout": "注销",
|
||||
"sidebar_right_menu.report": "报告问题",
|
||||
"signup.email": "电子邮箱和密码",
|
||||
"signup.office365": "Office 365",
|
||||
"status_dropdown.set_away": "离开",
|
||||
@@ -478,17 +605,20 @@
|
||||
"suggestion.mention.all": "通知此频道所有人",
|
||||
"suggestion.mention.channel": "通知此频道所有人",
|
||||
"suggestion.mention.channels": "我的频道",
|
||||
"suggestion.mention.groups": "组提及",
|
||||
"suggestion.mention.here": "通知所有在此频道在线的人",
|
||||
"suggestion.mention.members": "频道成员",
|
||||
"suggestion.mention.morechannels": "其他频道",
|
||||
"suggestion.mention.nonmembers": "不在频道中",
|
||||
"suggestion.mention.special": "特别提及",
|
||||
"suggestion.mention.you": "(您)",
|
||||
"suggestion.search.direct": "私信",
|
||||
"suggestion.search.private": "私有频道",
|
||||
"suggestion.search.public": "公共频道",
|
||||
"terms_of_service.agreeButton": "我同意",
|
||||
"terms_of_service.api_error": "无法完成请求。如果此问题持续,请联系您的系统管理员。",
|
||||
"user.settings.display.clockDisplay": "时钟显示",
|
||||
"user.settings.display.custom_theme": "自定义主题",
|
||||
"user.settings.display.militaryClock": "24小时格式(例如:16:00)",
|
||||
"user.settings.display.normalClock": "12小时格式(例如:4:00 PM)",
|
||||
"user.settings.display.preferTime": "选择您喜欢的时间显示格式。",
|
||||
@@ -523,112 +653,5 @@
|
||||
"user.settings.push_notification.disabled_long": "您的系统管理员未开启推送通知。",
|
||||
"user.settings.push_notification.offline": "离线",
|
||||
"user.settings.push_notification.online": "在线,离开或离线",
|
||||
"web.root.signup_info": "所有团队的通讯一站式解决,随时随地可访问和搜索",
|
||||
"user.settings.display.custom_theme": "自定义主题",
|
||||
"suggestion.mention.you": "(您)",
|
||||
"post_info.guest": "游客",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "未收到此提及因为他们不在此频道。同时他们也不是此频道关联组的成员。",
|
||||
"permalink.error.link_not_found": "未找到链接",
|
||||
"navbar.channel_drawer.hint": "打开频道与团队菜单",
|
||||
"navbar.channel_drawer.button": "频道与团队",
|
||||
"more_channels.showPublicChannels": "显示:公共频道",
|
||||
"more_channels.showArchivedChannels": "显示:已归档的频道",
|
||||
"more_channels.publicChannels": "公共频道",
|
||||
"more_channels.dropdownTitle": "显示",
|
||||
"more_channels.archivedChannels": "已归档的频道",
|
||||
"mobile.tos_link": "服务条款",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} 更新了频道用途至:{newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} 更新了频道用途从:{oldPurpose} 到 {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} 移除了频道用途 (原为:{oldPurpose})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} 更新了频道标题至:{newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} 更新了频道标题从:{oldHeader} 到 {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} 已移除频道标题 (原为:{oldHeader})",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} 已更新频道显示名从 {oldDisplayName} 改为 {newDisplayName}",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} 已取消归档频道",
|
||||
"mobile.system_message.channel_archived_message": "{username} 已归档频道",
|
||||
"mobile.storage_permission_denied_title": "{applicationName} 想要访问您的文件",
|
||||
"mobile.storage_permission_denied_description": "上传文件到您的 Mattermost。打开设定并允许 Mattermost 读写此设备上的文件。",
|
||||
"mobile.sidebar_settings.permanent_description": "让侧栏永久开启",
|
||||
"mobile.sidebar_settings.permanent": "永久侧栏",
|
||||
"mobile.share_extension.too_long_title": "消息过长",
|
||||
"mobile.share_extension.too_long_message": "字数:{count}/{max}",
|
||||
"mobile.server_ssl.error.title": "不可信任的证书",
|
||||
"mobile.server_ssl.error.text": "{host} 的证书不可信。\n\n请联系您的系统管理员解决证书问题。",
|
||||
"mobile.server_link.unreachable_team.error": "此链接属于已删除的团队或者您没有权限访问的团队。",
|
||||
"mobile.server_link.unreachable_channel.error": "此链接属于已删除的频道或者您没有权限访问的频道。",
|
||||
"mobile.server_link.error.title": "链接错误",
|
||||
"mobile.server_link.error.text": "无法在此服务器找到该链接。",
|
||||
"mobile.select_team.guest_cant_join_team": "您的访客帐号没有分配团队或频道。请联系管理员。",
|
||||
"mobile.routes.user_profile.edit": "编辑",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "取消归档频道",
|
||||
"mobile.routes.channelInfo.groupManaged": "成员由关联组管理",
|
||||
"mobile.reaction_header.all_emojis": "全部",
|
||||
"mobile.push_notification_reply.title": "回复",
|
||||
"mobile.push_notification_reply.placeholder": "撰写回复...",
|
||||
"mobile.push_notification_reply.button": "发送",
|
||||
"mobile.privacy_link": "隐私政策",
|
||||
"mobile.post_textbox.entire_channel.title": "确定发送通知到整个频道",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "使用 @all 或 @channel 您将发送通知至 {timezones, number} 个时区的 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.post_textbox.entire_channel.message": "使用 @all 或 @channel 您将发送通知至 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.post_textbox.entire_channel.confirm": "确认",
|
||||
"mobile.post_textbox.entire_channel.cancel": "取消",
|
||||
"mobile.post_info.reply": "回复",
|
||||
"mobile.post_info.mark_unread": "标为未读",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName} 想访问您的相册",
|
||||
"mobile.photo_library_permission_denied_description": "请更改您的权限设定以保存图片和视频到您的媒体库。",
|
||||
"mobile.permission_denied_retry": "设置",
|
||||
"mobile.permission_denied_dismiss": "不允许",
|
||||
"mobile.managed.settings": "前往设置",
|
||||
"mobile.managed.not_secured.ios.touchId": "此设备必须开启密码锁才能使用 Mattermost。\n\n前往设置 > 面容 ID 与密码。",
|
||||
"mobile.managed.not_secured.ios": "此设备必须开启密码锁才能使用 Mattermost。\n\n前往设置 > 面容 ID 与密码。",
|
||||
"mobile.managed.not_secured.android": "此设备必须开启屏幕锁才能使用 Mattermost。",
|
||||
"mobile.ios.photos_permission_denied_title": "{applicationName} 想要访问您的照片",
|
||||
"mobile.files_paste.error_title": "粘贴失败",
|
||||
"mobile.files_paste.error_dismiss": "解除",
|
||||
"mobile.files_paste.error_description": "粘贴文件时遇到错误。请重试。",
|
||||
"mobile.file_upload.unsupportedMimeType": "只有 BMP、JPG 或 PNG 图片可做为个人资料照片。",
|
||||
"mobile.failed_network_action.teams_title": "出现了故障",
|
||||
"mobile.failed_network_action.teams_description": "无法加载团队。",
|
||||
"mobile.failed_network_action.teams_channel_description": "无法加载 {teamName} 的频道。",
|
||||
"mobile.extension.team_required": "您必须归属一个团队才能共享文件。",
|
||||
"mobile.edit_profile.remove_profile_photo": "移除照片",
|
||||
"mobile.display_settings.sidebar": "侧边栏",
|
||||
"mobile.channel_list.archived": "归档",
|
||||
"mobile.channel_info.unarchive_failed": "我们无法取消归档频道 {displayName}。请检查您的网络连接再尝试。",
|
||||
"mobile.channel_info.copy_purpose": "复制用途",
|
||||
"mobile.channel_info.copy_header": "复制标题",
|
||||
"mobile.channel_info.convert_success": "{displayName} 已成为私有频道。",
|
||||
"mobile.channel_info.convert_failed": "无法转换 {displayName} 为私有频道。",
|
||||
"mobile.channel_info.convert": "转换至私有频道",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "取消归档 {term}",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "转换 {displayName} 为私有频道?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "您确定要取消归档 {term} {name}?",
|
||||
"mobile.message_length.message_split_left": "消息超过字数限制",
|
||||
"mobile.camera_photo_permission_denied_description": "拍照并上传到您的 Mattermost 或保存到您的设备。打开设定并允许 Mattermost 读写到您的相机。",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName}想要访问您的相机",
|
||||
"mobile.camera_video_permission_denied_description": "摄影并上传到您的 Mattermost 或保存到您的设备。打开设定并允许 Mattermost 读写到您的相机。",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "当您转换 {displayName} 至私有频道时,历史以及成员将被保留。公开共享的文件仍可用链接访问。私有频道成员需要被邀请才能加入。\n\n此操作为永久且不能取消。\n\n您确定要装换 {displayName} 至私有频道?",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName}想要访问您的相机",
|
||||
"mobile.alert_dialog.alertCancel": "取消",
|
||||
"intro_messages.creatorPrivate": "这是{name}私有频道的开端,由{creator}于{date}建立。",
|
||||
"date_separator.yesterday": "昨天",
|
||||
"date_separator.today": "今天",
|
||||
"channel.isGuest": "该用户是访客",
|
||||
"channel.hasGuests": "此群消息有游客",
|
||||
"channel.channelHasGuests": "此频道有游客",
|
||||
"mobile.server_upgrade.learn_more": "了解更多",
|
||||
"mobile.server_upgrade.dismiss": "解除",
|
||||
"mobile.server_upgrade.alert_description": "此服务器版本不受支持,用户将面临兼容性问题,这些问题会导致崩溃或严重的错误影响应用程序的核心功能。 需要升级到服务器版本 {serverVersion} 或更高。",
|
||||
"suggestion.mention.groups": "组提及",
|
||||
"mobile.android.back_handler_exit": "再次点击返回以退出",
|
||||
"mobile.unsupported_server.message": "附件、链接预览、互动以及内嵌数据可能无法正确显示。如果此问题持续发生,请联系您的系统管理员以升级 Mattermost 服务器。",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "使用 {mentions} 将发送通知给 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "使用 {mentions} 与 {finalMention} 将发送通知给至少 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "使用 {mentions} 与 {finalMention} 将发送通知给 {timezones, number} 个时区的 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "使用 {mentions} 将发送通知给 {timezones, number} 个时区的 {totalMembers} 人。您确定要这么做?",
|
||||
"mobile.unsupported_server.title": "不支持的服务端版本",
|
||||
"mobile.unsupported_server.ok": "确定",
|
||||
"mobile.post_textbox.groups.title": "确认发送推送给组",
|
||||
"mobile.more_messages_button.text": "{count} 条消息",
|
||||
"mobile.emoji_picker.search.not_found_description": "检查拼写后再尝试。"
|
||||
"web.root.signup_info": "所有团队的通讯一站式解决,随时随地可访问和搜索"
|
||||
}
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
{
|
||||
"about.date": "編譯日期:",
|
||||
"about.enterpriseEditione1": "企業版",
|
||||
"about.enterpriseEditionLearn": "學習更多關於企業版: ",
|
||||
"about.enterpriseEditionSt": "防火牆內側也可運行的溝通模式。",
|
||||
"about.enterpriseEditione1": "企業版",
|
||||
"about.hash": "編譯 Hash:",
|
||||
"about.hashee": "企業版編譯 Hash:",
|
||||
"about.teamEditionLearn": "加入 Mattermost 社群:",
|
||||
@@ -11,16 +11,24 @@
|
||||
"about.teamEditiont1": "企業版",
|
||||
"about.title": "關於 {appTitle}",
|
||||
"announcment_banner.dont_show_again": "不要再顯示",
|
||||
"api.channel.add_member.added": "{username} 已將 {addedUsername} 加入頻道",
|
||||
"api.channel.add_member.added": "{username} 已將 {addedUsername} 加入頻道。",
|
||||
"archivedChannelMessage": "正在觀看**被封存的頻道**。不能發布新訊息。",
|
||||
"center_panel.archived.closeChannel": "關閉頻道",
|
||||
"channel.channelHasGuests": "此頻道有訪客",
|
||||
"channel.hasGuests": "此群組訊息有訪客",
|
||||
"channel.isGuest": "這個使用者是訪客",
|
||||
"channel_header.addMembers": "新增成員",
|
||||
"channel_header.directchannel.you": "{displayname} (你) ",
|
||||
"channel_header.manageMembers": "成員管理",
|
||||
"channel_header.notificationPreference": "行動裝置通知",
|
||||
"channel_header.notificationPreference.all": "全部",
|
||||
"channel_header.notificationPreference.default": "預設",
|
||||
"channel_header.notificationPreference.mention": "提及",
|
||||
"channel_header.notificationPreference.none": "不通知",
|
||||
"channel_header.pinnedPosts": "釘選的訊息",
|
||||
"channel_header.viewMembers": "檢視成員",
|
||||
"channel_info.header": "標題:",
|
||||
"channel_info.purpose": "用途",
|
||||
"channel_info.purpose": "用途:",
|
||||
"channel_loader.someone": "某人",
|
||||
"channel_members_modal.remove": "移除",
|
||||
"channel_modal.cancel": "取消",
|
||||
@@ -35,6 +43,12 @@
|
||||
"channel_modal.purposeEx": "如:\"用於歸檔錯誤跟改善的頻道\"",
|
||||
"channel_notifications.ignoreChannelMentions.settings": "無視 @channel 、 @here 與 @all",
|
||||
"channel_notifications.muteChannel.settings": "靜音頻道",
|
||||
"channel_notifications.preference.all_activity": "全部行動",
|
||||
"channel_notifications.preference.global_default": "全域預設值 (提及)",
|
||||
"channel_notifications.preference.header": "發送通知",
|
||||
"channel_notifications.preference.never": "不通知",
|
||||
"channel_notifications.preference.only_mentions": "限於提及與直接傳訊",
|
||||
"channel_notifications.preference.save_error": "無法儲存通知偏好設定。請檢查連線並重新嘗試。",
|
||||
"combined_system_message.added_to_channel.many_expanded": "{users}與{lastUser}已由{actor}**加入至此頻道**。",
|
||||
"combined_system_message.added_to_channel.one": "{firstUser}已由{actor}**加入至此頻道**。",
|
||||
"combined_system_message.added_to_channel.one_you": "您已由{actor}**加入至此頻道**。",
|
||||
@@ -45,15 +59,15 @@
|
||||
"combined_system_message.added_to_team.two": "{firstUser}與{secondUser}已由{actor}**加入至此團隊**。",
|
||||
"combined_system_message.joined_channel.many_expanded": "{users}與{lastUser}已**加入至此頻道**。",
|
||||
"combined_system_message.joined_channel.one": "{firstUser}已**加入至此頻道**。",
|
||||
"combined_system_message.joined_channel.one_you": "你**已加入頻道**",
|
||||
"combined_system_message.joined_channel.one_you": "你**已加入頻道**。",
|
||||
"combined_system_message.joined_channel.two": "{firstUser}與{secondUser}已**加入至此頻道**。",
|
||||
"combined_system_message.joined_team.many_expanded": "{users}與{lastUser}已**加入至此團隊**。",
|
||||
"combined_system_message.joined_team.one": "{firstUser}已**加入至此團隊**。",
|
||||
"combined_system_message.joined_team.one_you": "你**已加入團隊**",
|
||||
"combined_system_message.joined_team.one_you": "你**已加入團隊**。",
|
||||
"combined_system_message.joined_team.two": "{firstUser}與{secondUser}已**加入至此團隊**。",
|
||||
"combined_system_message.left_channel.many_expanded": "{users}與{lastUser}已**離開此頻道**。",
|
||||
"combined_system_message.left_channel.one": "{firstUser}已**離開此頻道**。",
|
||||
"combined_system_message.left_channel.one_you": "你**已離開頻道**",
|
||||
"combined_system_message.left_channel.one_you": "你**已離開頻道**。",
|
||||
"combined_system_message.left_channel.two": "{firstUser}與{secondUser}已**離開此頻道**。",
|
||||
"combined_system_message.left_team.many_expanded": "{users}與{lastUser}已**離開此團隊**。",
|
||||
"combined_system_message.left_team.one": "{firstUser}已**離開此團隊**。",
|
||||
@@ -71,31 +85,31 @@
|
||||
"create_comment.addComment": "新增註解...",
|
||||
"create_post.deactivated": "正以被停用的使用者觀看被封存的頻道。",
|
||||
"create_post.write": "寫給 {channelDisplayName}",
|
||||
"date_separator.today": "今天",
|
||||
"date_separator.yesterday": "昨天",
|
||||
"edit_post.editPost": "修改訊息...",
|
||||
"edit_post.save": "儲存",
|
||||
"file_attachment.download": "下載",
|
||||
"file_upload.fileAbove": "無法上傳超過{max}MB 的檔案:{filename}",
|
||||
"file_upload.fileAbove": "無法上傳超過{max}MB 的檔案",
|
||||
"get_post_link_modal.title": "複製連結",
|
||||
"integrations.add": "新增",
|
||||
"intro_messages.anyMember": " 任何成員可以加入並閱讀此頻道。",
|
||||
"intro_messages.beginning": "{name}的開頭",
|
||||
"intro_messages.creator": "這是{name}頻道的開頭,由{creator}建立於{date}。",
|
||||
"intro_messages.creatorPrivate": "這是{name}私人頻道的開頭,由{creator}建立於{date}。",
|
||||
"intro_messages.group_message": "這是跟這些團隊成員之間群組訊息的起頭。直接訊息跟在這邊分享的檔案除了在此處以外的人都看不到。",
|
||||
"intro_messages.noCreator": "這是{name}頻道的開頭,建立於{date}。",
|
||||
"intro_messages.onlyInvited": " 只有受邀請的成員能看見此私人頻道",
|
||||
"intro_messages.onlyInvited": " 只有受邀請的成員能看見此私人頻道。",
|
||||
"last_users_message.added_to_channel.type": "已由{actor}**加入至此頻道**。",
|
||||
"last_users_message.added_to_team.type": "已由{actor}**加入至此團隊**。",
|
||||
"last_users_message.first": "{firstUser}與",
|
||||
"last_users_message.joined_channel.type": "**加入此頻道**",
|
||||
"last_users_message.joined_team.type": "**加入此團隊**",
|
||||
"last_users_message.left_channel.type": "**離開此頻道**",
|
||||
"last_users_message.first": "{firstUser} 與 ",
|
||||
"last_users_message.joined_channel.type": "**加入此頻道**。",
|
||||
"last_users_message.joined_team.type": "**加入此團隊**。",
|
||||
"last_users_message.left_channel.type": "**離開此頻道**。",
|
||||
"last_users_message.left_team.type": "**離開了團隊**。",
|
||||
"last_users_message.others": "其他 {numOthers} 位",
|
||||
"last_users_message.others": "其他 {numOthers} 位 ",
|
||||
"last_users_message.removed_from_channel.type": "已**被移出此頻道**。",
|
||||
"last_users_message.removed_from_team.type": "已**被移出此團隊**。",
|
||||
"login_mfa.enterToken": "請輸入智慧型手機上認證器的 Token 以完成登入",
|
||||
"login_mfa.token": "多重要素驗證 Token",
|
||||
"login_mfa.tokenReq": "請輸入多重要素驗證 Token",
|
||||
"login.email": "電子郵件",
|
||||
"login.forgot": "忘記密碼了",
|
||||
"login.invalidPassword": "密碼不正確。",
|
||||
@@ -112,8 +126,11 @@
|
||||
"login.or": "或",
|
||||
"login.password": "密碼",
|
||||
"login.signIn": "登入",
|
||||
"login.username": "使用者名稱",
|
||||
"login.userNotFound": "無法找到與您輸入的認證相符的帳號。",
|
||||
"login.username": "使用者名稱",
|
||||
"login_mfa.enterToken": "請輸入智慧型手機上認證器的 Token 以完成登入",
|
||||
"login_mfa.token": "多重要素驗證 Token",
|
||||
"login_mfa.tokenReq": "請輸入多重要素驗證 Token",
|
||||
"mobile.about.appVersion": "應用程式版本:{version} (Build {number})",
|
||||
"mobile.about.copyright": "版權所有 2015-{currentYear} Mattermost, Inc. 保留所有權利",
|
||||
"mobile.about.database": "資料庫:{type}",
|
||||
@@ -121,11 +138,11 @@
|
||||
"mobile.about.powered_by": "{site} Powered by Mattermost",
|
||||
"mobile.about.serverVersion": "伺服器版本:{version} (Build {number}) ",
|
||||
"mobile.about.serverVersionNoBuild": "伺服器版本:{version}",
|
||||
"mobile.account.settings.save": "儲存",
|
||||
"mobile.account_notifications.reply.header": "發送回覆通知",
|
||||
"mobile.account_notifications.threads_mentions": "被提及的討論串",
|
||||
"mobile.account_notifications.threads_start": "我開啟的討論串",
|
||||
"mobile.account_notifications.threads_start_participate": "我開啟或參與的討論串",
|
||||
"mobile.account.settings.save": "儲存",
|
||||
"mobile.action_menu.select": "選擇選項",
|
||||
"mobile.advanced_settings.clockDisplay": "顯示時間",
|
||||
"mobile.advanced_settings.delete": "刪除",
|
||||
@@ -133,6 +150,8 @@
|
||||
"mobile.advanced_settings.delete_title": "刪除文件與資料",
|
||||
"mobile.advanced_settings.timezone": "時區",
|
||||
"mobile.advanced_settings.title": "進階設定",
|
||||
"mobile.alert_dialog.alertCancel": "取消",
|
||||
"mobile.android.back_handler_exit": "再按一次退回以離開",
|
||||
"mobile.android.photos_permission_denied_description": "請變更權限設定以從相片庫上傳圖片。",
|
||||
"mobile.android.photos_permission_denied_title": "需要存取相片庫",
|
||||
"mobile.android.videos_permission_denied_description": "請變更權限設定以從影片庫上傳圖片。",
|
||||
@@ -142,19 +161,34 @@
|
||||
"mobile.calendar.dayNamesShort": "週日,週一,週二,週三,週四,週五,週六",
|
||||
"mobile.calendar.monthNames": "一月,二月,三月,四月,五月,六月,七月,八月,九月,十月,十一月,十二月",
|
||||
"mobile.calendar.monthNamesShort": "一月,二月,三月,四月,五月,六月,七月,八月,九月,十月,十一月,十二月",
|
||||
"mobile.camera_photo_permission_denied_description": "照相並上傳到 Mattermost 或是儲存到您的裝置。請開啟設定並允許 Mattermost 存取相機。",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName}想要存取您的相機",
|
||||
"mobile.camera_video_permission_denied_description": "錄影並上傳到 Mattermost 或是儲存到您的裝置。請開啟設定並允許 Mattermost 存取相機。",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName}想要存取您的相機",
|
||||
"mobile.channel_drawer.search": "跳至...",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "當轉換 **{displayName}** 成私人頻道時,紀錄跟成員身份將被保留。公開分享的檔案依然能被擁有連結的人存取。私人頻道成員身份僅限於邀請。\n\n這將會是永久改變且不能取消。\n\n請確定要將 **{displayName}** 轉換成私人頻道。",
|
||||
"mobile.channel_info.alertMessageDeleteChannel": "確定要封存{term} {name} 嘛?",
|
||||
"mobile.channel_info.alertMessageLeaveChannel": "確定要離開{term} {name} 嘛?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "確定要解除 {term} {name} 封存嘛?",
|
||||
"mobile.channel_info.alertNo": "否",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "變更 {displayName} 為私人頻道?",
|
||||
"mobile.channel_info.alertTitleDeleteChannel": "封存{term}",
|
||||
"mobile.channel_info.alertTitleLeaveChannel": "退出{term}",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "解除 {term} 封存",
|
||||
"mobile.channel_info.alertYes": "是",
|
||||
"mobile.channel_info.convert": "變為私人頻道",
|
||||
"mobile.channel_info.convert_failed": "無法將 {displayName} 轉換成私人頻道。",
|
||||
"mobile.channel_info.convert_success": "{displayName} 現在是私人頻道。",
|
||||
"mobile.channel_info.copy_header": "複製標題",
|
||||
"mobile.channel_info.copy_purpose": "複製用途",
|
||||
"mobile.channel_info.delete_failed": "無法封存頻道 {displayName}。請檢查連線並再試一次。 ",
|
||||
"mobile.channel_info.edit": "編輯頻道",
|
||||
"mobile.channel_info.privateChannel": "私人頻道",
|
||||
"mobile.channel_info.publicChannel": "公開頻道",
|
||||
"mobile.channel_info.unarchive_failed": "無法解除頻道 {displayName} 封存。請檢查連線並再試一次。 ",
|
||||
"mobile.channel_list.alertNo": "否",
|
||||
"mobile.channel_list.alertYes": "是",
|
||||
"mobile.channel_list.archived": "已封存",
|
||||
"mobile.channel_list.channels": "頻道",
|
||||
"mobile.channel_list.closeDM": "關閉直接傳訊",
|
||||
"mobile.channel_list.closeGM": "關閉群組訊息",
|
||||
@@ -172,17 +206,17 @@
|
||||
"mobile.client_upgrade.latest_version": "現有版本:{version}",
|
||||
"mobile.client_upgrade.listener.dismiss_button": "解除",
|
||||
"mobile.client_upgrade.listener.learn_more_button": "了解更多",
|
||||
"mobile.client_upgrade.listener.message": "有新的客戶端更新",
|
||||
"mobile.client_upgrade.listener.message": "有新的客戶端更新!",
|
||||
"mobile.client_upgrade.listener.upgrade_button": "升級",
|
||||
"mobile.client_upgrade.must_upgrade_subtitle": "請更新應用程式以繼續。",
|
||||
"mobile.client_upgrade.must_upgrade_title": "需要更新",
|
||||
"mobile.client_upgrade.no_upgrade_subtitle": "已經安裝了最新版。",
|
||||
"mobile.client_upgrade.no_upgrade_title": "已經安裝了最新版。",
|
||||
"mobile.client_upgrade.no_upgrade_title": "已經安裝了最新版",
|
||||
"mobile.client_upgrade.upgrade": "更新",
|
||||
"mobile.commands.error_title": "執行指令時發生錯誤",
|
||||
"mobile.components.error_list.dismiss_all": "全部關閉",
|
||||
"mobile.components.select_server_view.connect": "已連線",
|
||||
"mobile.components.select_server_view.connecting": "連線中",
|
||||
"mobile.components.select_server_view.connecting": "連線中…",
|
||||
"mobile.components.select_server_view.enterServerUrl": "輸入伺服器網址",
|
||||
"mobile.components.select_server_view.proceed": "繼續",
|
||||
"mobile.components.select_server_view.siteUrlPlaceholder": "\"https://mattermost.example.com\"",
|
||||
@@ -191,24 +225,26 @@
|
||||
"mobile.create_channel.public": "新的公開頻道",
|
||||
"mobile.create_post.read_only": "此頻道唯讀",
|
||||
"mobile.custom_list.no_results": "找不到相符的結果",
|
||||
"mobile.display_settings.sidebar": "側邊欄",
|
||||
"mobile.display_settings.theme": "主題",
|
||||
"mobile.document_preview.failed_description": "開啟文件時發生錯誤。請確定有安裝 {fileType} 觀看程式並再次嘗試。",
|
||||
"mobile.document_preview.failed_description": "開啟文件時發生錯誤。請確定有安裝 {fileType} 觀看程式並再次嘗試。\n",
|
||||
"mobile.document_preview.failed_title": "開啟文件失敗",
|
||||
"mobile.downloader.android_complete": "下載完成",
|
||||
"mobile.downloader.android_failed": "下載失敗",
|
||||
"mobile.downloader.android_permission": "需要下載資料夾存取權限以儲存檔案。",
|
||||
"mobile.downloader.android_started": "下載已開始",
|
||||
"mobile.downloader.complete": "下載完成",
|
||||
"mobile.downloader.disabled_description": "檔案下載在此伺服器被停用。請聯絡系統管理員。",
|
||||
"mobile.downloader.disabled_description": "檔案下載在此伺服器被停用。請聯絡系統管理員。\n",
|
||||
"mobile.downloader.disabled_title": "下載已被停用",
|
||||
"mobile.downloader.downloading": "下載中...",
|
||||
"mobile.downloader.failed_description": "下載檔案時失敗。請檢查網路連線並再次嘗試。",
|
||||
"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": "編輯訊息",
|
||||
"mobile.edit_profile.remove_profile_photo": "移除相片",
|
||||
"mobile.emoji_picker.activity": "活動",
|
||||
"mobile.emoji_picker.custom": "自訂",
|
||||
"mobile.emoji_picker.flags": "旗幟",
|
||||
@@ -218,34 +254,45 @@
|
||||
"mobile.emoji_picker.people": "人物",
|
||||
"mobile.emoji_picker.places": "地方",
|
||||
"mobile.emoji_picker.recent": "最近使用過",
|
||||
"mobile.emoji_picker.search.not_found_description": "檢查拼字或嘗試其他搜尋。",
|
||||
"mobile.emoji_picker.search.not_found_title": "\"{searchTerm}\" 找不到任何結果",
|
||||
"mobile.emoji_picker.symbols": "符號",
|
||||
"mobile.error_handler.button": "重新啟動",
|
||||
"mobile.error_handler.description": "\n點擊重新啟動以再次開啟 app。重新啟動後可以經由設定選單來回報問題。\n",
|
||||
"mobile.error_handler.title": "發生未預期的錯誤。",
|
||||
"mobile.error_handler.title": "發生未預期的錯誤",
|
||||
"mobile.extension.authentication_required": "需要認證:請先用應用程式登入。",
|
||||
"mobile.extension.file_error": "讀取被分享的檔案時發生錯誤。請重新嘗試。",
|
||||
"mobile.extension.file_error": "讀取被分享的檔案時發生錯誤。\n請重新嘗試。",
|
||||
"mobile.extension.file_limit": "分享最多為 5 個檔案。",
|
||||
"mobile.extension.max_file_size": "在 Mattermost 中分享的附加檔案必須小於 {size}。",
|
||||
"mobile.extension.permission": "Mattermost 需要存取裝置儲存空間以分享檔案。",
|
||||
"mobile.extension.team_required": "必須要屬於團隊才能分享檔案。",
|
||||
"mobile.extension.title": "分享至 Mattermost",
|
||||
"mobile.failed_network_action.retry": "重試",
|
||||
"mobile.failed_network_action.shortDescription": "請確認有網路連線並重新嘗試。",
|
||||
"mobile.failed_network_action.teams_channel_description": "無法讀取 {teamName} 的頻道。",
|
||||
"mobile.failed_network_action.teams_description": "無法讀取團隊。",
|
||||
"mobile.failed_network_action.teams_title": "有問題發生了",
|
||||
"mobile.failed_network_action.title": "沒有網際網路連線",
|
||||
"mobile.file_upload.browse": "瀏覽檔案",
|
||||
"mobile.file_upload.camera_photo": "照相",
|
||||
"mobile.file_upload.camera_video": "錄影",
|
||||
"mobile.file_upload.library": "相簿",
|
||||
"mobile.file_upload.max_warning": "上傳最多 5 個檔案。",
|
||||
"mobile.file_upload.unsupportedMimeType": "個人圖像只能使用 BMP、JPG 或 PNG 圖片。",
|
||||
"mobile.file_upload.video": "媒體櫃",
|
||||
"mobile.flagged_posts.empty_description": "標記是標注訊息以追蹤後續的功能。您的標記是屬於個人的,不會被其他使用者看到。",
|
||||
"mobile.flagged_posts.empty_title": "被標記的訊息",
|
||||
"mobile.files_paste.error_description": "貼上檔案時發生錯誤。請重新嘗試。",
|
||||
"mobile.files_paste.error_dismiss": "解除",
|
||||
"mobile.files_paste.error_title": "貼上失敗",
|
||||
"mobile.flagged_posts.empty_description": "只有你能看到已儲存的訊息。長壓訊息並從目錄選擇儲存以儲存訊息供日後使用。",
|
||||
"mobile.flagged_posts.empty_title": "尚未有任何已儲存的訊息",
|
||||
"mobile.help.title": "說明",
|
||||
"mobile.image_preview.save": "儲存圖片",
|
||||
"mobile.image_preview.save_video": "儲存影片",
|
||||
"mobile.intro_messages.DM": "這是跟{teammate}之間直接訊息的起頭。直接訊息跟在這邊分享的檔案除了在此處以外的人都看不到。",
|
||||
"mobile.intro_messages.default_message": "這將是團隊成員註冊後第一個看到的頻道,請利用它張貼所有人都應該知道的事項。",
|
||||
"mobile.intro_messages.default_welcome": "歡迎來到{name}!",
|
||||
"mobile.intro_messages.DM": "這是跟{teammate}之間直接訊息的起頭。直接訊息跟在這邊分享的檔案除了在此處以外的人都看不到。",
|
||||
"mobile.ios.photos_permission_denied_description": "請變更權限設定以儲存圖片跟影像到圖庫中。",
|
||||
"mobile.ios.photos_permission_denied_title": "需要存取相片庫",
|
||||
"mobile.join_channel.error": "無法加入頻道 {displayName}。請檢查連線並再試一次。 ",
|
||||
"mobile.loading_channels": "正在載入頻道...",
|
||||
"mobile.loading_members": "正在載入成員...",
|
||||
@@ -256,13 +303,18 @@
|
||||
"mobile.managed.blocked_by": "被 {vendor} 阻擋",
|
||||
"mobile.managed.exit": "離開",
|
||||
"mobile.managed.jailbreak": "{vendor} 不信任越獄後的裝置,請關閉應用程式。",
|
||||
"mobile.managed.not_secured.android": "這裝置必須要設定螢幕鎖以使用 Mattermost。",
|
||||
"mobile.managed.not_secured.ios": "這裝置必須要設定密碼以使用 Mattermost\n\n前往 設定 > Face ID 與密碼。",
|
||||
"mobile.managed.not_secured.ios.touchId": "這裝置必須要設定密碼以使用 Mattermost。\n\n前往 設定 > Touch ID 與密碼。",
|
||||
"mobile.managed.secured_by": "受到 {vendor} 保護",
|
||||
"mobile.managed.settings": "前往設定",
|
||||
"mobile.markdown.code.copy_code": "複製代碼",
|
||||
"mobile.markdown.code.plusMoreLines": "以及其他 {count, number} 個檔案",
|
||||
"mobile.markdown.image.too_large": "圖片超過最大尺寸 {maxWidth}x{maxHeight}:",
|
||||
"mobile.markdown.link.copy_url": "複製 URL",
|
||||
"mobile.mention.copy_mention": "複製提及",
|
||||
"mobile.message_length.message": "當前的訊息過長。字數統計:{max}/{count}",
|
||||
"mobile.message_length.message_split_left": "訊息超過長度限制",
|
||||
"mobile.message_length.title": "訊息長度",
|
||||
"mobile.more_dms.add_more": "還能增加 {remaining, number} 位使用者",
|
||||
"mobile.more_dms.cannot_add_more": "無法增加更多位使用者",
|
||||
@@ -270,10 +322,33 @@
|
||||
"mobile.more_dms.start": "開始",
|
||||
"mobile.more_dms.title": "新對話",
|
||||
"mobile.more_dms.you": "(@{username} - 您)",
|
||||
"mobile.more_messages_button.text": "{count} 筆新訊息",
|
||||
"mobile.notice_mobile_link": "行動裝置 App",
|
||||
"mobile.notice_platform_link": "伺服器",
|
||||
"mobile.notice_text": "藉由在{platform}與{mobile}上的開源軟體,才得以實現 Mattermost。",
|
||||
"mobile.notification_settings_mentions.keywords": "關鍵字:",
|
||||
"mobile.notification.in": " 在 ",
|
||||
"mobile.notification_settings.auto_responder.default_message": "嗨,我不在辦公室暫時無法回覆訊息。",
|
||||
"mobile.notification_settings.auto_responder.enabled": "已啟用",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "設定用以自動回覆直接傳訊的自訂訊息。在公開及私人頻道的提及不會觸發自動回覆。啟用自動回覆會將狀態設為不在辦公室同時停止郵件與推播通知。",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "訊息",
|
||||
"mobile.notification_settings.auto_responder.message_title": "自訂訊息",
|
||||
"mobile.notification_settings.auto_responder_short": "自動回覆",
|
||||
"mobile.notification_settings.email": "電子郵件",
|
||||
"mobile.notification_settings.email.send": "發送通知",
|
||||
"mobile.notification_settings.email_title": "電子郵件通知",
|
||||
"mobile.notification_settings.mentions.channelWide": "對頻道提及",
|
||||
"mobile.notification_settings.mentions.reply_title": "發送回覆通知",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "您的名字,區分大小寫",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "您的名字,不區分大小寫",
|
||||
"mobile.notification_settings.mentions_replies": "提及與回覆",
|
||||
"mobile.notification_settings.mobile": "行動裝置",
|
||||
"mobile.notification_settings.mobile_title": "行動推播",
|
||||
"mobile.notification_settings.modal_cancel": "取消",
|
||||
"mobile.notification_settings.modal_save": "儲存",
|
||||
"mobile.notification_settings.ooo_auto_responder": "自動直接傳訊回覆",
|
||||
"mobile.notification_settings.save_failed_description": "由於連線問題,儲存通知設定失敗,請再次嘗試。",
|
||||
"mobile.notification_settings.save_failed_title": "連線問題",
|
||||
"mobile.notification_settings_mentions.keywords": "關鍵字",
|
||||
"mobile.notification_settings_mentions.keywordsDescription": "其他觸發提及的字",
|
||||
"mobile.notification_settings_mentions.keywordsHelp": "關鍵字不區分大小寫,且由逗號區分。",
|
||||
"mobile.notification_settings_mentions.wordsTrigger": "觸發提及的字",
|
||||
@@ -289,47 +364,18 @@
|
||||
"mobile.notification_settings_mobile.test": "發送測試通知給我",
|
||||
"mobile.notification_settings_mobile.test_push": "這是測試推播通知",
|
||||
"mobile.notification_settings_mobile.vibrate": "振動",
|
||||
"mobile.notification_settings.auto_responder_short": "自動回覆",
|
||||
"mobile.notification_settings.auto_responder.default_message": "嗨,我不在辦公室暫時無法回覆訊息。",
|
||||
"mobile.notification_settings.auto_responder.enabled": "已啟用",
|
||||
"mobile.notification_settings.auto_responder.footer_message": "設定用以自動回覆直接傳訊的自訂訊息。在公開及私人頻道的提及不會觸發自動回覆。啟用自動回覆會將狀態設為不在辦公室同時停止郵件與推播通知。",
|
||||
"mobile.notification_settings.auto_responder.message_placeholder": "訊息",
|
||||
"mobile.notification_settings.auto_responder.message_title": "自訂訊息",
|
||||
"mobile.notification_settings.email": "電子郵件",
|
||||
"mobile.notification_settings.email_title": "電子郵件通知",
|
||||
"mobile.notification_settings.email.send": "發送通知",
|
||||
"mobile.notification_settings.mentions_replies": "提及與回覆",
|
||||
"mobile.notification_settings.mentions.channelWide": "對頻道提及",
|
||||
"mobile.notification_settings.mentions.reply_title": "發送回覆通知",
|
||||
"mobile.notification_settings.mentions.sensitiveName": "您的名字,區分大小寫",
|
||||
"mobile.notification_settings.mentions.sensitiveUsername": "您的名字,不區分大小寫",
|
||||
"mobile.notification_settings.mobile": "行動裝置",
|
||||
"mobile.notification_settings.mobile_title": "行動推播",
|
||||
"mobile.notification_settings.modal_cancel": "取消",
|
||||
"mobile.notification_settings.modal_save": "儲存",
|
||||
"mobile.notification_settings.ooo_auto_responder": "自動直接傳訊回覆",
|
||||
"mobile.notification_settings.save_failed_description": "由於連線問題,儲存通知設定失敗,請再次嘗試。",
|
||||
"mobile.notification_settings.save_failed_title": "連線問題",
|
||||
"mobile.notification.in": " 在 ",
|
||||
"mobile.offlineIndicator.connected": "已連線",
|
||||
"mobile.offlineIndicator.connecting": "連線中",
|
||||
"mobile.offlineIndicator.connecting": "連線中…",
|
||||
"mobile.offlineIndicator.offline": "沒有網際網路連線",
|
||||
"mobile.open_dm.error": "無法開啟與{displayName}的直接傳訊。請檢查連線並再試一次。 ",
|
||||
"mobile.open_gm.error": "無法開啟與這些使用者的直接傳訊。請檢查連線並再試一次。 ",
|
||||
"mobile.open_unknown_channel.error": "無法加入頻道。請重置快取並重新嘗試。",
|
||||
"mobile.pinned_posts.empty_description": "長按任何訊息並選擇\"釘選至頻道\"以釘選重要訊息。",
|
||||
"mobile.pinned_posts.empty_title": "釘選的訊息",
|
||||
"mobile.post_info.add_reaction": "新增反應",
|
||||
"mobile.post_info.copy_text": "複製文字",
|
||||
"mobile.post_info.flag": "標記",
|
||||
"mobile.post_info.pin": "釘選至頻道",
|
||||
"mobile.post_info.unflag": "取消標記",
|
||||
"mobile.post_info.unpin": "解除釘選",
|
||||
"mobile.post_pre_header.flagged": "已被標記",
|
||||
"mobile.post_pre_header.pinned": "已釘選",
|
||||
"mobile.post_pre_header.pinned_flagged": "被釘選及標記",
|
||||
"mobile.post_textbox.uploadFailedDesc": "部份附加檔案上傳時失敗,請再次確定要發布此訊息?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "附加檔案失敗",
|
||||
"mobile.permission_denied_dismiss": "不允許",
|
||||
"mobile.permission_denied_retry": "設定",
|
||||
"mobile.photo_library_permission_denied_description": "請變更權限設定以儲存圖片跟影像到圖庫中。",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName}想要存取您的相片庫",
|
||||
"mobile.pinned_posts.empty_description": "釘選全頻道可見的重要訊息。長按訊息並選擇\"釘選至頻道\"以保存於此。",
|
||||
"mobile.pinned_posts.empty_title": "尚未有任何釘選的訊息",
|
||||
"mobile.post.cancel": "取消",
|
||||
"mobile.post.delete_question": "確定要刪除此訊息嘛?",
|
||||
"mobile.post.delete_title": "刪除訊息",
|
||||
@@ -337,9 +383,37 @@
|
||||
"mobile.post.failed_retry": "重試",
|
||||
"mobile.post.failed_title": "無法傳送訊息",
|
||||
"mobile.post.retry": "重新整理",
|
||||
"mobile.post_info.add_reaction": "新增反應",
|
||||
"mobile.post_info.copy_text": "複製文字",
|
||||
"mobile.post_info.flag": "標記",
|
||||
"mobile.post_info.mark_unread": "標為尚未閱讀",
|
||||
"mobile.post_info.pin": "釘選至頻道",
|
||||
"mobile.post_info.reply": "回覆",
|
||||
"mobile.post_info.unflag": "取消標記",
|
||||
"mobile.post_info.unpin": "解除釘選",
|
||||
"mobile.post_pre_header.flagged": "已被標記",
|
||||
"mobile.post_pre_header.pinned": "已釘選",
|
||||
"mobile.post_pre_header.pinned_flagged": "被釘選及標記",
|
||||
"mobile.post_textbox.entire_channel.cancel": "取消",
|
||||
"mobile.post_textbox.entire_channel.confirm": "確認",
|
||||
"mobile.post_textbox.entire_channel.message": "使用 @all 或 @channel 將會發送通知給 {totalMembers} 位成員。確定要執行?",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "使用 @all 或 @channel 將會發送通知給 {totalMembers} 位處於 {timezones, number} 個不同時區的成員。確定要執行?",
|
||||
"mobile.post_textbox.entire_channel.title": "確認對整個頻道發送通知",
|
||||
"mobile.post_textbox.groups.title": "確認發送至群組的通知",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "使用 {mentions} 跟 {finalMention} 將會發送通知給至少 {totalMembers} 位處於 {timezones, number} 個不同時區的成員。確定要執行?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "使用 {mentions} 跟 {finalMention} 將會發送通知給至少 {totalMembers} 位成員。確定要執行?",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "使用 {mentions} 將會發送通知給 {totalMembers} 位處於 {timezones, number} 個不同時區的成員。確定要執行?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "使用 {mentions} 將會發送通知給 {totalMembers} 位成員。確定要執行?",
|
||||
"mobile.post_textbox.uploadFailedDesc": "部份附加檔案上傳時失敗,請再次確定要發布此訊息?",
|
||||
"mobile.post_textbox.uploadFailedTitle": "附加檔案失敗",
|
||||
"mobile.posts_view.moreMsg": "上面還有更多的新訊息",
|
||||
"mobile.recent_mentions.empty_description": "包含您的使用者名稱或其他觸發提及關鍵字的訊息將會顯示於此。",
|
||||
"mobile.recent_mentions.empty_title": "最近提及",
|
||||
"mobile.privacy_link": "隱私政策",
|
||||
"mobile.push_notification_reply.button": "送出",
|
||||
"mobile.push_notification_reply.placeholder": "輸入回覆...",
|
||||
"mobile.push_notification_reply.title": "回覆",
|
||||
"mobile.reaction_header.all_emojis": "全部",
|
||||
"mobile.recent_mentions.empty_description": "提及您或是含有觸發關鍵字的訊息將被保存於此。",
|
||||
"mobile.recent_mentions.empty_title": "尚未有任何提及",
|
||||
"mobile.rename_channel.display_name_maxLength": "頻道名稱必須少於 {maxLength, number} 字",
|
||||
"mobile.rename_channel.display_name_minLength": "頻道名稱必須至少為 {minLength, number} 個字",
|
||||
"mobile.rename_channel.display_name_required": "需要頻道名稱",
|
||||
@@ -353,13 +427,15 @@
|
||||
"mobile.reset_status.alert_ok": "確定",
|
||||
"mobile.reset_status.title_ooo": "停用\"不在辦公室\"?",
|
||||
"mobile.retry_message": "更新訊息失敗。請往上拖動以重新嘗試。",
|
||||
"mobile.routes.channel_members.action": "移除成員",
|
||||
"mobile.routes.channel_members.action_message": "必須選取至少一位成員以從頻道移除",
|
||||
"mobile.routes.channel_members.action_message_confirm": "您確定要從頻道移除選取的成員?",
|
||||
"mobile.routes.channelInfo": "相關資訊",
|
||||
"mobile.routes.channelInfo.createdBy": "由 {creator} 建立於",
|
||||
"mobile.routes.channelInfo.createdBy": "由 {creator} 建立於 ",
|
||||
"mobile.routes.channelInfo.delete_channel": "封存頻道",
|
||||
"mobile.routes.channelInfo.favorite": "我的最愛",
|
||||
"mobile.routes.channelInfo.groupManaged": "成員由連結群組管理",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "解除頻道封存",
|
||||
"mobile.routes.channel_members.action": "移除成員",
|
||||
"mobile.routes.channel_members.action_message": "必須選取至少一位成員以從頻道移除。",
|
||||
"mobile.routes.channel_members.action_message_confirm": "您確定要從頻道移除選取的成員?",
|
||||
"mobile.routes.code": "{language} 代碼",
|
||||
"mobile.routes.code.noLanguage": "代碼",
|
||||
"mobile.routes.edit_profile": "編輯個人資訊",
|
||||
@@ -375,6 +451,7 @@
|
||||
"mobile.routes.thread": "{channelName} 討論串",
|
||||
"mobile.routes.thread_dm": "直接傳訊討論串",
|
||||
"mobile.routes.user_profile": "個人檔案",
|
||||
"mobile.routes.user_profile.edit": "編輯",
|
||||
"mobile.routes.user_profile.local_time": "本地時間",
|
||||
"mobile.routes.user_profile.send_message": "發送訊息",
|
||||
"mobile.search.after_modifier_description": "搜尋指定日期之後的訊息",
|
||||
@@ -387,10 +464,20 @@
|
||||
"mobile.search.no_results": "找不到任何資料",
|
||||
"mobile.search.on_modifier_description": "搜尋指定日期的訊息",
|
||||
"mobile.search.recent_title": "最近的搜尋",
|
||||
"mobile.select_team.join_open": "能加入的開放團隊。",
|
||||
"mobile.select_team.guest_cant_join_team": "此訪客帳號沒有被指派團隊或頻道。請聯絡管理員。",
|
||||
"mobile.select_team.join_open": "能加入的開放團隊",
|
||||
"mobile.select_team.no_teams": "沒有能加入的團隊。",
|
||||
"mobile.server_link.error.text": "該連結不存在於本伺服器。",
|
||||
"mobile.server_link.error.title": "連結錯誤",
|
||||
"mobile.server_link.unreachable_channel.error": "此永久連結通往被刪除的頻道或是您沒有觀看權限的頻道。",
|
||||
"mobile.server_link.unreachable_team.error": "此永久連結通往被刪除的團隊或是您沒有觀看權限的團隊。",
|
||||
"mobile.server_ssl.error.text": "{host} 的憑證不被信任。\n\n請聯絡系統管理員解決憑證問題以允許連結。",
|
||||
"mobile.server_ssl.error.title": "不被信任的憑證",
|
||||
"mobile.server_upgrade.alert_description": "此伺服器版本沒有被支援,使用者將會遇到造成嚴重錯誤的相容性問題。必須升級伺服器版本到 {serverVersion} 或更高。",
|
||||
"mobile.server_upgrade.button": "確定",
|
||||
"mobile.server_upgrade.description": "\n在使用 Mattermost App 前需要更新伺服器。詳情請問系統管理員。\n",
|
||||
"mobile.server_upgrade.dismiss": "解除",
|
||||
"mobile.server_upgrade.learn_more": "了解更多",
|
||||
"mobile.server_upgrade.title": "需要伺服器更新",
|
||||
"mobile.server_url.invalid_format": "網址開頭必須是 http:// 或 https://",
|
||||
"mobile.session_expired": "工作階段過期:請登入以繼續接收通知。",
|
||||
@@ -404,51 +491,86 @@
|
||||
"mobile.share_extension.error_message": "使用分享擴充時發生錯誤。",
|
||||
"mobile.share_extension.error_title": "擴充錯誤",
|
||||
"mobile.share_extension.team": "團隊",
|
||||
"mobile.share_extension.too_long_message": "字數:{count}/{max}",
|
||||
"mobile.share_extension.too_long_title": "訊息過長",
|
||||
"mobile.sidebar_settings.permanent": "永久側邊欄",
|
||||
"mobile.sidebar_settings.permanent_description": "一直保持側邊欄開啟",
|
||||
"mobile.storage_permission_denied_description": "上傳檔案到 Mattermost。請開啟設定並允許 Mattermost 存取檔案。",
|
||||
"mobile.storage_permission_denied_title": "{applicationName}想要存取您的檔案",
|
||||
"mobile.suggestion.members": "成員",
|
||||
"mobile.system_message.channel_archived_message": "{username} 已封存頻道",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} 已解除頻道封存",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} 將頻道顯示名稱從 {oldDisplayName} 改成 {newDisplayName}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} 已移除頻道標題(原為:{oldHeader})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} 已更新頻道標題:從 {oldHeader} 改為 {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} 已更新頻道標題為:{newHeader}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} 已移除頻道用途(原為:{oldPurpose})",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} 已更新頻道用途:從 {oldPurpose} 改為 {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} 已更新頻道用途為:{newPurpose}",
|
||||
"mobile.terms_of_service.alert_cancel": "取消",
|
||||
"mobile.terms_of_service.alert_ok": "確定",
|
||||
"mobile.terms_of_service.alert_retry": "重試",
|
||||
"mobile.terms_of_service.terms_rejected": "在使用 {siteName} 前必須同意服務條款。詳情請聯絡系統管理員",
|
||||
"mobile.terms_of_service.terms_rejected": "在使用 {siteName} 前必須同意服務條款。詳情請聯絡系統管理員。",
|
||||
"mobile.timezone_settings.automatically": "自動設定",
|
||||
"mobile.timezone_settings.manual": "更改時區",
|
||||
"mobile.timezone_settings.select": "選擇時區",
|
||||
"mobile.user_list.deactivated": "停用",
|
||||
"mobile.tos_link": "服務條款",
|
||||
"mobile.unsupported_server.message": "附加檔案、連結預覽、互動以及內嵌資料可能無法正確顯示。如果此問題持續發生,請聯絡系統管理員升級 Mattermost 伺服器。",
|
||||
"mobile.unsupported_server.ok": "確定",
|
||||
"mobile.unsupported_server.title": "不支援的伺服器版本",
|
||||
"mobile.user.settings.notifications.email.fifteenMinutes": "每 15 分鐘",
|
||||
"mobile.video_playback.failed_description": "嘗試播放影片時發生錯誤。",
|
||||
"mobile.video_playback.failed_title": "無法播放影片",
|
||||
"mobile.user_list.deactivated": "停用",
|
||||
"mobile.user_removed.message": "頻道已移除您。",
|
||||
"mobile.user_removed.title": "已從 {channelName} 移除",
|
||||
"mobile.video.save_error_message": "必須先下載影片才能儲存。",
|
||||
"mobile.video.save_error_title": "檔案影片錯誤",
|
||||
"mobile.youtube_playback_error.description": "播放 YouTube 影片時發生錯誤。詳細訊息:{details}",
|
||||
"mobile.video_playback.failed_description": "嘗試播放影片時發生錯誤。\n",
|
||||
"mobile.video_playback.failed_title": "無法播放影片",
|
||||
"mobile.youtube_playback_error.description": "播放 YouTube 影片時發生錯誤。\n詳細訊息:{details}",
|
||||
"mobile.youtube_playback_error.title": "YouTube 播放錯誤",
|
||||
"modal.manual_status.auto_responder.message_": "是否將狀態改為\"{status}\"並停用自動回復?",
|
||||
"modal.manual_status.auto_responder.message_away": "是否將狀態改為\"離開\"並停用自動回復?",
|
||||
"modal.manual_status.auto_responder.message_dnd": "是否將狀態改為\"請勿打擾\"並停用自動回復?",
|
||||
"modal.manual_status.auto_responder.message_offline": "是否將狀態改為\"離線\"並停用自動回復?",
|
||||
"modal.manual_status.auto_responder.message_online": "是否將狀態改為\"線上\"並停用自動回復?",
|
||||
"more_channels.archivedChannels": "封存頻道",
|
||||
"more_channels.dropdownTitle": "顯示",
|
||||
"more_channels.noMore": "沒有可參加的頻道",
|
||||
"more_channels.publicChannels": "公開頻道",
|
||||
"more_channels.showArchivedChannels": "顯示:已封存的頻道",
|
||||
"more_channels.showPublicChannels": "顯示:公開頻道",
|
||||
"more_channels.title": "更多頻道",
|
||||
"msg_typing.areTyping": "{users}跟{last}正在打字...",
|
||||
"msg_typing.isTyping": "{user}正在打字...",
|
||||
"navbar.channel_drawer.button": "頻道與團隊",
|
||||
"navbar.channel_drawer.hint": "開啟頻道與團隊選單",
|
||||
"navbar.leave": "離開頻道",
|
||||
"navbar.more_options.button": "更多選項",
|
||||
"navbar.more_options.hint": "在右側邊欄顯示更多選項",
|
||||
"navbar.search.button": "搜尋頻道",
|
||||
"navbar.search.hint": "開啟搜尋頻道對話框",
|
||||
"password_form.title": "密碼重設",
|
||||
"password_send.checkInbox": "請檢查收件夾。",
|
||||
"password_send.description": "輸入註冊的電子郵件地址以重設密碼。",
|
||||
"password_send.error": "請輸入一個有效的電子郵件地址",
|
||||
"password_send.description": "輸入註冊的電子郵件地址以重設密碼",
|
||||
"password_send.error": "請輸入一個有效的電子郵件地址。",
|
||||
"password_send.link": "如果帳號存在,將會寄送密碼重置郵件至:",
|
||||
"password_send.reset": "重置我的密碼",
|
||||
"permalink.error.access": "此永久連結通往被刪除的訊息或是您沒有觀看權限的頻道。",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": "與",
|
||||
"permalink.error.link_not_found": "找不到連結",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "沒有因這個提及而收到通知,因為他們不在頻道中。由於他們不是連結群組的成員,無法將其加入此頻道。如要將使用者加入此頻道,必須將他們加入連結群組。",
|
||||
"post_body.check_for_out_of_channel_mentions.link.and": " 與 ",
|
||||
"post_body.check_for_out_of_channel_mentions.link.private": "將他們加進此私人頻道",
|
||||
"post_body.check_for_out_of_channel_mentions.link.public": "將他們加進此頻道",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "被提及但是不在此頻道。請問是否要 ",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "被提及但是不在此頻道。請問是否要 ",
|
||||
"post_body.check_for_out_of_channel_mentions.message_last": "?他們將可以瀏覽所有的訊息紀錄。",
|
||||
"post_body.check_for_out_of_channel_mentions.message.multiple": "被提及但是不在此頻道。請問是否要",
|
||||
"post_body.check_for_out_of_channel_mentions.message.one": "被提及但是不在此頻道。請問是否要",
|
||||
"post_body.commentedOn": " 已在{name}的訊息上註記:",
|
||||
"post_body.commentedOn": "已在{name}的訊息上註記: ",
|
||||
"post_body.deleted": "(訊息已刪除)",
|
||||
"post_info.auto_responder": "自動回覆",
|
||||
"post_info.bot": "機器人",
|
||||
"post_info.del": "刪除",
|
||||
"post_info.edit": "編輯",
|
||||
"post_info.guest": "訪客",
|
||||
"post_info.message.show_less": "顯示較少內容",
|
||||
"post_info.message.show_more": "顯示更多",
|
||||
"post_info.system": "系統",
|
||||
@@ -458,16 +580,16 @@
|
||||
"search_bar.search": "搜尋",
|
||||
"search_header.results": "搜尋結果",
|
||||
"search_header.title2": "最近提及",
|
||||
"search_header.title3": "被標記的訊息",
|
||||
"search_header.title3": "已儲存的訊息",
|
||||
"search_item.channelArchived": "已封存",
|
||||
"sidebar_right_menu.logout": "登出",
|
||||
"sidebar_right_menu.report": "回報錯誤",
|
||||
"sidebar.channels": "公開頻道",
|
||||
"sidebar.direct": "直接傳訊",
|
||||
"sidebar.favorite": "我的最愛",
|
||||
"sidebar.pg": "私人頻道",
|
||||
"sidebar.types.recent": "最近的活動",
|
||||
"sidebar.unreads": "更多未讀訊息",
|
||||
"sidebar_right_menu.logout": "登出",
|
||||
"sidebar_right_menu.report": "回報錯誤",
|
||||
"signup.email": "電子郵件跟密碼",
|
||||
"signup.office365": "Office 365",
|
||||
"status_dropdown.set_away": "離開",
|
||||
@@ -478,17 +600,20 @@
|
||||
"suggestion.mention.all": "通知頻道全員",
|
||||
"suggestion.mention.channel": "通知頻道全員",
|
||||
"suggestion.mention.channels": "我的頻道",
|
||||
"suggestion.mention.groups": "群組提及",
|
||||
"suggestion.mention.here": "通知頻道全體在線成員",
|
||||
"suggestion.mention.members": "頻道成員",
|
||||
"suggestion.mention.morechannels": "其他頻道",
|
||||
"suggestion.mention.nonmembers": "不在頻道中",
|
||||
"suggestion.mention.special": "特別提及",
|
||||
"suggestion.mention.you": "(你)",
|
||||
"suggestion.search.direct": "直接傳訊",
|
||||
"suggestion.search.private": "私人頻道",
|
||||
"suggestion.search.public": "公開頻道",
|
||||
"terms_of_service.agreeButton": "同意",
|
||||
"terms_of_service.api_error": "無法完成請求。如果此問題持續發生,請聯絡系統管理員。",
|
||||
"user.settings.display.clockDisplay": "顯示時間",
|
||||
"user.settings.display.custom_theme": "自訂主題",
|
||||
"user.settings.display.militaryClock": "24 小時制(如:16:00)",
|
||||
"user.settings.display.normalClock": "12 小時制(如:4:00 PM)",
|
||||
"user.settings.display.preferTime": "選擇時間顯示方式。",
|
||||
@@ -523,112 +648,5 @@
|
||||
"user.settings.push_notification.disabled_long": "電子郵件通知已被系統管理員停用。",
|
||||
"user.settings.push_notification.offline": "離線",
|
||||
"user.settings.push_notification.online": "線上、離開或離線",
|
||||
"web.root.signup_info": "團隊溝通皆在同處,隨時隨地皆可搜尋與存取。",
|
||||
"user.settings.display.custom_theme": "自訂主題",
|
||||
"suggestion.mention.you": "(你)",
|
||||
"post_info.guest": "訪客",
|
||||
"post_body.check_for_out_of_channel_groups_mentions.message": "沒有因這個提及而收到通知,因為他們不在頻道中。由於他們不是連結群組的成員,無法將其加入此頻道。如要將使用者加入此頻道,必須將他們加入連結群組。",
|
||||
"permalink.error.link_not_found": "找不到連結",
|
||||
"navbar.channel_drawer.hint": "開啟頻道與團隊選單",
|
||||
"navbar.channel_drawer.button": "頻道與團隊",
|
||||
"more_channels.showPublicChannels": "顯示:公開頻道",
|
||||
"more_channels.showArchivedChannels": "顯示:已封存的頻道",
|
||||
"more_channels.publicChannels": "公開頻道",
|
||||
"more_channels.dropdownTitle": "顯示",
|
||||
"more_channels.archivedChannels": "封存頻道",
|
||||
"mobile.tos_link": "服務條款",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_to": "{username} 已更新頻道用途為:{newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.updated_from": "{username} 已更新頻道用途:從 {oldPurpose} 改為 {newPurpose}",
|
||||
"mobile.system_message.update_channel_purpose_message.removed": "{username} 已移除頻道用途(原為:{oldPurpose})",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_to": "{username} 已更新頻道標題為:{newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.updated_from": "{username} 已更新頻道標題:從 {oldHeader} 改為 {newHeader}",
|
||||
"mobile.system_message.update_channel_header_message_and_forget.removed": "{username} 已移除頻道標題(原為:{oldHeader})",
|
||||
"mobile.system_message.update_channel_displayname_message_and_forget.updated_from": "{username} 將頻道顯示名稱從 {oldDisplayName} 改成 {newDisplayName}",
|
||||
"mobile.system_message.channel_unarchived_message": "{username} 已解除頻道封存。",
|
||||
"mobile.system_message.channel_archived_message": "{username} 已封存頻道。",
|
||||
"mobile.storage_permission_denied_title": "{applicationName}想要存取您的檔案",
|
||||
"mobile.storage_permission_denied_description": "上傳檔案到 Mattermost。請開啟設定並允許 Mattermost 存取檔案。",
|
||||
"mobile.sidebar_settings.permanent_description": "一直保持側邊欄開啟",
|
||||
"mobile.sidebar_settings.permanent": "永久側邊欄",
|
||||
"mobile.share_extension.too_long_title": "訊息過長",
|
||||
"mobile.share_extension.too_long_message": "字數:{count}/{max}",
|
||||
"mobile.server_ssl.error.title": "不被信任的憑證",
|
||||
"mobile.server_ssl.error.text": "{host} 的憑證不被信任。請聯絡系統管理員解決憑證問題以允許連結。",
|
||||
"mobile.server_link.unreachable_team.error": "此永久連結通往被刪除的團隊或是您沒有觀看權限的團隊。",
|
||||
"mobile.server_link.unreachable_channel.error": "此永久連結通往被刪除的頻道或是您沒有觀看權限的頻道。",
|
||||
"mobile.server_link.error.title": "連結錯誤",
|
||||
"mobile.server_link.error.text": "該連結不存在於本伺服器。",
|
||||
"mobile.select_team.guest_cant_join_team": "此訪客帳號沒有被指派團隊或頻道。請聯絡管理員。",
|
||||
"mobile.routes.user_profile.edit": "編輯",
|
||||
"mobile.routes.channelInfo.unarchive_channel": "解除頻道封存",
|
||||
"mobile.routes.channelInfo.groupManaged": "成員由連結群組管理",
|
||||
"mobile.reaction_header.all_emojis": "全部",
|
||||
"mobile.push_notification_reply.title": "回覆",
|
||||
"mobile.push_notification_reply.placeholder": "輸入回覆...",
|
||||
"mobile.push_notification_reply.button": "送出",
|
||||
"mobile.privacy_link": "隱私政策",
|
||||
"mobile.post_textbox.entire_channel.title": "確認對整個頻道發送通知",
|
||||
"mobile.post_textbox.entire_channel.message.with_timezones": "使用 @all 或 @channel 將會發送通知給 {totalMembers} 位處於 {timezones, number} 個不同時區的成員。確定要執行?",
|
||||
"mobile.post_textbox.entire_channel.message": "使用 @all 或 @channel 將會發送通知給 {totalMembers} 位成員。確定要執行?",
|
||||
"mobile.post_textbox.entire_channel.confirm": "確認",
|
||||
"mobile.post_textbox.entire_channel.cancel": "取消",
|
||||
"mobile.post_info.reply": "回覆",
|
||||
"mobile.post_info.mark_unread": "標為尚未閱讀",
|
||||
"mobile.photo_library_permission_denied_title": "{applicationName}想要存取您的相片庫",
|
||||
"mobile.photo_library_permission_denied_description": "請變更權限設定以儲存圖片跟影像到圖庫中。",
|
||||
"mobile.permission_denied_retry": "設定",
|
||||
"mobile.permission_denied_dismiss": "不允許",
|
||||
"mobile.managed.settings": "前往設定",
|
||||
"mobile.managed.not_secured.ios.touchId": "這裝置必須要設定密碼以使用 Mattermost。前往 設定 > Touch ID 與密碼",
|
||||
"mobile.managed.not_secured.ios": "這裝置必須要設定密碼以使用 Mattermost前往 設定 > Face ID 與密碼",
|
||||
"mobile.managed.not_secured.android": "這裝置必須要設定螢幕鎖以使用 Mattermost",
|
||||
"mobile.ios.photos_permission_denied_title": "需要存取相片庫",
|
||||
"mobile.files_paste.error_title": "貼上失敗",
|
||||
"mobile.files_paste.error_dismiss": "解除",
|
||||
"mobile.files_paste.error_description": "貼上檔案時發生錯誤。請重新嘗試。",
|
||||
"mobile.file_upload.unsupportedMimeType": "個人圖像只能使用 BMP、JPG 或 PNG 圖片",
|
||||
"mobile.failed_network_action.teams_title": "有問題發生了",
|
||||
"mobile.failed_network_action.teams_description": "無法讀取團隊。",
|
||||
"mobile.failed_network_action.teams_channel_description": "無法讀取 {teamName} 的頻道。",
|
||||
"mobile.extension.team_required": "必須要屬於團隊才能分享檔案。",
|
||||
"mobile.edit_profile.remove_profile_photo": "移除相片",
|
||||
"mobile.display_settings.sidebar": "側邊欄",
|
||||
"mobile.channel_list.archived": "已封存",
|
||||
"mobile.channel_info.unarchive_failed": "無法解除頻道 {displayName} 封存。請檢查連線並再試一次。 ",
|
||||
"mobile.channel_info.copy_purpose": "複製用途",
|
||||
"mobile.channel_info.copy_header": "複製標題",
|
||||
"mobile.channel_info.convert_success": "{displayName} 現在是私人頻道。",
|
||||
"mobile.channel_info.convert_failed": "無法將 {displayName} 轉換成私人頻道",
|
||||
"mobile.channel_info.convert": "變為私人頻道",
|
||||
"mobile.channel_info.alertTitleUnarchiveChannel": "解除 {term} 封存",
|
||||
"mobile.channel_info.alertTitleConvertChannel": "變更 {displayName} 為私人頻道?",
|
||||
"mobile.channel_info.alertMessageUnarchiveChannel": "確定要解除 {term} {name} 封存嘛?",
|
||||
"mobile.channel_info.alertMessageConvertChannel": "當轉換 **{displayName}** 成私人頻道時,紀錄跟成員身份將被保留。公開分享的檔案依然能被擁有連結的人存取。私人頻道成員身份僅限於邀請。這將會是永久改變且不能取消。請確定要將 **{displayName}** 轉換成私人頻道。",
|
||||
"mobile.camera_video_permission_denied_title": "{applicationName}想要存取您的相機",
|
||||
"mobile.camera_video_permission_denied_description": "錄影並上傳到 Mattermost 或是儲存到您的裝置。請開啟設定並允許 Mattermost 存取相機。",
|
||||
"mobile.camera_photo_permission_denied_title": "{applicationName}想要存取您的相機",
|
||||
"mobile.camera_photo_permission_denied_description": "照相並上傳到 Mattermost 或是儲存到您的裝置。請開啟設定並允許 Mattermost 存取相機。",
|
||||
"mobile.alert_dialog.alertCancel": "取消",
|
||||
"intro_messages.creatorPrivate": "這是{name}私人頻道的開頭,由{creator}建立於{date}。",
|
||||
"date_separator.yesterday": "昨天",
|
||||
"date_separator.today": "今天",
|
||||
"channel.isGuest": "這個使用者是訪客",
|
||||
"channel.hasGuests": "此群組訊息有訪客",
|
||||
"channel.channelHasGuests": "此頻道有訪客",
|
||||
"suggestion.mention.groups": "群組提及",
|
||||
"mobile.server_upgrade.learn_more": "了解更多",
|
||||
"mobile.server_upgrade.dismiss": "解除",
|
||||
"mobile.unsupported_server.title": "不支援的伺服器版本",
|
||||
"mobile.unsupported_server.ok": "確定",
|
||||
"mobile.unsupported_server.message": "附加檔案、連結預覽、互動以及內嵌資料可能無法正確顯示。如果此問題持續發生,請聯絡系統管理員升級 Mattermost 伺服器。",
|
||||
"mobile.server_upgrade.alert_description": "此伺服器版本沒有被支援,使用者將會遇到造成嚴重錯誤的相容性問題。必須升級伺服器版本到 {serverVersion} 或更高。",
|
||||
"mobile.post_textbox.one_group.message.with_timezones": "使用 {mentions} 將會發送通知給 {totalMembers} 位處於 {timezones, number} 個不同時區的成員。確定要執行?",
|
||||
"mobile.post_textbox.one_group.message.without_timezones": "使用 {mentions} 將會發送通知給 {totalMembers} 位成員。確定要執行?",
|
||||
"mobile.post_textbox.multi_group.message.without_timezones": "使用 {mentions} 跟 {finalMention} 將會發送通知給至少 {totalMembers} 位成員。確定要執行?",
|
||||
"mobile.post_textbox.multi_group.message.with_timezones": "使用 {mentions} 跟 {finalMention} 將會發送通知給至少 {totalMembers} 位處於 {timezones, number} 個不同時區的成員。確定要執行?",
|
||||
"mobile.post_textbox.groups.title": "確認發送至群組的通知",
|
||||
"mobile.more_messages_button.text": "{count} 筆新訊息",
|
||||
"mobile.message_length.message_split_left": "訊息超過長度限制",
|
||||
"mobile.android.back_handler_exit": "再按一次退回以離開",
|
||||
"mobile.emoji_picker.search.not_found_description": "檢查拼字或嘗試其他搜尋。"
|
||||
"web.root.signup_info": "團隊溝通皆在同處,隨時隨地皆可搜尋與存取"
|
||||
}
|
||||
|
||||
BIN
assets/base/images/autocomplete/slash_command.png
Normal file
BIN
assets/base/images/autocomplete/slash_command.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 256 B |
BIN
assets/base/images/autocomplete/slash_command@2x.png
Normal file
BIN
assets/base/images/autocomplete/slash_command@2x.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 360 B |
BIN
assets/base/images/autocomplete/slash_command@3x.png
Normal file
BIN
assets/base/images/autocomplete/slash_command@3x.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 516 B |
@@ -938,7 +938,7 @@
|
||||
CODE_SIGN_ENTITLEMENTS = Mattermost/Mattermost.entitlements;
|
||||
CODE_SIGN_IDENTITY = "iPhone Developer";
|
||||
"CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer";
|
||||
CURRENT_PROJECT_VERSION = 325;
|
||||
CURRENT_PROJECT_VERSION = 330;
|
||||
DEAD_CODE_STRIPPING = NO;
|
||||
DEVELOPMENT_TEAM = UQ8HT4Q2XM;
|
||||
ENABLE_BITCODE = NO;
|
||||
@@ -980,7 +980,7 @@
|
||||
CODE_SIGN_ENTITLEMENTS = Mattermost/Mattermost.entitlements;
|
||||
CODE_SIGN_IDENTITY = "iPhone Developer";
|
||||
"CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer";
|
||||
CURRENT_PROJECT_VERSION = 325;
|
||||
CURRENT_PROJECT_VERSION = 330;
|
||||
DEAD_CODE_STRIPPING = NO;
|
||||
DEVELOPMENT_TEAM = UQ8HT4Q2XM;
|
||||
ENABLE_BITCODE = NO;
|
||||
|
||||
@@ -17,7 +17,7 @@
|
||||
<key>CFBundlePackageType</key>
|
||||
<string>APPL</string>
|
||||
<key>CFBundleShortVersionString</key>
|
||||
<string>1.35.0</string>
|
||||
<string>1.36.0</string>
|
||||
<key>CFBundleSignature</key>
|
||||
<string>????</string>
|
||||
<key>CFBundleURLTypes</key>
|
||||
@@ -32,7 +32,7 @@
|
||||
</dict>
|
||||
</array>
|
||||
<key>CFBundleVersion</key>
|
||||
<string>325</string>
|
||||
<string>330</string>
|
||||
<key>ITSAppUsesNonExemptEncryption</key>
|
||||
<false/>
|
||||
<key>LSRequiresIPhoneOS</key>
|
||||
|
||||
@@ -17,9 +17,9 @@
|
||||
<key>CFBundlePackageType</key>
|
||||
<string>XPC!</string>
|
||||
<key>CFBundleShortVersionString</key>
|
||||
<string>1.35.0</string>
|
||||
<string>1.36.0</string>
|
||||
<key>CFBundleVersion</key>
|
||||
<string>325</string>
|
||||
<string>330</string>
|
||||
<key>NSAppTransportSecurity</key>
|
||||
<dict>
|
||||
<key>NSAllowsArbitraryLoads</key>
|
||||
|
||||
@@ -29,6 +29,7 @@ class ShareViewController: SLComposeServiceViewController {
|
||||
private var teamsVC: TeamsViewController = TeamsViewController()
|
||||
|
||||
private var maxMessageSize: Int = 0
|
||||
private var canUploadFiles: Bool = true
|
||||
|
||||
required init?(coder aDecoder: NSCoder) {
|
||||
super.init(coder: aDecoder)
|
||||
@@ -37,6 +38,7 @@ class ShareViewController: SLComposeServiceViewController {
|
||||
sessionToken = store.getToken()
|
||||
serverURL = store.getServerUrl()
|
||||
maxMessageSize = Int(store.getMaxPostSize())
|
||||
canUploadFiles = store.getCanUploadFiles()
|
||||
}
|
||||
|
||||
// MARK: - Lifecycle methods
|
||||
@@ -94,6 +96,8 @@ class ShareViewController: SLComposeServiceViewController {
|
||||
showErrorMessage(title: "", message: "Authentication required: Please first login using the app.", VC: self)
|
||||
} else if store.getCurrentTeamId() == "" || store.getMyTeams().count == 0 {
|
||||
showErrorMessage(title: "", message: "You must belong to a team before you can share files.", VC: self)
|
||||
} else if !canUploadFiles {
|
||||
showErrorMessage(title: "", message: "File uploads from mobile are disabled. Please contact your System Admin for more details.", VC: self)
|
||||
} else {
|
||||
extractDataFromContext()
|
||||
}
|
||||
|
||||
@@ -17,9 +17,9 @@
|
||||
<key>CFBundlePackageType</key>
|
||||
<string>XPC!</string>
|
||||
<key>CFBundleShortVersionString</key>
|
||||
<string>1.35.0</string>
|
||||
<string>1.36.0</string>
|
||||
<key>CFBundleVersion</key>
|
||||
<string>325</string>
|
||||
<string>330</string>
|
||||
<key>NSExtension</key>
|
||||
<dict>
|
||||
<key>NSExtensionPointIdentifier</key>
|
||||
|
||||
@@ -22,5 +22,6 @@
|
||||
-(NSArray *)getMyTeams;
|
||||
-(NSString *)getServerUrl;
|
||||
-(NSString *)getToken;
|
||||
-(BOOL)getCanUploadFiles;
|
||||
-(void)updateEntities:(NSString *)content;
|
||||
@end
|
||||
|
||||
@@ -207,6 +207,21 @@
|
||||
return DEFAULT_SERVER_MAX_POST_SIZE;
|
||||
}
|
||||
|
||||
-(BOOL)getCanUploadFiles {
|
||||
NSDictionary *config = [self getConfig];
|
||||
NSDictionary *license = [self getLicense];
|
||||
if (config != nil && license != nil) {
|
||||
NSString *enableFileAttachments = [config objectForKey:@"EnableFileAttachments"];
|
||||
NSString *isLicensed = [license objectForKey:@"IsLicensed"];
|
||||
NSString *compliance = [license objectForKey:@"Compliance"];
|
||||
NSString *enableMobileFileUpload = [config objectForKey:@"EnableMobileFileUpload"];
|
||||
return ![enableFileAttachments isEqual:@"false"] &&
|
||||
([isLicensed isEqual:@"false"] || [compliance isEqual:@"false"] || ![enableMobileFileUpload isEqual:@"false"]);
|
||||
}
|
||||
|
||||
return YES;
|
||||
}
|
||||
|
||||
-(void)updateEntities:(NSString *)content {
|
||||
[self.bucket writeToFile:@"entities" content:content];
|
||||
}
|
||||
@@ -272,6 +287,10 @@
|
||||
return [[self.entities objectForKey:@"general"] objectForKey:@"config"];
|
||||
}
|
||||
|
||||
-(NSDictionary *)getLicense {
|
||||
return [[self.entities objectForKey:@"general"] objectForKey:@"license"];
|
||||
}
|
||||
|
||||
-(NSDictionary *)getMyPreferences {
|
||||
return [[self.entities objectForKey:@"preferences"] objectForKey:@"myPreferences"];
|
||||
}
|
||||
|
||||
2
package-lock.json
generated
2
package-lock.json
generated
@@ -1,6 +1,6 @@
|
||||
{
|
||||
"name": "mattermost-mobile",
|
||||
"version": "1.35.0",
|
||||
"version": "1.36.0",
|
||||
"lockfileVersion": 1,
|
||||
"requires": true,
|
||||
"dependencies": {
|
||||
|
||||
@@ -1,6 +1,6 @@
|
||||
{
|
||||
"name": "mattermost-mobile",
|
||||
"version": "1.35.0",
|
||||
"version": "1.36.0",
|
||||
"description": "Mattermost Mobile with React Native",
|
||||
"repository": "git@github.com:mattermost/mattermost-mobile.git",
|
||||
"author": "Mattermost, Inc.",
|
||||
|
||||
@@ -66,6 +66,7 @@ export default class ExtensionPost extends PureComponent {
|
||||
channels: PropTypes.object.isRequired,
|
||||
currentUserId: PropTypes.string.isRequired,
|
||||
getTeamChannels: PropTypes.func.isRequired,
|
||||
canUploadFiles: PropTypes.bool.isRequired,
|
||||
maxFileSize: PropTypes.number.isRequired,
|
||||
navigation: PropTypes.object.isRequired,
|
||||
teamId: PropTypes.string.isRequired,
|
||||
@@ -377,7 +378,7 @@ export default class ExtensionPost extends PureComponent {
|
||||
};
|
||||
|
||||
onClose = (data) => {
|
||||
ShareExtension.close(data.nativeEvent ? null : data);
|
||||
ShareExtension.close(data?.nativeEvent ? null : data);
|
||||
};
|
||||
|
||||
onPost = () => {
|
||||
@@ -555,6 +556,7 @@ export default class ExtensionPost extends PureComponent {
|
||||
delayPressIn={0}
|
||||
pressColorAndroid='rgba(0, 0, 0, .32)'
|
||||
onPress={this.onPost}
|
||||
disabled={!this.props.canUploadFiles}
|
||||
>
|
||||
<View style={styles.left}>
|
||||
<PaperPlane
|
||||
@@ -625,6 +627,14 @@ export default class ExtensionPost extends PureComponent {
|
||||
return this.renderErrorMessage(teamRequired);
|
||||
}
|
||||
|
||||
if (!this.props.canUploadFiles) {
|
||||
const uploadsDisabled = formatMessage({
|
||||
id: 'mobile.file_upload.disabled',
|
||||
defaultMessage: 'File uploads from mobile are disabled. Please contact your System Admin for more details.',
|
||||
});
|
||||
return this.renderErrorMessage(uploadsDisabled);
|
||||
}
|
||||
|
||||
if (this.token && this.url) {
|
||||
if (hasPermission === false) {
|
||||
const storage = formatMessage({
|
||||
|
||||
@@ -24,6 +24,7 @@ describe('ExtensionPost', () => {
|
||||
channels: {},
|
||||
currentUserId: 'current-user-id',
|
||||
getTeamChannels: jest.fn(),
|
||||
canUploadFiles: true,
|
||||
maxFileSize: 1024,
|
||||
navigation: {
|
||||
setOptions: jest.fn(),
|
||||
@@ -39,6 +40,7 @@ describe('ExtensionPost', () => {
|
||||
);
|
||||
|
||||
const instance = wrapper.instance();
|
||||
instance.renderErrorMessage = jest.fn();
|
||||
|
||||
const postMessage = (message) => {
|
||||
wrapper.setState({value: message});
|
||||
@@ -65,4 +67,10 @@ describe('ExtensionPost', () => {
|
||||
|
||||
expect(Alert.alert).not.toHaveBeenCalled();
|
||||
});
|
||||
|
||||
test('should render file uploads disabled message when canUploadFiles is false', () => {
|
||||
wrapper.setState({loaded: true});
|
||||
wrapper.setProps({canUploadFiles: false});
|
||||
expect(instance.renderErrorMessage).toHaveBeenCalledWith('File uploads from mobile are disabled. Please contact your System Admin for more details.');
|
||||
});
|
||||
});
|
||||
|
||||
@@ -6,7 +6,7 @@ import {connect} from 'react-redux';
|
||||
import {getAllChannels, getCurrentChannel, getDefaultChannel} from '@mm-redux/selectors/entities/channels';
|
||||
import {getCurrentTeamId} from '@mm-redux/selectors/entities/teams';
|
||||
import {getCurrentUserId} from '@mm-redux/selectors/entities/users';
|
||||
import {getConfig} from '@mm-redux/selectors/entities/general';
|
||||
import {getConfig, canUploadFilesOnMobile} from '@mm-redux/selectors/entities/general';
|
||||
|
||||
import {getTeamChannels} from 'share_extension/android/actions';
|
||||
import {getAllowedServerMaxFileSize} from 'app/utils/file';
|
||||
@@ -25,6 +25,7 @@ function mapStateToProps(state) {
|
||||
channelId: channel?.id,
|
||||
channels: getAllChannels(state),
|
||||
currentUserId: getCurrentUserId(state),
|
||||
canUploadFiles: canUploadFilesOnMobile(state),
|
||||
maxFileSize: getAllowedServerMaxFileSize(config),
|
||||
teamId: getCurrentTeamId(state),
|
||||
};
|
||||
|
||||
@@ -165,7 +165,6 @@ jest.mock('react-native-cookies', () => ({
|
||||
addEventListener: jest.fn(),
|
||||
removeEventListener: jest.fn(),
|
||||
openURL: jest.fn(),
|
||||
canOpenURL: jest.fn(),
|
||||
getInitialURL: jest.fn(),
|
||||
clearAll: jest.fn(),
|
||||
get: () => Promise.resolve(({
|
||||
|
||||
Reference in New Issue
Block a user