Merge commit '715cbee93d419e26cf952bf7fc70f9c1cc217d8b' into glitch-soc/merge-upstream
This commit is contained in:
@@ -807,7 +807,7 @@ GEM
|
||||
rubyzip (>= 1.2.2, < 3.0)
|
||||
websocket (~> 1.0)
|
||||
semantic_range (3.1.0)
|
||||
shoulda-matchers (6.4.0)
|
||||
shoulda-matchers (6.5.0)
|
||||
activesupport (>= 5.2.0)
|
||||
sidekiq (6.5.12)
|
||||
connection_pool (>= 2.2.5, < 3)
|
||||
|
||||
@@ -19,9 +19,16 @@ class AccountsIndex < Chewy::Index
|
||||
type: 'stemmer',
|
||||
language: 'possessive_english',
|
||||
},
|
||||
|
||||
word_joiner: {
|
||||
type: 'shingle',
|
||||
output_unigrams: true,
|
||||
token_separator: '',
|
||||
},
|
||||
},
|
||||
|
||||
analyzer: {
|
||||
# "The FOOING's bar" becomes "foo bar"
|
||||
natural: {
|
||||
tokenizer: 'standard',
|
||||
filter: %w(
|
||||
@@ -35,11 +42,20 @@ class AccountsIndex < Chewy::Index
|
||||
),
|
||||
},
|
||||
|
||||
# "FOO bar" becomes "foo bar"
|
||||
verbatim: {
|
||||
tokenizer: 'standard',
|
||||
filter: %w(lowercase asciifolding cjk_width),
|
||||
},
|
||||
|
||||
# "Foo bar" becomes "foo bar foobar"
|
||||
word_join_analyzer: {
|
||||
type: 'custom',
|
||||
tokenizer: 'standard',
|
||||
filter: %w(lowercase asciifolding cjk_width word_joiner),
|
||||
},
|
||||
|
||||
# "Foo bar" becomes "f fo foo b ba bar"
|
||||
edge_ngram: {
|
||||
tokenizer: 'edge_ngram',
|
||||
filter: %w(lowercase asciifolding cjk_width),
|
||||
|
||||
@@ -72,6 +72,13 @@ class Api::BaseController < ApplicationController
|
||||
end
|
||||
end
|
||||
|
||||
# Redefine `require_functional!` to properly output JSON instead of HTML redirects
|
||||
def require_functional!
|
||||
return if current_user.functional?
|
||||
|
||||
require_user!
|
||||
end
|
||||
|
||||
def render_empty
|
||||
render json: {}, status: 200
|
||||
end
|
||||
|
||||
@@ -18,7 +18,7 @@ class Api::V1::FeaturedTagsController < Api::BaseController
|
||||
end
|
||||
|
||||
def destroy
|
||||
RemoveFeaturedTagWorker.perform_async(current_account.id, @featured_tag.id)
|
||||
RemoveFeaturedTagService.new.call(current_account, @featured_tag)
|
||||
render_empty
|
||||
end
|
||||
|
||||
|
||||
@@ -1,7 +1,8 @@
|
||||
# frozen_string_literal: true
|
||||
|
||||
class Api::V1::TagsController < Api::BaseController
|
||||
before_action -> { doorkeeper_authorize! :follow, :write, :'write:follows' }, except: :show
|
||||
before_action -> { doorkeeper_authorize! :follow, :write, :'write:follows' }, only: [:follow, :unfollow]
|
||||
before_action -> { doorkeeper_authorize! :write, :'write:accounts' }, only: [:feature, :unfeature]
|
||||
before_action :require_user!, except: :show
|
||||
before_action :set_or_create_tag
|
||||
|
||||
@@ -23,6 +24,16 @@ class Api::V1::TagsController < Api::BaseController
|
||||
render json: @tag, serializer: REST::TagSerializer
|
||||
end
|
||||
|
||||
def feature
|
||||
CreateFeaturedTagService.new.call(current_account, @tag)
|
||||
render json: @tag, serializer: REST::TagSerializer
|
||||
end
|
||||
|
||||
def unfeature
|
||||
RemoveFeaturedTagService.new.call(current_account, @tag)
|
||||
render json: @tag, serializer: REST::TagSerializer
|
||||
end
|
||||
|
||||
private
|
||||
|
||||
def set_or_create_tag
|
||||
|
||||
@@ -75,10 +75,24 @@ class ApplicationController < ActionController::Base
|
||||
def require_functional!
|
||||
return if current_user.functional?
|
||||
|
||||
if current_user.confirmed?
|
||||
redirect_to edit_user_registration_path
|
||||
else
|
||||
redirect_to auth_setup_path
|
||||
respond_to do |format|
|
||||
format.any do
|
||||
if current_user.confirmed?
|
||||
redirect_to edit_user_registration_path
|
||||
else
|
||||
redirect_to auth_setup_path
|
||||
end
|
||||
end
|
||||
|
||||
format.json do
|
||||
if !current_user.confirmed?
|
||||
render json: { error: 'Your login is missing a confirmed e-mail address' }, status: 403
|
||||
elsif !current_user.approved?
|
||||
render json: { error: 'Your login is currently pending approval' }, status: 403
|
||||
elsif !current_user.functional?
|
||||
render json: { error: 'Your login is currently disabled' }, status: 403
|
||||
end
|
||||
end
|
||||
end
|
||||
end
|
||||
|
||||
|
||||
@@ -12,7 +12,7 @@ class Settings::FeaturedTagsController < Settings::BaseController
|
||||
end
|
||||
|
||||
def create
|
||||
@featured_tag = CreateFeaturedTagService.new.call(current_account, featured_tag_params[:name], force: false)
|
||||
@featured_tag = CreateFeaturedTagService.new.call(current_account, featured_tag_params[:name], raise_error: false)
|
||||
|
||||
if @featured_tag.valid?
|
||||
redirect_to settings_featured_tags_path
|
||||
|
||||
@@ -26,6 +26,7 @@ module ContextHelper
|
||||
voters_count: { 'toot' => 'http://joinmastodon.org/ns#', 'votersCount' => 'toot:votersCount' },
|
||||
suspended: { 'toot' => 'http://joinmastodon.org/ns#', 'suspended' => 'toot:suspended' },
|
||||
attribution_domains: { 'toot' => 'http://joinmastodon.org/ns#', 'attributionDomains' => { '@id' => 'toot:attributionDomains', '@type' => '@id' } },
|
||||
quote_requests: { 'QuoteRequest' => 'https://w3id.org/fep/044f#QuoteRequest' },
|
||||
}.freeze
|
||||
|
||||
def full_context
|
||||
|
||||
@@ -4,8 +4,11 @@ import api from '../api';
|
||||
|
||||
import { ensureComposeIsVisible, setComposeToStatus } from './compose';
|
||||
import { importFetchedStatus, importFetchedStatuses, importFetchedAccount } from './importer';
|
||||
import { fetchContext } from './statuses_typed';
|
||||
import { deleteFromTimelines } from './timelines';
|
||||
|
||||
export * from './statuses_typed';
|
||||
|
||||
export const STATUS_FETCH_REQUEST = 'STATUS_FETCH_REQUEST';
|
||||
export const STATUS_FETCH_SUCCESS = 'STATUS_FETCH_SUCCESS';
|
||||
export const STATUS_FETCH_FAIL = 'STATUS_FETCH_FAIL';
|
||||
@@ -14,10 +17,6 @@ export const STATUS_DELETE_REQUEST = 'STATUS_DELETE_REQUEST';
|
||||
export const STATUS_DELETE_SUCCESS = 'STATUS_DELETE_SUCCESS';
|
||||
export const STATUS_DELETE_FAIL = 'STATUS_DELETE_FAIL';
|
||||
|
||||
export const CONTEXT_FETCH_REQUEST = 'CONTEXT_FETCH_REQUEST';
|
||||
export const CONTEXT_FETCH_SUCCESS = 'CONTEXT_FETCH_SUCCESS';
|
||||
export const CONTEXT_FETCH_FAIL = 'CONTEXT_FETCH_FAIL';
|
||||
|
||||
export const STATUS_MUTE_REQUEST = 'STATUS_MUTE_REQUEST';
|
||||
export const STATUS_MUTE_SUCCESS = 'STATUS_MUTE_SUCCESS';
|
||||
export const STATUS_MUTE_FAIL = 'STATUS_MUTE_FAIL';
|
||||
@@ -54,7 +53,7 @@ export function fetchStatus(id, forceFetch = false, alsoFetchContext = true) {
|
||||
const skipLoading = !forceFetch && getState().getIn(['statuses', id], null) !== null;
|
||||
|
||||
if (alsoFetchContext) {
|
||||
dispatch(fetchContext(id));
|
||||
dispatch(fetchContext({ statusId: id }));
|
||||
}
|
||||
|
||||
if (skipLoading) {
|
||||
@@ -178,50 +177,6 @@ export function deleteStatusFail(id, error) {
|
||||
export const updateStatus = status => dispatch =>
|
||||
dispatch(importFetchedStatus(status));
|
||||
|
||||
export function fetchContext(id) {
|
||||
return (dispatch) => {
|
||||
dispatch(fetchContextRequest(id));
|
||||
|
||||
api().get(`/api/v1/statuses/${id}/context`).then(response => {
|
||||
dispatch(importFetchedStatuses(response.data.ancestors.concat(response.data.descendants)));
|
||||
dispatch(fetchContextSuccess(id, response.data.ancestors, response.data.descendants));
|
||||
|
||||
}).catch(error => {
|
||||
if (error.response && error.response.status === 404) {
|
||||
dispatch(deleteFromTimelines(id));
|
||||
}
|
||||
|
||||
dispatch(fetchContextFail(id, error));
|
||||
});
|
||||
};
|
||||
}
|
||||
|
||||
export function fetchContextRequest(id) {
|
||||
return {
|
||||
type: CONTEXT_FETCH_REQUEST,
|
||||
id,
|
||||
};
|
||||
}
|
||||
|
||||
export function fetchContextSuccess(id, ancestors, descendants) {
|
||||
return {
|
||||
type: CONTEXT_FETCH_SUCCESS,
|
||||
id,
|
||||
ancestors,
|
||||
descendants,
|
||||
statuses: ancestors.concat(descendants),
|
||||
};
|
||||
}
|
||||
|
||||
export function fetchContextFail(id, error) {
|
||||
return {
|
||||
type: CONTEXT_FETCH_FAIL,
|
||||
id,
|
||||
error,
|
||||
skipAlert: true,
|
||||
};
|
||||
}
|
||||
|
||||
export function muteStatus(id) {
|
||||
return (dispatch) => {
|
||||
dispatch(muteStatusRequest(id));
|
||||
|
||||
18
app/javascript/mastodon/actions/statuses_typed.ts
Normal file
18
app/javascript/mastodon/actions/statuses_typed.ts
Normal file
@@ -0,0 +1,18 @@
|
||||
import { apiGetContext } from 'mastodon/api/statuses';
|
||||
import { createDataLoadingThunk } from 'mastodon/store/typed_functions';
|
||||
|
||||
import { importFetchedStatuses } from './importer';
|
||||
|
||||
export const fetchContext = createDataLoadingThunk(
|
||||
'status/context',
|
||||
({ statusId }: { statusId: string }) => apiGetContext(statusId),
|
||||
(context, { dispatch }) => {
|
||||
const statuses = context.ancestors.concat(context.descendants);
|
||||
|
||||
dispatch(importFetchedStatuses(statuses));
|
||||
|
||||
return {
|
||||
context,
|
||||
};
|
||||
},
|
||||
);
|
||||
@@ -1,4 +1,10 @@
|
||||
import { apiGetTag, apiFollowTag, apiUnfollowTag } from 'mastodon/api/tags';
|
||||
import {
|
||||
apiGetTag,
|
||||
apiFollowTag,
|
||||
apiUnfollowTag,
|
||||
apiFeatureTag,
|
||||
apiUnfeatureTag,
|
||||
} from 'mastodon/api/tags';
|
||||
import { createDataLoadingThunk } from 'mastodon/store/typed_functions';
|
||||
|
||||
export const fetchHashtag = createDataLoadingThunk(
|
||||
@@ -15,3 +21,13 @@ export const unfollowHashtag = createDataLoadingThunk(
|
||||
'tags/unfollow',
|
||||
({ tagId }: { tagId: string }) => apiUnfollowTag(tagId),
|
||||
);
|
||||
|
||||
export const featureHashtag = createDataLoadingThunk(
|
||||
'tags/feature',
|
||||
({ tagId }: { tagId: string }) => apiFeatureTag(tagId),
|
||||
);
|
||||
|
||||
export const unfeatureHashtag = createDataLoadingThunk(
|
||||
'tags/unfeature',
|
||||
({ tagId }: { tagId: string }) => apiUnfeatureTag(tagId),
|
||||
);
|
||||
|
||||
5
app/javascript/mastodon/api/statuses.ts
Normal file
5
app/javascript/mastodon/api/statuses.ts
Normal file
@@ -0,0 +1,5 @@
|
||||
import { apiRequestGet } from 'mastodon/api';
|
||||
import type { ApiContextJSON } from 'mastodon/api_types/statuses';
|
||||
|
||||
export const apiGetContext = (statusId: string) =>
|
||||
apiRequestGet<ApiContextJSON>(`v1/statuses/${statusId}/context`);
|
||||
@@ -10,6 +10,12 @@ export const apiFollowTag = (tagId: string) =>
|
||||
export const apiUnfollowTag = (tagId: string) =>
|
||||
apiRequestPost<ApiHashtagJSON>(`v1/tags/${tagId}/unfollow`);
|
||||
|
||||
export const apiFeatureTag = (tagId: string) =>
|
||||
apiRequestPost<ApiHashtagJSON>(`v1/tags/${tagId}/feature`);
|
||||
|
||||
export const apiUnfeatureTag = (tagId: string) =>
|
||||
apiRequestPost<ApiHashtagJSON>(`v1/tags/${tagId}/unfeature`);
|
||||
|
||||
export const apiGetFollowedTags = async (url?: string) => {
|
||||
const response = await api().request<ApiHashtagJSON[]>({
|
||||
method: 'GET',
|
||||
|
||||
@@ -119,3 +119,8 @@ export interface ApiStatusJSON {
|
||||
card?: ApiPreviewCardJSON;
|
||||
poll?: ApiPollJSON;
|
||||
}
|
||||
|
||||
export interface ApiContextJSON {
|
||||
ancestors: ApiStatusJSON[];
|
||||
descendants: ApiStatusJSON[];
|
||||
}
|
||||
|
||||
@@ -10,4 +10,5 @@ export interface ApiHashtagJSON {
|
||||
url: string;
|
||||
history: [ApiHistoryJSON, ...ApiHistoryJSON[]];
|
||||
following?: boolean;
|
||||
featuring?: boolean;
|
||||
}
|
||||
|
||||
@@ -26,11 +26,12 @@ import {
|
||||
import { openModal, closeModal } from 'mastodon/actions/modal';
|
||||
import { CircularProgress } from 'mastodon/components/circular_progress';
|
||||
import { isUserTouching } from 'mastodon/is_mobile';
|
||||
import type {
|
||||
MenuItem,
|
||||
ActionMenuItem,
|
||||
ExternalLinkMenuItem,
|
||||
import {
|
||||
isMenuItem,
|
||||
isActionItem,
|
||||
isExternalLinkItem,
|
||||
} from 'mastodon/models/dropdown_menu';
|
||||
import type { MenuItem } from 'mastodon/models/dropdown_menu';
|
||||
import { useAppDispatch, useAppSelector } from 'mastodon/store';
|
||||
|
||||
import type { IconProp } from './icon';
|
||||
@@ -38,30 +39,6 @@ import { IconButton } from './icon_button';
|
||||
|
||||
let id = 0;
|
||||
|
||||
const isMenuItem = (item: unknown): item is MenuItem => {
|
||||
if (item === null) {
|
||||
return true;
|
||||
}
|
||||
|
||||
return typeof item === 'object' && 'text' in item;
|
||||
};
|
||||
|
||||
const isActionItem = (item: unknown): item is ActionMenuItem => {
|
||||
if (!item || !isMenuItem(item)) {
|
||||
return false;
|
||||
}
|
||||
|
||||
return 'action' in item;
|
||||
};
|
||||
|
||||
const isExternalLinkItem = (item: unknown): item is ExternalLinkMenuItem => {
|
||||
if (!item || !isMenuItem(item)) {
|
||||
return false;
|
||||
}
|
||||
|
||||
return 'href' in item;
|
||||
};
|
||||
|
||||
type RenderItemFn<Item = MenuItem> = (
|
||||
item: Item,
|
||||
index: number,
|
||||
@@ -354,6 +331,9 @@ export const Dropdown = <Item = MenuItem,>({
|
||||
const open = currentId === openDropdownId;
|
||||
const activeElement = useRef<HTMLElement | null>(null);
|
||||
const targetRef = useRef<HTMLButtonElement | null>(null);
|
||||
const prefetchAccountId = status
|
||||
? status.getIn(['account', 'id'])
|
||||
: undefined;
|
||||
|
||||
const handleClose = useCallback(() => {
|
||||
if (activeElement.current) {
|
||||
@@ -402,8 +382,8 @@ export const Dropdown = <Item = MenuItem,>({
|
||||
} else {
|
||||
onOpen?.();
|
||||
|
||||
if (status) {
|
||||
dispatch(fetchRelationships([status.getIn(['account', 'id'])]));
|
||||
if (prefetchAccountId) {
|
||||
dispatch(fetchRelationships([prefetchAccountId]));
|
||||
}
|
||||
|
||||
if (isUserTouching()) {
|
||||
@@ -411,7 +391,6 @@ export const Dropdown = <Item = MenuItem,>({
|
||||
openModal({
|
||||
modalType: 'ACTIONS',
|
||||
modalProps: {
|
||||
status,
|
||||
actions: items,
|
||||
onClick: handleItemClick,
|
||||
},
|
||||
@@ -431,11 +410,11 @@ export const Dropdown = <Item = MenuItem,>({
|
||||
[
|
||||
dispatch,
|
||||
currentId,
|
||||
prefetchAccountId,
|
||||
scrollKey,
|
||||
onOpen,
|
||||
handleItemClick,
|
||||
open,
|
||||
status,
|
||||
items,
|
||||
handleClose,
|
||||
],
|
||||
|
||||
@@ -403,14 +403,7 @@ class Status extends ImmutablePureComponent {
|
||||
const connectReply = nextInReplyToId && nextInReplyToId === status.get('id');
|
||||
const matchedFilters = status.get('matched_filters');
|
||||
|
||||
if (featured) {
|
||||
prepend = (
|
||||
<div className='status__prepend'>
|
||||
<div className='status__prepend__icon'><Icon id='thumb-tack' icon={PushPinIcon} /></div>
|
||||
<FormattedMessage id='status.pinned' defaultMessage='Pinned post' />
|
||||
</div>
|
||||
);
|
||||
} else if (status.get('reblog', null) !== null && typeof status.get('reblog') === 'object') {
|
||||
if (status.get('reblog', null) !== null && typeof status.get('reblog') === 'object') {
|
||||
const display_name_html = { __html: status.getIn(['account', 'display_name_html']) };
|
||||
|
||||
prepend = (
|
||||
|
||||
@@ -30,9 +30,6 @@ const messages = defineMessages({
|
||||
class PrivacyDropdown extends PureComponent {
|
||||
|
||||
static propTypes = {
|
||||
isUserTouching: PropTypes.func,
|
||||
onModalOpen: PropTypes.func,
|
||||
onModalClose: PropTypes.func,
|
||||
value: PropTypes.string.isRequired,
|
||||
onChange: PropTypes.func.isRequired,
|
||||
noDirect: PropTypes.bool,
|
||||
|
||||
@@ -15,16 +15,6 @@ const mapDispatchToProps = dispatch => ({
|
||||
dispatch(changeComposeVisibility(value));
|
||||
},
|
||||
|
||||
isUserTouching,
|
||||
onModalOpen: props => dispatch(openModal({
|
||||
modalType: 'ACTIONS',
|
||||
modalProps: props,
|
||||
})),
|
||||
onModalClose: () => dispatch(closeModal({
|
||||
modalType: undefined,
|
||||
ignoreFocus: false,
|
||||
})),
|
||||
|
||||
});
|
||||
|
||||
export default connect(mapStateToProps, mapDispatchToProps)(PrivacyDropdown);
|
||||
|
||||
@@ -9,6 +9,8 @@ import {
|
||||
fetchHashtag,
|
||||
followHashtag,
|
||||
unfollowHashtag,
|
||||
featureHashtag,
|
||||
unfeatureHashtag,
|
||||
} from 'mastodon/actions/tags_typed';
|
||||
import type { ApiHashtagJSON } from 'mastodon/api_types/tags';
|
||||
import { Button } from 'mastodon/components/button';
|
||||
@@ -28,6 +30,11 @@ const messages = defineMessages({
|
||||
id: 'hashtag.admin_moderation',
|
||||
defaultMessage: 'Open moderation interface for #{name}',
|
||||
},
|
||||
feature: { id: 'hashtag.feature', defaultMessage: 'Feature on profile' },
|
||||
unfeature: {
|
||||
id: 'hashtag.unfeature',
|
||||
defaultMessage: "Don't feature on profile",
|
||||
},
|
||||
});
|
||||
|
||||
const usesRenderer = (displayNumber: React.ReactNode, pluralReady: number) => (
|
||||
@@ -88,22 +95,51 @@ export const HashtagHeader: React.FC<{
|
||||
}, [dispatch, tagId, setTag]);
|
||||
|
||||
const menu = useMemo(() => {
|
||||
const tmp = [];
|
||||
const arr = [];
|
||||
|
||||
if (
|
||||
tag &&
|
||||
signedIn &&
|
||||
(permissions & PERMISSION_MANAGE_TAXONOMIES) ===
|
||||
PERMISSION_MANAGE_TAXONOMIES
|
||||
) {
|
||||
tmp.push({
|
||||
text: intl.formatMessage(messages.adminModeration, { name: tag.id }),
|
||||
href: `/admin/tags/${tag.id}`,
|
||||
if (tag && signedIn) {
|
||||
const handleFeature = () => {
|
||||
if (tag.featuring) {
|
||||
void dispatch(unfeatureHashtag({ tagId })).then((result) => {
|
||||
if (isFulfilled(result)) {
|
||||
setTag(result.payload);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
} else {
|
||||
void dispatch(featureHashtag({ tagId })).then((result) => {
|
||||
if (isFulfilled(result)) {
|
||||
setTag(result.payload);
|
||||
}
|
||||
|
||||
return '';
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
arr.push({
|
||||
text: intl.formatMessage(
|
||||
tag.featuring ? messages.unfeature : messages.feature,
|
||||
),
|
||||
action: handleFeature,
|
||||
});
|
||||
|
||||
arr.push(null);
|
||||
|
||||
if (
|
||||
(permissions & PERMISSION_MANAGE_TAXONOMIES) ===
|
||||
PERMISSION_MANAGE_TAXONOMIES
|
||||
) {
|
||||
arr.push({
|
||||
text: intl.formatMessage(messages.adminModeration, { name: tagId }),
|
||||
href: `/admin/tags/${tag.id}`,
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
return tmp;
|
||||
}, [signedIn, permissions, intl, tag]);
|
||||
return arr;
|
||||
}, [setTag, dispatch, tagId, signedIn, permissions, intl, tag]);
|
||||
|
||||
const handleFollow = useCallback(() => {
|
||||
if (!signedIn || !tag) {
|
||||
|
||||
@@ -39,9 +39,9 @@ export const NotificationMention: React.FC<{
|
||||
unread: boolean;
|
||||
}> = ({ notification, unread }) => {
|
||||
const [isDirect, isReply] = useAppSelector((state) => {
|
||||
const status = state.statuses.get(notification.statusId) as
|
||||
| Status
|
||||
| undefined;
|
||||
const status = notification.statusId
|
||||
? (state.statuses.get(notification.statusId) as Status | undefined)
|
||||
: undefined;
|
||||
|
||||
if (!status) return [false, false] as const;
|
||||
|
||||
|
||||
@@ -65,6 +65,7 @@ import { textForScreenReader, defaultMediaVisibility } from '../../components/st
|
||||
import StatusContainer from '../../containers/status_container';
|
||||
import { deleteModal } from '../../initial_state';
|
||||
import { makeGetStatus, makeGetPictureInPicture } from '../../selectors';
|
||||
import { getAncestorsIds, getDescendantsIds } from 'mastodon/selectors/contexts';
|
||||
import Column from '../ui/components/column';
|
||||
import { attachFullscreenListener, detachFullscreenListener, isFullscreen } from '../ui/util/fullscreen';
|
||||
|
||||
@@ -83,69 +84,15 @@ const makeMapStateToProps = () => {
|
||||
const getStatus = makeGetStatus();
|
||||
const getPictureInPicture = makeGetPictureInPicture();
|
||||
|
||||
const getAncestorsIds = createSelector([
|
||||
(_, { id }) => id,
|
||||
state => state.getIn(['contexts', 'inReplyTos']),
|
||||
], (statusId, inReplyTos) => {
|
||||
let ancestorsIds = ImmutableList();
|
||||
ancestorsIds = ancestorsIds.withMutations(mutable => {
|
||||
let id = statusId;
|
||||
|
||||
while (id && !mutable.includes(id)) {
|
||||
mutable.unshift(id);
|
||||
id = inReplyTos.get(id);
|
||||
}
|
||||
});
|
||||
|
||||
return ancestorsIds;
|
||||
});
|
||||
|
||||
const getDescendantsIds = createSelector([
|
||||
(_, { id }) => id,
|
||||
state => state.getIn(['contexts', 'replies']),
|
||||
state => state.get('statuses'),
|
||||
], (statusId, contextReplies, statuses) => {
|
||||
let descendantsIds = [];
|
||||
const ids = [statusId];
|
||||
|
||||
while (ids.length > 0) {
|
||||
let id = ids.pop();
|
||||
const replies = contextReplies.get(id);
|
||||
|
||||
if (statusId !== id) {
|
||||
descendantsIds.push(id);
|
||||
}
|
||||
|
||||
if (replies) {
|
||||
replies.reverse().forEach(reply => {
|
||||
if (!ids.includes(reply) && !descendantsIds.includes(reply) && statusId !== reply) ids.push(reply);
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
let insertAt = descendantsIds.findIndex((id) => statuses.get(id).get('in_reply_to_account_id') !== statuses.get(id).get('account'));
|
||||
if (insertAt !== -1) {
|
||||
descendantsIds.forEach((id, idx) => {
|
||||
if (idx > insertAt && statuses.get(id).get('in_reply_to_account_id') === statuses.get(id).get('account')) {
|
||||
descendantsIds.splice(idx, 1);
|
||||
descendantsIds.splice(insertAt, 0, id);
|
||||
insertAt += 1;
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
return ImmutableList(descendantsIds);
|
||||
});
|
||||
|
||||
const mapStateToProps = (state, props) => {
|
||||
const status = getStatus(state, { id: props.params.statusId, contextType: 'detailed' });
|
||||
|
||||
let ancestorsIds = ImmutableList();
|
||||
let descendantsIds = ImmutableList();
|
||||
let ancestorsIds = [];
|
||||
let descendantsIds = [];
|
||||
|
||||
if (status) {
|
||||
ancestorsIds = getAncestorsIds(state, { id: status.get('in_reply_to_id') });
|
||||
descendantsIds = getDescendantsIds(state, { id: status.get('id') });
|
||||
ancestorsIds = getAncestorsIds(state, status.get('in_reply_to_id'));
|
||||
descendantsIds = getDescendantsIds(state, status.get('id'));
|
||||
}
|
||||
|
||||
return {
|
||||
@@ -188,8 +135,8 @@ class Status extends ImmutablePureComponent {
|
||||
dispatch: PropTypes.func.isRequired,
|
||||
status: ImmutablePropTypes.map,
|
||||
isLoading: PropTypes.bool,
|
||||
ancestorsIds: ImmutablePropTypes.list.isRequired,
|
||||
descendantsIds: ImmutablePropTypes.list.isRequired,
|
||||
ancestorsIds: PropTypes.arrayOf(PropTypes.string).isRequired,
|
||||
descendantsIds: PropTypes.arrayOf(PropTypes.string).isRequired,
|
||||
intl: PropTypes.object.isRequired,
|
||||
askReplyConfirmation: PropTypes.bool,
|
||||
multiColumn: PropTypes.bool,
|
||||
@@ -383,7 +330,7 @@ class Status extends ImmutablePureComponent {
|
||||
|
||||
handleToggleAll = () => {
|
||||
const { status, ancestorsIds, descendantsIds } = this.props;
|
||||
const statusIds = [status.get('id')].concat(ancestorsIds.toJS(), descendantsIds.toJS());
|
||||
const statusIds = [status.get('id')].concat(ancestorsIds, descendantsIds);
|
||||
|
||||
if (status.get('hidden')) {
|
||||
this.props.dispatch(revealStatus(statusIds));
|
||||
@@ -482,13 +429,13 @@ class Status extends ImmutablePureComponent {
|
||||
const { status, ancestorsIds, descendantsIds } = this.props;
|
||||
|
||||
if (id === status.get('id')) {
|
||||
this._selectChild(ancestorsIds.size - 1, true);
|
||||
this._selectChild(ancestorsIds.length - 1, true);
|
||||
} else {
|
||||
let index = ancestorsIds.indexOf(id);
|
||||
|
||||
if (index === -1) {
|
||||
index = descendantsIds.indexOf(id);
|
||||
this._selectChild(ancestorsIds.size + index, true);
|
||||
this._selectChild(ancestorsIds.length + index, true);
|
||||
} else {
|
||||
this._selectChild(index - 1, true);
|
||||
}
|
||||
@@ -499,13 +446,13 @@ class Status extends ImmutablePureComponent {
|
||||
const { status, ancestorsIds, descendantsIds } = this.props;
|
||||
|
||||
if (id === status.get('id')) {
|
||||
this._selectChild(ancestorsIds.size + 1, false);
|
||||
this._selectChild(ancestorsIds.length + 1, false);
|
||||
} else {
|
||||
let index = ancestorsIds.indexOf(id);
|
||||
|
||||
if (index === -1) {
|
||||
index = descendantsIds.indexOf(id);
|
||||
this._selectChild(ancestorsIds.size + index + 2, false);
|
||||
this._selectChild(ancestorsIds.length + index + 2, false);
|
||||
} else {
|
||||
this._selectChild(index + 1, false);
|
||||
}
|
||||
@@ -536,8 +483,8 @@ class Status extends ImmutablePureComponent {
|
||||
onMoveUp={this.handleMoveUp}
|
||||
onMoveDown={this.handleMoveDown}
|
||||
contextType='thread'
|
||||
previousId={i > 0 ? list.get(i - 1) : undefined}
|
||||
nextId={list.get(i + 1) || (ancestors && statusId)}
|
||||
previousId={i > 0 ? list[i - 1] : undefined}
|
||||
nextId={list[i + 1] || (ancestors && statusId)}
|
||||
rootId={statusId}
|
||||
/>
|
||||
));
|
||||
@@ -574,7 +521,7 @@ class Status extends ImmutablePureComponent {
|
||||
componentDidUpdate (prevProps) {
|
||||
const { status, ancestorsIds } = this.props;
|
||||
|
||||
if (status && (ancestorsIds.size > prevProps.ancestorsIds.size || prevProps.status?.get('id') !== status.get('id'))) {
|
||||
if (status && (ancestorsIds.length > prevProps.ancestorsIds.length || prevProps.status?.get('id') !== status.get('id'))) {
|
||||
this._scrollStatusIntoView();
|
||||
}
|
||||
}
|
||||
@@ -621,11 +568,11 @@ class Status extends ImmutablePureComponent {
|
||||
);
|
||||
}
|
||||
|
||||
if (ancestorsIds && ancestorsIds.size > 0) {
|
||||
if (ancestorsIds && ancestorsIds.length > 0) {
|
||||
ancestors = <>{this.renderChildren(ancestorsIds, true)}</>;
|
||||
}
|
||||
|
||||
if (descendantsIds && descendantsIds.size > 0) {
|
||||
if (descendantsIds && descendantsIds.length > 0) {
|
||||
descendants = <>{this.renderChildren(descendantsIds)}</>;
|
||||
}
|
||||
|
||||
|
||||
@@ -1,48 +0,0 @@
|
||||
import PropTypes from 'prop-types';
|
||||
|
||||
import classNames from 'classnames';
|
||||
|
||||
import ImmutablePropTypes from 'react-immutable-proptypes';
|
||||
import ImmutablePureComponent from 'react-immutable-pure-component';
|
||||
|
||||
import { IconButton } from '../../../components/icon_button';
|
||||
|
||||
export default class ActionsModal extends ImmutablePureComponent {
|
||||
|
||||
static propTypes = {
|
||||
status: ImmutablePropTypes.map,
|
||||
actions: PropTypes.array,
|
||||
onClick: PropTypes.func,
|
||||
};
|
||||
|
||||
renderAction = (action, i) => {
|
||||
if (action === null) {
|
||||
return <li key={`sep-${i}`} className='dropdown-menu__separator' />;
|
||||
}
|
||||
|
||||
const { icon = null, iconComponent = null, text, meta = null, active = false, href = '#' } = action;
|
||||
|
||||
return (
|
||||
<li key={`${text}-${i}`}>
|
||||
<a href={href} target='_blank' rel='noopener' onClick={this.props.onClick} data-index={i} className={classNames({ active })}>
|
||||
{icon && <IconButton title={text} icon={icon} iconComponent={iconComponent} role='presentation' tabIndex={-1} inverted />}
|
||||
<div>
|
||||
<div className={classNames({ 'actions-modal__item-label': !!meta })}>{text}</div>
|
||||
<div>{meta}</div>
|
||||
</div>
|
||||
</a>
|
||||
</li>
|
||||
);
|
||||
};
|
||||
|
||||
render () {
|
||||
return (
|
||||
<div className='modal-root__modal actions-modal'>
|
||||
<ul className={classNames({ 'with-status': !!status })}>
|
||||
{this.props.actions.map(this.renderAction)}
|
||||
</ul>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
|
||||
}
|
||||
@@ -0,0 +1,65 @@
|
||||
import classNames from 'classnames';
|
||||
import { Link } from 'react-router-dom';
|
||||
|
||||
import type { MenuItem } from 'mastodon/models/dropdown_menu';
|
||||
import {
|
||||
isActionItem,
|
||||
isExternalLinkItem,
|
||||
} from 'mastodon/models/dropdown_menu';
|
||||
|
||||
export const ActionsModal: React.FC<{
|
||||
actions: MenuItem[];
|
||||
onClick: React.MouseEventHandler;
|
||||
}> = ({ actions, onClick }) => (
|
||||
<div className='modal-root__modal actions-modal'>
|
||||
<ul>
|
||||
{actions.map((option, i: number) => {
|
||||
if (option === null) {
|
||||
return <li key={`sep-${i}`} className='dropdown-menu__separator' />;
|
||||
}
|
||||
|
||||
const { text, dangerous } = option;
|
||||
|
||||
let element: React.ReactElement;
|
||||
|
||||
if (isActionItem(option)) {
|
||||
element = (
|
||||
<button onClick={onClick} data-index={i}>
|
||||
{text}
|
||||
</button>
|
||||
);
|
||||
} else if (isExternalLinkItem(option)) {
|
||||
element = (
|
||||
<a
|
||||
href={option.href}
|
||||
target={option.target ?? '_target'}
|
||||
data-method={option.method}
|
||||
rel='noopener'
|
||||
onClick={onClick}
|
||||
data-index={i}
|
||||
>
|
||||
{text}
|
||||
</a>
|
||||
);
|
||||
} else {
|
||||
element = (
|
||||
<Link to={option.to} onClick={onClick} data-index={i}>
|
||||
{text}
|
||||
</Link>
|
||||
);
|
||||
}
|
||||
|
||||
return (
|
||||
<li
|
||||
className={classNames({
|
||||
'dropdown-menu__item--dangerous': dangerous,
|
||||
})}
|
||||
key={`${text}-${i}`}
|
||||
>
|
||||
{element}
|
||||
</li>
|
||||
);
|
||||
})}
|
||||
</ul>
|
||||
</div>
|
||||
);
|
||||
@@ -24,7 +24,7 @@ import { getScrollbarWidth } from 'mastodon/utils/scrollbar';
|
||||
|
||||
import BundleContainer from '../containers/bundle_container';
|
||||
|
||||
import ActionsModal from './actions_modal';
|
||||
import { ActionsModal } from './actions_modal';
|
||||
import AudioModal from './audio_modal';
|
||||
import { BoostModal } from './boost_modal';
|
||||
import {
|
||||
|
||||
@@ -86,7 +86,6 @@
|
||||
"column.lists": "Lyste",
|
||||
"column.mutes": "Uitgedoofte gebruikers",
|
||||
"column.notifications": "Kennisgewings",
|
||||
"column.pins": "Vasgemaakte plasings",
|
||||
"column.public": "Gefedereerde tydlyn",
|
||||
"column_back_button.label": "Terug",
|
||||
"column_header.hide_settings": "Versteek instellings",
|
||||
@@ -196,7 +195,6 @@
|
||||
"keyboard_shortcuts.my_profile": "to open your profile",
|
||||
"keyboard_shortcuts.notifications": "Vertoon kennisgewingkolom",
|
||||
"keyboard_shortcuts.open_media": "to open media",
|
||||
"keyboard_shortcuts.pinned": "Vertoon vasgemaakte plasings",
|
||||
"keyboard_shortcuts.profile": "Vertoon skrywersprofiel",
|
||||
"keyboard_shortcuts.reply": "Reageer op plasing",
|
||||
"keyboard_shortcuts.requests": "Sien volgversoeke",
|
||||
@@ -224,7 +222,6 @@
|
||||
"navigation_bar.lists": "Lyste",
|
||||
"navigation_bar.logout": "Teken uit",
|
||||
"navigation_bar.personal": "Persoonlik",
|
||||
"navigation_bar.pins": "Vasgemaakte plasings",
|
||||
"navigation_bar.preferences": "Voorkeure",
|
||||
"navigation_bar.public_timeline": "Gefedereerde tydlyn",
|
||||
"navigation_bar.search": "Soek",
|
||||
@@ -262,7 +259,6 @@
|
||||
"status.copy": "Kopieer skakel na hierdie plasing",
|
||||
"status.edited_x_times": "Edited {count, plural, one {# time} other {# times}}",
|
||||
"status.open": "Brei hierdie plasing uit",
|
||||
"status.pinned": "Vasgemaakte plasing",
|
||||
"status.reblog": "Stuur aan",
|
||||
"status.reblog_private": "Stuur aan met oorspronklike sigbaarheid",
|
||||
"status.reblogged_by": "Aangestuur deur {name}",
|
||||
|
||||
@@ -96,7 +96,6 @@
|
||||
"column.lists": "Listas",
|
||||
"column.mutes": "Usuarios silenciaus",
|
||||
"column.notifications": "Notificacions",
|
||||
"column.pins": "Publicacions fixadas",
|
||||
"column.public": "Linia de tiempo federada",
|
||||
"column_back_button.label": "Dezaga",
|
||||
"column_header.hide_settings": "Amagar configuración",
|
||||
@@ -264,7 +263,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Ubrir lo tuyo perfil",
|
||||
"keyboard_shortcuts.notifications": "Ubrir la columna de notificacions",
|
||||
"keyboard_shortcuts.open_media": "Ubrir fichers multimedia",
|
||||
"keyboard_shortcuts.pinned": "Ubrir la lista de publicacions destacadas",
|
||||
"keyboard_shortcuts.profile": "Ubrir lo perfil de l'autor",
|
||||
"keyboard_shortcuts.reply": "Responder publicación",
|
||||
"keyboard_shortcuts.requests": "Ubrir la lista de peticions de seguidores",
|
||||
@@ -303,7 +301,6 @@
|
||||
"navigation_bar.logout": "Zarrar sesión",
|
||||
"navigation_bar.mutes": "Usuarios silenciaus",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Publicacions fixadas",
|
||||
"navigation_bar.preferences": "Preferencias",
|
||||
"navigation_bar.public_timeline": "Linia de tiempo federada",
|
||||
"navigation_bar.search": "Buscar",
|
||||
@@ -452,8 +449,6 @@
|
||||
"status.mute": "Silenciar @{name}",
|
||||
"status.mute_conversation": "Silenciar conversación",
|
||||
"status.open": "Expandir estau",
|
||||
"status.pin": "Fixar",
|
||||
"status.pinned": "Publicación fixada",
|
||||
"status.read_more": "Leyer mas",
|
||||
"status.reblog": "Retutar",
|
||||
"status.reblog_private": "Empentar con l'audiencia orichinal",
|
||||
@@ -474,7 +469,6 @@
|
||||
"status.translate": "Traducir",
|
||||
"status.translated_from_with": "Traduciu de {lang} usando {provider}",
|
||||
"status.unmute_conversation": "Deixar de silenciar conversación",
|
||||
"status.unpin": "Deixar de fixar",
|
||||
"subscribed_languages.lead": "Nomás los mensaches en os idiomas triaus amaneixerán en o suyo inicio y atras linias de tiempo dimpués d'o cambio. Tríe garra pa recibir mensaches en totz los idiomas.",
|
||||
"subscribed_languages.save": "Alzar cambios",
|
||||
"subscribed_languages.target": "Cambiar idiomas suscritos pa {target}",
|
||||
|
||||
@@ -131,7 +131,6 @@
|
||||
"column.lists": "القوائم",
|
||||
"column.mutes": "المُستَخدِمون المَكتومون",
|
||||
"column.notifications": "الإشعارات",
|
||||
"column.pins": "المنشورات المُثَبَّتَة",
|
||||
"column.public": "الخيط الفيدرالي",
|
||||
"column_back_button.label": "العودة",
|
||||
"column_header.hide_settings": "إخفاء الإعدادات",
|
||||
@@ -395,7 +394,6 @@
|
||||
"keyboard_shortcuts.my_profile": "لفتح ملفك التعريفي",
|
||||
"keyboard_shortcuts.notifications": "لفتح عمود الإشعارات",
|
||||
"keyboard_shortcuts.open_media": "لفتح الوسائط",
|
||||
"keyboard_shortcuts.pinned": "لفتح قائمة المنشورات المثبتة",
|
||||
"keyboard_shortcuts.profile": "لفتح الملف التعريفي للناشر",
|
||||
"keyboard_shortcuts.reply": "للردّ",
|
||||
"keyboard_shortcuts.requests": "لفتح قائمة طلبات المتابعة",
|
||||
@@ -464,7 +462,6 @@
|
||||
"navigation_bar.mutes": "الحسابات المكتومة",
|
||||
"navigation_bar.opened_in_classic_interface": "تُفتَح المنشورات والحسابات وغيرها من الصفحات الخاصة بشكل مبدئي على واجهة الويب التقليدية.",
|
||||
"navigation_bar.personal": "شخصي",
|
||||
"navigation_bar.pins": "المنشورات المُثَبَّتَة",
|
||||
"navigation_bar.preferences": "التفضيلات",
|
||||
"navigation_bar.public_timeline": "الخيط الفيدرالي",
|
||||
"navigation_bar.search": "البحث",
|
||||
@@ -724,8 +721,6 @@
|
||||
"status.mute": "أكتم @{name}",
|
||||
"status.mute_conversation": "كتم المحادثة",
|
||||
"status.open": "وسّع هذا المنشور",
|
||||
"status.pin": "دبّسه على الصفحة التعريفية",
|
||||
"status.pinned": "منشور مثبَّت",
|
||||
"status.read_more": "اقرأ المزيد",
|
||||
"status.reblog": "إعادة النشر",
|
||||
"status.reblog_private": "إعادة النشر إلى الجمهور الأصلي",
|
||||
@@ -749,7 +744,6 @@
|
||||
"status.translated_from_with": "مترجم من {lang} باستخدام {provider}",
|
||||
"status.uncached_media_warning": "المعاينة غير متوفرة",
|
||||
"status.unmute_conversation": "فك الكتم عن المحادثة",
|
||||
"status.unpin": "فك التدبيس من الصفحة التعريفية",
|
||||
"subscribed_languages.lead": "فقط المنشورات في اللغات المحددة ستظهر في خيطك الرئيسي وتسرد في الجداول الزمنية بعد تأكيد التغيير. لا تقم بأي خيار لتلقي المنشورات في جميع اللغات.",
|
||||
"subscribed_languages.save": "حفظ التغييرات",
|
||||
"subscribed_languages.target": "تغيير اللغات المشتركة لـ {target}",
|
||||
|
||||
@@ -112,7 +112,6 @@
|
||||
"column.lists": "Llistes",
|
||||
"column.mutes": "Perfiles colos avisos desactivaos",
|
||||
"column.notifications": "Avisos",
|
||||
"column.pins": "Artículos fixaos",
|
||||
"column.public": "Llinia de tiempu federada",
|
||||
"column_back_button.label": "Atrás",
|
||||
"column_header.moveLeft_settings": "Mover la columna a la esquierda",
|
||||
@@ -309,7 +308,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Abrir el to perfil",
|
||||
"keyboard_shortcuts.notifications": "Abrir la columna d'avisos",
|
||||
"keyboard_shortcuts.open_media": "Abrir el conteníu mutimedia",
|
||||
"keyboard_shortcuts.pinned": "Abrir la llista d'artículos fixaos",
|
||||
"keyboard_shortcuts.profile": "Abrir el perfil del autor/a",
|
||||
"keyboard_shortcuts.reply": "Responder a una publicación",
|
||||
"keyboard_shortcuts.requests": "Abrir la llista de solicitúes de siguimientu",
|
||||
@@ -359,7 +357,6 @@
|
||||
"navigation_bar.mutes": "Perfiles colos avisos desactivaos",
|
||||
"navigation_bar.opened_in_classic_interface": "Los artículos, les cuentes y otres páxines específiques ábrense por defeutu na interfaz web clásica.",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Artículos fixaos",
|
||||
"navigation_bar.preferences": "Preferencies",
|
||||
"navigation_bar.public_timeline": "Llinia de tiempu federada",
|
||||
"navigation_bar.security": "Seguranza",
|
||||
@@ -529,8 +526,6 @@
|
||||
"status.mute": "Desactivar los avisos de @{name}",
|
||||
"status.mute_conversation": "Desactivar los avisos de la conversación",
|
||||
"status.open": "Espander esta publicación",
|
||||
"status.pin": "Fixar nel perfil",
|
||||
"status.pinned": "Publicación fixada",
|
||||
"status.read_more": "Lleer más",
|
||||
"status.reblog": "Compartir",
|
||||
"status.reblogged_by": "{name} compartió",
|
||||
@@ -548,7 +543,6 @@
|
||||
"status.translated_from_with": "Tradúxose del {lang} con {provider}",
|
||||
"status.uncached_media_warning": "La previsualización nun ta disponible",
|
||||
"status.unmute_conversation": "Activar los avisos de la conversación",
|
||||
"status.unpin": "Lliberar del perfil",
|
||||
"subscribed_languages.save": "Guardar los cambeos",
|
||||
"tabs_bar.home": "Aniciu",
|
||||
"tabs_bar.notifications": "Avisos",
|
||||
|
||||
@@ -157,7 +157,6 @@
|
||||
"column.lists": "Siyahılar",
|
||||
"column.mutes": "Səssizləşdirilmiş istifadəçilər",
|
||||
"column.notifications": "Bildirişlər",
|
||||
"column.pins": "Bərkidilmiş paylaşımlar",
|
||||
"column.public": "Federasiya zaman qrafiki",
|
||||
"column_back_button.label": "Geriyə",
|
||||
"column_header.hide_settings": "Parametrləri gizlət",
|
||||
|
||||
@@ -151,7 +151,6 @@
|
||||
"column.lists": "Спісы",
|
||||
"column.mutes": "Ігнараваныя карыстальнікі",
|
||||
"column.notifications": "Апавяшчэнні",
|
||||
"column.pins": "Замацаваныя допісы",
|
||||
"column.public": "Інтэграваная стужка",
|
||||
"column_back_button.label": "Назад",
|
||||
"column_header.hide_settings": "Схаваць налады",
|
||||
@@ -440,7 +439,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Адкрыць ваш профіль",
|
||||
"keyboard_shortcuts.notifications": "Адкрыць слупок апавяшчэнняў",
|
||||
"keyboard_shortcuts.open_media": "Адкрыць медыя",
|
||||
"keyboard_shortcuts.pinned": "Адкрыць спіс замацаваных допісаў",
|
||||
"keyboard_shortcuts.profile": "Адкрыць профіль аўтара",
|
||||
"keyboard_shortcuts.reply": "Адказаць на допіс",
|
||||
"keyboard_shortcuts.requests": "Адкрыць спіс запытаў на падпіску",
|
||||
@@ -505,7 +503,6 @@
|
||||
"navigation_bar.mutes": "Ігнараваныя карыстальнікі",
|
||||
"navigation_bar.opened_in_classic_interface": "Допісы, уліковыя запісы і іншыя спецыфічныя старонкі па змоўчанні адчыняюцца ў класічным вэб-інтэрфейсе.",
|
||||
"navigation_bar.personal": "Асабістае",
|
||||
"navigation_bar.pins": "Замацаваныя допісы",
|
||||
"navigation_bar.preferences": "Налады",
|
||||
"navigation_bar.public_timeline": "Глабальная стужка",
|
||||
"navigation_bar.search": "Пошук",
|
||||
@@ -782,8 +779,6 @@
|
||||
"status.mute": "Ігнараваць @{name}",
|
||||
"status.mute_conversation": "Ігнараваць размову",
|
||||
"status.open": "Разгарнуць гэты допіс",
|
||||
"status.pin": "Замацаваць у профілі",
|
||||
"status.pinned": "Замацаваны допіс",
|
||||
"status.read_more": "Чытаць болей",
|
||||
"status.reblog": "Пашырыць",
|
||||
"status.reblog_private": "Пашырыць з першапачатковай бачнасцю",
|
||||
@@ -807,7 +802,6 @@
|
||||
"status.translated_from_with": "Перакладзена з {lang} з дапамогай {provider}",
|
||||
"status.uncached_media_warning": "Перадпрагляд недаступны",
|
||||
"status.unmute_conversation": "Не ігнараваць размову",
|
||||
"status.unpin": "Адмацаваць ад профілю",
|
||||
"subscribed_languages.lead": "Толькі допісы ў абраных мовах будуць паказвацца ў вашых стужках пасля змены. Не абірайце нічога, каб бачыць допісы на ўсіх мовах.",
|
||||
"subscribed_languages.save": "Захаваць змены",
|
||||
"subscribed_languages.target": "Змяніць мовы падпіскі для {target}",
|
||||
|
||||
@@ -162,7 +162,6 @@
|
||||
"column.lists": "Списъци",
|
||||
"column.mutes": "Заглушени потребители",
|
||||
"column.notifications": "Известия",
|
||||
"column.pins": "Закачени публикации",
|
||||
"column.public": "Федеративна хронология",
|
||||
"column_back_button.label": "Назад",
|
||||
"column_header.hide_settings": "Скриване на настройките",
|
||||
@@ -465,7 +464,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Отваряне на профила ви",
|
||||
"keyboard_shortcuts.notifications": "Отваряне на колоната с известия",
|
||||
"keyboard_shortcuts.open_media": "Отваряне на мултимедията",
|
||||
"keyboard_shortcuts.pinned": "Отваряне на списъка със закачени публикации",
|
||||
"keyboard_shortcuts.profile": "Отваряне на профила на автора",
|
||||
"keyboard_shortcuts.reply": "Отговаряне на публикация",
|
||||
"keyboard_shortcuts.requests": "Отваряне на списъка със заявки за последване",
|
||||
@@ -549,7 +547,6 @@
|
||||
"navigation_bar.mutes": "Заглушени потребители",
|
||||
"navigation_bar.opened_in_classic_interface": "Публикации, акаунти и други особени страници се отварят по подразбиране в класическия мрежови интерфейс.",
|
||||
"navigation_bar.personal": "Лично",
|
||||
"navigation_bar.pins": "Закачени публикации",
|
||||
"navigation_bar.preferences": "Предпочитания",
|
||||
"navigation_bar.public_timeline": "Федеративна хронология",
|
||||
"navigation_bar.search": "Търсене",
|
||||
@@ -845,8 +842,6 @@
|
||||
"status.mute": "Заглушаване на @{name}",
|
||||
"status.mute_conversation": "Заглушаване на разговора",
|
||||
"status.open": "Разширяване на публикацията",
|
||||
"status.pin": "Закачане в профила",
|
||||
"status.pinned": "Закачена публикация",
|
||||
"status.read_more": "Още за четене",
|
||||
"status.reblog": "Подсилване",
|
||||
"status.reblog_private": "Подсилване с оригиналната видимост",
|
||||
@@ -871,7 +866,6 @@
|
||||
"status.translated_from_with": "Преведено от {lang}, използвайки {provider}",
|
||||
"status.uncached_media_warning": "Онагледяването не е налично",
|
||||
"status.unmute_conversation": "Без заглушаването на разговора",
|
||||
"status.unpin": "Разкачане от профила",
|
||||
"subscribed_languages.lead": "Публикации само на избрани езици ще се явяват в началото ви и в хронологичните списъци след промяната. Изберете \"нищо\", за да получавате публикации на всички езици.",
|
||||
"subscribed_languages.save": "Запазване на промените",
|
||||
"subscribed_languages.target": "Промяна на абонираните езици за {target}",
|
||||
|
||||
@@ -112,7 +112,6 @@
|
||||
"column.lists": "তালিকাগুলো",
|
||||
"column.mutes": "যাদের কার্যক্রম দেখা বন্ধ আছে",
|
||||
"column.notifications": "প্রজ্ঞাপনগুলো",
|
||||
"column.pins": "পিন করা টুট",
|
||||
"column.public": "যুক্ত সময়রেখা",
|
||||
"column_back_button.label": "পেছনে",
|
||||
"column_header.hide_settings": "সেটিংগুলো সরান",
|
||||
@@ -258,7 +257,6 @@
|
||||
"keyboard_shortcuts.my_profile": "আপনার নিজের পাতা দেখতে",
|
||||
"keyboard_shortcuts.notifications": "প্রজ্ঞাপনের কলাম খুলতে",
|
||||
"keyboard_shortcuts.open_media": "মিডিয়া খলার জন্য",
|
||||
"keyboard_shortcuts.pinned": "পিন দেওয়া টুটের তালিকা খুলতে",
|
||||
"keyboard_shortcuts.profile": "লেখকের পাতা দেখতে",
|
||||
"keyboard_shortcuts.reply": "মতামত দিতে",
|
||||
"keyboard_shortcuts.requests": "অনুসরণ অনুরোধের তালিকা দেখতে",
|
||||
@@ -294,7 +292,6 @@
|
||||
"navigation_bar.logout": "বাইরে যান",
|
||||
"navigation_bar.mutes": "যাদের কার্যক্রম দেখা বন্ধ আছে",
|
||||
"navigation_bar.personal": "নিজস্ব",
|
||||
"navigation_bar.pins": "পিন দেওয়া টুট",
|
||||
"navigation_bar.preferences": "পছন্দসমূহ",
|
||||
"navigation_bar.public_timeline": "যুক্তবিশ্বের সময়রেখা",
|
||||
"navigation_bar.search": "অনুসন্ধান",
|
||||
@@ -389,8 +386,6 @@
|
||||
"status.mute": "@{name}র কার্যক্রম সরিয়ে ফেলতে",
|
||||
"status.mute_conversation": "কথোপকথননের প্রজ্ঞাপন সরিয়ে ফেলতে",
|
||||
"status.open": "এটার সম্পূর্ণটা দেখতে",
|
||||
"status.pin": "নিজের পাতায় এটা পিন করতে",
|
||||
"status.pinned": "পিন করা টুট",
|
||||
"status.read_more": "আরো পড়ুন",
|
||||
"status.reblog": "সমর্থন দিতে",
|
||||
"status.reblog_private": "আপনার অনুসরণকারীদের কাছে এটার সমর্থন দেখাতে",
|
||||
@@ -408,7 +403,6 @@
|
||||
"status.title.with_attachments": "{user} posted {attachmentCount, plural, one {an attachment} other {# attachments}}",
|
||||
"status.translate": "অনুবাদ",
|
||||
"status.unmute_conversation": "আলোচনার প্রজ্ঞাপন চালু করতে",
|
||||
"status.unpin": "নিজের পাতা থেকে পিন করে রাখাটির পিন খুলতে",
|
||||
"tabs_bar.home": "বাড়ি",
|
||||
"tabs_bar.notifications": "প্রজ্ঞাপনগুলো",
|
||||
"time_remaining.days": "{number, plural, one {# day} other {# days}} বাকি আছে",
|
||||
|
||||
@@ -124,7 +124,6 @@
|
||||
"column.lists": "Listennoù",
|
||||
"column.mutes": "Implijer·ion·ezed kuzhet",
|
||||
"column.notifications": "Kemennoù",
|
||||
"column.pins": "Embannadurioù spilhennet",
|
||||
"column.public": "Red-amzer kevredet",
|
||||
"column_back_button.label": "Distreiñ",
|
||||
"column_header.hide_settings": "Kuzhat an arventennoù",
|
||||
@@ -329,7 +328,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Digeriñ ho profil",
|
||||
"keyboard_shortcuts.notifications": "Digeriñ bann ar c'hemennoù",
|
||||
"keyboard_shortcuts.open_media": "Digeriñ ar media",
|
||||
"keyboard_shortcuts.pinned": "Digeriñ listenn an toudoù spilhennet",
|
||||
"keyboard_shortcuts.profile": "Digeriñ profil an aozer.ez",
|
||||
"keyboard_shortcuts.reply": "Respont d'an toud",
|
||||
"keyboard_shortcuts.requests": "Digeriñ roll goulennoù heuliañ",
|
||||
@@ -378,7 +376,6 @@
|
||||
"navigation_bar.logout": "Digennaskañ",
|
||||
"navigation_bar.mutes": "Implijer·ion·ezed kuzhet",
|
||||
"navigation_bar.personal": "Personel",
|
||||
"navigation_bar.pins": "Toudoù spilhennet",
|
||||
"navigation_bar.preferences": "Gwellvezioù",
|
||||
"navigation_bar.public_timeline": "Red-amzer kevredet",
|
||||
"navigation_bar.search": "Klask",
|
||||
@@ -578,8 +575,6 @@
|
||||
"status.mute": "Kuzhat @{name}",
|
||||
"status.mute_conversation": "Kuzhat ar gaozeadenn",
|
||||
"status.open": "Digeriñ ar c'hannad-mañ",
|
||||
"status.pin": "Spilhennañ d'ar profil",
|
||||
"status.pinned": "Toud spilhennet",
|
||||
"status.read_more": "Lenn muioc'h",
|
||||
"status.reblog": "Skignañ",
|
||||
"status.reblog_private": "Skignañ gant ar weledenn gentañ",
|
||||
@@ -601,7 +596,6 @@
|
||||
"status.translated_from_with": "Troet diwar {lang} gant {provider}",
|
||||
"status.uncached_media_warning": "Rakwel n'eo ket da gaout",
|
||||
"status.unmute_conversation": "Diguzhat ar gaozeadenn",
|
||||
"status.unpin": "Dispilhennañ eus ar profil",
|
||||
"subscribed_languages.save": "Enrollañ ar cheñchamantoù",
|
||||
"subscribed_languages.target": "Cheñch ar yezhoù koumanantet evit {target}",
|
||||
"tabs_bar.home": "Degemer",
|
||||
|
||||
@@ -2,7 +2,6 @@
|
||||
"account.badges.bot": "Bot",
|
||||
"account.cancel_follow_request": "Withdraw follow request",
|
||||
"account_note.placeholder": "Click to add a note",
|
||||
"column.pins": "Pinned post",
|
||||
"community.column_settings.media_only": "Media only",
|
||||
"compose_form.encryption_warning": "Posts on Mastodon are not end-to-end encrypted. Do not share any dangerous information over Mastodon.",
|
||||
"compose_form.hashtag_warning": "This post won't be listed under any hashtag as it is unlisted. Only public posts can be searched by hashtag.",
|
||||
@@ -34,7 +33,6 @@
|
||||
"keyboard_shortcuts.my_profile": "to open your profile",
|
||||
"keyboard_shortcuts.notifications": "to open notifications column",
|
||||
"keyboard_shortcuts.open_media": "to open media",
|
||||
"keyboard_shortcuts.pinned": "to open pinned posts list",
|
||||
"keyboard_shortcuts.profile": "to open author's profile",
|
||||
"keyboard_shortcuts.reply": "to reply",
|
||||
"keyboard_shortcuts.requests": "to open follow requests list",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Llistes",
|
||||
"column.mutes": "Usuaris silenciats",
|
||||
"column.notifications": "Notificacions",
|
||||
"column.pins": "Tuts fixats",
|
||||
"column.pins": "Publicacions destacades",
|
||||
"column.public": "Línia de temps federada",
|
||||
"column_back_button.label": "Enrere",
|
||||
"column_header.hide_settings": "Amaga la configuració",
|
||||
@@ -476,7 +476,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Obre el teu perfil",
|
||||
"keyboard_shortcuts.notifications": "Obre la columna de notificacions",
|
||||
"keyboard_shortcuts.open_media": "Obre mèdia",
|
||||
"keyboard_shortcuts.pinned": "Obre la llista de tuts fixats",
|
||||
"keyboard_shortcuts.pinned": "Obre la llista de publicacions destacades",
|
||||
"keyboard_shortcuts.profile": "Obre el perfil de l'autor",
|
||||
"keyboard_shortcuts.reply": "Respon al tut",
|
||||
"keyboard_shortcuts.requests": "Obre la llista de sol·licituds de seguiment",
|
||||
@@ -560,7 +560,7 @@
|
||||
"navigation_bar.mutes": "Usuaris silenciats",
|
||||
"navigation_bar.opened_in_classic_interface": "Els tuts, comptes i altres pàgines especifiques s'obren per defecte en la interfície web clàssica.",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Tuts fixats",
|
||||
"navigation_bar.pins": "Publicacions destacades",
|
||||
"navigation_bar.preferences": "Preferències",
|
||||
"navigation_bar.public_timeline": "Línia de temps federada",
|
||||
"navigation_bar.search": "Cerca",
|
||||
@@ -856,8 +856,7 @@
|
||||
"status.mute": "Silencia @{name}",
|
||||
"status.mute_conversation": "Silencia la conversa",
|
||||
"status.open": "Amplia el tut",
|
||||
"status.pin": "Fixa en el perfil",
|
||||
"status.pinned": "Tut fixat",
|
||||
"status.pin": "Destaca al perfil",
|
||||
"status.read_more": "Més informació",
|
||||
"status.reblog": "Impulsa",
|
||||
"status.reblog_private": "Impulsa amb la visibilitat original",
|
||||
@@ -882,7 +881,7 @@
|
||||
"status.translated_from_with": "Traduït del {lang} fent servir {provider}",
|
||||
"status.uncached_media_warning": "Previsualització no disponible",
|
||||
"status.unmute_conversation": "Deixa de silenciar la conversa",
|
||||
"status.unpin": "Desfixa del perfil",
|
||||
"status.unpin": "No destaquis al perfil",
|
||||
"subscribed_languages.lead": "Només els tuts en les llengües seleccionades apareixeran en les teves línies de temps \"Inici\" i \"Llistes\" després del canvi. No en seleccionis cap per a rebre tuts en totes les llengües.",
|
||||
"subscribed_languages.save": "Desa els canvis",
|
||||
"subscribed_languages.target": "Canvia les llengües subscrites per a {target}",
|
||||
|
||||
@@ -112,7 +112,6 @@
|
||||
"column.lists": "پێرست",
|
||||
"column.mutes": "بێدەنگکردنی بەکارهێنەران",
|
||||
"column.notifications": "ئاگادارییەکان",
|
||||
"column.pins": "تووتسی چەسپاو",
|
||||
"column.public": "نووسراوەکانی هەمووشوێنێک",
|
||||
"column_back_button.label": "دواوە",
|
||||
"column_header.hide_settings": "شاردنەوەی ڕێکخستنەکان",
|
||||
@@ -308,7 +307,6 @@
|
||||
"keyboard_shortcuts.my_profile": "بۆ کردنەوەی پرۆفایڵ",
|
||||
"keyboard_shortcuts.notifications": "بۆ کردنەوەی ستوونی ئاگانامەکان",
|
||||
"keyboard_shortcuts.open_media": "بۆ کردنەوەی میدیا",
|
||||
"keyboard_shortcuts.pinned": "بۆ کردنەوەی لیستی توتەکانی چەسپێنراو",
|
||||
"keyboard_shortcuts.profile": "بۆ کردنەوەی پرۆفایڵی نووسەر",
|
||||
"keyboard_shortcuts.reply": "بۆ وەڵامدانەوە",
|
||||
"keyboard_shortcuts.requests": "بۆ کردنەوەی لیستی داواکاریەکانی بەدوادا",
|
||||
@@ -349,7 +347,6 @@
|
||||
"navigation_bar.logout": "دەرچوون",
|
||||
"navigation_bar.mutes": "کپکردنی بەکارهێنەران",
|
||||
"navigation_bar.personal": "کەسی",
|
||||
"navigation_bar.pins": "توتی چەسپاو",
|
||||
"navigation_bar.preferences": "پەسەندەکان",
|
||||
"navigation_bar.public_timeline": "نووسراوەکانی هەمووشوێنێک",
|
||||
"navigation_bar.search": "گەڕان",
|
||||
@@ -508,8 +505,6 @@
|
||||
"status.mute": "@{name} بێدەنگ بکە",
|
||||
"status.mute_conversation": "بێدەنگی بکە",
|
||||
"status.open": "ئەم توتە فراوان بکە",
|
||||
"status.pin": "لکاندن لەسەر پرۆفایل",
|
||||
"status.pinned": "توتی چەسپکراو",
|
||||
"status.read_more": "زیاتر بخوێنەوە",
|
||||
"status.reblog": "بەهێزکردن",
|
||||
"status.reblog_private": "بەهێزکردن بۆ بینەرانی سەرەتایی",
|
||||
@@ -530,7 +525,6 @@
|
||||
"status.translate": "وەریبگێرە",
|
||||
"status.translated_from_with": "لە {lang} وەرگێڕدراوە بە بەکارهێنانی {provider}",
|
||||
"status.unmute_conversation": "گفتوگۆی بێدەنگ",
|
||||
"status.unpin": "لە سەرەوە لایبە",
|
||||
"subscribed_languages.lead": "تەنها پۆستەکان بە زمانە هەڵبژێردراوەکان لە ماڵەکەتدا دەردەکەون و هێڵەکانی کاتی لیستەکەت دوای گۆڕانکارییەکە. هیچیان هەڵبژێرە بۆ وەرگرتنی پۆست بە هەموو زمانەکان.",
|
||||
"subscribed_languages.save": "پاشکەوتی گۆڕانکاریەکان",
|
||||
"subscribed_languages.target": "گۆڕینی زمانە بەشداربووەکان بۆ {target}",
|
||||
|
||||
@@ -53,7 +53,6 @@
|
||||
"column.lists": "Liste",
|
||||
"column.mutes": "Utilizatori piattati",
|
||||
"column.notifications": "Nutificazione",
|
||||
"column.pins": "Statuti puntarulati",
|
||||
"column.public": "Linea pubblica glubale",
|
||||
"column_back_button.label": "Ritornu",
|
||||
"column_header.hide_settings": "Piattà i parametri",
|
||||
@@ -178,7 +177,6 @@
|
||||
"keyboard_shortcuts.my_profile": "per apre u vostru prufile",
|
||||
"keyboard_shortcuts.notifications": "per apre a culonna di nutificazione",
|
||||
"keyboard_shortcuts.open_media": "per apre i media",
|
||||
"keyboard_shortcuts.pinned": "per apre a lista di statuti puntarulati",
|
||||
"keyboard_shortcuts.profile": "per apre u prufile di l'autore",
|
||||
"keyboard_shortcuts.reply": "risponde",
|
||||
"keyboard_shortcuts.requests": "per apre a lista di dumande d'abbunamentu",
|
||||
@@ -212,7 +210,6 @@
|
||||
"navigation_bar.logout": "Scunnettassi",
|
||||
"navigation_bar.mutes": "Utilizatori piattati",
|
||||
"navigation_bar.personal": "Persunale",
|
||||
"navigation_bar.pins": "Statuti puntarulati",
|
||||
"navigation_bar.preferences": "Preferenze",
|
||||
"navigation_bar.public_timeline": "Linea pubblica glubale",
|
||||
"navigation_bar.security": "Sicurità",
|
||||
@@ -296,8 +293,6 @@
|
||||
"status.mute": "Piattà @{name}",
|
||||
"status.mute_conversation": "Piattà a cunversazione",
|
||||
"status.open": "Apre stu statutu",
|
||||
"status.pin": "Puntarulà à u prufile",
|
||||
"status.pinned": "Statutu puntarulatu",
|
||||
"status.read_more": "Leghje di più",
|
||||
"status.reblog": "Sparte",
|
||||
"status.reblog_private": "Sparte à l'audienza uriginale",
|
||||
@@ -314,7 +309,6 @@
|
||||
"status.show_more_all": "Slibrà tuttu",
|
||||
"status.title.with_attachments": "{user} posted {attachmentCount, plural, one {an attachment} other {# attachments}}",
|
||||
"status.unmute_conversation": "Ùn piattà più a cunversazione",
|
||||
"status.unpin": "Spuntarulà da u prufile",
|
||||
"tabs_bar.home": "Accolta",
|
||||
"tabs_bar.notifications": "Nutificazione",
|
||||
"time_remaining.days": "{number, plural, one {# ghjornu ferma} other {# ghjorni fermanu}}",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Seznamy",
|
||||
"column.mutes": "Skrytí uživatelé",
|
||||
"column.notifications": "Oznámení",
|
||||
"column.pins": "Připnuté příspěvky",
|
||||
"column.pins": "Zvýrazněné příspěvky",
|
||||
"column.public": "Federovaná časová osa",
|
||||
"column_back_button.label": "Zpět",
|
||||
"column_header.hide_settings": "Skrýt nastavení",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Otevřít váš profil",
|
||||
"keyboard_shortcuts.notifications": "Otevřít sloupec oznámení",
|
||||
"keyboard_shortcuts.open_media": "Otevřít média",
|
||||
"keyboard_shortcuts.pinned": "Otevřít seznam připnutých příspěvků",
|
||||
"keyboard_shortcuts.pinned": "Otevřít seznam zvýrazněných příspěvků",
|
||||
"keyboard_shortcuts.profile": "Otevřít autorův profil",
|
||||
"keyboard_shortcuts.reply": "Odpovědět na příspěvek",
|
||||
"keyboard_shortcuts.requests": "Otevřít seznam žádostí o sledování",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Skrytí uživatelé",
|
||||
"navigation_bar.opened_in_classic_interface": "Příspěvky, účty a další specifické stránky jsou ve výchozím nastavení otevřeny v klasickém webovém rozhraní.",
|
||||
"navigation_bar.personal": "Osobní",
|
||||
"navigation_bar.pins": "Připnuté příspěvky",
|
||||
"navigation_bar.pins": "Zvýrazněné příspěvky",
|
||||
"navigation_bar.preferences": "Předvolby",
|
||||
"navigation_bar.public_timeline": "Federovaná časová osa",
|
||||
"navigation_bar.search": "Hledat",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "Skrýt @{name}",
|
||||
"status.mute_conversation": "Skrýt konverzaci",
|
||||
"status.open": "Rozbalit tento příspěvek",
|
||||
"status.pin": "Připnout na profil",
|
||||
"status.pinned": "Připnutý příspěvek",
|
||||
"status.pin": "Zvýraznit na profilu",
|
||||
"status.read_more": "Číst více",
|
||||
"status.reblog": "Boostnout",
|
||||
"status.reblog_private": "Boostnout s původní viditelností",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "Přeloženo z {lang} pomocí {provider}",
|
||||
"status.uncached_media_warning": "Náhled není k dispozici",
|
||||
"status.unmute_conversation": "Zrušit skrytí konverzace",
|
||||
"status.unpin": "Odepnout z profilu",
|
||||
"status.unpin": "Nezvýrazňovat na profilu",
|
||||
"subscribed_languages.lead": "Ve vašem domovském kanálu a časových osách se po změně budou objevovat pouze příspěvky ve vybraných jazycích. Pro příjem příspěvků ve všech jazycích nevyberte žádný jazyk.",
|
||||
"subscribed_languages.save": "Uložit změny",
|
||||
"subscribed_languages.target": "Změnit odebírané jazyky na {target}",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Rhestrau",
|
||||
"column.mutes": "Defnyddwyr wedi'u tewi",
|
||||
"column.notifications": "Hysbysiadau",
|
||||
"column.pins": "Postiadau wedi eu pinio",
|
||||
"column.pins": "Postiadau nodwedd",
|
||||
"column.public": "Ffrwd y ffederasiwn",
|
||||
"column_back_button.label": "Nôl",
|
||||
"column_header.hide_settings": "Cuddio'r dewisiadau",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Agor eich proffil",
|
||||
"keyboard_shortcuts.notifications": "Agor colofn hysbysiadau",
|
||||
"keyboard_shortcuts.open_media": "Agor cyfryngau",
|
||||
"keyboard_shortcuts.pinned": "Agor rhestr postiadau wedi'u pinio",
|
||||
"keyboard_shortcuts.pinned": "Agor rhestr postiadau nodwedd",
|
||||
"keyboard_shortcuts.profile": "Agor proffil yr awdur",
|
||||
"keyboard_shortcuts.reply": "Ymateb i bostiad",
|
||||
"keyboard_shortcuts.requests": "Agor rhestr ceisiadau dilyn",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Defnyddwyr wedi'u tewi",
|
||||
"navigation_bar.opened_in_classic_interface": "Mae postiadau, cyfrifon a thudalennau penodol eraill yn cael eu hagor fel rhagosodiad yn y rhyngwyneb gwe clasurol.",
|
||||
"navigation_bar.personal": "Personol",
|
||||
"navigation_bar.pins": "Postiadau wedi eu pinio",
|
||||
"navigation_bar.pins": "Postiadau nodwedd",
|
||||
"navigation_bar.preferences": "Dewisiadau",
|
||||
"navigation_bar.public_timeline": "Ffrwd y ffederasiwn",
|
||||
"navigation_bar.search": "Chwilio",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "Anwybyddu @{name}",
|
||||
"status.mute_conversation": "Anwybyddu sgwrs",
|
||||
"status.open": "Ehangu'r post hwn",
|
||||
"status.pin": "Pinio ar y proffil",
|
||||
"status.pinned": "Postiad wedi'i binio",
|
||||
"status.pin": "Dangos ar y proffil",
|
||||
"status.read_more": "Darllen rhagor",
|
||||
"status.reblog": "Hybu",
|
||||
"status.reblog_private": "Hybu i'r gynulleidfa wreiddiol",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "Cyfieithwyd o {lang} gan ddefnyddio {provider}",
|
||||
"status.uncached_media_warning": "Dim rhagolwg ar gael",
|
||||
"status.unmute_conversation": "Dad-dewi sgwrs",
|
||||
"status.unpin": "Dadbinio o'r proffil",
|
||||
"status.unpin": "Peidio a'i ddangos ar fy mhroffil",
|
||||
"subscribed_languages.lead": "Dim ond postiadau mewn ieithoedd penodol fydd yn ymddangos yn eich ffrydiau cartref a rhestr ar ôl y newid. Dewiswch ddim byd i dderbyn postiadau ym mhob iaith.",
|
||||
"subscribed_languages.save": "Cadw'r newidiadau",
|
||||
"subscribed_languages.target": "Newid ieithoedd tanysgrifio {target}",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Lister",
|
||||
"column.mutes": "Skjulte brugere",
|
||||
"column.notifications": "Notifikationer",
|
||||
"column.pins": "Fastgjorte indlæg",
|
||||
"column.pins": "Fremhævede indlæg",
|
||||
"column.public": "Fælles tidslinje",
|
||||
"column_back_button.label": "Tilbage",
|
||||
"column_header.hide_settings": "Skjul indstillinger",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Åbn din profil",
|
||||
"keyboard_shortcuts.notifications": "for at åbne notifikationskolonnen",
|
||||
"keyboard_shortcuts.open_media": "Åbn medier",
|
||||
"keyboard_shortcuts.pinned": "Åbn liste over fastgjorte indlæg",
|
||||
"keyboard_shortcuts.pinned": "Åbn liste over fremhævede indlæg",
|
||||
"keyboard_shortcuts.profile": "Åbn forfatters profil",
|
||||
"keyboard_shortcuts.reply": "Besvar indlægget",
|
||||
"keyboard_shortcuts.requests": "Åbn liste over følgeanmodninger",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Skjulte brugere",
|
||||
"navigation_bar.opened_in_classic_interface": "Indlæg, konti og visse andre sider åbnes som standard i den klassiske webgrænseflade.",
|
||||
"navigation_bar.personal": "Personlig",
|
||||
"navigation_bar.pins": "Fastgjorte indlæg",
|
||||
"navigation_bar.pins": "Fremhævede indlæg",
|
||||
"navigation_bar.preferences": "Præferencer",
|
||||
"navigation_bar.public_timeline": "Fælles tidslinje",
|
||||
"navigation_bar.search": "Søg",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "Skjul @{name}",
|
||||
"status.mute_conversation": "Skjul samtale",
|
||||
"status.open": "Udvid dette indlæg",
|
||||
"status.pin": "Fastgør til profil",
|
||||
"status.pinned": "Fastgjort indlæg",
|
||||
"status.pin": "Fremhæv på profil",
|
||||
"status.read_more": "Læs mere",
|
||||
"status.reblog": "Fremhæv",
|
||||
"status.reblog_private": "Fremhæv med oprindelig synlighed",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "Oversat fra {lang} ved brug af {provider}",
|
||||
"status.uncached_media_warning": "Ingen forhåndsvisning",
|
||||
"status.unmute_conversation": "Genaktivér samtale",
|
||||
"status.unpin": "Frigør fra profil",
|
||||
"status.unpin": "Fremhæv ikke på profil",
|
||||
"subscribed_languages.lead": "Kun indlæg på udvalgte sprog vil fremgå på dine hjemme- og listetidslinjer efter ændringen. Vælg ingen for at modtage indlæg på alle sprog.",
|
||||
"subscribed_languages.save": "Gem ændringer",
|
||||
"subscribed_languages.target": "Skift abonnementssprog for {target}",
|
||||
|
||||
@@ -27,7 +27,7 @@
|
||||
"account.domain_blocking": "Domain blockiert",
|
||||
"account.edit_profile": "Profil bearbeiten",
|
||||
"account.enable_notifications": "Benachrichtige mich wenn @{name} etwas postet",
|
||||
"account.endorse": "Im Profil empfehlen",
|
||||
"account.endorse": "Im Profil vorstellen",
|
||||
"account.featured": "Vorgestellt",
|
||||
"account.featured.hashtags": "Hashtags",
|
||||
"account.featured.posts": "Beiträge",
|
||||
@@ -74,7 +74,7 @@
|
||||
"account.unblock_domain": "Blockierung von {domain} aufheben",
|
||||
"account.unblock_domain_short": "Entsperren",
|
||||
"account.unblock_short": "Blockierung aufheben",
|
||||
"account.unendorse": "Im Profil nicht mehr empfehlen",
|
||||
"account.unendorse": "Im Profil nicht mehr vorstellen",
|
||||
"account.unfollow": "Entfolgen",
|
||||
"account.unmute": "Stummschaltung von @{name} aufheben",
|
||||
"account.unmute_notifications_short": "Stummschaltung der Benachrichtigungen aufheben",
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Listen",
|
||||
"column.mutes": "Stummgeschaltete Profile",
|
||||
"column.notifications": "Benachrichtigungen",
|
||||
"column.pins": "Angeheftete Beiträge",
|
||||
"column.pins": "Vorgestellte Beiträge",
|
||||
"column.public": "Föderierte Timeline",
|
||||
"column_back_button.label": "Zurück",
|
||||
"column_header.hide_settings": "Einstellungen ausblenden",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Eigenes Profil aufrufen",
|
||||
"keyboard_shortcuts.notifications": "Benachrichtigungen aufrufen",
|
||||
"keyboard_shortcuts.open_media": "Medieninhalt öffnen",
|
||||
"keyboard_shortcuts.pinned": "Liste angehefteter Beiträge öffnen",
|
||||
"keyboard_shortcuts.pinned": "Liste vorgestellter Beiträge öffnen",
|
||||
"keyboard_shortcuts.profile": "Profil aufrufen",
|
||||
"keyboard_shortcuts.reply": "Auf Beitrag antworten",
|
||||
"keyboard_shortcuts.requests": "Liste der Follower-Anfragen aufrufen",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Stummgeschaltete Profile",
|
||||
"navigation_bar.opened_in_classic_interface": "Beiträge, Konten und andere bestimmte Seiten werden standardmäßig im klassischen Webinterface geöffnet.",
|
||||
"navigation_bar.personal": "Persönlich",
|
||||
"navigation_bar.pins": "Angeheftete Beiträge",
|
||||
"navigation_bar.pins": "Vorgestellte Beiträge",
|
||||
"navigation_bar.preferences": "Einstellungen",
|
||||
"navigation_bar.public_timeline": "Föderierte Timeline",
|
||||
"navigation_bar.search": "Suche",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "@{name} stummschalten",
|
||||
"status.mute_conversation": "Unterhaltung stummschalten",
|
||||
"status.open": "Beitrag öffnen",
|
||||
"status.pin": "Im Profil anheften",
|
||||
"status.pinned": "Angehefteter Beitrag",
|
||||
"status.pin": "Im Profil vorstellen",
|
||||
"status.read_more": "Gesamten Beitrag anschauen",
|
||||
"status.reblog": "Teilen",
|
||||
"status.reblog_private": "Mit der ursprünglichen Zielgruppe teilen",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "Aus {lang} mittels {provider} übersetzt",
|
||||
"status.uncached_media_warning": "Vorschau nicht verfügbar",
|
||||
"status.unmute_conversation": "Stummschaltung der Unterhaltung aufheben",
|
||||
"status.unpin": "Vom Profil lösen",
|
||||
"status.unpin": "Im Profil nicht mehr vorstellen",
|
||||
"subscribed_languages.lead": "Nach der Änderung werden nur noch Beiträge in den ausgewählten Sprachen in den Timelines deiner Startseite und deiner Listen angezeigt. Wähle keine Sprache aus, um alle Beiträge zu sehen.",
|
||||
"subscribed_languages.save": "Änderungen speichern",
|
||||
"subscribed_languages.target": "Abonnierte Sprachen für {target} ändern",
|
||||
|
||||
@@ -161,7 +161,6 @@
|
||||
"column.lists": "Λίστες",
|
||||
"column.mutes": "Αποσιωπημένοι χρήστες",
|
||||
"column.notifications": "Ειδοποιήσεις",
|
||||
"column.pins": "Καρφιτσωμένα τουτ",
|
||||
"column.public": "Ομοσπονδιακή ροή",
|
||||
"column_back_button.label": "Πίσω",
|
||||
"column_header.hide_settings": "Απόκρυψη ρυθμίσεων",
|
||||
@@ -464,7 +463,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Άνοιγμα του προφίλ σου",
|
||||
"keyboard_shortcuts.notifications": "Άνοιγμα στήλης ειδοποιήσεων",
|
||||
"keyboard_shortcuts.open_media": "Άνοιγμα πολυμέσων",
|
||||
"keyboard_shortcuts.pinned": "Άνοιγμα λίστας καρφιτσωμένων αναρτήσεων",
|
||||
"keyboard_shortcuts.profile": "Άνοιγμα προφίλ συγγραφέα",
|
||||
"keyboard_shortcuts.reply": "Απάντηση στην ανάρτηση",
|
||||
"keyboard_shortcuts.requests": "Άνοιγμα λίστας αιτημάτων ακολούθησης",
|
||||
@@ -548,7 +546,6 @@
|
||||
"navigation_bar.mutes": "Αποσιωπημένοι χρήστες",
|
||||
"navigation_bar.opened_in_classic_interface": "Δημοσιεύσεις, λογαριασμοί και άλλες συγκεκριμένες σελίδες ανοίγονται από προεπιλογή στην κλασική διεπαφή ιστού.",
|
||||
"navigation_bar.personal": "Προσωπικά",
|
||||
"navigation_bar.pins": "Καρφιτσωμένες αναρτήσεις",
|
||||
"navigation_bar.preferences": "Προτιμήσεις",
|
||||
"navigation_bar.public_timeline": "Ροή συναλλαγών",
|
||||
"navigation_bar.search": "Αναζήτηση",
|
||||
@@ -844,8 +841,6 @@
|
||||
"status.mute": "Σίγαση σε @{name}",
|
||||
"status.mute_conversation": "Σίγαση συνομιλίας",
|
||||
"status.open": "Επέκταση ανάρτησης",
|
||||
"status.pin": "Καρφίτσωσε στο προφίλ",
|
||||
"status.pinned": "Καρφιτσωμένη ανάρτηση",
|
||||
"status.read_more": "Διάβασε περισότερα",
|
||||
"status.reblog": "Ενίσχυση",
|
||||
"status.reblog_private": "Ενίσχυση με αρχική ορατότητα",
|
||||
@@ -870,7 +865,6 @@
|
||||
"status.translated_from_with": "Μεταφράστηκε από {lang} χρησιμοποιώντας {provider}",
|
||||
"status.uncached_media_warning": "Μη διαθέσιμη προεπισκόπηση",
|
||||
"status.unmute_conversation": "Αναίρεση σίγασης συνομιλίας",
|
||||
"status.unpin": "Ξεκαρφίτσωσε από το προφίλ",
|
||||
"subscribed_languages.lead": "Μόνο αναρτήσεις σε επιλεγμένες γλώσσες θα εμφανίζονται στην αρχική σου και θα παραθέτονται χρονοδιαγράμματα μετά την αλλαγή. Επέλεξε καμία για να λαμβάνεις αναρτήσεις σε όλες τις γλώσσες.",
|
||||
"subscribed_languages.save": "Αποθήκευση αλλαγών",
|
||||
"subscribed_languages.target": "Αλλαγή εγγεγραμμένων γλωσσών για {target}",
|
||||
|
||||
@@ -157,7 +157,6 @@
|
||||
"column.lists": "Lists",
|
||||
"column.mutes": "Muted users",
|
||||
"column.notifications": "Notifications",
|
||||
"column.pins": "Pinned posts",
|
||||
"column.public": "Federated timeline",
|
||||
"column_back_button.label": "Back",
|
||||
"column_header.hide_settings": "Hide settings",
|
||||
@@ -457,7 +456,6 @@
|
||||
"keyboard_shortcuts.my_profile": "to open your profile",
|
||||
"keyboard_shortcuts.notifications": "Open notifications column",
|
||||
"keyboard_shortcuts.open_media": "to open media",
|
||||
"keyboard_shortcuts.pinned": "to open pinned posts list",
|
||||
"keyboard_shortcuts.profile": "to open author's profile",
|
||||
"keyboard_shortcuts.reply": "to reply",
|
||||
"keyboard_shortcuts.requests": "to open follow requests list",
|
||||
@@ -541,7 +539,6 @@
|
||||
"navigation_bar.mutes": "Muted users",
|
||||
"navigation_bar.opened_in_classic_interface": "Posts, accounts, and other specific pages are opened by default in the classic web interface.",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Pinned posts",
|
||||
"navigation_bar.preferences": "Preferences",
|
||||
"navigation_bar.public_timeline": "Federated timeline",
|
||||
"navigation_bar.search": "Search",
|
||||
@@ -837,8 +834,6 @@
|
||||
"status.mute": "Mute @{name}",
|
||||
"status.mute_conversation": "Mute conversation",
|
||||
"status.open": "Expand this post",
|
||||
"status.pin": "Pin on profile",
|
||||
"status.pinned": "Pinned post",
|
||||
"status.read_more": "Read more",
|
||||
"status.reblog": "Boost",
|
||||
"status.reblog_private": "Boost with original visibility",
|
||||
@@ -863,7 +858,6 @@
|
||||
"status.translated_from_with": "Translated from {lang} using {provider}",
|
||||
"status.uncached_media_warning": "Preview not available",
|
||||
"status.unmute_conversation": "Unmute conversation",
|
||||
"status.unpin": "Unpin from profile",
|
||||
"subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
|
||||
"subscribed_languages.save": "Save changes",
|
||||
"subscribed_languages.target": "Change subscribed languages for {target}",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Lists",
|
||||
"column.mutes": "Muted users",
|
||||
"column.notifications": "Notifications",
|
||||
"column.pins": "Pinned posts",
|
||||
"column.pins": "Featured posts",
|
||||
"column.public": "Federated timeline",
|
||||
"column_back_button.label": "Back",
|
||||
"column_header.hide_settings": "Hide settings",
|
||||
@@ -405,8 +405,10 @@
|
||||
"hashtag.counter_by_accounts": "{count, plural, one {{counter} participant} other {{counter} participants}}",
|
||||
"hashtag.counter_by_uses": "{count, plural, one {{counter} post} other {{counter} posts}}",
|
||||
"hashtag.counter_by_uses_today": "{count, plural, one {{counter} post} other {{counter} posts}} today",
|
||||
"hashtag.feature": "Feature on profile",
|
||||
"hashtag.follow": "Follow hashtag",
|
||||
"hashtag.mute": "Mute #{hashtag}",
|
||||
"hashtag.unfeature": "Don't feature on profile",
|
||||
"hashtag.unfollow": "Unfollow hashtag",
|
||||
"hashtags.and_other": "…and {count, plural, other {# more}}",
|
||||
"hints.profiles.followers_may_be_missing": "Followers for this profile may be missing.",
|
||||
@@ -477,7 +479,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Open your profile",
|
||||
"keyboard_shortcuts.notifications": "Open notifications column",
|
||||
"keyboard_shortcuts.open_media": "Open media",
|
||||
"keyboard_shortcuts.pinned": "Open pinned posts list",
|
||||
"keyboard_shortcuts.pinned": "Open featured posts list",
|
||||
"keyboard_shortcuts.profile": "Open author's profile",
|
||||
"keyboard_shortcuts.reply": "Reply to post",
|
||||
"keyboard_shortcuts.requests": "Open follow requests list",
|
||||
@@ -561,7 +563,7 @@
|
||||
"navigation_bar.mutes": "Muted users",
|
||||
"navigation_bar.opened_in_classic_interface": "Posts, accounts, and other specific pages are opened by default in the classic web interface.",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Pinned posts",
|
||||
"navigation_bar.pins": "Featured posts",
|
||||
"navigation_bar.preferences": "Preferences",
|
||||
"navigation_bar.public_timeline": "Federated timeline",
|
||||
"navigation_bar.search": "Search",
|
||||
@@ -857,8 +859,7 @@
|
||||
"status.mute": "Mute @{name}",
|
||||
"status.mute_conversation": "Mute conversation",
|
||||
"status.open": "Expand this post",
|
||||
"status.pin": "Pin on profile",
|
||||
"status.pinned": "Pinned post",
|
||||
"status.pin": "Feature on profile",
|
||||
"status.read_more": "Read more",
|
||||
"status.reblog": "Boost",
|
||||
"status.reblog_private": "Boost with original visibility",
|
||||
@@ -883,7 +884,7 @@
|
||||
"status.translated_from_with": "Translated from {lang} using {provider}",
|
||||
"status.uncached_media_warning": "Preview not available",
|
||||
"status.unmute_conversation": "Unmute conversation",
|
||||
"status.unpin": "Unpin from profile",
|
||||
"status.unpin": "Don't feature on profile",
|
||||
"subscribed_languages.lead": "Only posts in selected languages will appear on your home and list timelines after the change. Select none to receive posts in all languages.",
|
||||
"subscribed_languages.save": "Save changes",
|
||||
"subscribed_languages.target": "Change subscribed languages for {target}",
|
||||
|
||||
@@ -26,7 +26,7 @@
|
||||
"account.disable_notifications": "Ĉesu sciigi min kiam @{name} afiŝas",
|
||||
"account.edit_profile": "Redakti la profilon",
|
||||
"account.enable_notifications": "Sciigu min kiam @{name} afiŝos",
|
||||
"account.endorse": "Prezenti ĉe via profilo",
|
||||
"account.endorse": "Montri en profilo",
|
||||
"account.featured.hashtags": "Kradvortoj",
|
||||
"account.featured.posts": "Afiŝoj",
|
||||
"account.featured_tags.last_status_at": "Lasta afîŝo je {date}",
|
||||
@@ -162,7 +162,6 @@
|
||||
"column.lists": "Listoj",
|
||||
"column.mutes": "Silentigitaj uzantoj",
|
||||
"column.notifications": "Sciigoj",
|
||||
"column.pins": "Alpinglitaj afiŝoj",
|
||||
"column.public": "Fratara templinio",
|
||||
"column_back_button.label": "Reveni",
|
||||
"column_header.hide_settings": "Kaŝi la agordojn",
|
||||
@@ -462,7 +461,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Malfermu vian profilon",
|
||||
"keyboard_shortcuts.notifications": "Malfermu la sciigajn kolumnon",
|
||||
"keyboard_shortcuts.open_media": "Malfermi vidaŭdaĵon",
|
||||
"keyboard_shortcuts.pinned": "Malfermu alpinglitajn afiŝojn-liston",
|
||||
"keyboard_shortcuts.profile": "Malfermu la profilon de aŭtoroprofilo",
|
||||
"keyboard_shortcuts.reply": "Respondu al afiŝo",
|
||||
"keyboard_shortcuts.requests": "Malfermi la liston de petoj por sekvado",
|
||||
@@ -546,7 +544,6 @@
|
||||
"navigation_bar.mutes": "Silentigitaj uzantoj",
|
||||
"navigation_bar.opened_in_classic_interface": "Afiŝoj, kontoj, kaj aliaj specifaj paĝoj kiuj estas malfermititaj defaulta en la klasika reta interfaco.",
|
||||
"navigation_bar.personal": "Persone",
|
||||
"navigation_bar.pins": "Alpinglitaj afiŝoj",
|
||||
"navigation_bar.preferences": "Preferoj",
|
||||
"navigation_bar.public_timeline": "Fratara templinio",
|
||||
"navigation_bar.search": "Serĉi",
|
||||
@@ -842,8 +839,6 @@
|
||||
"status.mute": "Silentigi @{name}",
|
||||
"status.mute_conversation": "Silentigi konversacion",
|
||||
"status.open": "Pligrandigu ĉi tiun afiŝon",
|
||||
"status.pin": "Alpingli al la profilo",
|
||||
"status.pinned": "Alpinglita afiŝo",
|
||||
"status.read_more": "Legi pli",
|
||||
"status.reblog": "Diskonigi",
|
||||
"status.reblog_private": "Diskonigi kun la sama videbleco",
|
||||
@@ -868,7 +863,6 @@
|
||||
"status.translated_from_with": "Tradukita el {lang} per {provider}",
|
||||
"status.uncached_media_warning": "Antaŭrigardo ne disponebla",
|
||||
"status.unmute_conversation": "Malsilentigi la konversacion",
|
||||
"status.unpin": "Depingli de profilo",
|
||||
"subscribed_languages.lead": "Nur afiŝoj en elektitaj lingvoj aperos en viaj hejma kaj lista templinioj post la ŝanĝo. Elektu nenion por ricevi afiŝojn en ĉiuj lingvoj.",
|
||||
"subscribed_languages.save": "Konservi ŝanĝojn",
|
||||
"subscribed_languages.target": "Ŝanĝu abonitajn lingvojn por {target}",
|
||||
|
||||
@@ -24,7 +24,7 @@
|
||||
"account.copy": "Copiar enlace al perfil",
|
||||
"account.direct": "Mención privada a @{name}",
|
||||
"account.disable_notifications": "Dejar de notificarme cuando @{name} envíe mensajes",
|
||||
"account.domain_blocking": "Bloqueando dominio",
|
||||
"account.domain_blocking": "Dominio bloqueado",
|
||||
"account.edit_profile": "Editar perfil",
|
||||
"account.enable_notifications": "Notificarme cuando @{name} envíe mensajes",
|
||||
"account.endorse": "Destacar en el perfil",
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Listas",
|
||||
"column.mutes": "Usuarios silenciados",
|
||||
"column.notifications": "Notificaciones",
|
||||
"column.pins": "Mensajes fijados",
|
||||
"column.pins": "Mensajes destacados",
|
||||
"column.public": "Línea temporal federada",
|
||||
"column_back_button.label": "Volver",
|
||||
"column_header.hide_settings": "Ocultar configuración",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Abrir tu perfil",
|
||||
"keyboard_shortcuts.notifications": "Abrir columna de notificaciones",
|
||||
"keyboard_shortcuts.open_media": "Abrir archivos de medios",
|
||||
"keyboard_shortcuts.pinned": "Abrir lista de mensajes fijados",
|
||||
"keyboard_shortcuts.pinned": "Abrir lista de mensajes destacados",
|
||||
"keyboard_shortcuts.profile": "Abrir perfil del autor",
|
||||
"keyboard_shortcuts.reply": "Responder al mensaje",
|
||||
"keyboard_shortcuts.requests": "Abrir lista de solicitudes de seguimiento",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Usuarios silenciados",
|
||||
"navigation_bar.opened_in_classic_interface": "Los mensajes, las cuentas y otras páginas específicas se abren predeterminadamente en la interface web clásica.",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Mensajes fijados",
|
||||
"navigation_bar.pins": "Mensajes destacados",
|
||||
"navigation_bar.preferences": "Configuración",
|
||||
"navigation_bar.public_timeline": "Línea temporal federada",
|
||||
"navigation_bar.search": "Buscar",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "Silenciar a @{name}",
|
||||
"status.mute_conversation": "Silenciar conversación",
|
||||
"status.open": "Expandir este mensaje",
|
||||
"status.pin": "Fijar en el perfil",
|
||||
"status.pinned": "Mensaje fijado",
|
||||
"status.pin": "Destacar en el perfil",
|
||||
"status.read_more": "Leé más",
|
||||
"status.reblog": "Adherir",
|
||||
"status.reblog_private": "Adherir a la audiencia original",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "Traducido desde el {lang} vía {provider}",
|
||||
"status.uncached_media_warning": "Previsualización no disponible",
|
||||
"status.unmute_conversation": "Dejar de silenciar conversación",
|
||||
"status.unpin": "Dejar de fijar",
|
||||
"status.unpin": "No destacar en el perfil",
|
||||
"subscribed_languages.lead": "Después del cambio, sólo los mensajes en los idiomas seleccionados aparecerán en tu línea temporal Principal y en las líneas de tiempo de lista. No seleccionés ningún idioma para poder recibir mensajes en todos los idiomas.",
|
||||
"subscribed_languages.save": "Guardar cambios",
|
||||
"subscribed_languages.target": "Cambiar idiomas suscritos para {target}",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Listas",
|
||||
"column.mutes": "Usuarios silenciados",
|
||||
"column.notifications": "Notificaciones",
|
||||
"column.pins": "Publicaciones fijadas",
|
||||
"column.pins": "Publicaciones destacadas",
|
||||
"column.public": "Línea de tiempo federada",
|
||||
"column_back_button.label": "Atrás",
|
||||
"column_header.hide_settings": "Ocultar configuración",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Abrir tu perfil",
|
||||
"keyboard_shortcuts.notifications": "Abrir la columna de notificaciones",
|
||||
"keyboard_shortcuts.open_media": "Abrir multimedia",
|
||||
"keyboard_shortcuts.pinned": "Abrir la lista de publicaciones fijadas",
|
||||
"keyboard_shortcuts.pinned": "Abrir lista de publicaciones destacadas",
|
||||
"keyboard_shortcuts.profile": "Abrir perfil del autor",
|
||||
"keyboard_shortcuts.reply": "Responder a la publicación",
|
||||
"keyboard_shortcuts.requests": "Abrir lista de solicitudes de seguimiento",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Usuarios silenciados",
|
||||
"navigation_bar.opened_in_classic_interface": "Publicaciones, cuentas y otras páginas específicas se abren por defecto en la interfaz web clásica.",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Publicaciones fijadas",
|
||||
"navigation_bar.pins": "Publicaciones destacadas",
|
||||
"navigation_bar.preferences": "Preferencias",
|
||||
"navigation_bar.public_timeline": "Historia federada",
|
||||
"navigation_bar.search": "Buscar",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "Silenciar @{name}",
|
||||
"status.mute_conversation": "Silenciar conversación",
|
||||
"status.open": "Expandir estado",
|
||||
"status.pin": "Fijar",
|
||||
"status.pinned": "Publicación fijada",
|
||||
"status.pin": "Destacar en el perfil",
|
||||
"status.read_more": "Leer más",
|
||||
"status.reblog": "Impulsar",
|
||||
"status.reblog_private": "Implusar a la audiencia original",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "Traducido del {lang} usando {provider}",
|
||||
"status.uncached_media_warning": "Vista previa no disponible",
|
||||
"status.unmute_conversation": "Dejar de silenciar conversación",
|
||||
"status.unpin": "Dejar de fijar",
|
||||
"status.unpin": "No destacar en el perfil",
|
||||
"subscribed_languages.lead": "Solo las publicaciones en los idiomas seleccionados aparecerán en tu inicio y enlistará las líneas de tiempo después del cambio. Selecciona ninguno para recibir publicaciones en todos los idiomas.",
|
||||
"subscribed_languages.save": "Guardar cambios",
|
||||
"subscribed_languages.target": "Cambiar idiomas suscritos para {target}",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Listas",
|
||||
"column.mutes": "Usuarios silenciados",
|
||||
"column.notifications": "Notificaciones",
|
||||
"column.pins": "Publicaciones fijadas",
|
||||
"column.pins": "Publicaciones destacadas",
|
||||
"column.public": "Cronología federada",
|
||||
"column_back_button.label": "Atrás",
|
||||
"column_header.hide_settings": "Ocultar configuración",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Abrir tu perfil",
|
||||
"keyboard_shortcuts.notifications": "Abrir columna de notificaciones",
|
||||
"keyboard_shortcuts.open_media": "Abrir multimedia",
|
||||
"keyboard_shortcuts.pinned": "Abrir la lista de publicaciones destacadas",
|
||||
"keyboard_shortcuts.pinned": "Abrir lista de publicaciones destacadas",
|
||||
"keyboard_shortcuts.profile": "Abrir perfil del autor",
|
||||
"keyboard_shortcuts.reply": "Responder a una publicación",
|
||||
"keyboard_shortcuts.requests": "Abrir lista de solicitudes de seguimiento",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Usuarios silenciados",
|
||||
"navigation_bar.opened_in_classic_interface": "Publicaciones, cuentas y otras páginas específicas se abren por defecto en la interfaz web clásica.",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Publicaciones fijadas",
|
||||
"navigation_bar.pins": "Publicaciones destacadas",
|
||||
"navigation_bar.preferences": "Preferencias",
|
||||
"navigation_bar.public_timeline": "Cronología federada",
|
||||
"navigation_bar.search": "Buscar",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "Silenciar @{name}",
|
||||
"status.mute_conversation": "Silenciar conversación",
|
||||
"status.open": "Expandir publicación",
|
||||
"status.pin": "Fijar",
|
||||
"status.pinned": "Publicación fijada",
|
||||
"status.pin": "Destacar en el perfil",
|
||||
"status.read_more": "Leer más",
|
||||
"status.reblog": "Impulsar",
|
||||
"status.reblog_private": "Impulsar a la audiencia original",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "Traducido de {lang} usando {provider}",
|
||||
"status.uncached_media_warning": "Vista previa no disponible",
|
||||
"status.unmute_conversation": "Dejar de silenciar conversación",
|
||||
"status.unpin": "Dejar de fijar",
|
||||
"status.unpin": "No destacar en el perfil",
|
||||
"subscribed_languages.lead": "Sólo los mensajes en los idiomas seleccionados aparecerán en su inicio y otras líneas de tiempo después del cambio. Seleccione ninguno para recibir mensajes en todos los idiomas.",
|
||||
"subscribed_languages.save": "Guardar cambios",
|
||||
"subscribed_languages.target": "Cambiar idiomas suscritos para {target}",
|
||||
|
||||
@@ -157,7 +157,6 @@
|
||||
"column.lists": "Loetelud",
|
||||
"column.mutes": "Vaigistatud kasutajad",
|
||||
"column.notifications": "Teated",
|
||||
"column.pins": "Kinnitatud postitused",
|
||||
"column.public": "Föderatiivne ajajoon",
|
||||
"column_back_button.label": "Tagasi",
|
||||
"column_header.hide_settings": "Peida sätted",
|
||||
@@ -457,7 +456,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Ava oma profiil",
|
||||
"keyboard_shortcuts.notifications": "Ava teadete veerg",
|
||||
"keyboard_shortcuts.open_media": "Ava meedia",
|
||||
"keyboard_shortcuts.pinned": "Ava kinnitatud postituste loetelu",
|
||||
"keyboard_shortcuts.profile": "Ava autori profiil",
|
||||
"keyboard_shortcuts.reply": "Vasta postitusele",
|
||||
"keyboard_shortcuts.requests": "Ava jälgimistaotluste loetelu",
|
||||
@@ -541,7 +539,6 @@
|
||||
"navigation_bar.mutes": "Vaigistatud kasutajad",
|
||||
"navigation_bar.opened_in_classic_interface": "Postitused, kontod ja teised spetsiaalsed lehed avatakse vaikimisi klassikalises veebiliideses.",
|
||||
"navigation_bar.personal": "Isiklik",
|
||||
"navigation_bar.pins": "Kinnitatud postitused",
|
||||
"navigation_bar.preferences": "Eelistused",
|
||||
"navigation_bar.public_timeline": "Föderatiivne ajajoon",
|
||||
"navigation_bar.search": "Otsing",
|
||||
@@ -832,8 +829,6 @@
|
||||
"status.mute": "Vaigista @{name}",
|
||||
"status.mute_conversation": "Vaigista vestlus",
|
||||
"status.open": "Laienda postitus",
|
||||
"status.pin": "Kinnita profiilile",
|
||||
"status.pinned": "Kinnitatud postitus",
|
||||
"status.read_more": "Loe veel",
|
||||
"status.reblog": "Jaga",
|
||||
"status.reblog_private": "Jaga algse nähtavusega",
|
||||
@@ -857,7 +852,6 @@
|
||||
"status.translated_from_with": "Tõlgitud {lang} keelest kasutades teenust {provider}",
|
||||
"status.uncached_media_warning": "Eelvaade pole saadaval",
|
||||
"status.unmute_conversation": "Ära vaigista vestlust",
|
||||
"status.unpin": "Eemalda profiilile kinnitus",
|
||||
"subscribed_languages.lead": "Pärast muudatust näed koduvaates ja loetelude ajajoontel postitusi valitud keeltes. Ära vali midagi, kui tahad näha postitusi kõikides keeltes.",
|
||||
"subscribed_languages.save": "Salvesta muudatused",
|
||||
"subscribed_languages.target": "Muuda tellitud keeli {target} jaoks",
|
||||
|
||||
@@ -147,7 +147,6 @@
|
||||
"column.lists": "Zerrendak",
|
||||
"column.mutes": "Mutututako erabiltzaileak",
|
||||
"column.notifications": "Jakinarazpenak",
|
||||
"column.pins": "Finkatutako bidalketak",
|
||||
"column.public": "Federatutako denbora-lerroa",
|
||||
"column_back_button.label": "Atzera",
|
||||
"column_header.hide_settings": "Ezkutatu ezarpenak",
|
||||
@@ -432,7 +431,6 @@
|
||||
"keyboard_shortcuts.my_profile": "zure profila irekitzeko",
|
||||
"keyboard_shortcuts.notifications": "jakinarazpenen zutabea irekitzeko",
|
||||
"keyboard_shortcuts.open_media": "Ireki edukia",
|
||||
"keyboard_shortcuts.pinned": "Ireki finkatutako bidalketen zerrenda",
|
||||
"keyboard_shortcuts.profile": "egilearen profila irekitzeko",
|
||||
"keyboard_shortcuts.reply": "Erantzun bidalketari",
|
||||
"keyboard_shortcuts.requests": "Jarraitzeko eskaeren zerrenda irekia",
|
||||
@@ -499,7 +497,6 @@
|
||||
"navigation_bar.mutes": "Mutututako erabiltzaileak",
|
||||
"navigation_bar.opened_in_classic_interface": "Argitalpenak, kontuak eta beste orri jakin batzuk lehenespenez irekitzen dira web-interfaze klasikoan.",
|
||||
"navigation_bar.personal": "Pertsonala",
|
||||
"navigation_bar.pins": "Finkatutako bidalketak",
|
||||
"navigation_bar.preferences": "Hobespenak",
|
||||
"navigation_bar.public_timeline": "Federatutako denbora-lerroa",
|
||||
"navigation_bar.search": "Bilatu",
|
||||
@@ -781,8 +778,6 @@
|
||||
"status.mute": "Mututu @{name}",
|
||||
"status.mute_conversation": "Mututu elkarrizketa",
|
||||
"status.open": "Hedatu bidalketa hau",
|
||||
"status.pin": "Finkatu profilean",
|
||||
"status.pinned": "Finkatutako bidalketa",
|
||||
"status.read_more": "Irakurri gehiago",
|
||||
"status.reblog": "Bultzada",
|
||||
"status.reblog_private": "Bultzada jatorrizko hartzaileei",
|
||||
@@ -806,7 +801,6 @@
|
||||
"status.translated_from_with": "Itzuli {lang}(e)tik {provider} erabiliz",
|
||||
"status.uncached_media_warning": "Aurrebista ez dago erabilgarri",
|
||||
"status.unmute_conversation": "Desmututu elkarrizketa",
|
||||
"status.unpin": "Desfinkatu profiletik",
|
||||
"subscribed_languages.lead": "Hautatutako hizkuntzetako bidalketak soilik agertuko dira zure denbora-lerroetan aldaketaren ondoren. Ez baduzu bat ere aukeratzen hizkuntza guztietako bidalketak jasoko dituzu.",
|
||||
"subscribed_languages.save": "Gorde aldaketak",
|
||||
"subscribed_languages.target": "Aldatu {target}(e)n harpidetutako hizkuntzak",
|
||||
|
||||
@@ -168,7 +168,6 @@
|
||||
"column.lists": "سیاههها",
|
||||
"column.mutes": "کاربران خموش",
|
||||
"column.notifications": "آگاهیها",
|
||||
"column.pins": "فرستههای سنجاق شده",
|
||||
"column.public": "خط زمانی همگانی",
|
||||
"column_back_button.label": "بازگشت",
|
||||
"column_header.hide_settings": "نهفتن تنظیمات",
|
||||
@@ -477,7 +476,6 @@
|
||||
"keyboard_shortcuts.my_profile": "گشودن نمایهتان",
|
||||
"keyboard_shortcuts.notifications": "گشودن ستون آگاهیها",
|
||||
"keyboard_shortcuts.open_media": "گشودن رسانه",
|
||||
"keyboard_shortcuts.pinned": "گشودن سیاههٔ فرستههای سنجاق شده",
|
||||
"keyboard_shortcuts.profile": "گشودن نمایهٔ نویسنده",
|
||||
"keyboard_shortcuts.reply": "پاسخ به فرسته",
|
||||
"keyboard_shortcuts.requests": "گشودن سیاههٔ درخواستهای پیگیری",
|
||||
@@ -561,7 +559,6 @@
|
||||
"navigation_bar.mutes": "کاربران خموشانده",
|
||||
"navigation_bar.opened_in_classic_interface": "فرستهها، حسابها و دیگر صفحههای خاص به طور پیشگزیده در میانای وب کلاسیک گشوده میشوند.",
|
||||
"navigation_bar.personal": "شخصی",
|
||||
"navigation_bar.pins": "فرستههای سنجاق شده",
|
||||
"navigation_bar.preferences": "ترجیحات",
|
||||
"navigation_bar.public_timeline": "خط زمانی همگانی",
|
||||
"navigation_bar.search": "جستوجو",
|
||||
@@ -857,8 +854,6 @@
|
||||
"status.mute": "خموشاندن @{name}",
|
||||
"status.mute_conversation": "خموشاندن گفتوگو",
|
||||
"status.open": "گسترش این فرسته",
|
||||
"status.pin": "سنجاق به نمایه",
|
||||
"status.pinned": "فرستهٔ سنجاق شده",
|
||||
"status.read_more": "بیشتر بخوانید",
|
||||
"status.reblog": "تقویت",
|
||||
"status.reblog_private": "تقویت برای مخاطبان نخستین",
|
||||
@@ -883,7 +878,6 @@
|
||||
"status.translated_from_with": "ترجمه از {lang} با {provider}",
|
||||
"status.uncached_media_warning": "پیشنمایش موجود نیست",
|
||||
"status.unmute_conversation": "رفع خموشی گفتوگو",
|
||||
"status.unpin": "برداشتن سنجاق از نمایه",
|
||||
"subscribed_languages.lead": "پس از تغییر، تنها فرستههای به زبانهای گزیده روی خانه و خطزمانیهای سیاهه ظاهر خواهند شد. برای دریافت فرستهها به تمامی زبانها، هیچکدام را برنگزینید.",
|
||||
"subscribed_languages.save": "ذخیرهٔ تغییرات",
|
||||
"subscribed_languages.target": "تغییر زبانهای مشترک شده برای {target}",
|
||||
|
||||
@@ -27,7 +27,8 @@
|
||||
"account.domain_blocking": "Verkkotunnus estetty",
|
||||
"account.edit_profile": "Muokkaa profiilia",
|
||||
"account.enable_notifications": "Ilmoita minulle, kun @{name} julkaisee",
|
||||
"account.endorse": "Suosittele profiilissasi",
|
||||
"account.endorse": "Suosittele profiilissa",
|
||||
"account.featured": "Suositellut",
|
||||
"account.featured.hashtags": "Aihetunnisteet",
|
||||
"account.featured.posts": "Julkaisut",
|
||||
"account.featured_tags.last_status_at": "Viimeisin julkaisu {date}",
|
||||
@@ -73,7 +74,7 @@
|
||||
"account.unblock_domain": "Kumoa verkkotunnuksen {domain} esto",
|
||||
"account.unblock_domain_short": "Kumoa esto",
|
||||
"account.unblock_short": "Kumoa esto",
|
||||
"account.unendorse": "Kumoa suosittelu profiilissasi",
|
||||
"account.unendorse": "Kumoa suosittelu profiilissa",
|
||||
"account.unfollow": "Älä seuraa",
|
||||
"account.unmute": "Poista käyttäjän @{name} mykistys",
|
||||
"account.unmute_notifications_short": "Poista ilmoitusten mykistys",
|
||||
@@ -167,7 +168,7 @@
|
||||
"column.lists": "Listat",
|
||||
"column.mutes": "Mykistetyt käyttäjät",
|
||||
"column.notifications": "Ilmoitukset",
|
||||
"column.pins": "Kiinnitetyt julkaisut",
|
||||
"column.pins": "Suositellut julkaisut",
|
||||
"column.public": "Yleinen aikajana",
|
||||
"column_back_button.label": "Takaisin",
|
||||
"column_header.hide_settings": "Piilota asetukset",
|
||||
@@ -303,6 +304,9 @@
|
||||
"emoji_button.search_results": "Hakutulokset",
|
||||
"emoji_button.symbols": "Symbolit",
|
||||
"emoji_button.travel": "Matkailu ja paikat",
|
||||
"empty_column.account_featured.me": "Et suosittele vielä mitään. Tiesitkö, että voit suositella profiilissasi julkaisujasi, eniten käyttämiäsi aihetunnisteita ja jopa ystäviesi tilejä?",
|
||||
"empty_column.account_featured.other": "{acct} ei suosittele vielä mitään. Tiesitkö, että voit suositella profiilissasi julkaisujasi, eniten käyttämiäsi aihetunnisteita ja jopa ystäviesi tilejä?",
|
||||
"empty_column.account_featured_other.unknown": "Tämä tili ei suosittele vielä mitään.",
|
||||
"empty_column.account_hides_collections": "Käyttäjä on päättänyt pitää nämä tiedot yksityisinä",
|
||||
"empty_column.account_suspended": "Tili jäädytetty",
|
||||
"empty_column.account_timeline": "Ei viestejä täällä.",
|
||||
@@ -473,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Avaa profiilisi",
|
||||
"keyboard_shortcuts.notifications": "Avaa ilmoitussarake",
|
||||
"keyboard_shortcuts.open_media": "Avaa media",
|
||||
"keyboard_shortcuts.pinned": "Avaa kiinnitettyjen julkaisujen luettelo",
|
||||
"keyboard_shortcuts.pinned": "Avaa suositeltujen julkaisujen luettelo",
|
||||
"keyboard_shortcuts.profile": "Avaa tekijän profiili",
|
||||
"keyboard_shortcuts.reply": "Vastaa julkaisuun",
|
||||
"keyboard_shortcuts.requests": "Avaa seurantapyyntöjen luettelo",
|
||||
@@ -557,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Mykistetyt käyttäjät",
|
||||
"navigation_bar.opened_in_classic_interface": "Julkaisut, profiilit ja tietyt muut sivut avautuvat oletuksena perinteiseen selainkäyttöliittymään.",
|
||||
"navigation_bar.personal": "Henkilökohtaiset",
|
||||
"navigation_bar.pins": "Kiinnitetyt julkaisut",
|
||||
"navigation_bar.pins": "Suositellut julkaisut",
|
||||
"navigation_bar.preferences": "Asetukset",
|
||||
"navigation_bar.public_timeline": "Yleinen aikajana",
|
||||
"navigation_bar.search": "Haku",
|
||||
@@ -853,8 +857,7 @@
|
||||
"status.mute": "Mykistä @{name}",
|
||||
"status.mute_conversation": "Mykistä keskustelu",
|
||||
"status.open": "Laajenna julkaisu",
|
||||
"status.pin": "Kiinnitä profiiliin",
|
||||
"status.pinned": "Kiinnitetty julkaisu",
|
||||
"status.pin": "Suosittele profiilissa",
|
||||
"status.read_more": "Näytä enemmän",
|
||||
"status.reblog": "Tehosta",
|
||||
"status.reblog_private": "Tehosta alkuperäiselle yleisölle",
|
||||
@@ -879,7 +882,7 @@
|
||||
"status.translated_from_with": "Käännetty kielestä {lang} käyttäen palvelua {provider}",
|
||||
"status.uncached_media_warning": "Esikatselu ei ole käytettävissä",
|
||||
"status.unmute_conversation": "Kumoa keskustelun mykistys",
|
||||
"status.unpin": "Irrota profiilista",
|
||||
"status.unpin": "Kumoa suosittelu profiilissa",
|
||||
"subscribed_languages.lead": "Vain valituilla kielillä kirjoitetut julkaisut näkyvät koti- ja lista-aikajanoillasi muutoksen jälkeen. Älä valitse mitään, jos haluat nähdä julkaisuja kaikilla kielillä.",
|
||||
"subscribed_languages.save": "Tallenna muutokset",
|
||||
"subscribed_languages.target": "Vaihda tilattuja kieliä käyttäjältä {target}",
|
||||
|
||||
@@ -98,7 +98,6 @@
|
||||
"column.lists": "Mga listahan",
|
||||
"column.mutes": "Mga pinatahimik na tagagamit",
|
||||
"column.notifications": "Mga abiso",
|
||||
"column.pins": "Mga nakapaskil na post",
|
||||
"column.public": "Pinagsamang timeline",
|
||||
"column_back_button.label": "Bumalik",
|
||||
"column_header.hide_settings": "I-tago ang mga setting",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Listar",
|
||||
"column.mutes": "Sløktir brúkarar",
|
||||
"column.notifications": "Fráboðanir",
|
||||
"column.pins": "Festir postar",
|
||||
"column.pins": "Postar, ið eru tiknir fram",
|
||||
"column.public": "Felags tíðarlinja",
|
||||
"column_back_button.label": "Aftur",
|
||||
"column_header.hide_settings": "Fjal stillingar",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Lat vanga tín upp",
|
||||
"keyboard_shortcuts.notifications": "Lat fráboðanarteig upp",
|
||||
"keyboard_shortcuts.open_media": "Lat miðlar upp",
|
||||
"keyboard_shortcuts.pinned": "Lat lista yvir festar postar upp",
|
||||
"keyboard_shortcuts.pinned": "Lat listan við postum, ið eru tiknir fram, upp",
|
||||
"keyboard_shortcuts.profile": "Lat vangan hjá høvundinum upp",
|
||||
"keyboard_shortcuts.reply": "Svara posti",
|
||||
"keyboard_shortcuts.requests": "Lat lista við fylgjaraumbønum upp",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Doyvdir brúkarar",
|
||||
"navigation_bar.opened_in_classic_interface": "Postar, kontur og aðrar serstakar síður verða - um ikki annað er ásett - latnar upp í klassiska vev-markamótinum.",
|
||||
"navigation_bar.personal": "Persónligt",
|
||||
"navigation_bar.pins": "Festir postar",
|
||||
"navigation_bar.pins": "Postar, ið eru tiknir fram",
|
||||
"navigation_bar.preferences": "Stillingar",
|
||||
"navigation_bar.public_timeline": "Felags tíðarlinja",
|
||||
"navigation_bar.search": "Leita",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "Doyv @{name}",
|
||||
"status.mute_conversation": "Doyv samrøðu",
|
||||
"status.open": "Víðka henda postin",
|
||||
"status.pin": "Ger fastan í vangan",
|
||||
"status.pinned": "Festur postur",
|
||||
"status.pin": "Vís á vanga",
|
||||
"status.read_more": "Les meira",
|
||||
"status.reblog": "Stimbra",
|
||||
"status.reblog_private": "Stimbra við upprunasýni",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "Umsett frá {lang} við {provider}",
|
||||
"status.uncached_media_warning": "Undanvísing ikki tøk",
|
||||
"status.unmute_conversation": "Strika doyving av samrøðu",
|
||||
"status.unpin": "Loys frá vanga",
|
||||
"status.unpin": "Vís ikki á vanga",
|
||||
"subscribed_languages.lead": "Eftir broytingina fara einans postar á valdum málum at síggjast á tíni heimarás og á tínum listatíðarlinjum. Vel ongi fyri at fáa postar á øllum málum.",
|
||||
"subscribed_languages.save": "Goym broytingar",
|
||||
"subscribed_languages.target": "Broyt haldaramál fyri {target}",
|
||||
|
||||
@@ -161,7 +161,6 @@
|
||||
"column.lists": "Listes",
|
||||
"column.mutes": "Comptes masqués",
|
||||
"column.notifications": "Notifications",
|
||||
"column.pins": "Publications épinglés",
|
||||
"column.public": "Fil global",
|
||||
"column_back_button.label": "Retour",
|
||||
"column_header.hide_settings": "Cacher les paramètres",
|
||||
@@ -461,7 +460,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Ouvrir votre profil",
|
||||
"keyboard_shortcuts.notifications": "Ouvrir la colonne de notifications",
|
||||
"keyboard_shortcuts.open_media": "Ouvrir média",
|
||||
"keyboard_shortcuts.pinned": "Ouvrir la liste de publications épinglés",
|
||||
"keyboard_shortcuts.profile": "Ouvrir le profil de l’auteur·rice",
|
||||
"keyboard_shortcuts.reply": "Répondre au message",
|
||||
"keyboard_shortcuts.requests": "Ouvrir la liste de demandes d’abonnement",
|
||||
@@ -545,7 +543,6 @@
|
||||
"navigation_bar.mutes": "Utilisateurs masqués",
|
||||
"navigation_bar.opened_in_classic_interface": "Les messages, les comptes et les pages spécifiques sont ouvertes dans l’interface classique.",
|
||||
"navigation_bar.personal": "Personnel",
|
||||
"navigation_bar.pins": "Publications épinglés",
|
||||
"navigation_bar.preferences": "Préférences",
|
||||
"navigation_bar.public_timeline": "Fil global",
|
||||
"navigation_bar.search": "Rechercher",
|
||||
@@ -841,8 +838,6 @@
|
||||
"status.mute": "Masquer @{name}",
|
||||
"status.mute_conversation": "Masquer la conversation",
|
||||
"status.open": "Afficher la publication entière",
|
||||
"status.pin": "Épingler sur profil",
|
||||
"status.pinned": "Message épinglé",
|
||||
"status.read_more": "En savoir plus",
|
||||
"status.reblog": "Booster",
|
||||
"status.reblog_private": "Booster avec visibilité originale",
|
||||
@@ -867,7 +862,6 @@
|
||||
"status.translated_from_with": "Traduit de {lang} avec {provider}",
|
||||
"status.uncached_media_warning": "Aperçu non disponible",
|
||||
"status.unmute_conversation": "Ne plus masquer cette conversation",
|
||||
"status.unpin": "Désépingler du profil",
|
||||
"subscribed_languages.lead": "Seules des publications dans les langues sélectionnées apparaîtront sur vos fil d'accueil et de liste(s) après le changement. N'en sélectionnez aucune pour recevoir des publications dans toutes les langues.",
|
||||
"subscribed_languages.save": "Enregistrer les modifications",
|
||||
"subscribed_languages.target": "Changer les langues abonnées pour {target}",
|
||||
|
||||
@@ -161,7 +161,6 @@
|
||||
"column.lists": "Listes",
|
||||
"column.mutes": "Comptes masqués",
|
||||
"column.notifications": "Notifications",
|
||||
"column.pins": "Messages épinglés",
|
||||
"column.public": "Fil fédéré",
|
||||
"column_back_button.label": "Retour",
|
||||
"column_header.hide_settings": "Cacher les paramètres",
|
||||
@@ -461,7 +460,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Ouvrir votre profil",
|
||||
"keyboard_shortcuts.notifications": "Ouvrir la colonne de notifications",
|
||||
"keyboard_shortcuts.open_media": "Ouvrir le média",
|
||||
"keyboard_shortcuts.pinned": "Ouvrir la liste des messages épinglés",
|
||||
"keyboard_shortcuts.profile": "Ouvrir le profil de l’auteur·rice",
|
||||
"keyboard_shortcuts.reply": "Répondre au message",
|
||||
"keyboard_shortcuts.requests": "Ouvrir la liste de demandes d’abonnement",
|
||||
@@ -545,7 +543,6 @@
|
||||
"navigation_bar.mutes": "Comptes masqués",
|
||||
"navigation_bar.opened_in_classic_interface": "Les messages, les comptes et les pages spécifiques sont ouvertes dans l’interface classique.",
|
||||
"navigation_bar.personal": "Personnel",
|
||||
"navigation_bar.pins": "Messages épinglés",
|
||||
"navigation_bar.preferences": "Préférences",
|
||||
"navigation_bar.public_timeline": "Fil fédéré",
|
||||
"navigation_bar.search": "Rechercher",
|
||||
@@ -841,8 +838,6 @@
|
||||
"status.mute": "Masquer @{name}",
|
||||
"status.mute_conversation": "Masquer la conversation",
|
||||
"status.open": "Afficher le message entier",
|
||||
"status.pin": "Épingler sur le profil",
|
||||
"status.pinned": "Message épinglé",
|
||||
"status.read_more": "En savoir plus",
|
||||
"status.reblog": "Partager",
|
||||
"status.reblog_private": "Partager à l’audience originale",
|
||||
@@ -867,7 +862,6 @@
|
||||
"status.translated_from_with": "Traduit de {lang} en utilisant {provider}",
|
||||
"status.uncached_media_warning": "Prévisualisation non disponible",
|
||||
"status.unmute_conversation": "Ne plus masquer la conversation",
|
||||
"status.unpin": "Retirer du profil",
|
||||
"subscribed_languages.lead": "Seuls les messages dans les langues sélectionnées apparaîtront sur votre fil principal et vos listes de fils après le changement. Sélectionnez aucune pour recevoir les messages dans toutes les langues.",
|
||||
"subscribed_languages.save": "Enregistrer les modifications",
|
||||
"subscribed_languages.target": "Changer les langues abonnées pour {target}",
|
||||
|
||||
@@ -168,7 +168,6 @@
|
||||
"column.lists": "Listen",
|
||||
"column.mutes": "Negearre brûkers",
|
||||
"column.notifications": "Meldingen",
|
||||
"column.pins": "Fêstsette berjochten",
|
||||
"column.public": "Globale tiidline",
|
||||
"column_back_button.label": "Tebek",
|
||||
"column_header.hide_settings": "Ynstellingen ferstopje",
|
||||
@@ -477,7 +476,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Jo profyl iepenje",
|
||||
"keyboard_shortcuts.notifications": "Meldingen toane",
|
||||
"keyboard_shortcuts.open_media": "Media iepenje",
|
||||
"keyboard_shortcuts.pinned": "Fêstsette berjochten toane",
|
||||
"keyboard_shortcuts.profile": "Skriuwersprofyl iepenje",
|
||||
"keyboard_shortcuts.reply": "Berjocht beäntwurdzje",
|
||||
"keyboard_shortcuts.requests": "Folchfersiken toane",
|
||||
@@ -561,7 +559,6 @@
|
||||
"navigation_bar.mutes": "Negearre brûkers",
|
||||
"navigation_bar.opened_in_classic_interface": "Berjochten, accounts en oare spesifike siden, wurde standert iepene yn de klassike webinterface.",
|
||||
"navigation_bar.personal": "Persoanlik",
|
||||
"navigation_bar.pins": "Fêstsette berjochten",
|
||||
"navigation_bar.preferences": "Ynstellingen",
|
||||
"navigation_bar.public_timeline": "Globale tiidline",
|
||||
"navigation_bar.search": "Sykje",
|
||||
@@ -857,8 +854,6 @@
|
||||
"status.mute": "@{name} negearje",
|
||||
"status.mute_conversation": "Petear negearje",
|
||||
"status.open": "Dit berjocht útklappe",
|
||||
"status.pin": "Op profylside fêstsette",
|
||||
"status.pinned": "Fêstset berjocht",
|
||||
"status.read_more": "Mear ynfo",
|
||||
"status.reblog": "Booste",
|
||||
"status.reblog_private": "Boost nei oarspronklike ûntfangers",
|
||||
@@ -883,7 +878,6 @@
|
||||
"status.translated_from_with": "Fan {lang} út oersetten mei {provider}",
|
||||
"status.uncached_media_warning": "Foarfertoaning net beskikber",
|
||||
"status.unmute_conversation": "Petear net mear negearje",
|
||||
"status.unpin": "Fan profylside losmeitsje",
|
||||
"subscribed_languages.lead": "Nei de wiziging wurde allinnich berjochten fan selektearre talen op jo starttiidline en yn listen werjaan.",
|
||||
"subscribed_languages.save": "Wizigingen bewarje",
|
||||
"subscribed_languages.target": "Toande talen foar {target} wizigje",
|
||||
|
||||
@@ -19,13 +19,18 @@
|
||||
"account.block_domain": "Bac ainm fearainn {domain}",
|
||||
"account.block_short": "Bloc",
|
||||
"account.blocked": "Bactha",
|
||||
"account.blocking": "Ag Blocáil",
|
||||
"account.cancel_follow_request": "Éirigh as iarratas leanta",
|
||||
"account.copy": "Cóipeáil nasc chuig an bpróifíl",
|
||||
"account.direct": "Luaigh @{name} go príobháideach",
|
||||
"account.disable_notifications": "Éirigh as ag cuir mé in eol nuair bpostálann @{name}",
|
||||
"account.domain_blocking": "Fearann a bhlocáil",
|
||||
"account.edit_profile": "Cuir an phróifíl in eagar",
|
||||
"account.enable_notifications": "Cuir mé in eol nuair bpostálann @{name}",
|
||||
"account.endorse": "Cuir ar an phróifíl mar ghné",
|
||||
"account.featured": "Faoi thrácht",
|
||||
"account.featured.hashtags": "Haischlibeanna",
|
||||
"account.featured.posts": "Poist",
|
||||
"account.featured_tags.last_status_at": "Postáil is déanaí ar {date}",
|
||||
"account.featured_tags.last_status_never": "Gan aon phoist",
|
||||
"account.follow": "Lean",
|
||||
@@ -36,6 +41,7 @@
|
||||
"account.following": "Ag leanúint",
|
||||
"account.following_counter": "{count, plural, one {{counter} ag leanúint} other {{counter} ag leanúint}}",
|
||||
"account.follows.empty": "Ní leanann an t-úsáideoir seo aon duine go fóill.",
|
||||
"account.follows_you": "Leanann tú",
|
||||
"account.go_to_profile": "Téigh go dtí próifíl",
|
||||
"account.hide_reblogs": "Folaigh moltaí ó @{name}",
|
||||
"account.in_memoriam": "Cuimhneachán.",
|
||||
@@ -50,13 +56,17 @@
|
||||
"account.mute_notifications_short": "Balbhaigh fógraí",
|
||||
"account.mute_short": "Balbhaigh",
|
||||
"account.muted": "Balbhaithe",
|
||||
"account.muting": "Ag balbhaigh",
|
||||
"account.mutual": "Leanann sibh a chéile",
|
||||
"account.no_bio": "Níor tugadh tuairisc.",
|
||||
"account.open_original_page": "Oscail an leathanach bunaidh",
|
||||
"account.posts": "Postálacha",
|
||||
"account.posts_with_replies": "Postálacha agus freagraí",
|
||||
"account.remove_from_followers": "Bain {name} de na leantóirí",
|
||||
"account.report": "Tuairiscigh @{name}",
|
||||
"account.requested": "Ag fanacht le ceadú. Cliceáil chun an iarratas leanúnaí a chealú",
|
||||
"account.requested_follow": "D'iarr {name} ort do chuntas a leanúint",
|
||||
"account.requests_to_follow_you": "Iarratais chun tú a leanúint",
|
||||
"account.share": "Roinn próifíl @{name}",
|
||||
"account.show_reblogs": "Taispeáin moltaí ó @{name}",
|
||||
"account.statuses_counter": "{count, plural, one {{counter} post} other {{counter} poist}}",
|
||||
@@ -158,7 +168,7 @@
|
||||
"column.lists": "Liostaí",
|
||||
"column.mutes": "Úsáideoirí balbhaithe",
|
||||
"column.notifications": "Fógraí",
|
||||
"column.pins": "Postálacha pionnáilte",
|
||||
"column.pins": "Poist le feiceáil",
|
||||
"column.public": "Amlíne cónaidhmithe",
|
||||
"column_back_button.label": "Ar ais",
|
||||
"column_header.hide_settings": "Folaigh socruithe",
|
||||
@@ -224,6 +234,9 @@
|
||||
"confirmations.redraft.confirm": "Scrios ⁊ athdhréachtaigh",
|
||||
"confirmations.redraft.message": "An bhfuil tú cinnte gur mhaith leat an postáil seo a scriosadh agus é a athdhréachtú? Caillfear ceanáin agus treisithe, agus dílleachtaí freagraí ar an mbunphostála.",
|
||||
"confirmations.redraft.title": "Scrios & athdhréachtú postáil?",
|
||||
"confirmations.remove_from_followers.confirm": "Bain leantóir",
|
||||
"confirmations.remove_from_followers.message": "Scoirfidh {name} de bheith ag leanúint leat. An bhfuil tú cinnte gur mian leat leanúint ar aghaidh?",
|
||||
"confirmations.remove_from_followers.title": "Bain an leantóir?",
|
||||
"confirmations.reply.confirm": "Freagair",
|
||||
"confirmations.reply.message": "Scriosfaidh freagra láithreach an teachtaireacht atá a chumadh anois agat. An bhfuil tú cinnte gur mhaith leat leanúint leat?",
|
||||
"confirmations.reply.title": "Forscríobh postáil?",
|
||||
@@ -291,6 +304,9 @@
|
||||
"emoji_button.search_results": "Torthaí cuardaigh",
|
||||
"emoji_button.symbols": "Comharthaí",
|
||||
"emoji_button.travel": "Taisteal ⁊ Áiteanna",
|
||||
"empty_column.account_featured.me": "Níl aon rud curtha i láthair agat go fóill. An raibh a fhios agat gur féidir leat do phoist, na hashtags is mó a úsáideann tú, agus fiú cuntais do chairde a chur i láthair ar do phróifíl?",
|
||||
"empty_column.account_featured.other": "Níl aon rud feicthe ag {acct} go fóill. An raibh a fhios agat gur féidir leat do phoist, na haischlibeanna is mó a úsáideann tú, agus fiú cuntais do chairde a chur ar do phróifíl?",
|
||||
"empty_column.account_featured_other.unknown": "Níl aon rud le feiceáil sa chuntas seo go fóill.",
|
||||
"empty_column.account_hides_collections": "Roghnaigh an t-úsáideoir seo gan an fhaisnéis seo a chur ar fáil",
|
||||
"empty_column.account_suspended": "Cuntas ar fionraí",
|
||||
"empty_column.account_timeline": "Níl postálacha ar bith anseo!",
|
||||
@@ -375,6 +391,8 @@
|
||||
"generic.saved": "Sábháilte",
|
||||
"getting_started.heading": "Ag tosú amach",
|
||||
"hashtag.admin_moderation": "Oscail comhéadan modhnóireachta le haghaidh #{name}",
|
||||
"hashtag.browse": "Brabhsáil poist i #{hashtag}",
|
||||
"hashtag.browse_from_account": "Brabhsáil poist ó @{name} i #{hashtag}",
|
||||
"hashtag.column_header.tag_mode.all": "agus {additional}",
|
||||
"hashtag.column_header.tag_mode.any": "nó {additional}",
|
||||
"hashtag.column_header.tag_mode.none": "gan {additional}",
|
||||
@@ -388,6 +406,7 @@
|
||||
"hashtag.counter_by_uses": "{count, plural, one {{counter} post} two {{counter} post} few {{counter} post} many {{counter} post} other {{counter} poist}}",
|
||||
"hashtag.counter_by_uses_today": "{count, plural, one {{counter} post inniu} other {{counter} poist inniu}} inniu",
|
||||
"hashtag.follow": "Lean haischlib",
|
||||
"hashtag.mute": "Balbhaigh #{hashtag}",
|
||||
"hashtag.unfollow": "Ná lean haischlib",
|
||||
"hashtags.and_other": "agus {count, plural, one {} two {# níos} few {# níos} many {# níos} other {# níos}}",
|
||||
"hints.profiles.followers_may_be_missing": "Seans go bhfuil leantóirí don phróifíl seo in easnamh.",
|
||||
@@ -458,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Oscail do phróifíl",
|
||||
"keyboard_shortcuts.notifications": "Oscail colún fógraí",
|
||||
"keyboard_shortcuts.open_media": "Oscail meáin",
|
||||
"keyboard_shortcuts.pinned": "Oscail liosta postálacha pinn",
|
||||
"keyboard_shortcuts.pinned": "Oscail liosta na bpostálacha le feiceáil",
|
||||
"keyboard_shortcuts.profile": "Oscail próifíl an t-údar",
|
||||
"keyboard_shortcuts.reply": "Freagair ar phostáil",
|
||||
"keyboard_shortcuts.requests": "Oscail liosta iarratas leanúnaí",
|
||||
@@ -542,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Úsáideoirí balbhaithe",
|
||||
"navigation_bar.opened_in_classic_interface": "Osclaítear poist, cuntais agus leathanaigh shonracha eile de réir réamhshocraithe sa chomhéadan gréasáin clasaiceach.",
|
||||
"navigation_bar.personal": "Pearsanta",
|
||||
"navigation_bar.pins": "Postálacha pionnáilte",
|
||||
"navigation_bar.pins": "Poist le feiceáil",
|
||||
"navigation_bar.preferences": "Sainroghanna pearsanta",
|
||||
"navigation_bar.public_timeline": "Amlíne cónaidhmithe",
|
||||
"navigation_bar.search": "Cuardaigh",
|
||||
@@ -838,8 +857,7 @@
|
||||
"status.mute": "Balbhaigh @{name}",
|
||||
"status.mute_conversation": "Balbhaigh comhrá",
|
||||
"status.open": "Leathnaigh an post seo",
|
||||
"status.pin": "Pionnáil ar do phróifíl",
|
||||
"status.pinned": "Postáil pionnáilte",
|
||||
"status.pin": "Gné ar phróifíl",
|
||||
"status.read_more": "Léan a thuilleadh",
|
||||
"status.reblog": "Treisiú",
|
||||
"status.reblog_private": "Mol le léargas bunúsach",
|
||||
@@ -864,7 +882,7 @@
|
||||
"status.translated_from_with": "D'Aistrigh ón {lang} ag úsáid {provider}",
|
||||
"status.uncached_media_warning": "Níl an réamhamharc ar fáil",
|
||||
"status.unmute_conversation": "Díbhalbhaigh comhrá",
|
||||
"status.unpin": "Díphionnáil de do phróifíl",
|
||||
"status.unpin": "Ná cuir le feiceáil ar phróifíl",
|
||||
"subscribed_languages.lead": "Ní bheidh ach postálacha i dteangacha roghnaithe le feiceáil ar do bhaile agus liostaí amlínte tar éis an athraithe. Roghnaigh ceann ar bith chun postálacha a fháil i ngach teanga.",
|
||||
"subscribed_languages.save": "Sábháil athruithe",
|
||||
"subscribed_languages.target": "Athraigh teangacha suibscríofa le haghaidh {target}",
|
||||
|
||||
@@ -145,7 +145,6 @@
|
||||
"column.lists": "Liostaichean",
|
||||
"column.mutes": "Cleachdaichean mùchte",
|
||||
"column.notifications": "Brathan",
|
||||
"column.pins": "Postaichean prìnichte",
|
||||
"column.public": "Loidhne-ama cho-naisgte",
|
||||
"column_back_button.label": "Air ais",
|
||||
"column_header.hide_settings": "Falaich na roghainnean",
|
||||
@@ -421,7 +420,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Fosgail a’ phròifil agad",
|
||||
"keyboard_shortcuts.notifications": "Fosgail colbh nam brathan",
|
||||
"keyboard_shortcuts.open_media": "Fosgail meadhan",
|
||||
"keyboard_shortcuts.pinned": "Fosgail liosta nam postaichean prìnichte",
|
||||
"keyboard_shortcuts.profile": "Fosgail pròifil an ùghdair",
|
||||
"keyboard_shortcuts.reply": "Freagair do phost",
|
||||
"keyboard_shortcuts.requests": "Fosgail liosta nan iarrtasan leantainn",
|
||||
@@ -483,7 +481,6 @@
|
||||
"navigation_bar.mutes": "Cleachdaichean mùchte",
|
||||
"navigation_bar.opened_in_classic_interface": "Thèid postaichean, cunntasan ’s duilleagan sònraichte eile fhosgladh san eadar-aghaidh-lìn chlasaigeach a ghnàth.",
|
||||
"navigation_bar.personal": "Pearsanta",
|
||||
"navigation_bar.pins": "Postaichean prìnichte",
|
||||
"navigation_bar.preferences": "Roghainnean",
|
||||
"navigation_bar.public_timeline": "Loidhne-ama cho-naisgte",
|
||||
"navigation_bar.search": "Lorg",
|
||||
@@ -767,8 +764,6 @@
|
||||
"status.mute": "Mùch @{name}",
|
||||
"status.mute_conversation": "Mùch an còmhradh",
|
||||
"status.open": "Leudaich am post seo",
|
||||
"status.pin": "Prìnich ris a’ phròifil",
|
||||
"status.pinned": "Post prìnichte",
|
||||
"status.read_more": "Leugh an còrr",
|
||||
"status.reblog": "Brosnaich",
|
||||
"status.reblog_private": "Brosnaich leis an t-so-fhaicsinneachd tùsail",
|
||||
@@ -792,7 +787,6 @@
|
||||
"status.translated_from_with": "Air eadar-theangachadh o {lang} le {provider}",
|
||||
"status.uncached_media_warning": "Chan eil ro-shealladh ri fhaighinn",
|
||||
"status.unmute_conversation": "Dì-mhùch an còmhradh",
|
||||
"status.unpin": "Dì-phrìnich on phròifil",
|
||||
"subscribed_languages.lead": "Cha nochd ach na postaichean sna cànanan a thagh thu air loidhnichean-ama na dachaigh ’s nan liostaichean às dèidh an atharrachaidh seo. Na tagh gin ma tha thu airson na postaichean uile fhaighinn ge b’ e dè an cànan.",
|
||||
"subscribed_languages.save": "Sàbhail na h-atharraichean",
|
||||
"subscribed_languages.target": "Atharraich fo-sgrìobhadh nan cànan airson {target}",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Listaxes",
|
||||
"column.mutes": "Usuarias acaladas",
|
||||
"column.notifications": "Notificacións",
|
||||
"column.pins": "Publicacións fixadas",
|
||||
"column.pins": "Publicacións destacadas",
|
||||
"column.public": "Cronoloxía federada",
|
||||
"column_back_button.label": "Volver",
|
||||
"column_header.hide_settings": "Agochar axustes",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Para abrir o teu perfil",
|
||||
"keyboard_shortcuts.notifications": "Para abrir a columna das notificacións",
|
||||
"keyboard_shortcuts.open_media": "Para abrir o contido multimedia",
|
||||
"keyboard_shortcuts.pinned": "Para abrir a listaxe das publicacións fixadas",
|
||||
"keyboard_shortcuts.pinned": "Abrir lista das publicacións destacadas",
|
||||
"keyboard_shortcuts.profile": "Para abrir o perfil da autora",
|
||||
"keyboard_shortcuts.reply": "Para responder",
|
||||
"keyboard_shortcuts.requests": "Para abrir a listaxe das peticións de seguimento",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Usuarias silenciadas",
|
||||
"navigation_bar.opened_in_classic_interface": "Publicacións, contas e outras páxinas dedicadas ábrense por defecto na interface web clásica.",
|
||||
"navigation_bar.personal": "Persoal",
|
||||
"navigation_bar.pins": "Publicacións fixadas",
|
||||
"navigation_bar.pins": "Publicacións destacadas",
|
||||
"navigation_bar.preferences": "Preferencias",
|
||||
"navigation_bar.public_timeline": "Cronoloxía federada",
|
||||
"navigation_bar.search": "Buscar",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "Silenciar @{name}",
|
||||
"status.mute_conversation": "Silenciar conversa",
|
||||
"status.open": "Estender esta publicación",
|
||||
"status.pin": "Fixar no perfil",
|
||||
"status.pinned": "Publicación fixada",
|
||||
"status.pin": "Destacar no perfil",
|
||||
"status.read_more": "Ler máis",
|
||||
"status.reblog": "Promover",
|
||||
"status.reblog_private": "Compartir coa audiencia orixinal",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "Traducido do {lang} usando {provider}",
|
||||
"status.uncached_media_warning": "A vista previa non está dispoñíble",
|
||||
"status.unmute_conversation": "Deixar de silenciar conversa",
|
||||
"status.unpin": "Non fixar no perfil",
|
||||
"status.unpin": "Non destacar no perfil",
|
||||
"subscribed_languages.lead": "Ao facer cambios só as publicacións nos idiomas seleccionados aparecerán nas túas cronoloxías. Non elixas ningún para poder ver publicacións en tódolos idiomas.",
|
||||
"subscribed_languages.save": "Gardar cambios",
|
||||
"subscribed_languages.target": "Cambiar a subscrición a idiomas para {target}",
|
||||
|
||||
@@ -18,7 +18,7 @@
|
||||
"account.block": "חסמי את @{name}",
|
||||
"account.block_domain": "חסמו את קהילת {domain}",
|
||||
"account.block_short": "לחסום",
|
||||
"account.blocked": "לחסום",
|
||||
"account.blocked": "חסום",
|
||||
"account.blocking": "רשימת החשבונות החסומים",
|
||||
"account.cancel_follow_request": "משיכת בקשת מעקב",
|
||||
"account.copy": "להעתיק קישור לפרופיל",
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "רשימות",
|
||||
"column.mutes": "משתמשים בהשתקה",
|
||||
"column.notifications": "התראות",
|
||||
"column.pins": "חיצרוצים נעוצים",
|
||||
"column.pins": "הודעות מובלטות",
|
||||
"column.public": "פיד כללי (כל השרתים)",
|
||||
"column_back_button.label": "בחזרה",
|
||||
"column_header.hide_settings": "הסתרת הגדרות",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "פתיחת הפרופיל שלך",
|
||||
"keyboard_shortcuts.notifications": "פתיחת טור התראות",
|
||||
"keyboard_shortcuts.open_media": "פתיחת מדיה",
|
||||
"keyboard_shortcuts.pinned": "פתיחת הודעה נעוצות",
|
||||
"keyboard_shortcuts.pinned": "פתיחת רשימת הודעות מובלטות",
|
||||
"keyboard_shortcuts.profile": "פתח את פרופיל המשתמש",
|
||||
"keyboard_shortcuts.reply": "תגובה להודעה",
|
||||
"keyboard_shortcuts.requests": "פתיחת רשימת בקשות מעקב",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "משתמשים בהשתקה",
|
||||
"navigation_bar.opened_in_classic_interface": "הודעות, חשבונות ושאר עמודי רשת יפתחו כברירת מחדל בדפדפן רשת קלאסי.",
|
||||
"navigation_bar.personal": "אישי",
|
||||
"navigation_bar.pins": "הודעות נעוצות",
|
||||
"navigation_bar.pins": "הודעות מובלטות",
|
||||
"navigation_bar.preferences": "העדפות",
|
||||
"navigation_bar.public_timeline": "פיד כללי (כל השרתים)",
|
||||
"navigation_bar.search": "חיפוש",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "להשתיק את @{name}",
|
||||
"status.mute_conversation": "השתקת שיחה",
|
||||
"status.open": "הרחבת הודעה זו",
|
||||
"status.pin": "הצמדה לפרופיל שלי",
|
||||
"status.pinned": "חצרוץ נעוץ",
|
||||
"status.pin": "מובלט בפרופיל",
|
||||
"status.read_more": "לקרוא עוד",
|
||||
"status.reblog": "הדהוד",
|
||||
"status.reblog_private": "להדהד ברמת הנראות המקורית",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "לתרגם משפה {lang} באמצעות {provider}",
|
||||
"status.uncached_media_warning": "תצוגה מקדימה אינה זמינה",
|
||||
"status.unmute_conversation": "הסרת השתקת שיחה",
|
||||
"status.unpin": "לשחרר מקיבוע באודות",
|
||||
"status.unpin": "לא להבליט בפרופיל",
|
||||
"subscribed_languages.lead": "רק חצרוצים בשפות הנבחרות יופיעו בפיד הבית וברשימות שלך אחרי השינוי. נקו את כל הבחירות כדי לראות את כל השפות.",
|
||||
"subscribed_languages.save": "שמירת שינויים",
|
||||
"subscribed_languages.target": "שינוי רישום שפה עבור {target}",
|
||||
|
||||
@@ -120,7 +120,6 @@
|
||||
"column.lists": "सूचियाँ",
|
||||
"column.mutes": "म्यूट किये हुए यूजर",
|
||||
"column.notifications": "नोटिफिकेशन्स",
|
||||
"column.pins": "पिनड टूट्स",
|
||||
"column.public": "फ़ेडरेटेड टाइम्लाइन",
|
||||
"column_back_button.label": "पीछे जाए",
|
||||
"column_header.hide_settings": "सेटिंग्स छुपाए",
|
||||
@@ -320,7 +319,6 @@
|
||||
"keyboard_shortcuts.my_profile": "आपकी प्रोफाइल खोलने के लिए",
|
||||
"keyboard_shortcuts.notifications": "नोटिफिकेशन कॉलम खोलने के लिए",
|
||||
"keyboard_shortcuts.open_media": "to open media",
|
||||
"keyboard_shortcuts.pinned": "पिनड टूट्स की लिस्ट खोलने के लिए",
|
||||
"keyboard_shortcuts.profile": "लेखक की प्रोफाइल खोलने के लिए",
|
||||
"keyboard_shortcuts.reply": "जवाब के लिए",
|
||||
"keyboard_shortcuts.requests": "फॉलो रिक्वेस्ट लिस्ट खोलने के लिए",
|
||||
@@ -360,7 +358,6 @@
|
||||
"navigation_bar.logout": "बाहर जाए",
|
||||
"navigation_bar.mutes": "शांत किए गए सभ्य",
|
||||
"navigation_bar.personal": "निजी",
|
||||
"navigation_bar.pins": "Pinned toots",
|
||||
"navigation_bar.preferences": "पसंदे",
|
||||
"navigation_bar.search": "ढूंढें",
|
||||
"navigation_bar.security": "सुरक्षा",
|
||||
@@ -462,8 +459,6 @@
|
||||
"status.mute": "@{name} म्यूट करें",
|
||||
"status.mute_conversation": "इस वार्तालाप को म्यूट करें",
|
||||
"status.open": "Expand this status",
|
||||
"status.pin": "प्रोफ़ाइल पर पिन करें",
|
||||
"status.pinned": "Pinned toot",
|
||||
"status.read_more": "और पढ़ें",
|
||||
"status.reblog": "बूस्ट",
|
||||
"status.reblogs.empty": "No one has boosted this toot yet. When someone does, they will show up here.",
|
||||
|
||||
@@ -106,7 +106,6 @@
|
||||
"column.lists": "Liste",
|
||||
"column.mutes": "Utišani korisnici",
|
||||
"column.notifications": "Obavijesti",
|
||||
"column.pins": "Prikvačeni tootovi",
|
||||
"column.public": "Federalna vremenska crta",
|
||||
"column_back_button.label": "Natrag",
|
||||
"column_header.hide_settings": "Sakrij postavke",
|
||||
@@ -271,7 +270,6 @@
|
||||
"keyboard_shortcuts.my_profile": "za otvaranje Vašeg profila",
|
||||
"keyboard_shortcuts.notifications": "za otvaranje stupca s obavijestima",
|
||||
"keyboard_shortcuts.open_media": "za otvaranje medijskog sadržaja",
|
||||
"keyboard_shortcuts.pinned": "za otvaranje liste prikvačenih tootova",
|
||||
"keyboard_shortcuts.profile": "za otvaranje autorovog profila",
|
||||
"keyboard_shortcuts.reply": "za odgovaranje",
|
||||
"keyboard_shortcuts.requests": "za otvaranje liste zahtjeva za praćenje",
|
||||
@@ -309,7 +307,6 @@
|
||||
"navigation_bar.logout": "Odjavi se",
|
||||
"navigation_bar.mutes": "Utišani korisnici",
|
||||
"navigation_bar.personal": "Osobno",
|
||||
"navigation_bar.pins": "Prikvačeni tootovi",
|
||||
"navigation_bar.preferences": "Postavke",
|
||||
"navigation_bar.public_timeline": "Federalna vremenska crta",
|
||||
"navigation_bar.search": "Traži",
|
||||
@@ -432,8 +429,6 @@
|
||||
"status.mute": "Utišaj @{name}",
|
||||
"status.mute_conversation": "Utišaj razgovor",
|
||||
"status.open": "Proširi ovaj toot",
|
||||
"status.pin": "Prikvači na profil",
|
||||
"status.pinned": "Pinned toot",
|
||||
"status.read_more": "Pročitajte više",
|
||||
"status.reblog": "Boostaj",
|
||||
"status.reblog_private": "Boostaj s izvornom vidljivošću",
|
||||
@@ -453,7 +448,6 @@
|
||||
"status.translated_from_with": "Prevedno s {lang} koristeći {provider}",
|
||||
"status.uncached_media_warning": "Pregled nije dostupan",
|
||||
"status.unmute_conversation": "Poništi utišavanje razgovora",
|
||||
"status.unpin": "Otkvači s profila",
|
||||
"subscribed_languages.save": "Spremi promjene",
|
||||
"tabs_bar.home": "Početna",
|
||||
"tabs_bar.notifications": "Obavijesti",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Listák",
|
||||
"column.mutes": "Némított felhasználók",
|
||||
"column.notifications": "Értesítések",
|
||||
"column.pins": "Kitűzött bejegyzések",
|
||||
"column.pins": "Kiemelt bejegyzések",
|
||||
"column.public": "Föderációs idővonal",
|
||||
"column_back_button.label": "Vissza",
|
||||
"column_header.hide_settings": "Beállítások elrejtése",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Saját profil megnyitása",
|
||||
"keyboard_shortcuts.notifications": "Értesítések oszlop megnyitása",
|
||||
"keyboard_shortcuts.open_media": "Média megnyitása",
|
||||
"keyboard_shortcuts.pinned": "Kitűzött bejegyzések listájának megnyitása",
|
||||
"keyboard_shortcuts.pinned": "Kiemelt bejegyzések listájának megnyitása",
|
||||
"keyboard_shortcuts.profile": "Szerző profiljának megnyitása",
|
||||
"keyboard_shortcuts.reply": "Válasz bejegyzésre",
|
||||
"keyboard_shortcuts.requests": "Követési kérések listájának megnyitása",
|
||||
@@ -561,7 +561,6 @@
|
||||
"navigation_bar.mutes": "Némított felhasználók",
|
||||
"navigation_bar.opened_in_classic_interface": "A bejegyzések, fiókok és más speciális oldalak alapértelmezés szerint a klasszikus webes felületen nyílnak meg.",
|
||||
"navigation_bar.personal": "Személyes",
|
||||
"navigation_bar.pins": "Kitűzött bejegyzések",
|
||||
"navigation_bar.preferences": "Beállítások",
|
||||
"navigation_bar.public_timeline": "Föderációs idővonal",
|
||||
"navigation_bar.search": "Keresés",
|
||||
@@ -857,8 +856,6 @@
|
||||
"status.mute": "@{name} némítása",
|
||||
"status.mute_conversation": "Beszélgetés némítása",
|
||||
"status.open": "Bejegyzés kibontása",
|
||||
"status.pin": "Kitűzés a profilodra",
|
||||
"status.pinned": "Kitűzött bejegyzés",
|
||||
"status.read_more": "Bővebben",
|
||||
"status.reblog": "Megtolás",
|
||||
"status.reblog_private": "Megtolás az eredeti közönségnek",
|
||||
@@ -883,7 +880,6 @@
|
||||
"status.translated_from_with": "{lang} nyelvről fordítva {provider} szolgáltatással",
|
||||
"status.uncached_media_warning": "Előnézet nem érhető el",
|
||||
"status.unmute_conversation": "Beszélgetés némításának feloldása",
|
||||
"status.unpin": "Kitűzés eltávolítása a profilodról",
|
||||
"subscribed_languages.lead": "A változtatás után csak a kiválasztott nyelvű bejegyzések fognak megjelenni a kezdőlapon és az idővonalakon. Ha egy sincs kiválasztva, akkor minden nyelven megjelennek a bejegyzések.",
|
||||
"subscribed_languages.save": "Változások mentése",
|
||||
"subscribed_languages.target": "Feliratkozott nyelvek módosítása {target} esetében",
|
||||
|
||||
@@ -87,7 +87,6 @@
|
||||
"column.lists": "Ցանկեր",
|
||||
"column.mutes": "Լռեցրած օգտատէրեր",
|
||||
"column.notifications": "Ծանուցումներ",
|
||||
"column.pins": "Ամրացուած գրառում",
|
||||
"column.public": "Դաշնային հոսք",
|
||||
"column_back_button.label": "Ետ",
|
||||
"column_header.hide_settings": "Թաքցնել կարգաւորումները",
|
||||
@@ -251,7 +250,6 @@
|
||||
"keyboard_shortcuts.my_profile": "սեփական էջին անցնելու համար",
|
||||
"keyboard_shortcuts.notifications": "ծանուցումների սիւնակը բացելու համար",
|
||||
"keyboard_shortcuts.open_media": "ցուցադրել մեդիան",
|
||||
"keyboard_shortcuts.pinned": "Բացել ամրացուած գրառումների ցանկը",
|
||||
"keyboard_shortcuts.profile": "հեղինակի անձնական էջը բացելու համար",
|
||||
"keyboard_shortcuts.reply": "պատասխանելու համար",
|
||||
"keyboard_shortcuts.requests": "հետեւելու հայցերի ցանկը դիտելու համար",
|
||||
@@ -290,7 +288,6 @@
|
||||
"navigation_bar.logout": "Դուրս գալ",
|
||||
"navigation_bar.mutes": "Լռեցրած օգտատէրեր",
|
||||
"navigation_bar.personal": "Անձնական",
|
||||
"navigation_bar.pins": "Ամրացուած գրառումներ",
|
||||
"navigation_bar.preferences": "Նախապատուութիւններ",
|
||||
"navigation_bar.public_timeline": "Դաշնային հոսք",
|
||||
"navigation_bar.search": "Որոնել",
|
||||
@@ -423,8 +420,6 @@
|
||||
"status.mute": "Լռեցնել @{name}֊ին",
|
||||
"status.mute_conversation": "Լռեցնել խօսակցութիւնը",
|
||||
"status.open": "Ընդարձակել այս գրառումը",
|
||||
"status.pin": "Ամրացնել անձնական էջում",
|
||||
"status.pinned": "Ամրացուած գրառում",
|
||||
"status.read_more": "Կարդալ աւելին",
|
||||
"status.reblog": "Տարածել",
|
||||
"status.reblog_private": "Տարածել սեփական լսարանին",
|
||||
@@ -444,7 +439,6 @@
|
||||
"status.title.with_attachments": "{user} posted {attachmentCount, plural, one {an attachment} other {# attachments}}",
|
||||
"status.translate": "Թարգմանել",
|
||||
"status.unmute_conversation": "Ապալռեցնել խօսակցութիւնը",
|
||||
"status.unpin": "Հանել անձնական էջից",
|
||||
"subscribed_languages.save": "Պահպանել փոփոխութիւնները",
|
||||
"tabs_bar.home": "Հիմնական",
|
||||
"tabs_bar.notifications": "Ծանուցումներ",
|
||||
|
||||
@@ -157,7 +157,6 @@
|
||||
"column.lists": "Listas",
|
||||
"column.mutes": "Usatores silentiate",
|
||||
"column.notifications": "Notificationes",
|
||||
"column.pins": "Messages fixate",
|
||||
"column.public": "Chronologia federate",
|
||||
"column_back_button.label": "Retro",
|
||||
"column_header.hide_settings": "Celar le parametros",
|
||||
@@ -457,7 +456,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Aperir tu profilo",
|
||||
"keyboard_shortcuts.notifications": "Aperir columna de notificationes",
|
||||
"keyboard_shortcuts.open_media": "Aperir multimedia",
|
||||
"keyboard_shortcuts.pinned": "Aperir le lista de messages fixate",
|
||||
"keyboard_shortcuts.profile": "Aperir le profilo del autor",
|
||||
"keyboard_shortcuts.reply": "Responder al message",
|
||||
"keyboard_shortcuts.requests": "Aperir le lista de requestas de sequimento",
|
||||
@@ -541,7 +539,6 @@
|
||||
"navigation_bar.mutes": "Usatores silentiate",
|
||||
"navigation_bar.opened_in_classic_interface": "Messages, contos e altere paginas specific es aperite per predefinition in le interfacie web classic.",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Messages fixate",
|
||||
"navigation_bar.preferences": "Preferentias",
|
||||
"navigation_bar.public_timeline": "Chronologia federate",
|
||||
"navigation_bar.search": "Cercar",
|
||||
@@ -837,8 +834,6 @@
|
||||
"status.mute": "Silentiar @{name}",
|
||||
"status.mute_conversation": "Silentiar conversation",
|
||||
"status.open": "Expander iste message",
|
||||
"status.pin": "Fixar sur profilo",
|
||||
"status.pinned": "Message fixate",
|
||||
"status.read_more": "Leger plus",
|
||||
"status.reblog": "Impulsar",
|
||||
"status.reblog_private": "Impulsar con visibilitate original",
|
||||
@@ -863,7 +858,6 @@
|
||||
"status.translated_from_with": "Traducite de {lang} usante {provider}",
|
||||
"status.uncached_media_warning": "Previsualisation non disponibile",
|
||||
"status.unmute_conversation": "Non plus silentiar conversation",
|
||||
"status.unpin": "Disfixar del profilo",
|
||||
"subscribed_languages.lead": "Solmente le messages in le linguas seligite apparera in tu chronologias de initio e de listas post le cambiamento. Selige necun pro reciper messages in tote le linguas.",
|
||||
"subscribed_languages.save": "Salvar le cambiamentos",
|
||||
"subscribed_languages.target": "Cambiar le linguas subscribite pro {target}",
|
||||
|
||||
@@ -131,7 +131,6 @@
|
||||
"column.lists": "List",
|
||||
"column.mutes": "Pengguna yang dibisukan",
|
||||
"column.notifications": "Notifikasi",
|
||||
"column.pins": "Kiriman tersemat",
|
||||
"column.public": "Linimasa gabungan",
|
||||
"column_back_button.label": "Kembali",
|
||||
"column_header.hide_settings": "Sembunyikan pengaturan",
|
||||
@@ -365,7 +364,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Buka profil Anda",
|
||||
"keyboard_shortcuts.notifications": "buka kolom notifikasi",
|
||||
"keyboard_shortcuts.open_media": "membuka media",
|
||||
"keyboard_shortcuts.pinned": "buka daftar toot tersemat",
|
||||
"keyboard_shortcuts.profile": "buka profil pencipta",
|
||||
"keyboard_shortcuts.reply": "balas",
|
||||
"keyboard_shortcuts.requests": "buka daftar permintaan ikuti",
|
||||
@@ -409,7 +407,6 @@
|
||||
"navigation_bar.logout": "Keluar",
|
||||
"navigation_bar.mutes": "Pengguna dibisukan",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Toot tersemat",
|
||||
"navigation_bar.preferences": "Pengaturan",
|
||||
"navigation_bar.public_timeline": "Linimasa gabungan",
|
||||
"navigation_bar.search": "Cari",
|
||||
@@ -559,8 +556,6 @@
|
||||
"status.mute": "Bisukan @{name}",
|
||||
"status.mute_conversation": "Bisukan percakapan",
|
||||
"status.open": "Tampilkan kiriman ini",
|
||||
"status.pin": "Sematkan di profil",
|
||||
"status.pinned": "Kiriman tersemat",
|
||||
"status.read_more": "Baca lebih banyak",
|
||||
"status.reblog": "Boost",
|
||||
"status.reblog_private": "Boost dengan visibilitas asli",
|
||||
@@ -581,7 +576,6 @@
|
||||
"status.translate": "Terjemahkan",
|
||||
"status.translated_from_with": "Diterjemahkan dari {lang} menggunakan {provider}",
|
||||
"status.unmute_conversation": "Bunyikan percakapan",
|
||||
"status.unpin": "Hapus sematan dari profil",
|
||||
"subscribed_languages.lead": "Hanya kiriman dalam bahasa yang dipilih akan muncul di linimasa beranda dan daftar setelah perubahan. Pilih tidak ada untuk menerima kiriman dalam semua bahasa.",
|
||||
"subscribed_languages.save": "Simpan perubahan",
|
||||
"subscribed_languages.target": "Ubah langganan bahasa untuk {target}",
|
||||
|
||||
@@ -120,7 +120,6 @@
|
||||
"column.lists": "Listes",
|
||||
"column.mutes": "Silentiat usatores",
|
||||
"column.notifications": "Notificationes",
|
||||
"column.pins": "Pinglat postas",
|
||||
"column.public": "Federat témpor-linea",
|
||||
"column_back_button.label": "Retornar",
|
||||
"column_header.hide_settings": "Celar parametres",
|
||||
@@ -361,7 +360,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Aperter tui profil",
|
||||
"keyboard_shortcuts.notifications": "Aperter li columne de notificationes",
|
||||
"keyboard_shortcuts.open_media": "Aperter medie",
|
||||
"keyboard_shortcuts.pinned": "Aperter li liste de pinglat postas",
|
||||
"keyboard_shortcuts.profile": "Aperter profil del autor",
|
||||
"keyboard_shortcuts.reply": "Responder al posta",
|
||||
"keyboard_shortcuts.requests": "Aperter liste de seque-petitiones",
|
||||
@@ -416,7 +414,6 @@
|
||||
"navigation_bar.mutes": "Silentiat usatores",
|
||||
"navigation_bar.opened_in_classic_interface": "Postas, contos e altri specific págines es customalmen apertet in li classic web-interfacie.",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Pinglat postas",
|
||||
"navigation_bar.preferences": "Preferenties",
|
||||
"navigation_bar.public_timeline": "Federat témpor-linea",
|
||||
"navigation_bar.search": "Sercha",
|
||||
@@ -647,8 +644,6 @@
|
||||
"status.mute": "Silentiar @{name}",
|
||||
"status.mute_conversation": "Silentiar conversation",
|
||||
"status.open": "Expander ti-ci posta",
|
||||
"status.pin": "Pinglar sur profil",
|
||||
"status.pinned": "Pinglat posta",
|
||||
"status.read_more": "Leer plu",
|
||||
"status.reblog": "Boostar",
|
||||
"status.reblog_private": "Boostar con li original visibilitá",
|
||||
@@ -671,7 +666,6 @@
|
||||
"status.translated_from_with": "Traductet de {lang} per {provider}",
|
||||
"status.uncached_media_warning": "Previse ne disponibil",
|
||||
"status.unmute_conversation": "Dessilentiar conversation",
|
||||
"status.unpin": "Despinglar de profil",
|
||||
"subscribed_languages.lead": "Solmen postas in selectet lingues va aparir in tui hemal e listal témpor-lineas pos li change. Selecte null por reciver postas in omni lingues.",
|
||||
"subscribed_languages.save": "Conservar changes",
|
||||
"subscribed_languages.target": "Changear abonnat lingues por {target}",
|
||||
|
||||
@@ -25,7 +25,6 @@
|
||||
"column.home": "Be",
|
||||
"column.lists": "Ndepụta",
|
||||
"column.notifications": "Nziọkwà",
|
||||
"column.pins": "Pinned post",
|
||||
"column_header.pin": "Gbado na profaịlụ gị",
|
||||
"column_header.show_settings": "Gosi mwube",
|
||||
"column_subheading.settings": "Mwube",
|
||||
@@ -93,7 +92,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Mepe profaịlụ gị",
|
||||
"keyboard_shortcuts.notifications": "to open notifications column",
|
||||
"keyboard_shortcuts.open_media": "to open media",
|
||||
"keyboard_shortcuts.pinned": "to open pinned posts list",
|
||||
"keyboard_shortcuts.profile": "to open author's profile",
|
||||
"keyboard_shortcuts.reply": "to reply",
|
||||
"keyboard_shortcuts.requests": "to open follow requests list",
|
||||
|
||||
@@ -157,7 +157,6 @@
|
||||
"column.lists": "Listi",
|
||||
"column.mutes": "Celita uzeri",
|
||||
"column.notifications": "Savigi",
|
||||
"column.pins": "Adpinglita afishi",
|
||||
"column.public": "Federata tempolineo",
|
||||
"column_back_button.label": "Retro",
|
||||
"column_header.hide_settings": "Celez ajusti",
|
||||
@@ -457,7 +456,6 @@
|
||||
"keyboard_shortcuts.my_profile": "to open your profile",
|
||||
"keyboard_shortcuts.notifications": "to open notifications column",
|
||||
"keyboard_shortcuts.open_media": "Desklozar audvidaji",
|
||||
"keyboard_shortcuts.pinned": "Desklozar listo di adpinglita afishi",
|
||||
"keyboard_shortcuts.profile": "to open author's profile",
|
||||
"keyboard_shortcuts.reply": "to reply",
|
||||
"keyboard_shortcuts.requests": "to open follow requests list",
|
||||
@@ -541,7 +539,6 @@
|
||||
"navigation_bar.mutes": "Celita uzeri",
|
||||
"navigation_bar.opened_in_classic_interface": "Posti, konti e altra pagini specifika apertesas en la retovidilo klasika.",
|
||||
"navigation_bar.personal": "Personala",
|
||||
"navigation_bar.pins": "Adpinglita afishi",
|
||||
"navigation_bar.preferences": "Preferi",
|
||||
"navigation_bar.public_timeline": "Federata tempolineo",
|
||||
"navigation_bar.search": "Serchez",
|
||||
@@ -837,8 +834,6 @@
|
||||
"status.mute": "Silencigez @{name}",
|
||||
"status.mute_conversation": "Silencigez konverso",
|
||||
"status.open": "Detaligar ca mesajo",
|
||||
"status.pin": "Pinglagez che profilo",
|
||||
"status.pinned": "Adpinglita afisho",
|
||||
"status.read_more": "Lektez plu",
|
||||
"status.reblog": "Repetez",
|
||||
"status.reblog_private": "Repetez kun originala videbleso",
|
||||
@@ -863,7 +858,6 @@
|
||||
"status.translated_from_with": "Tradukita de {lang} per {provider}",
|
||||
"status.uncached_media_warning": "Previdajo nedisponebla",
|
||||
"status.unmute_conversation": "Desilencigez konverso",
|
||||
"status.unpin": "Depinglagez de profilo",
|
||||
"subscribed_languages.lead": "Nur posti en selektita lingui aparos en vua hemo e listotempolineo pos chanjo. Selektez nulo por ganar posti en omna lingui.",
|
||||
"subscribed_languages.save": "Sparez chanji",
|
||||
"subscribed_languages.target": "Chanjez abonita lingui por {target}",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Listar",
|
||||
"column.mutes": "Þaggaðir notendur",
|
||||
"column.notifications": "Tilkynningar",
|
||||
"column.pins": "Festar færslur",
|
||||
"column.pins": "Færslur með aukið vægi",
|
||||
"column.public": "Sameiginleg tímalína",
|
||||
"column_back_button.label": "Til baka",
|
||||
"column_header.hide_settings": "Fela stillingar",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Opna notandasniðið þitt",
|
||||
"keyboard_shortcuts.notifications": "Opna tilkynningadálk",
|
||||
"keyboard_shortcuts.open_media": "Opna margmiðlunargögn",
|
||||
"keyboard_shortcuts.pinned": "Opna lista yfir festar færslur",
|
||||
"keyboard_shortcuts.pinned": "Opna lista með færslum með aukið vægi",
|
||||
"keyboard_shortcuts.profile": "Opna notandasnið höfundar",
|
||||
"keyboard_shortcuts.reply": "Svara færslu",
|
||||
"keyboard_shortcuts.requests": "Opna lista yfir fylgjendabeiðnir",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Þaggaðir notendur",
|
||||
"navigation_bar.opened_in_classic_interface": "Færslur, notendaaðgangar og aðrar sérhæfðar síður eru sjálfgefið opnaðar í klassíska vefviðmótinu.",
|
||||
"navigation_bar.personal": "Einka",
|
||||
"navigation_bar.pins": "Festar færslur",
|
||||
"navigation_bar.pins": "Færslur með aukið vægi",
|
||||
"navigation_bar.preferences": "Kjörstillingar",
|
||||
"navigation_bar.public_timeline": "Sameiginleg tímalína",
|
||||
"navigation_bar.search": "Leita",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "Þagga niður í @{name}",
|
||||
"status.mute_conversation": "Þagga niður í samtali",
|
||||
"status.open": "Opna þessa færslu",
|
||||
"status.pin": "Festa á notandasnið",
|
||||
"status.pinned": "Fest færsla",
|
||||
"status.pin": "Birta á notandasniði",
|
||||
"status.read_more": "Lesa meira",
|
||||
"status.reblog": "Endurbirting",
|
||||
"status.reblog_private": "Endurbirta til upphaflegra lesenda",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "Þýtt úr {lang} með {provider}",
|
||||
"status.uncached_media_warning": "Forskoðun ekki tiltæk",
|
||||
"status.unmute_conversation": "Hætta að þagga niður í samtali",
|
||||
"status.unpin": "Losa af notandasniði",
|
||||
"status.unpin": "Ekki birta á notandasniði",
|
||||
"subscribed_languages.lead": "Einungis færslur á völdum tungumálum munu birtast á upphafssíðu og tímalínum þínum eftir þessa breytingu. Veldu ekkert til að sjá færslur á öllum tungumálum.",
|
||||
"subscribed_languages.save": "Vista breytingar",
|
||||
"subscribed_languages.target": "Breyta tungumálum í áskrift fyrir {target}",
|
||||
|
||||
@@ -168,7 +168,6 @@
|
||||
"column.lists": "Liste",
|
||||
"column.mutes": "Utenti silenziati",
|
||||
"column.notifications": "Notifiche",
|
||||
"column.pins": "Post fissati",
|
||||
"column.public": "Timeline federata",
|
||||
"column_back_button.label": "Indietro",
|
||||
"column_header.hide_settings": "Nascondi impostazioni",
|
||||
@@ -477,7 +476,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Apre il tuo profilo",
|
||||
"keyboard_shortcuts.notifications": "Apre la colonna delle notifiche",
|
||||
"keyboard_shortcuts.open_media": "Apre i multimedia",
|
||||
"keyboard_shortcuts.pinned": "Apre l'elenco dei post fissati",
|
||||
"keyboard_shortcuts.profile": "Apre il profilo dell'autore",
|
||||
"keyboard_shortcuts.reply": "Risponde al post",
|
||||
"keyboard_shortcuts.requests": "Apre l'elenco delle richieste di seguirti",
|
||||
@@ -561,7 +559,6 @@
|
||||
"navigation_bar.mutes": "Utenti silenziati",
|
||||
"navigation_bar.opened_in_classic_interface": "Post, account e altre pagine specifiche sono aperti per impostazione predefinita nella classica interfaccia web.",
|
||||
"navigation_bar.personal": "Personale",
|
||||
"navigation_bar.pins": "Post fissati",
|
||||
"navigation_bar.preferences": "Preferenze",
|
||||
"navigation_bar.public_timeline": "Cronologia federata",
|
||||
"navigation_bar.search": "Cerca",
|
||||
@@ -857,8 +854,6 @@
|
||||
"status.mute": "Silenzia @{name}",
|
||||
"status.mute_conversation": "Silenzia conversazione",
|
||||
"status.open": "Espandi questo post",
|
||||
"status.pin": "Fissa in cima sul profilo",
|
||||
"status.pinned": "Post fissato",
|
||||
"status.read_more": "Leggi di più",
|
||||
"status.reblog": "Reblog",
|
||||
"status.reblog_private": "Reblog con visibilità originale",
|
||||
@@ -883,7 +878,6 @@
|
||||
"status.translated_from_with": "Tradotto da {lang} utilizzando {provider}",
|
||||
"status.uncached_media_warning": "Anteprima non disponibile",
|
||||
"status.unmute_conversation": "Annulla silenziamento conversazione",
|
||||
"status.unpin": "Non fissare sul profilo",
|
||||
"subscribed_languages.lead": "Solo i post nelle lingue selezionate appariranno sulla tua home e nelle cronologie dopo la modifica. Seleziona nessuno per ricevere i post in tutte le lingue.",
|
||||
"subscribed_languages.save": "Salva le modifiche",
|
||||
"subscribed_languages.target": "Modifica le lingue in cui sei iscritto per {target}",
|
||||
|
||||
@@ -168,7 +168,6 @@
|
||||
"column.lists": "リスト",
|
||||
"column.mutes": "ミュートしたユーザー",
|
||||
"column.notifications": "通知",
|
||||
"column.pins": "固定された投稿",
|
||||
"column.public": "連合タイムライン",
|
||||
"column_back_button.label": "戻る",
|
||||
"column_header.hide_settings": "設定を隠す",
|
||||
@@ -477,7 +476,6 @@
|
||||
"keyboard_shortcuts.my_profile": "自分のプロフィールを開く",
|
||||
"keyboard_shortcuts.notifications": "通知カラムを開く",
|
||||
"keyboard_shortcuts.open_media": "メディアを開く",
|
||||
"keyboard_shortcuts.pinned": "固定した投稿のリストを開く",
|
||||
"keyboard_shortcuts.profile": "プロフィールを開く",
|
||||
"keyboard_shortcuts.reply": "返信",
|
||||
"keyboard_shortcuts.requests": "フォローリクエストのリストを開く",
|
||||
@@ -561,7 +559,6 @@
|
||||
"navigation_bar.mutes": "ミュートしたユーザー",
|
||||
"navigation_bar.opened_in_classic_interface": "投稿やプロフィールを直接開いた場合は一時的に標準UIで表示されます。",
|
||||
"navigation_bar.personal": "個人用",
|
||||
"navigation_bar.pins": "固定した投稿",
|
||||
"navigation_bar.preferences": "ユーザー設定",
|
||||
"navigation_bar.public_timeline": "連合タイムライン",
|
||||
"navigation_bar.search": "検索",
|
||||
@@ -857,8 +854,6 @@
|
||||
"status.mute": "@{name}さんをミュート",
|
||||
"status.mute_conversation": "会話をミュート",
|
||||
"status.open": "詳細を表示",
|
||||
"status.pin": "プロフィールに固定表示",
|
||||
"status.pinned": "固定された投稿",
|
||||
"status.read_more": "もっと見る",
|
||||
"status.reblog": "ブースト",
|
||||
"status.reblog_private": "ブースト",
|
||||
@@ -883,7 +878,6 @@
|
||||
"status.translated_from_with": "{provider}を使って{lang}から翻訳",
|
||||
"status.uncached_media_warning": "プレビューは使用できません",
|
||||
"status.unmute_conversation": "会話のミュートを解除",
|
||||
"status.unpin": "プロフィールへの固定を解除",
|
||||
"subscribed_languages.lead": "選択した言語の投稿だけがホームとリストのタイムラインに表示されます。全ての言語の投稿を受け取る場合は全てのチェックを外して下さい。",
|
||||
"subscribed_languages.save": "変更を保存",
|
||||
"subscribed_languages.target": "{target}さんの購読言語を変更します",
|
||||
|
||||
@@ -45,7 +45,6 @@
|
||||
"column.lists": "სიები",
|
||||
"column.mutes": "გაჩუმებული მომხმარებლები",
|
||||
"column.notifications": "შეტყობინებები",
|
||||
"column.pins": "აპინული ტუტები",
|
||||
"column.public": "ფედერალური თაიმლაინი",
|
||||
"column_back_button.label": "უკან",
|
||||
"column_header.hide_settings": "პარამეტრების დამალვა",
|
||||
@@ -126,7 +125,6 @@
|
||||
"keyboard_shortcuts.my_profile": "to open your profile",
|
||||
"keyboard_shortcuts.notifications": "to open notifications column",
|
||||
"keyboard_shortcuts.open_media": "to open media",
|
||||
"keyboard_shortcuts.pinned": "to open pinned toots list",
|
||||
"keyboard_shortcuts.profile": "ავტორის პროფილის გასახსნელად",
|
||||
"keyboard_shortcuts.reply": "პასუხისთვის",
|
||||
"keyboard_shortcuts.requests": "to open follow requests list",
|
||||
@@ -154,7 +152,6 @@
|
||||
"navigation_bar.logout": "გასვლა",
|
||||
"navigation_bar.mutes": "გაჩუმებული მომხმარებლები",
|
||||
"navigation_bar.personal": "პირადი",
|
||||
"navigation_bar.pins": "აპინული ტუტები",
|
||||
"navigation_bar.preferences": "პრეფერენსიები",
|
||||
"navigation_bar.public_timeline": "ფედერალური თაიმლაინი",
|
||||
"navigation_bar.security": "უსაფრთხოება",
|
||||
@@ -204,8 +201,6 @@
|
||||
"status.mute": "გააჩუმე @{name}",
|
||||
"status.mute_conversation": "გააჩუმე საუბარი",
|
||||
"status.open": "ამ სტატუსის გაფართოება",
|
||||
"status.pin": "აპინე პროფილზე",
|
||||
"status.pinned": "აპინული ტუტი",
|
||||
"status.reblog": "ბუსტი",
|
||||
"status.reblog_private": "დაიბუსტოს საწყის აუდიტორიაზე",
|
||||
"status.reblogged_by": "{name} დაიბუსტა",
|
||||
@@ -220,7 +215,6 @@
|
||||
"status.show_more_all": "აჩვენე მეტი ყველაზე",
|
||||
"status.title.with_attachments": "{user} posted {attachmentCount, plural, one {an attachment} other {# attachments}}",
|
||||
"status.unmute_conversation": "საუბარზე გაჩუმების მოშორება",
|
||||
"status.unpin": "პროფილიდან პინის მოშორება",
|
||||
"tabs_bar.home": "საწყისი",
|
||||
"tabs_bar.notifications": "შეტყობინებები",
|
||||
"trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {# days}}",
|
||||
|
||||
@@ -119,7 +119,6 @@
|
||||
"column.lists": "Tibdarin",
|
||||
"column.mutes": "Imiḍanen yettwasgugmen",
|
||||
"column.notifications": "Ilɣa",
|
||||
"column.pins": "Tisuffaɣ yettwasenṭḍen",
|
||||
"column.public": "Tasuddemt tamatut",
|
||||
"column_back_button.label": "Tuɣalin",
|
||||
"column_header.hide_settings": "Ffer iɣewwaṛen",
|
||||
@@ -340,7 +339,6 @@
|
||||
"keyboard_shortcuts.my_profile": "akken ad d-teldiḍ amaɣnu-ik",
|
||||
"keyboard_shortcuts.notifications": "Ad d-yeldi ajgu n yilɣa",
|
||||
"keyboard_shortcuts.open_media": "i tiɣwalin yeldin",
|
||||
"keyboard_shortcuts.pinned": "akken ad teldiḍ tabdart n tjewwiqin yettwasentḍen",
|
||||
"keyboard_shortcuts.profile": "akken ad d-teldiḍ amaɣnu n umeskar",
|
||||
"keyboard_shortcuts.reply": "i tririt",
|
||||
"keyboard_shortcuts.requests": "akken ad d-teldiḍ tabdert n yisuturen n teḍfeṛt",
|
||||
@@ -410,7 +408,6 @@
|
||||
"navigation_bar.mutes": "Iseqdacen yettwasusmen",
|
||||
"navigation_bar.opened_in_classic_interface": "Tisuffaɣ, imiḍanen akked isebtar-nniḍen igejdanen ldin-d s wudem amezwer deg ugrudem web aklasiki.",
|
||||
"navigation_bar.personal": "Udmawan",
|
||||
"navigation_bar.pins": "Tisuffaɣ yettwasenṭḍen",
|
||||
"navigation_bar.preferences": "Imenyafen",
|
||||
"navigation_bar.public_timeline": "Tasuddemt tazayezt tamatut",
|
||||
"navigation_bar.search": "Nadi",
|
||||
@@ -620,8 +617,6 @@
|
||||
"status.mute": "Sussem @{name}",
|
||||
"status.mute_conversation": "Sgugem adiwenni",
|
||||
"status.open": "Semɣeṛ tasuffeɣt-ayi",
|
||||
"status.pin": "Senteḍ-itt deg umaɣnu",
|
||||
"status.pinned": "Tisuffaɣ yettwasentḍen",
|
||||
"status.read_more": "Issin ugar",
|
||||
"status.reblog": "Bḍu",
|
||||
"status.reblogged_by": "Yebḍa-tt {name}",
|
||||
@@ -644,7 +639,6 @@
|
||||
"status.translated_from_with": "Yettwasuqel seg {lang} s {provider}",
|
||||
"status.uncached_media_warning": "Ulac taskant",
|
||||
"status.unmute_conversation": "Kkes asgugem n udiwenni",
|
||||
"status.unpin": "Kkes asenteḍ seg umaɣnu",
|
||||
"subscribed_languages.save": "Sekles ibeddilen",
|
||||
"tabs_bar.home": "Agejdan",
|
||||
"tabs_bar.notifications": "Ilɣa",
|
||||
|
||||
@@ -71,7 +71,6 @@
|
||||
"column.lists": "Тізімдер",
|
||||
"column.mutes": "Үнсіз қолданушылар",
|
||||
"column.notifications": "Ескертпелер",
|
||||
"column.pins": "Жабыстырылған жазбалар",
|
||||
"column.public": "Жаһандық желі",
|
||||
"column_back_button.label": "Артқа",
|
||||
"column_header.hide_settings": "Баптауларды жасыр",
|
||||
@@ -191,7 +190,6 @@
|
||||
"keyboard_shortcuts.my_profile": "профиліңізді ашу",
|
||||
"keyboard_shortcuts.notifications": "ескертпелер бағанын ашу",
|
||||
"keyboard_shortcuts.open_media": "медианы ашу үшін",
|
||||
"keyboard_shortcuts.pinned": "жабыстырылған жазбаларды көру",
|
||||
"keyboard_shortcuts.profile": "автор профилін қарау",
|
||||
"keyboard_shortcuts.reply": "жауап жазу",
|
||||
"keyboard_shortcuts.requests": "жазылу сұранымдарын қарау",
|
||||
@@ -222,7 +220,6 @@
|
||||
"navigation_bar.logout": "Шығу",
|
||||
"navigation_bar.mutes": "Үнсіз қолданушылар",
|
||||
"navigation_bar.personal": "Жеке",
|
||||
"navigation_bar.pins": "Жабыстырылғандар",
|
||||
"navigation_bar.preferences": "Басымдықтар",
|
||||
"navigation_bar.public_timeline": "Жаһандық желі",
|
||||
"navigation_bar.security": "Қауіпсіздік",
|
||||
@@ -294,8 +291,6 @@
|
||||
"status.mute": "Үнсіз @{name}",
|
||||
"status.mute_conversation": "Пікірталасты үнсіз қылу",
|
||||
"status.open": "Жазбаны ашу",
|
||||
"status.pin": "Профильде жабыстыру",
|
||||
"status.pinned": "Жабыстырылған жазба",
|
||||
"status.read_more": "Әрі қарай",
|
||||
"status.reblog": "Бөлісу",
|
||||
"status.reblog_private": "Негізгі аудиторияға бөлісу",
|
||||
@@ -312,7 +307,6 @@
|
||||
"status.show_more_all": "Бәрін толығымен",
|
||||
"status.title.with_attachments": "{user} posted {attachmentCount, plural, one {an attachment} other {# attachments}}",
|
||||
"status.unmute_conversation": "Пікірталасты үнсіз қылмау",
|
||||
"status.unpin": "Профильден алып тастау",
|
||||
"tabs_bar.home": "Басты бет",
|
||||
"tabs_bar.notifications": "Ескертпелер",
|
||||
"time_remaining.days": "{number, plural, one {# күн} other {# күн}}",
|
||||
|
||||
@@ -19,7 +19,6 @@
|
||||
"alert.unexpected.title": "ಅಯ್ಯೋ!",
|
||||
"bundle_column_error.retry": "ಮರಳಿ ಪ್ರಯತ್ನಿಸಿ",
|
||||
"column.domain_blocks": "Hidden domains",
|
||||
"column.pins": "Pinned toot",
|
||||
"community.column_settings.media_only": "Media only",
|
||||
"compose_form.encryption_warning": "Posts on Mastodon are not end-to-end encrypted. Do not share any dangerous information over Mastodon.",
|
||||
"compose_form.hashtag_warning": "This post won't be listed under any hashtag as it is unlisted. Only public posts can be searched by hashtag.",
|
||||
@@ -53,7 +52,6 @@
|
||||
"keyboard_shortcuts.my_profile": "to open your profile",
|
||||
"keyboard_shortcuts.notifications": "to open notifications column",
|
||||
"keyboard_shortcuts.open_media": "to open media",
|
||||
"keyboard_shortcuts.pinned": "to open pinned toots list",
|
||||
"keyboard_shortcuts.profile": "to open author's profile",
|
||||
"keyboard_shortcuts.reply": "to reply",
|
||||
"keyboard_shortcuts.requests": "to open follow requests list",
|
||||
@@ -67,7 +65,6 @@
|
||||
"keyboard_shortcuts.up": "to move up in the list",
|
||||
"navigation_bar.compose": "Compose new toot",
|
||||
"navigation_bar.domain_blocks": "Hidden domains",
|
||||
"navigation_bar.pins": "Pinned toots",
|
||||
"not_signed_in_indicator.not_signed_in": "You need to sign in to access this resource.",
|
||||
"notification.reblog": "{name} boosted your status",
|
||||
"notifications.column_settings.status": "New toots:",
|
||||
@@ -82,7 +79,6 @@
|
||||
"status.copy": "Copy link to status",
|
||||
"status.edited_x_times": "Edited {count, plural, one {# time} other {# times}}",
|
||||
"status.open": "Expand this status",
|
||||
"status.pinned": "Pinned toot",
|
||||
"status.reblogs.empty": "No one has boosted this toot yet. When someone does, they will show up here.",
|
||||
"status.title.with_attachments": "{user} posted {attachmentCount, plural, one {an attachment} other {# attachments}}",
|
||||
"trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {# days}}",
|
||||
|
||||
@@ -168,7 +168,6 @@
|
||||
"column.lists": "리스트",
|
||||
"column.mutes": "뮤트한 사용자",
|
||||
"column.notifications": "알림",
|
||||
"column.pins": "고정된 게시물",
|
||||
"column.public": "연합 타임라인",
|
||||
"column_back_button.label": "돌아가기",
|
||||
"column_header.hide_settings": "설정 숨기기",
|
||||
@@ -477,7 +476,6 @@
|
||||
"keyboard_shortcuts.my_profile": "내 프로필 열기",
|
||||
"keyboard_shortcuts.notifications": "알림 컬럼 열기",
|
||||
"keyboard_shortcuts.open_media": "미디어 열기",
|
||||
"keyboard_shortcuts.pinned": "고정 게시물 리스트 열기",
|
||||
"keyboard_shortcuts.profile": "작성자의 프로필 열기",
|
||||
"keyboard_shortcuts.reply": "게시물에 답장",
|
||||
"keyboard_shortcuts.requests": "팔로우 요청 리스트 열기",
|
||||
@@ -561,7 +559,6 @@
|
||||
"navigation_bar.mutes": "뮤트한 사용자",
|
||||
"navigation_bar.opened_in_classic_interface": "게시물, 계정, 기타 특정 페이지들은 기본적으로 기존 웹 인터페이스로 열리게 됩니다.",
|
||||
"navigation_bar.personal": "개인용",
|
||||
"navigation_bar.pins": "고정된 게시물",
|
||||
"navigation_bar.preferences": "환경설정",
|
||||
"navigation_bar.public_timeline": "연합 타임라인",
|
||||
"navigation_bar.search": "검색",
|
||||
@@ -857,8 +854,6 @@
|
||||
"status.mute": "@{name} 뮤트",
|
||||
"status.mute_conversation": "이 대화를 뮤트",
|
||||
"status.open": "상세 정보 표시",
|
||||
"status.pin": "고정",
|
||||
"status.pinned": "고정된 게시물",
|
||||
"status.read_more": "더 보기",
|
||||
"status.reblog": "부스트",
|
||||
"status.reblog_private": "원래의 수신자들에게 부스트",
|
||||
@@ -883,7 +878,6 @@
|
||||
"status.translated_from_with": "{provider}에 의해 {lang}에서 번역됨",
|
||||
"status.uncached_media_warning": "미리보기를 사용할 수 없습니다",
|
||||
"status.unmute_conversation": "이 대화의 뮤트 해제하기",
|
||||
"status.unpin": "고정 해제",
|
||||
"subscribed_languages.lead": "변경 후에는 선택한 언어들로 작성된 게시물들만 홈 타임라인과 리스트 타임라인에 나타나게 됩니다. 아무 것도 선택하지 않으면 모든 언어로 작성된 게시물을 받아봅니다.",
|
||||
"subscribed_languages.save": "변경사항 저장",
|
||||
"subscribed_languages.target": "{target}에 대한 구독 언어 변경",
|
||||
|
||||
@@ -37,6 +37,7 @@
|
||||
"account.following": "Dişopîne",
|
||||
"account.following_counter": "{count, plural, one {{counter} dişopîne} other {{counter} dişopîne}}",
|
||||
"account.follows.empty": "Ev bikarhêner hin kesekî heya niha neşopandiye.",
|
||||
"account.follows_you": "Te dişopîne",
|
||||
"account.go_to_profile": "Biçe bo profîlê",
|
||||
"account.hide_reblogs": "Bilindkirinên ji @{name} veşêre",
|
||||
"account.in_memoriam": "Di bîranînê de.",
|
||||
@@ -125,7 +126,6 @@
|
||||
"column.lists": "Lîste",
|
||||
"column.mutes": "Bikarhênerên bêdengkirî",
|
||||
"column.notifications": "Agahdarî",
|
||||
"column.pins": "Şandiya derzîkirî",
|
||||
"column.public": "Demnameya giştî",
|
||||
"column_back_button.label": "Vegere",
|
||||
"column_header.hide_settings": "Sazkariyan veşêre",
|
||||
@@ -311,7 +311,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Profîla xwe veke",
|
||||
"keyboard_shortcuts.notifications": "Stûnê agahdariyan veke",
|
||||
"keyboard_shortcuts.open_media": "Medya veke",
|
||||
"keyboard_shortcuts.pinned": "Şandiyên derzîkirî veke",
|
||||
"keyboard_shortcuts.profile": "Profîla nivîskaran veke",
|
||||
"keyboard_shortcuts.reply": "Bersivê bide şandiyê",
|
||||
"keyboard_shortcuts.requests": "Lîsteya daxwazên şopandinê veke",
|
||||
@@ -353,7 +352,6 @@
|
||||
"navigation_bar.logout": "Derkeve",
|
||||
"navigation_bar.mutes": "Bikarhênerên bêdengkirî",
|
||||
"navigation_bar.personal": "Kesanî",
|
||||
"navigation_bar.pins": "Şandiya derzîkirî",
|
||||
"navigation_bar.preferences": "Sazkarî",
|
||||
"navigation_bar.public_timeline": "Demnameya giştî",
|
||||
"navigation_bar.search": "Bigere",
|
||||
@@ -517,8 +515,6 @@
|
||||
"status.mute": "@{name} bêdeng bike",
|
||||
"status.mute_conversation": "Axaftinê bêdeng bike",
|
||||
"status.open": "Vê şandiyê berferh bike",
|
||||
"status.pin": "Li ser profîlê derzî bike",
|
||||
"status.pinned": "Şandiya derzîkirî",
|
||||
"status.read_more": "Bêtir bixwîne",
|
||||
"status.reblog": "Bilind bike",
|
||||
"status.reblog_private": "Bi dîtina resen bilind bike",
|
||||
@@ -539,7 +535,6 @@
|
||||
"status.translate": "Wergerîne",
|
||||
"status.translated_from_with": "Ji {lang} hate wergerandin bi riya {provider}",
|
||||
"status.unmute_conversation": "Axaftinê bêdeng neke",
|
||||
"status.unpin": "Şandiya derzîkirî ji profîlê rake",
|
||||
"subscribed_languages.lead": "Tenê şandiyên bi zimanên hilbijartî wê di rojev û demnameya te de wê xuya bibe û piştî guhertinê. Ji bo wergirtina şandiyan di hemû zimanan de ne yek hilbijêre.",
|
||||
"subscribed_languages.save": "Guhertinan tomar bike",
|
||||
"subscribed_languages.target": "Zimanên beşdarbûyî biguherîne ji bo {target}",
|
||||
|
||||
@@ -53,7 +53,6 @@
|
||||
"column.lists": "Rolyow",
|
||||
"column.mutes": "Devnydhyoryon tawhes",
|
||||
"column.notifications": "Gwarnyansow",
|
||||
"column.pins": "Postow fastys",
|
||||
"column.public": "Amserlin geffrysys",
|
||||
"column_back_button.label": "War-gamm",
|
||||
"column_header.hide_settings": "Kudha dewisyow",
|
||||
@@ -177,7 +176,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Ygeri agas profil",
|
||||
"keyboard_shortcuts.notifications": "Ygeri koloven gwarnyansow",
|
||||
"keyboard_shortcuts.open_media": "Ygeri myski",
|
||||
"keyboard_shortcuts.pinned": "Ygeri rol a bostow fastys",
|
||||
"keyboard_shortcuts.profile": "Ygeri profil an awtour",
|
||||
"keyboard_shortcuts.reply": "Gorthebi orth post",
|
||||
"keyboard_shortcuts.requests": "Ygeri rol govynnow holya",
|
||||
@@ -211,7 +209,6 @@
|
||||
"navigation_bar.logout": "Digelmi",
|
||||
"navigation_bar.mutes": "Devnydhyoryon tawhes",
|
||||
"navigation_bar.personal": "Menebel",
|
||||
"navigation_bar.pins": "Postow fastys",
|
||||
"navigation_bar.preferences": "Erviransow",
|
||||
"navigation_bar.public_timeline": "Amserlin geffrysys",
|
||||
"navigation_bar.security": "Diogeledh",
|
||||
@@ -294,8 +291,6 @@
|
||||
"status.mute": "Tawhe @{name}",
|
||||
"status.mute_conversation": "Tawhe kesklapp",
|
||||
"status.open": "Efani'n post ma",
|
||||
"status.pin": "Fastya yn profil",
|
||||
"status.pinned": "Postow fastys",
|
||||
"status.read_more": "Redya moy",
|
||||
"status.reblog": "Kenertha",
|
||||
"status.reblog_private": "Kenertha gans gweladewder derowel",
|
||||
@@ -312,7 +307,6 @@
|
||||
"status.show_more_all": "Diskwedhes moy rag puptra",
|
||||
"status.title.with_attachments": "{user} posted {attachmentCount, plural, one {an attachment} other {# attachments}}",
|
||||
"status.unmute_conversation": "Antawhe kesklapp",
|
||||
"status.unpin": "Anfastya a brofil",
|
||||
"tabs_bar.home": "Tre",
|
||||
"tabs_bar.notifications": "Gwarnyansow",
|
||||
"time_remaining.days": "{number, plural, one {# jydh} other {# a jydhyow}} gesys",
|
||||
|
||||
@@ -45,7 +45,6 @@
|
||||
"column.bookmarks": "Signa paginales",
|
||||
"column.home": "Domi",
|
||||
"column.lists": "Catalogi",
|
||||
"column.pins": "Pinned post",
|
||||
"community.column_settings.media_only": "Media only",
|
||||
"compose.language.change": "Mutare linguam",
|
||||
"compose.language.search": "Quaerere linguas...",
|
||||
@@ -126,7 +125,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Aperī prōfilum tuum",
|
||||
"keyboard_shortcuts.notifications": "Aperī columnam nūntiātiōnum",
|
||||
"keyboard_shortcuts.open_media": "Aperi media",
|
||||
"keyboard_shortcuts.pinned": "Aperī indicem nūntiōrum affixōrum",
|
||||
"keyboard_shortcuts.profile": "Aperi auctoris profile",
|
||||
"keyboard_shortcuts.reply": "Respondere ad contributum",
|
||||
"keyboard_shortcuts.requests": "Aperī indicem petītiōnum sequendī",
|
||||
|
||||
@@ -150,7 +150,6 @@
|
||||
"column.lists": "Listas",
|
||||
"column.mutes": "Utilizadores silensiados",
|
||||
"column.notifications": "Avizos",
|
||||
"column.pins": "Publikasyones fiksadas",
|
||||
"column.public": "Linya federada",
|
||||
"column_back_button.label": "Atras",
|
||||
"column_header.hide_settings": "Eskonde opsyones",
|
||||
@@ -414,7 +413,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Avre tu profil",
|
||||
"keyboard_shortcuts.notifications": "Avre kolumna de avizos",
|
||||
"keyboard_shortcuts.open_media": "Avre multimedia",
|
||||
"keyboard_shortcuts.pinned": "Avre lista de publikasyones fiksadas",
|
||||
"keyboard_shortcuts.profile": "Avre profil del autor",
|
||||
"keyboard_shortcuts.reply": "Arisponde a publikasyon",
|
||||
"keyboard_shortcuts.requests": "Avre lista de solisitudes de suivantes",
|
||||
@@ -479,7 +477,6 @@
|
||||
"navigation_bar.mutes": "Utilizadores silensiados",
|
||||
"navigation_bar.opened_in_classic_interface": "Publikasyones, kuentos i otras pajinas espesifikas se avren kon preferensyas predeterminadas en la enterfaz web klasika.",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Publikasyones fiksadas",
|
||||
"navigation_bar.preferences": "Preferensyas",
|
||||
"navigation_bar.public_timeline": "Linya federada",
|
||||
"navigation_bar.search": "Bushka",
|
||||
@@ -733,8 +730,6 @@
|
||||
"status.mute": "Silensia a @{name}",
|
||||
"status.mute_conversation": "Silensia konversasyon",
|
||||
"status.open": "Espande publikasyon",
|
||||
"status.pin": "Fiksa en profil",
|
||||
"status.pinned": "Publikasyon fiksada",
|
||||
"status.read_more": "Melda mas",
|
||||
"status.reblog": "Repartaja",
|
||||
"status.reblog_private": "Repartaja kon vizibilita orijinala",
|
||||
@@ -757,7 +752,6 @@
|
||||
"status.translated_from_with": "Trezladado dizde {lang} kon {provider}",
|
||||
"status.uncached_media_warning": "Vista previa no desponivle",
|
||||
"status.unmute_conversation": "Desilensia konversasyon",
|
||||
"status.unpin": "Defiksar del profil",
|
||||
"subscribed_languages.lead": "Solo publikasyones en linguas eskojidas se amostraran en tus linya de tiempo prinsipala i listas dempues del trokamiento. Eskoje dinguna para risivir publikasyones en todas las linguas.",
|
||||
"subscribed_languages.save": "Guadra trokamientos",
|
||||
"subscribed_languages.target": "Troka linguas abonadas para {target}",
|
||||
|
||||
@@ -26,6 +26,9 @@
|
||||
"account.edit_profile": "Redaguoti profilį",
|
||||
"account.enable_notifications": "Pranešti man, kai @{name} paskelbia",
|
||||
"account.endorse": "Rodyti profilyje",
|
||||
"account.featured": "Rodomi",
|
||||
"account.featured.hashtags": "Saitažodžiai",
|
||||
"account.featured.posts": "Įrašai",
|
||||
"account.featured_tags.last_status_at": "Paskutinis įrašas {date}",
|
||||
"account.featured_tags.last_status_never": "Nėra įrašų",
|
||||
"account.follow": "Sekti",
|
||||
@@ -54,6 +57,7 @@
|
||||
"account.open_original_page": "Atidaryti originalų puslapį",
|
||||
"account.posts": "Įrašai",
|
||||
"account.posts_with_replies": "Įrašai ir atsakymai",
|
||||
"account.remove_from_followers": "Šalinti {name} iš sekėjų",
|
||||
"account.report": "Pranešti apie @{name}",
|
||||
"account.requested": "Laukiama patvirtinimo. Spustelėk, kad atšauktum sekimo prašymą",
|
||||
"account.requested_follow": "{name} paprašė tave sekti",
|
||||
@@ -62,6 +66,7 @@
|
||||
"account.statuses_counter": "{count, plural, one {{counter} įrašas} few {{counter} įrašai} many {{counter} įrašo} other {{counter} įrašų}}",
|
||||
"account.unblock": "Atblokuoti @{name}",
|
||||
"account.unblock_domain": "Atblokuoti serverį {domain}",
|
||||
"account.unblock_domain_short": "Atblokuoti",
|
||||
"account.unblock_short": "Atblokuoti",
|
||||
"account.unendorse": "Nerodyti profilyje",
|
||||
"account.unfollow": "Nebesekti",
|
||||
@@ -157,7 +162,7 @@
|
||||
"column.lists": "Sąrašai",
|
||||
"column.mutes": "Nutildyti naudotojai",
|
||||
"column.notifications": "Pranešimai",
|
||||
"column.pins": "Prisegti įrašai",
|
||||
"column.pins": "Rodomi įrašai",
|
||||
"column.public": "Federacinė laiko skalė",
|
||||
"column_back_button.label": "Atgal",
|
||||
"column_header.hide_settings": "Slėpti nustatymus",
|
||||
@@ -223,6 +228,9 @@
|
||||
"confirmations.redraft.confirm": "Ištrinti ir iš naujo parengti",
|
||||
"confirmations.redraft.message": "Ar tikrai nori ištrinti šį įrašą ir parengti jį iš naujo? Bus prarasti mėgstami ir pasidalinimai, o atsakymai į originalų įrašą bus panaikinti.",
|
||||
"confirmations.redraft.title": "Ištrinti ir iš naujo parengti įrašą?",
|
||||
"confirmations.remove_from_followers.confirm": "Šalinti sekėją",
|
||||
"confirmations.remove_from_followers.message": "{name} nustos jus sekti. Ar tikrai norite tęsti?",
|
||||
"confirmations.remove_from_followers.title": "Šalinti sekėją?",
|
||||
"confirmations.reply.confirm": "Atsakyti",
|
||||
"confirmations.reply.message": "Atsakant dabar, bus perrašyta šiuo metu kuriama žinutė. Ar tikrai nori tęsti?",
|
||||
"confirmations.reply.title": "Perrašyti įrašą?",
|
||||
@@ -453,7 +461,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Atidaryti savo profilį",
|
||||
"keyboard_shortcuts.notifications": "Atidaryti pranešimų stulpelį",
|
||||
"keyboard_shortcuts.open_media": "Atidaryti mediją",
|
||||
"keyboard_shortcuts.pinned": "Atidaryti prisegtų įrašų sąrašą",
|
||||
"keyboard_shortcuts.pinned": "Atverti rodomų įrašų sąrašą",
|
||||
"keyboard_shortcuts.profile": "Atidaryti autoriaus (-ės) profilį",
|
||||
"keyboard_shortcuts.reply": "Atsakyti į įrašą",
|
||||
"keyboard_shortcuts.requests": "Atidaryti sekimo prašymų sąrašą",
|
||||
@@ -537,7 +545,7 @@
|
||||
"navigation_bar.mutes": "Nutildyti naudotojai",
|
||||
"navigation_bar.opened_in_classic_interface": "Įrašai, paskyros ir kiti konkretūs puslapiai pagal numatytuosius nustatymus atidaromi klasikinėje žiniatinklio sąsajoje.",
|
||||
"navigation_bar.personal": "Asmeninis",
|
||||
"navigation_bar.pins": "Prisegti įrašai",
|
||||
"navigation_bar.pins": "Rodomi įrašai",
|
||||
"navigation_bar.preferences": "Nuostatos",
|
||||
"navigation_bar.public_timeline": "Federacinė laiko skalė",
|
||||
"navigation_bar.search": "Ieškoti",
|
||||
@@ -823,8 +831,7 @@
|
||||
"status.mute": "Nutildyti @{name}",
|
||||
"status.mute_conversation": "Nutildyti pokalbį",
|
||||
"status.open": "Išplėsti šį įrašą",
|
||||
"status.pin": "Prisegti prie profilio",
|
||||
"status.pinned": "Prisegtas įrašas",
|
||||
"status.pin": "Rodyti profilyje",
|
||||
"status.read_more": "Skaityti daugiau",
|
||||
"status.reblog": "Pakelti",
|
||||
"status.reblog_private": "Pakelti su originaliu matomumu",
|
||||
@@ -848,7 +855,7 @@
|
||||
"status.translated_from_with": "Išversta iš {lang} naudojant {provider}.",
|
||||
"status.uncached_media_warning": "Peržiūra nepasiekiama.",
|
||||
"status.unmute_conversation": "Atšaukti pokalbio nutildymą",
|
||||
"status.unpin": "Atsegti iš profilio",
|
||||
"status.unpin": "Nerodyti profilyje",
|
||||
"subscribed_languages.lead": "Po pakeitimo tavo pagrindinėje ir sąrašo laiko skalėje bus rodomi tik įrašai pasirinktomis kalbomis. Jei nori gauti įrašus visomis kalbomis, pasirink nė vieno.",
|
||||
"subscribed_languages.save": "Išsaugoti pakeitimus",
|
||||
"subscribed_languages.target": "Keisti prenumeruojamas kalbas {target}",
|
||||
|
||||
@@ -158,7 +158,7 @@
|
||||
"column.lists": "Saraksti",
|
||||
"column.mutes": "Apklusinātie lietotāji",
|
||||
"column.notifications": "Paziņojumi",
|
||||
"column.pins": "Piespraustie ziņojumi",
|
||||
"column.pins": "Piedāvātās ziņas",
|
||||
"column.public": "Apvienotā laika līnija",
|
||||
"column_back_button.label": "Atpakaļ",
|
||||
"column_header.hide_settings": "Paslēpt iestatījumus",
|
||||
@@ -425,7 +425,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Atvērt savu profilu",
|
||||
"keyboard_shortcuts.notifications": "Atvērt paziņojumu kolonnu",
|
||||
"keyboard_shortcuts.open_media": "Atvērt multividi",
|
||||
"keyboard_shortcuts.pinned": "Atvērt piesprausto ierakstu sarakstu",
|
||||
"keyboard_shortcuts.pinned": "Atvērt piedāvāto ziņu sarakstu",
|
||||
"keyboard_shortcuts.profile": "Atvērt autora profilu",
|
||||
"keyboard_shortcuts.reply": "Atbildēt",
|
||||
"keyboard_shortcuts.requests": "Atvērt sekošanas pieprasījumu sarakstu",
|
||||
@@ -486,7 +486,7 @@
|
||||
"navigation_bar.mutes": "Apklusinātie lietotāji",
|
||||
"navigation_bar.opened_in_classic_interface": "Ieraksti, konti un citas noteiktas lapas pēc noklusējuma tiek atvērtas klasiskajā tīmekļa saskarnē.",
|
||||
"navigation_bar.personal": "Personīgie",
|
||||
"navigation_bar.pins": "Piespraustie ieraksti",
|
||||
"navigation_bar.pins": "Piedāvātās ziņas",
|
||||
"navigation_bar.preferences": "Iestatījumi",
|
||||
"navigation_bar.public_timeline": "Apvienotā laika līnija",
|
||||
"navigation_bar.search": "Meklēt",
|
||||
@@ -722,8 +722,7 @@
|
||||
"status.mute": "Apklusināt @{name}",
|
||||
"status.mute_conversation": "Apklusināt sarunu",
|
||||
"status.open": "Izvērst šo ierakstu",
|
||||
"status.pin": "Piespraust profilam",
|
||||
"status.pinned": "Piesprausts ieraksts",
|
||||
"status.pin": "Piedāvāt profilā",
|
||||
"status.read_more": "Lasīt vairāk",
|
||||
"status.reblog": "Pastiprināt",
|
||||
"status.reblog_private": "Pastiprināt ar sākotnējo redzamību",
|
||||
@@ -746,7 +745,7 @@
|
||||
"status.translated_from_with": "Tulkots no {lang} izmantojot {provider}",
|
||||
"status.uncached_media_warning": "Priekšskatījums nav pieejams",
|
||||
"status.unmute_conversation": "Noņemt sarunas apklusinājumu",
|
||||
"status.unpin": "Noņemt profila piespraudumu",
|
||||
"status.unpin": "Nepiedāvāt profilā",
|
||||
"subscribed_languages.lead": "Pēc izmaiņu veikšanas Tavā mājas un sarakstu laika līnijā tiks rādīti tikai ieraksti atlasītajās valodās. Neatlasīt nevienu, lai saņemtu ierakstus visās valodās.",
|
||||
"subscribed_languages.save": "Saglabāt izmaiņas",
|
||||
"subscribed_languages.target": "Mainīt abonētās valodas priekš {target}",
|
||||
|
||||
@@ -57,7 +57,6 @@
|
||||
"column.lists": "Листа",
|
||||
"column.mutes": "Заќутени корисници",
|
||||
"column.notifications": "Известувања",
|
||||
"column.pins": "Pinned toot",
|
||||
"column.public": "Федеративен времеплов",
|
||||
"column_back_button.label": "Назад",
|
||||
"column_header.hide_settings": "Скриј подесувања",
|
||||
@@ -148,7 +147,6 @@
|
||||
"keyboard_shortcuts.my_profile": "to open your profile",
|
||||
"keyboard_shortcuts.notifications": "to open notifications column",
|
||||
"keyboard_shortcuts.open_media": "to open media",
|
||||
"keyboard_shortcuts.pinned": "to open pinned toots list",
|
||||
"keyboard_shortcuts.profile": "to open author's profile",
|
||||
"keyboard_shortcuts.reply": "одговори",
|
||||
"keyboard_shortcuts.requests": "to open follow requests list",
|
||||
@@ -169,7 +167,6 @@
|
||||
"navigation_bar.logout": "Одјави се",
|
||||
"navigation_bar.mutes": "Заќутени корисници",
|
||||
"navigation_bar.personal": "Лично",
|
||||
"navigation_bar.pins": "Pinned toots",
|
||||
"navigation_bar.public_timeline": "Федеративен времеплов",
|
||||
"navigation_bar.security": "Безбедност",
|
||||
"not_signed_in_indicator.not_signed_in": "You need to sign in to access this resource.",
|
||||
@@ -216,7 +213,6 @@
|
||||
"status.copy": "Copy link to status",
|
||||
"status.edited_x_times": "Edited {count, plural, one {# time} other {# times}}",
|
||||
"status.open": "Expand this status",
|
||||
"status.pinned": "Pinned toot",
|
||||
"status.reblogs.empty": "No one has boosted this toot yet. When someone does, they will show up here.",
|
||||
"status.title.with_attachments": "{user} posted {attachmentCount, plural, one {an attachment} other {# attachments}}",
|
||||
"tabs_bar.home": "Дома",
|
||||
|
||||
@@ -93,7 +93,6 @@
|
||||
"column.lists": "പട്ടികകൾ",
|
||||
"column.mutes": "നിശബ്ദമാക്കപ്പെട്ട ഉപയോക്താക്കൾ",
|
||||
"column.notifications": "അറിയിപ്പുകൾ",
|
||||
"column.pins": "ഉറപ്പിച്ചു നിറുത്തിയിരിക്കുന്ന ടൂട്ടുകൾ",
|
||||
"column.public": "സംയുക്തമായ സമയരേഖ",
|
||||
"column_back_button.label": "പുറകിലേക്ക്",
|
||||
"column_header.hide_settings": "ക്രമീകരണങ്ങൾ മറയ്ക്കുക",
|
||||
@@ -249,7 +248,6 @@
|
||||
"keyboard_shortcuts.my_profile": "നിങ്ങളുടെ പ്രൊഫൈൽ തുറക്കാൻ",
|
||||
"keyboard_shortcuts.notifications": "to open notifications column",
|
||||
"keyboard_shortcuts.open_media": "മീഡിയ തുറക്കാൻ",
|
||||
"keyboard_shortcuts.pinned": "to open pinned toots list",
|
||||
"keyboard_shortcuts.profile": "രചയിതാവിന്റെ പ്രൊഫൈൽ തുറക്കുന്നതിന്",
|
||||
"keyboard_shortcuts.reply": "മറുപടി അയക്കാൻ",
|
||||
"keyboard_shortcuts.requests": "to open follow requests list",
|
||||
@@ -283,7 +281,6 @@
|
||||
"navigation_bar.logout": "ലോഗൗട്ട്",
|
||||
"navigation_bar.mutes": "നിശബ്ദമാക്കപ്പെട്ട ഉപയോക്താക്കൾ",
|
||||
"navigation_bar.personal": "സ്വകാര്യ",
|
||||
"navigation_bar.pins": "Pinned toots",
|
||||
"navigation_bar.preferences": "ക്രമീകരണങ്ങൾ",
|
||||
"navigation_bar.search": "തിരയുക",
|
||||
"navigation_bar.security": "സുരക്ഷ",
|
||||
@@ -373,8 +370,6 @@
|
||||
"status.more": "കൂടുതൽ",
|
||||
"status.mute": "@{name}-നെ നിശ്ശബ്ദമാക്കുക",
|
||||
"status.open": "Expand this status",
|
||||
"status.pin": "പ്രൊഫൈലിൽ പിൻ ചെയ്യൂ",
|
||||
"status.pinned": "Pinned toot",
|
||||
"status.read_more": "കൂടുതൽ വായിക്കുക",
|
||||
"status.reblog": "ബൂസ്റ്റ്",
|
||||
"status.reblogged_by": "{name} ബൂസ്റ്റ് ചെയ്തു",
|
||||
|
||||
@@ -81,7 +81,6 @@
|
||||
"column.lists": "याद्या",
|
||||
"column.mutes": "नि: शब्द खातेधारक",
|
||||
"column.notifications": "सूचना",
|
||||
"column.pins": "Pinned toot",
|
||||
"column_back_button.label": "मागे",
|
||||
"column_header.hide_settings": "सेटिंग लपवा",
|
||||
"column_header.moveLeft_settings": "स्तंभ डावीकडे सरकवा",
|
||||
@@ -148,7 +147,6 @@
|
||||
"keyboard_shortcuts.my_profile": "to open your profile",
|
||||
"keyboard_shortcuts.notifications": "to open notifications column",
|
||||
"keyboard_shortcuts.open_media": "to open media",
|
||||
"keyboard_shortcuts.pinned": "to open pinned toots list",
|
||||
"keyboard_shortcuts.profile": "to open author's profile",
|
||||
"keyboard_shortcuts.reply": "to reply",
|
||||
"keyboard_shortcuts.requests": "to open follow requests list",
|
||||
@@ -173,7 +171,6 @@
|
||||
"load_pending": "{count, plural, one {# new item} other {# new items}}",
|
||||
"navigation_bar.compose": "Compose new toot",
|
||||
"navigation_bar.domain_blocks": "Hidden domains",
|
||||
"navigation_bar.pins": "Pinned toots",
|
||||
"not_signed_in_indicator.not_signed_in": "You need to sign in to access this resource.",
|
||||
"notification.reblog": "{name} boosted your status",
|
||||
"notifications.column_settings.push": "सूचना",
|
||||
@@ -201,7 +198,6 @@
|
||||
"status.copy": "Copy link to status",
|
||||
"status.edited_x_times": "Edited {count, plural, one {# time} other {# times}}",
|
||||
"status.open": "Expand this status",
|
||||
"status.pinned": "Pinned toot",
|
||||
"status.reblogs.empty": "No one has boosted this toot yet. When someone does, they will show up here.",
|
||||
"status.title.with_attachments": "{user} posted {attachmentCount, plural, one {an attachment} other {# attachments}}",
|
||||
"trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} in the past {days, plural, one {day} other {# days}}",
|
||||
|
||||
@@ -158,7 +158,6 @@
|
||||
"column.lists": "Senarai",
|
||||
"column.mutes": "Pengguna teredam",
|
||||
"column.notifications": "Pemberitahuan",
|
||||
"column.pins": "Hantaran disemat",
|
||||
"column.public": "Garis masa bersekutu",
|
||||
"column_back_button.label": "Kembali",
|
||||
"column_header.hide_settings": "Sembunyikan tetapan",
|
||||
@@ -408,7 +407,6 @@
|
||||
"keyboard_shortcuts.my_profile": "to open your profile",
|
||||
"keyboard_shortcuts.notifications": "to open notifications column",
|
||||
"keyboard_shortcuts.open_media": "to open media",
|
||||
"keyboard_shortcuts.pinned": "Buka senarai hantaran tersemat",
|
||||
"keyboard_shortcuts.profile": "to open author's profile",
|
||||
"keyboard_shortcuts.reply": "to reply",
|
||||
"keyboard_shortcuts.requests": "Buka senarai permintaan ikutan",
|
||||
@@ -457,7 +455,6 @@
|
||||
"navigation_bar.mutes": "Pengguna teredam",
|
||||
"navigation_bar.opened_in_classic_interface": "Kiriman, akaun dan halaman tertentu yang lain dibuka secara lalai di antara muka web klasik.",
|
||||
"navigation_bar.personal": "Peribadi",
|
||||
"navigation_bar.pins": "Hantaran disemat",
|
||||
"navigation_bar.preferences": "Keutamaan",
|
||||
"navigation_bar.public_timeline": "Garis masa bersekutu",
|
||||
"navigation_bar.search": "Cari",
|
||||
@@ -655,8 +652,6 @@
|
||||
"status.mute": "Redamkan @{name}",
|
||||
"status.mute_conversation": "Redamkan perbualan",
|
||||
"status.open": "Kembangkan hantaran ini",
|
||||
"status.pin": "Semat di profil",
|
||||
"status.pinned": "Hantaran disemat",
|
||||
"status.read_more": "Baca lagi",
|
||||
"status.reblog": "Galakkan",
|
||||
"status.reblog_private": "Galakkan dengan ketampakan asal",
|
||||
@@ -680,7 +675,6 @@
|
||||
"status.translated_from_with": "Diterjemah daripada {lang} dengan {provider}",
|
||||
"status.uncached_media_warning": "Pratonton tidak tersedia",
|
||||
"status.unmute_conversation": "Nyahredamkan perbualan",
|
||||
"status.unpin": "Nyahsemat daripada profil",
|
||||
"subscribed_languages.lead": "Hanya hantaran dalam bahasa-bahasa terpilih akan dipaparkan pada garis masa rumah dan senarai selepas perubahan. Pilih tiada untuk menerima hantaran dalam semua bahasa.",
|
||||
"subscribed_languages.save": "Simpan perubahan",
|
||||
"subscribed_languages.target": "Tukar bahasa-bahasa dilanggan untuk {target}",
|
||||
|
||||
@@ -111,7 +111,6 @@
|
||||
"column.lists": "စာရင်းများ",
|
||||
"column.mutes": "မပေါ်အောင်ပိတ်ထားသောအသုံးပြုသူများ",
|
||||
"column.notifications": "အသိပေးချက်များ",
|
||||
"column.pins": "Pinned post",
|
||||
"column.public": "အားလုံးဖတ်နိုင်သောအချိန်ဇယား",
|
||||
"column_back_button.label": "နောက်သို့",
|
||||
"column_header.hide_settings": "ဆက်တင်များကို ဖျောက်ပါ။",
|
||||
@@ -307,7 +306,6 @@
|
||||
"keyboard_shortcuts.my_profile": "to open your profile",
|
||||
"keyboard_shortcuts.notifications": "to open notifications column",
|
||||
"keyboard_shortcuts.open_media": "to open media",
|
||||
"keyboard_shortcuts.pinned": "to open pinned posts list",
|
||||
"keyboard_shortcuts.profile": "to open author's profile",
|
||||
"keyboard_shortcuts.reply": "to reply",
|
||||
"keyboard_shortcuts.requests": "to open follow requests list",
|
||||
@@ -353,7 +351,6 @@
|
||||
"navigation_bar.mutes": "အသုံးပြုသူများကို ပိတ်ထားပါ",
|
||||
"navigation_bar.opened_in_classic_interface": "ပို့စ်များ၊ အကောင့်များနှင့် အခြားသီးခြားစာမျက်နှာများကို classic ဝဘ်အင်တာဖေ့စ်တွင် ဖွင့်ထားသည်။",
|
||||
"navigation_bar.personal": "ကိုယ်ရေးကိုယ်တာ",
|
||||
"navigation_bar.pins": "ပင်တွဲထားသောပို့စ်များ",
|
||||
"navigation_bar.preferences": "စိတ်ကြိုက်သတ်မှတ်ချက်များ",
|
||||
"navigation_bar.public_timeline": "ဖက်ဒီစာမျက်နှာ",
|
||||
"navigation_bar.search": "ရှာရန်",
|
||||
@@ -542,8 +539,6 @@
|
||||
"status.mute": "@{name} ကို ပိတ်ထားရန်",
|
||||
"status.mute_conversation": "စကားဝိုင်းကို ပိတ်ထားရန်",
|
||||
"status.open": "ပို့စ်ကိုချဲ့ထွင်မည်",
|
||||
"status.pin": "ပရိုဖိုင်တွင် ပင်ထားပါ",
|
||||
"status.pinned": "ပင်တွဲထားသောပို့စ်",
|
||||
"status.read_more": "ပိုမိုဖတ်ရှုရန်",
|
||||
"status.reblog": "Boost",
|
||||
"status.reblog_private": "မူရင်းပုံစံဖြင့် Boost လုပ်ပါ",
|
||||
@@ -565,7 +560,6 @@
|
||||
"status.translated_from_with": "{provider} ကို အသုံးပြု၍ {lang} မှ ဘာသာပြန်ထားသည်",
|
||||
"status.uncached_media_warning": "အစမ်းကြည့်ရှုခြင်း မရနိုင်ပါ",
|
||||
"status.unmute_conversation": "စကားဝိုင်းကို ပိတ်ထားရန်",
|
||||
"status.unpin": "ပရိုဖိုင်မှ ပင်ဖြုတ်ပါ။",
|
||||
"subscribed_languages.lead": "ပြောင်းလဲပြီးနောက် ရွေးချယ်ထားသော ဘာသာစကားများ၏ ပို့စ်များကိုသာ သင့် ပင်မစာမျက်နှာနှင့် စာရင်းစာမျက်နှာတွင်သာ ပေါ်လာမည်ဖြစ်ပါသည်။ ဘာသာစကားအားလုံး၏ ပို့စ်များအား ကြည့်ရှုလိုပါက အပြောင်းအလဲမပြုလုပ်ပါနှင့်။",
|
||||
"subscribed_languages.save": "ပြောင်းလဲမှုများကို သိမ်းဆည်းပါ",
|
||||
"subscribed_languages.target": "{target} အတွက် စာရင်းသွင်းထားသော ဘာသာစကားများကို ပြောင်းပါ",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "列單",
|
||||
"column.mutes": "消音ê用者",
|
||||
"column.notifications": "通知",
|
||||
"column.pins": "釘起來ê PO文",
|
||||
"column.pins": "特色ê PO文",
|
||||
"column.public": "聯邦ê時間線",
|
||||
"column_back_button.label": "頂頁",
|
||||
"column_header.hide_settings": "Khàm掉設定",
|
||||
@@ -304,6 +304,9 @@
|
||||
"emoji_button.search_results": "Tshiau-tshuē ê結果",
|
||||
"emoji_button.symbols": "符號",
|
||||
"emoji_button.travel": "旅行kap地點",
|
||||
"empty_column.account_featured.me": "Lí iáu無任何ê特色內容。Lí kám知影lí ē當kā lí ê PO文、tsia̍p-tsia̍p用ê hashtag,甚至是朋友ê口座揀做特色ê內容,khǹg佇lí ê個人資料內底?",
|
||||
"empty_column.account_featured.other": "{acct} iáu無任何ê特色內容。Lí kám知影lí ē當kā lí ê PO文、tsia̍p-tsia̍p用ê hashtag,甚至是朋友ê口座揀做特色ê內容,khǹg佇lí ê個人資料內底?",
|
||||
"empty_column.account_featured_other.unknown": "Tsit ê口座iáu無任何ê特色內容。",
|
||||
"empty_column.account_hides_collections": "Tsit位用者選擇無愛公開tsit ê資訊",
|
||||
"empty_column.account_suspended": "口座已經受停止",
|
||||
"empty_column.account_timeline": "Tsia無PO文!",
|
||||
@@ -474,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Phah開lí ê個人資料",
|
||||
"keyboard_shortcuts.notifications": "Phah開通知欄",
|
||||
"keyboard_shortcuts.open_media": "Phah開媒體",
|
||||
"keyboard_shortcuts.pinned": "Phah開釘起來ê PO文列單",
|
||||
"keyboard_shortcuts.pinned": "拍開特色ê PO文ê列單",
|
||||
"keyboard_shortcuts.profile": "Phah開作者ê個人資料",
|
||||
"keyboard_shortcuts.reply": "回應PO文",
|
||||
"keyboard_shortcuts.requests": "Phah開跟tuè請求ê列單",
|
||||
@@ -558,7 +561,7 @@
|
||||
"navigation_bar.mutes": "消音ê用者",
|
||||
"navigation_bar.opened_in_classic_interface": "PO文、口座kap其他指定ê頁面,預設ē佇經典ê網頁界面內phah開。",
|
||||
"navigation_bar.personal": "個人",
|
||||
"navigation_bar.pins": "釘起來ê PO文",
|
||||
"navigation_bar.pins": "特色ê PO文",
|
||||
"navigation_bar.preferences": "偏愛ê設定",
|
||||
"navigation_bar.public_timeline": "聯邦ê時間線",
|
||||
"navigation_bar.search": "Tshiau-tshuē",
|
||||
@@ -593,11 +596,58 @@
|
||||
"notification.moderation_warning.action_disable": "Lí ê口座hōo lâng停止使用ah。",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "Lí ê一寡PO文,hōo lâng標做敏感ê內容。",
|
||||
"notification.moderation_warning.action_none": "Lí ê口座有收著審核ê警告。",
|
||||
"notification.moderation_warning.action_sensitive": "Tuì tsit-má開始,lí êPO文ē標做敏感ê內容。",
|
||||
"notification.moderation_warning.action_silence": "Lí ê口座hōo lâng限制ah。",
|
||||
"notification.moderation_warning.action_suspend": "Lí ê口座已經受停權。",
|
||||
"notification.own_poll": "Lí ê投票結束ah",
|
||||
"notification.poll": "Lí bat投ê投票結束ah",
|
||||
"notification.reblog": "{name} 轉送lí ê PO文",
|
||||
"notification.reblog.name_and_others_with_link": "{name} kap<a>{count, plural, other {另外 # ê lâng}}</a>轉送lí ê PO文",
|
||||
"notification.relationships_severance_event": "Kap {name} ê結連無去",
|
||||
"notification.relationships_severance_event.account_suspension": "{from} ê管理員kā {target} 停權ah,意思是lí bē koh再接受tuì in 來ê更新,á是hām in互動。",
|
||||
"notification.relationships_severance_event.domain_block": "{from} ê 管理員kā {target} 封鎖ah,包含 {followersCount} 位跟tuè lí ê lâng,kap {followingCount, plural, other {#}} 位lí跟tuè ê口座。",
|
||||
"notification.relationships_severance_event.learn_more": "看詳細",
|
||||
"notification.relationships_severance_event.user_domain_block": "Lí已經kā {target} 封鎖ah,ē suá走 {followersCount} 位跟tuè lí ê lâng,kap {followingCount, plural, other {#}} 位lí跟tuè ê口座。",
|
||||
"notification.status": "{name} tú-á PO",
|
||||
"notification.update": "{name}有編輯PO文",
|
||||
"notification_requests.accept": "接受",
|
||||
"notification_requests.accept_multiple": "{count, plural, other {接受 # ê請求……}}",
|
||||
"notification_requests.confirm_accept_multiple.button": "{count, plural, other {接受請求}}",
|
||||
"notification_requests.confirm_accept_multiple.message": "Lí teh-beh接受 {count, plural, other {# ê 通知ê請求}}。Lí kám確定beh繼續?",
|
||||
"notification_requests.confirm_accept_multiple.title": "接受通知ê請求?",
|
||||
"notification_requests.confirm_dismiss_multiple.button": "{count, plural, other {忽略請求}}",
|
||||
"notification_requests.confirm_dismiss_multiple.message": "Lí teh-beh忽略 {count, plural, other {# ê 通知ê請求}}。Lí bē當koh容易the̍h著{count, plural, other {tsiah-ê}} 通知。Lí kám確定beh繼續?",
|
||||
"notification_requests.confirm_dismiss_multiple.title": "忽略通知ê請求?",
|
||||
"notification_requests.dismiss": "忽略",
|
||||
"notification_requests.dismiss_multiple": "{count, plural, other {忽略 # ê請求……}}",
|
||||
"notification_requests.edit_selection": "編輯",
|
||||
"notification_requests.exit_selection": "做好ah",
|
||||
"notification_requests.explainer_for_limited_account": "因為管理員限制tsit ê口座,tuì tsit ê口座來ê通知已經hōo過濾ah。",
|
||||
"notification_requests.explainer_for_limited_remote_account": "因為管理員限制tsit ê口座á是伊ê服侍器,tuì tsit ê口座來ê通知已經hōo過濾ah。",
|
||||
"notification_requests.maximize": "上大化",
|
||||
"notification_requests.minimize_banner": "上細化受過濾ê通知ê條á",
|
||||
"notification_requests.notifications_from": "Tuì {name} 來ê通知",
|
||||
"notification_requests.title": "受過濾ê通知",
|
||||
"notification_requests.view": "看通知",
|
||||
"notifications.clear": "清掉通知",
|
||||
"notifications.clear_confirmation": "Lí kám確定beh永永清掉lí所有ê通知?",
|
||||
"notifications.clear_title": "清掉通知?",
|
||||
"notifications.column_settings.admin.report": "新ê檢舉:",
|
||||
"notifications.column_settings.admin.sign_up": "新註冊ê口座:",
|
||||
"notifications.column_settings.alert": "桌面ê通知",
|
||||
"notifications.column_settings.favourite": "收藏:",
|
||||
"notifications.column_settings.filter_bar.advanced": "顯示逐ê類別",
|
||||
"notifications.column_settings.filter_bar.category": "快速ê過濾器",
|
||||
"notifications.column_settings.follow": "新ê跟tuè者:",
|
||||
"notifications.column_settings.follow_request": "新ê跟tuè請求:",
|
||||
"notifications.column_settings.group": "群組",
|
||||
"notifications.column_settings.mention": "提起:",
|
||||
"notifications.column_settings.poll": "投票ê結果:",
|
||||
"notifications.column_settings.push": "Sak通知",
|
||||
"notifications.column_settings.reblog": "轉送:",
|
||||
"notifications.column_settings.show": "佇欄內底顯示",
|
||||
"notifications.column_settings.sound": "播放聲音",
|
||||
"notifications.column_settings.status": "新ê PO文:",
|
||||
"notifications.column_settings.unread_notifications.category": "Iáu bē讀ê通知",
|
||||
"notifications.column_settings.unread_notifications.highlight": "強調iáu bē讀ê通知",
|
||||
"notifications.column_settings.update": "編輯:",
|
||||
@@ -613,6 +663,65 @@
|
||||
"notifications.mark_as_read": "Kā ta̍k條通知lóng標做有讀",
|
||||
"notifications.permission_denied": "因為khah早有拒絕瀏覽器權限ê請求,桌面通知bē當用。",
|
||||
"notifications.permission_denied_alert": "桌面通知bē當phah開來用,因為khah早瀏覽器ê權限受拒絕",
|
||||
"notifications.permission_required": "因為需要ê權限iáu無提供,桌面通知bē當用。",
|
||||
"notifications.policy.accept": "接受",
|
||||
"notifications.policy.accept_hint": "佇通知內底顯示",
|
||||
"notifications.policy.drop": "忽略",
|
||||
"notifications.policy.drop_hint": "送去虛空,bē koh看見",
|
||||
"notifications.policy.filter": "過濾器",
|
||||
"notifications.policy.filter_hint": "送kàu受過濾ê通知ê收件kheh-á",
|
||||
"notifications.policy.filter_limited_accounts_title": "受管制ê口座",
|
||||
"notifications.policy.filter_new_accounts_title": "新ê口座",
|
||||
"notifications_permission_banner.title": "逐ê著看",
|
||||
"onboarding.follows.back": "轉去",
|
||||
"onboarding.follows.done": "做好ah",
|
||||
"onboarding.follows.search": "Tshiau-tshuē",
|
||||
"onboarding.profile.display_name": "顯示ê名",
|
||||
"onboarding.profile.display_name_hint": "Lí ê全名á是別號……",
|
||||
"onboarding.profile.note": "個人紹介",
|
||||
"onboarding.profile.note_hint": "Lí ē當 @mention 別lâng á是用 #hashtag……",
|
||||
"onboarding.profile.save_and_continue": "儲存了後繼續",
|
||||
"onboarding.profile.title": "個人資料ê設定",
|
||||
"poll.closed": "關ah",
|
||||
"poll.refresh": "Koh更新",
|
||||
"poll.reveal": "看結果",
|
||||
"poll.total_people": "{count, plural, other {# ê人}}",
|
||||
"poll.total_votes": "{count, plural, other {# 張票}}",
|
||||
"poll.vote": "投票",
|
||||
"poll.voted": "Lí kā tse投票ah",
|
||||
"poll.votes": "{votes, plural, other {# 張票}}",
|
||||
"poll_button.add_poll": "加投票",
|
||||
"poll_button.remove_poll": "Thâi掉投票",
|
||||
"privacy.change": "改變PO文公開ê範圍",
|
||||
"privacy.direct.long": "逐位tsit篇PO文所提起ê",
|
||||
"privacy.direct.short": "私人ê提起",
|
||||
"privacy.private.long": "Kan-ta hōo跟tuè lí ê看",
|
||||
"privacy.private.short": "跟tuè lí ê",
|
||||
"privacy.public.long": "逐ê lâng(無論佇Mastodon以內á是以外)",
|
||||
"privacy.public.short": "公開ê",
|
||||
"refresh": "Koh更新",
|
||||
"regeneration_indicator.please_stand_by": "請sió等leh。",
|
||||
"regeneration_indicator.preparing_your_home_feed": "Leh準備lí ê厝ê時間線……",
|
||||
"relative_time.days": "{number} kang進前",
|
||||
"relative_time.full.days": "{number, plural, other {# kang}}進前",
|
||||
"relative_time.full.hours": "{number, plural, other {# 點鐘}}進前",
|
||||
"relative_time.full.just_now": "頭tú-á",
|
||||
"relative_time.full.minutes": "{number, plural, other {# 分鐘}}進前",
|
||||
"relative_time.full.seconds": "{number, plural, other {# 秒}}進前",
|
||||
"relative_time.hours": "{number}點鐘前",
|
||||
"report.next": "繼續",
|
||||
"report.placeholder": "其他ê註釋",
|
||||
"report.reasons.dislike": "我無kah意",
|
||||
"report.reasons.dislike_description": "Tse是lí無愛看ê",
|
||||
"report.reasons.legal": "Tse無合法",
|
||||
"report.reasons.legal_description": "Lí相信伊違反lí ê國,á是服侍器所tiàm ê國ê法律",
|
||||
"report.reasons.other": "其他原因",
|
||||
"report.reasons.other_description": "Tsit ê問題bē當歸tī其他ê類別",
|
||||
"report.reasons.spam": "Tse是pùn-sò訊息",
|
||||
"report.reasons.spam_description": "Pháinn意ê連結、假互動,á是重複ê回應",
|
||||
"report.reasons.violation": "伊違反服侍器ê規定",
|
||||
"report.reasons.violation_description": "Lí明知伊違反特定ê規定",
|
||||
"report.rules.subtitle": "請揀所有符合ê選項",
|
||||
"search_popout.language_code": "ISO語言代碼",
|
||||
"status.translated_from_with": "用 {provider} 翻譯 {lang}"
|
||||
}
|
||||
|
||||
@@ -96,7 +96,6 @@
|
||||
"column.lists": "सूचीहरू",
|
||||
"column.mutes": "म्यूट गरिएका प्रयोगकर्ताहरू",
|
||||
"column.notifications": "सूचनाहरू",
|
||||
"column.pins": "पिन गरिएका पोस्टहरू",
|
||||
"column_header.hide_settings": "सेटिङ्हरू लुकाउनुहोस्",
|
||||
"column_header.pin": "पिन गर्नुहोस्",
|
||||
"column_header.unpin": "अनपिन गर्नुहोस्",
|
||||
|
||||
@@ -168,7 +168,7 @@
|
||||
"column.lists": "Lijsten",
|
||||
"column.mutes": "Genegeerde gebruikers",
|
||||
"column.notifications": "Meldingen",
|
||||
"column.pins": "Vastgezette berichten",
|
||||
"column.pins": "Uitgelichte berichten",
|
||||
"column.public": "Globale tijdlijn",
|
||||
"column_back_button.label": "Terug",
|
||||
"column_header.hide_settings": "Instellingen verbergen",
|
||||
@@ -477,7 +477,7 @@
|
||||
"keyboard_shortcuts.my_profile": "Jouw profiel tonen",
|
||||
"keyboard_shortcuts.notifications": "Meldingen tonen",
|
||||
"keyboard_shortcuts.open_media": "Media openen",
|
||||
"keyboard_shortcuts.pinned": "Jouw vastgemaakte berichten tonen",
|
||||
"keyboard_shortcuts.pinned": "Lijst met uitgelichte berichten openen",
|
||||
"keyboard_shortcuts.profile": "Gebruikersprofiel auteur openen",
|
||||
"keyboard_shortcuts.reply": "Reageren",
|
||||
"keyboard_shortcuts.requests": "Jouw volgverzoeken tonen",
|
||||
@@ -561,7 +561,7 @@
|
||||
"navigation_bar.mutes": "Genegeerde gebruikers",
|
||||
"navigation_bar.opened_in_classic_interface": "Berichten, accounts en andere specifieke pagina’s, worden standaard geopend in de klassieke webinterface.",
|
||||
"navigation_bar.personal": "Persoonlijk",
|
||||
"navigation_bar.pins": "Vastgemaakte berichten",
|
||||
"navigation_bar.pins": "Uitgelichte berichten",
|
||||
"navigation_bar.preferences": "Instellingen",
|
||||
"navigation_bar.public_timeline": "Globale tijdlijn",
|
||||
"navigation_bar.search": "Zoeken",
|
||||
@@ -857,8 +857,7 @@
|
||||
"status.mute": "@{name} negeren",
|
||||
"status.mute_conversation": "Gesprek negeren",
|
||||
"status.open": "Volledig bericht tonen",
|
||||
"status.pin": "Aan profielpagina vastmaken",
|
||||
"status.pinned": "Vastgemaakt bericht",
|
||||
"status.pin": "Uitlichten op profiel",
|
||||
"status.read_more": "Meer lezen",
|
||||
"status.reblog": "Boosten",
|
||||
"status.reblog_private": "Boost naar oorspronkelijke ontvangers",
|
||||
@@ -883,7 +882,7 @@
|
||||
"status.translated_from_with": "Vertaald vanuit het {lang} met behulp van {provider}",
|
||||
"status.uncached_media_warning": "Voorvertoning niet beschikbaar",
|
||||
"status.unmute_conversation": "Gesprek niet langer negeren",
|
||||
"status.unpin": "Van profielpagina losmaken",
|
||||
"status.unpin": "Niet uitlichten op profiel",
|
||||
"subscribed_languages.lead": "Na de wijziging worden alleen berichten van geselecteerde talen op jouw starttijdlijn en in lijsten weergegeven.",
|
||||
"subscribed_languages.save": "Wijzigingen opslaan",
|
||||
"subscribed_languages.target": "Getoonde talen voor {target} wijzigen",
|
||||
|
||||
@@ -168,7 +168,6 @@
|
||||
"column.lists": "Lister",
|
||||
"column.mutes": "Målbundne brukarar",
|
||||
"column.notifications": "Varsel",
|
||||
"column.pins": "Festa tut",
|
||||
"column.public": "Samla tidsline",
|
||||
"column_back_button.label": "Attende",
|
||||
"column_header.hide_settings": "Gøym innstillingane",
|
||||
@@ -477,7 +476,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Opne profilen din",
|
||||
"keyboard_shortcuts.notifications": "Opne varselkolonna",
|
||||
"keyboard_shortcuts.open_media": "Opne media",
|
||||
"keyboard_shortcuts.pinned": "Opne lista over festa tut",
|
||||
"keyboard_shortcuts.profile": "Opne forfattaren sin profil",
|
||||
"keyboard_shortcuts.reply": "Svar på innlegg",
|
||||
"keyboard_shortcuts.requests": "Opne lista med fylgjeførespurnader",
|
||||
@@ -561,7 +559,6 @@
|
||||
"navigation_bar.mutes": "Målbundne brukarar",
|
||||
"navigation_bar.opened_in_classic_interface": "Innlegg, kontoar, og enkelte andre sider blir opna som standard i det klassiske webgrensesnittet.",
|
||||
"navigation_bar.personal": "Personleg",
|
||||
"navigation_bar.pins": "Festa tut",
|
||||
"navigation_bar.preferences": "Innstillingar",
|
||||
"navigation_bar.public_timeline": "Føderert tidsline",
|
||||
"navigation_bar.search": "Søk",
|
||||
@@ -857,8 +854,6 @@
|
||||
"status.mute": "Demp @{name}",
|
||||
"status.mute_conversation": "Demp samtale",
|
||||
"status.open": "Utvid denne statusen",
|
||||
"status.pin": "Fest på profil",
|
||||
"status.pinned": "Festa tut",
|
||||
"status.read_more": "Les meir",
|
||||
"status.reblog": "Framhev",
|
||||
"status.reblog_private": "Framhev til dei originale mottakarane",
|
||||
@@ -883,7 +878,6 @@
|
||||
"status.translated_from_with": "Omsett frå {lang} ved bruk av {provider}",
|
||||
"status.uncached_media_warning": "Førehandsvisning er ikkje tilgjengeleg",
|
||||
"status.unmute_conversation": "Opphev demping av samtalen",
|
||||
"status.unpin": "Løys frå profil",
|
||||
"subscribed_languages.lead": "Kun innlegg på valde språk vil bli dukke opp i heimestraumen din og i listene dine etter denne endringa. For å motta innlegg på alle språk, la vere å velje nokon.",
|
||||
"subscribed_languages.save": "Lagre endringar",
|
||||
"subscribed_languages.target": "Endre abonnerte språk for {target}",
|
||||
|
||||
@@ -151,7 +151,6 @@
|
||||
"column.lists": "Lister",
|
||||
"column.mutes": "Dempede brukere",
|
||||
"column.notifications": "Varsler",
|
||||
"column.pins": "Festede innlegg",
|
||||
"column.public": "Felles tidslinje",
|
||||
"column_back_button.label": "Tilbake",
|
||||
"column_header.hide_settings": "Skjul innstillinger",
|
||||
@@ -427,7 +426,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Åpne profilen din",
|
||||
"keyboard_shortcuts.notifications": "Åpne varslingskolonnen",
|
||||
"keyboard_shortcuts.open_media": "Åpne media",
|
||||
"keyboard_shortcuts.pinned": "Åpne listen over festede innlegg",
|
||||
"keyboard_shortcuts.profile": "Åpne forfatterens profil",
|
||||
"keyboard_shortcuts.reply": "Svar på innlegg",
|
||||
"keyboard_shortcuts.requests": "Åpne listen over følgeforespørsler",
|
||||
@@ -495,7 +493,6 @@
|
||||
"navigation_bar.mutes": "Dempede brukere",
|
||||
"navigation_bar.opened_in_classic_interface": "Innlegg, kontoer og andre spesifikke sider åpnes som standard i det klassiske webgrensesnittet.",
|
||||
"navigation_bar.personal": "Personlig",
|
||||
"navigation_bar.pins": "Festede innlegg",
|
||||
"navigation_bar.preferences": "Innstillinger",
|
||||
"navigation_bar.public_timeline": "Felles tidslinje",
|
||||
"navigation_bar.search": "Søk",
|
||||
@@ -732,8 +729,6 @@
|
||||
"status.mute": "Demp @{name}",
|
||||
"status.mute_conversation": "Demp samtale",
|
||||
"status.open": "Utvid dette innlegget",
|
||||
"status.pin": "Fest på profilen",
|
||||
"status.pinned": "Festet innlegg",
|
||||
"status.read_more": "Les mer",
|
||||
"status.reblog": "Fremhev",
|
||||
"status.reblog_private": "Fremhev til det opprinnelige publikummet",
|
||||
@@ -755,7 +750,6 @@
|
||||
"status.translated_from_with": "Oversatt fra {lang} ved å bruke {provider}",
|
||||
"status.uncached_media_warning": "Forhåndsvisning er ikke tilgjengelig",
|
||||
"status.unmute_conversation": "Ikke demp samtale",
|
||||
"status.unpin": "Angre festing på profilen",
|
||||
"subscribed_languages.lead": "Bare innlegg på valgte språk vil dukke opp i dine hjem- og liste-tidslinjer etter endringen. Velg ingen for å motta innlegg på alle språk.",
|
||||
"subscribed_languages.save": "Lagre endringer",
|
||||
"subscribed_languages.target": "Endre abonnerte språk for {target}",
|
||||
|
||||
@@ -108,7 +108,6 @@
|
||||
"column.lists": "Listas",
|
||||
"column.mutes": "Personas rescondudas",
|
||||
"column.notifications": "Notificacions",
|
||||
"column.pins": "Tuts penjats",
|
||||
"column.public": "Flux public global",
|
||||
"column_back_button.label": "Tornar",
|
||||
"column_header.hide_settings": "Amagar los paramètres",
|
||||
@@ -291,7 +290,6 @@
|
||||
"keyboard_shortcuts.my_profile": "dobrir vòstre perfil",
|
||||
"keyboard_shortcuts.notifications": "dobrir la colomna de notificacions",
|
||||
"keyboard_shortcuts.open_media": "dobrir lo mèdia",
|
||||
"keyboard_shortcuts.pinned": "dobrir la lista dels tuts penjats",
|
||||
"keyboard_shortcuts.profile": "dobrir lo perfil de l’autor",
|
||||
"keyboard_shortcuts.reply": "respondre",
|
||||
"keyboard_shortcuts.requests": "dorbir la lista de demanda d’abonament",
|
||||
@@ -335,7 +333,6 @@
|
||||
"navigation_bar.logout": "Desconnexion",
|
||||
"navigation_bar.mutes": "Personas rescondudas",
|
||||
"navigation_bar.personal": "Personal",
|
||||
"navigation_bar.pins": "Tuts penjats",
|
||||
"navigation_bar.preferences": "Preferéncias",
|
||||
"navigation_bar.public_timeline": "Flux public global",
|
||||
"navigation_bar.search": "Recercar",
|
||||
@@ -493,8 +490,6 @@
|
||||
"status.mute": "Rescondre @{name}",
|
||||
"status.mute_conversation": "Rescondre la conversacion",
|
||||
"status.open": "Desplegar aqueste estatut",
|
||||
"status.pin": "Penjar al perfil",
|
||||
"status.pinned": "Tut penjat",
|
||||
"status.read_more": "Ne legir mai",
|
||||
"status.reblog": "Partejar",
|
||||
"status.reblog_private": "Partejar a l’audiéncia d’origina",
|
||||
@@ -516,7 +511,6 @@
|
||||
"status.translated_from_with": "Traduch del {lang} amb {provider}",
|
||||
"status.uncached_media_warning": "Apercebut indisponible",
|
||||
"status.unmute_conversation": "Tornar mostrar la conversacion",
|
||||
"status.unpin": "Tirar del perfil",
|
||||
"subscribed_languages.lead": "Sonque las publicacions dins las lengas seleccionadas apreissaràn dins vòstre acuèlh e linha cronologica aprèp aqueste cambiament. Seleccionatz pas res per recebre las publicacions en quina lenga que siá.",
|
||||
"subscribed_languages.save": "Salvar los cambiaments",
|
||||
"subscribed_languages.target": "Lengas d’abonaments cambiadas per {target}",
|
||||
|
||||
@@ -99,7 +99,6 @@
|
||||
"column.lists": "ਸੂਚੀਆਂ",
|
||||
"column.mutes": "ਮੌਨ ਕੀਤੇ ਵਰਤੋਂਕਾਰ",
|
||||
"column.notifications": "ਸੂਚਨਾਵਾਂ",
|
||||
"column.pins": "ਟੰਗੀਆਂ ਪੋਸਟਾਂ",
|
||||
"column_back_button.label": "ਪਿੱਛੇ",
|
||||
"column_header.hide_settings": "ਸੈਟਿੰਗਾਂ ਨੂੰ ਲੁਕਾਓ",
|
||||
"column_header.moveLeft_settings": "ਕਾਲਮ ਨੂੰ ਖੱਬੇ ਪਾਸੇ ਭੇਜੋ",
|
||||
@@ -293,7 +292,6 @@
|
||||
"keyboard_shortcuts.my_profile": "ਆਪਣੇ ਪਰੋਫਾਈਲ ਨੂੰ ਖੋਲ੍ਹੋ",
|
||||
"keyboard_shortcuts.notifications": "ਨੋਟੀਫਿਕੇਸ਼ਨ ਕਾਲਮ ਖੋਲ੍ਹੋ",
|
||||
"keyboard_shortcuts.open_media": "ਮੀਡੀਏ ਨੂੰ ਖੋਲ੍ਹੋ",
|
||||
"keyboard_shortcuts.pinned": "ਪਿੰਨ ਕੀਤੀਆਂ ਪੋਸਟਾਂ ਦੀ ਸੂਚੀ ਨੂੰ ਖੋਲ੍ਹੋ",
|
||||
"keyboard_shortcuts.profile": "ਲੇਖਕ ਦਾ ਪਰੋਫਾਈਲ ਖੋਲ੍ਹੋ",
|
||||
"keyboard_shortcuts.reply": "ਪੋਸਟ ਨੂੰ ਜਵਾਬ ਦਿਓ",
|
||||
"keyboard_shortcuts.requests": "ਫ਼ਾਲੋ ਦੀਆਂ ਬੇਨਤੀਆਂ ਦੀ ਸੂਚੀ ਨੂੰ ਖੋਲ੍ਹੋ",
|
||||
@@ -358,7 +356,6 @@
|
||||
"navigation_bar.logout": "ਲਾਗ ਆਉਟ",
|
||||
"navigation_bar.mutes": "ਮੌਨ ਕੀਤੇ ਵਰਤੋਂਕਾਰ",
|
||||
"navigation_bar.personal": "ਨਿੱਜੀ",
|
||||
"navigation_bar.pins": "ਟੰਗੀਆਂ ਪੋਸਟਾਂ",
|
||||
"navigation_bar.preferences": "ਪਸੰਦਾਂ",
|
||||
"navigation_bar.search": "ਖੋਜੋ",
|
||||
"navigation_bar.security": "ਸੁਰੱਖਿਆ",
|
||||
@@ -528,8 +525,6 @@
|
||||
"status.mute": "@{name} ਨੂੰ ਮੌਨ ਕਰੋ",
|
||||
"status.mute_conversation": "ਗੱਲਬਾਤ ਨੂੰ ਮੌਨ ਕਰੋ",
|
||||
"status.open": "ਇਹ ਪੋਸਟ ਨੂੰ ਫੈਲਾਓ",
|
||||
"status.pin": "ਪਰੋਫਾਈਲ ਉੱਤੇ ਟੰਗੋ",
|
||||
"status.pinned": "ਟੰਗੀ ਹੋਈ ਪੋਸਟ",
|
||||
"status.read_more": "ਹੋਰ ਪੜ੍ਹੋ",
|
||||
"status.reblog": "ਵਧਾਓ",
|
||||
"status.reblogged_by": "{name} ਨੇ ਬੂਸਟ ਕੀਤਾ",
|
||||
@@ -551,7 +546,6 @@
|
||||
"status.translate": "ਉਲੱਥਾ ਕਰੋ",
|
||||
"status.translated_from_with": "{provider} ਵਰਤ ਕੇ {lang} ਤੋਂ ਅਨੁਵਾਦ ਕੀਤਾ",
|
||||
"status.uncached_media_warning": "ਝਲਕ ਮੌਜੂਦ ਨਹੀਂ ਹੈ",
|
||||
"status.unpin": "ਪਰੋਫਾਈਲ ਤੋਂ ਲਾਹੋ",
|
||||
"subscribed_languages.save": "ਤਬਦੀਲੀਆਂ ਸੰਭਾਲੋ",
|
||||
"tabs_bar.home": "ਘਰ",
|
||||
"tabs_bar.notifications": "ਸੂਚਨਾਵਾਂ",
|
||||
|
||||
@@ -157,7 +157,6 @@
|
||||
"column.lists": "Listy",
|
||||
"column.mutes": "Wyciszeni",
|
||||
"column.notifications": "Powiadomienia",
|
||||
"column.pins": "Przypięte wpisy",
|
||||
"column.public": "Globalna oś czasu",
|
||||
"column_back_button.label": "Wróć",
|
||||
"column_header.hide_settings": "Ukryj ustawienia",
|
||||
@@ -457,7 +456,6 @@
|
||||
"keyboard_shortcuts.my_profile": "Otwórz swój profil",
|
||||
"keyboard_shortcuts.notifications": "Otwórz kolumnę powiadomień",
|
||||
"keyboard_shortcuts.open_media": "Otwórz multimedia",
|
||||
"keyboard_shortcuts.pinned": "Otwórz listę przypiętych wpisów",
|
||||
"keyboard_shortcuts.profile": "Otwórz profil",
|
||||
"keyboard_shortcuts.reply": "Skomentuj",
|
||||
"keyboard_shortcuts.requests": "Otwórz listę próśb o obserwowanie",
|
||||
@@ -541,7 +539,6 @@
|
||||
"navigation_bar.mutes": "Wyciszeni",
|
||||
"navigation_bar.opened_in_classic_interface": "Wpisy, konta i inne określone strony są domyślnie otwierane w widoku klasycznym.",
|
||||
"navigation_bar.personal": "Osobiste",
|
||||
"navigation_bar.pins": "Przypięte wpisy",
|
||||
"navigation_bar.preferences": "Ustawienia",
|
||||
"navigation_bar.public_timeline": "Globalna oś czasu",
|
||||
"navigation_bar.search": "Szukaj",
|
||||
@@ -837,8 +834,6 @@
|
||||
"status.mute": "Wycisz @{name}",
|
||||
"status.mute_conversation": "Wycisz konwersację",
|
||||
"status.open": "Rozszerz ten wpis",
|
||||
"status.pin": "Przypnij do profilu",
|
||||
"status.pinned": "Przypięty wpis",
|
||||
"status.read_more": "Czytaj dalej",
|
||||
"status.reblog": "Podbij",
|
||||
"status.reblog_private": "Podbij dla odbiorców oryginalnego wpisu",
|
||||
@@ -863,7 +858,6 @@
|
||||
"status.translated_from_with": "Przetłumaczono z {lang} przy użyciu {provider}",
|
||||
"status.uncached_media_warning": "Podgląd jest niedostępny",
|
||||
"status.unmute_conversation": "Cofnij wyciszenie konwersacji",
|
||||
"status.unpin": "Odepnij z profilu",
|
||||
"subscribed_languages.lead": "Tylko posty w wybranych językach pojawią się na Twojej osi czasu po zmianie. Nie wybieraj żadnego języka aby otrzymywać posty we wszystkich językach.",
|
||||
"subscribed_languages.save": "Zapisz zmiany",
|
||||
"subscribed_languages.target": "Zmień subskrybowane języki dla {target}",
|
||||
|
||||
@@ -158,7 +158,6 @@
|
||||
"column.lists": "Listas",
|
||||
"column.mutes": "Usuários silenciados",
|
||||
"column.notifications": "Notificações",
|
||||
"column.pins": "Toots fixados",
|
||||
"column.public": "Linha global",
|
||||
"column_back_button.label": "Voltar",
|
||||
"column_header.hide_settings": "Ocultar configurações",
|
||||
@@ -458,7 +457,6 @@
|
||||
"keyboard_shortcuts.my_profile": "abrir seu perfil",
|
||||
"keyboard_shortcuts.notifications": "abrir notificações",
|
||||
"keyboard_shortcuts.open_media": "abrir mídia",
|
||||
"keyboard_shortcuts.pinned": "abrir toots fixados",
|
||||
"keyboard_shortcuts.profile": "abrir perfil do usuário",
|
||||
"keyboard_shortcuts.reply": "responder toot",
|
||||
"keyboard_shortcuts.requests": "abrir seguidores pendentes",
|
||||
@@ -542,7 +540,6 @@
|
||||
"navigation_bar.mutes": "Usuários silenciados",
|
||||
"navigation_bar.opened_in_classic_interface": "Publicações, contas e outras páginas específicas são abertas por padrão na interface 'web' clássica.",
|
||||
"navigation_bar.personal": "Pessoal",
|
||||
"navigation_bar.pins": "Toots fixados",
|
||||
"navigation_bar.preferences": "Preferências",
|
||||
"navigation_bar.public_timeline": "Linha global",
|
||||
"navigation_bar.search": "Buscar",
|
||||
@@ -838,8 +835,6 @@
|
||||
"status.mute": "Silenciar @{name}",
|
||||
"status.mute_conversation": "Silenciar conversa",
|
||||
"status.open": "Abrir toot",
|
||||
"status.pin": "Fixar",
|
||||
"status.pinned": "Toot fixado",
|
||||
"status.read_more": "Ler mais",
|
||||
"status.reblog": "Dar boost",
|
||||
"status.reblog_private": "Dar boost para o mesmo público",
|
||||
@@ -864,7 +859,6 @@
|
||||
"status.translated_from_with": "Traduzido do {lang} usando {provider}",
|
||||
"status.uncached_media_warning": "Pré-visualização não disponível",
|
||||
"status.unmute_conversation": "Dessilenciar conversa",
|
||||
"status.unpin": "Desafixar",
|
||||
"subscribed_languages.lead": "Apenas publicações nos idiomas selecionados aparecerão na sua página inicial e outras linhas do tempo após a mudança. Selecione nenhum para receber publicações em todos os idiomas.",
|
||||
"subscribed_languages.save": "Salvar alterações",
|
||||
"subscribed_languages.target": "Alterar idiomas inscritos para {target}",
|
||||
|
||||
@@ -158,7 +158,6 @@
|
||||
"column.lists": "Listas",
|
||||
"column.mutes": "Utilizadores ocultados",
|
||||
"column.notifications": "Notificações",
|
||||
"column.pins": "Publicações afixadas",
|
||||
"column.public": "Cronologia federada",
|
||||
"column_back_button.label": "Voltar",
|
||||
"column_header.hide_settings": "Ocultar configurações",
|
||||
@@ -458,7 +457,6 @@
|
||||
"keyboard_shortcuts.my_profile": "abrir o teu perfil",
|
||||
"keyboard_shortcuts.notifications": "abrir a coluna das notificações",
|
||||
"keyboard_shortcuts.open_media": "abrir multimédia",
|
||||
"keyboard_shortcuts.pinned": "abrir lista de publicações fixadas",
|
||||
"keyboard_shortcuts.profile": "abrir o perfil do autor",
|
||||
"keyboard_shortcuts.reply": "responder à publicação",
|
||||
"keyboard_shortcuts.requests": "abrir a lista dos pedidos de seguidor",
|
||||
@@ -542,7 +540,6 @@
|
||||
"navigation_bar.mutes": "Utilizadores ocultados",
|
||||
"navigation_bar.opened_in_classic_interface": "Por norma, publicações, contas e outras páginas específicas são abertas na interface web clássica.",
|
||||
"navigation_bar.personal": "Pessoal",
|
||||
"navigation_bar.pins": "Publicações fixadas",
|
||||
"navigation_bar.preferences": "Preferências",
|
||||
"navigation_bar.public_timeline": "Cronologia federada",
|
||||
"navigation_bar.search": "Pesquisar",
|
||||
@@ -838,8 +835,6 @@
|
||||
"status.mute": "Ocultar @{name}",
|
||||
"status.mute_conversation": "Ocultar conversa",
|
||||
"status.open": "Expandir esta publicação",
|
||||
"status.pin": "Afixar no perfil",
|
||||
"status.pinned": "Publicação afixada",
|
||||
"status.read_more": "Ler mais",
|
||||
"status.reblog": "Impulsionar",
|
||||
"status.reblog_private": "Impulsionar com a visibilidade original",
|
||||
@@ -864,7 +859,6 @@
|
||||
"status.translated_from_with": "Traduzido do {lang} usando {provider}",
|
||||
"status.uncached_media_warning": "Pré-visualização não disponível",
|
||||
"status.unmute_conversation": "Desocultar esta conversa",
|
||||
"status.unpin": "Desafixar do perfil",
|
||||
"subscribed_languages.lead": "Após a alteração, apenas as publicações nos idiomas selecionados aparecerão na cronologia da tua página inicial e das tuas listas. Não seleciones nenhum idioma para receberes publicações em todos os idiomas.",
|
||||
"subscribed_languages.save": "Guardar alterações",
|
||||
"subscribed_languages.target": "Alterar idiomas subscritos para {target}",
|
||||
|
||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user