Merge branch 'main' of https://github.com/mastodon/mastodon into features/main
This commit is contained in:
commit
3fcfc5d3aa
14
.github/renovate.json5
vendored
14
.github/renovate.json5
vendored
@ -5,9 +5,9 @@
|
||||
':labels(dependencies)',
|
||||
':maintainLockFilesMonthly', // update non-direct dependencies monthly
|
||||
':prConcurrentLimitNone', // Remove limit for open PRs at any time.
|
||||
':prHourlyLimit2' // Rate limit PR creation to a maximum of two per hour.
|
||||
':prHourlyLimit2', // Rate limit PR creation to a maximum of two per hour.
|
||||
],
|
||||
minimumReleaseAge: "3", // Wait 3 days after the package has been published before upgrading it
|
||||
minimumReleaseAge: '3', // Wait 3 days after the package has been published before upgrading it
|
||||
// packageRules order is important, they are applied from top to bottom and are merged,
|
||||
// meaning the most important ones must be at the bottom, for example grouping rules
|
||||
// If we do not want a package to be grouped with others, we need to set its groupName
|
||||
@ -42,7 +42,7 @@
|
||||
'react-router-dom',
|
||||
],
|
||||
matchUpdateTypes: ['major'],
|
||||
"dependencyDashboardApproval": true
|
||||
dependencyDashboardApproval: true,
|
||||
},
|
||||
{
|
||||
// Require Dependency Dashboard Approval for major version bumps of these Ruby packages
|
||||
@ -56,7 +56,7 @@
|
||||
'redis', // Requires manual upgrade and sync with Sidekiq version
|
||||
],
|
||||
matchUpdateTypes: ['major'],
|
||||
"dependencyDashboardApproval": true
|
||||
dependencyDashboardApproval: true,
|
||||
},
|
||||
{
|
||||
// Update Github Actions and Docker images weekly
|
||||
@ -68,21 +68,21 @@
|
||||
matchManagers: ['dockerfile'],
|
||||
matchPackageNames: ['moritzheiber/ruby-jemalloc'],
|
||||
matchUpdateTypes: ['minor', 'major'],
|
||||
"dependencyDashboardApproval": true
|
||||
dependencyDashboardApproval: true,
|
||||
},
|
||||
{
|
||||
// Require Dependency Dashboard Approval for major bumps for the node image, this needs to be synced with .nvmrc
|
||||
matchManagers: ['dockerfile'],
|
||||
matchPackageNames: ['node'],
|
||||
matchUpdateTypes: ['major'],
|
||||
"dependencyDashboardApproval": true
|
||||
dependencyDashboardApproval: true,
|
||||
},
|
||||
{
|
||||
// Require Dependency Dashboard Approval for major postgres bumps in the docker-compose file, as those break dev environments
|
||||
matchManagers: ['docker-compose'],
|
||||
matchPackageNames: ['postgres'],
|
||||
matchUpdateTypes: ['major'],
|
||||
"dependencyDashboardApproval": true
|
||||
dependencyDashboardApproval: true,
|
||||
},
|
||||
{
|
||||
// Update devDependencies every week, with one grouped PR
|
||||
|
@ -269,7 +269,7 @@ GEM
|
||||
tzinfo
|
||||
excon (0.100.0)
|
||||
fabrication (2.30.0)
|
||||
faker (3.2.0)
|
||||
faker (3.2.1)
|
||||
i18n (>= 1.8.11, < 2)
|
||||
faraday (1.10.3)
|
||||
faraday-em_http (~> 1.0)
|
||||
@ -478,7 +478,7 @@ GEM
|
||||
net-protocol
|
||||
net-ssh (7.1.0)
|
||||
nio4r (2.5.9)
|
||||
nokogiri (1.15.3)
|
||||
nokogiri (1.15.4)
|
||||
mini_portile2 (~> 2.8.2)
|
||||
racc (~> 1.4)
|
||||
oj (3.15.0)
|
||||
|
@ -1,7 +1,7 @@
|
||||
# frozen_string_literal: true
|
||||
|
||||
class AccountsIndex < Chewy::Index
|
||||
settings index: { refresh_interval: '30s' }, analysis: {
|
||||
settings index: index_preset(refresh_interval: '30s'), analysis: {
|
||||
filter: {
|
||||
english_stop: {
|
||||
type: 'stop',
|
||||
|
@ -1,7 +1,7 @@
|
||||
# frozen_string_literal: true
|
||||
|
||||
class InstancesIndex < Chewy::Index
|
||||
settings index: { refresh_interval: '30s' }
|
||||
settings index: index_preset(refresh_interval: '30s')
|
||||
|
||||
index_scope ::Instance.searchable
|
||||
|
||||
|
@ -3,7 +3,7 @@
|
||||
class StatusesIndex < Chewy::Index
|
||||
include FormattingHelper
|
||||
|
||||
settings index: { refresh_interval: '30s' }, analysis: {
|
||||
settings index: index_preset(refresh_interval: '30s', number_of_shards: 5), analysis: {
|
||||
filter: {
|
||||
english_stop: {
|
||||
type: 'stop',
|
||||
|
@ -1,7 +1,7 @@
|
||||
# frozen_string_literal: true
|
||||
|
||||
class TagsIndex < Chewy::Index
|
||||
settings index: { refresh_interval: '30s' }, analysis: {
|
||||
settings index: index_preset(refresh_interval: '30s'), analysis: {
|
||||
analyzer: {
|
||||
content: {
|
||||
tokenizer: 'keyword',
|
||||
|
27
app/controllers/settings/privacy_controller.rb
Normal file
27
app/controllers/settings/privacy_controller.rb
Normal file
@ -0,0 +1,27 @@
|
||||
# frozen_string_literal: true
|
||||
|
||||
class Settings::PrivacyController < Settings::BaseController
|
||||
before_action :set_account
|
||||
|
||||
def show; end
|
||||
|
||||
def update
|
||||
if UpdateAccountService.new.call(@account, account_params.except(:settings))
|
||||
current_user.update!(settings_attributes: account_params[:settings])
|
||||
ActivityPub::UpdateDistributionWorker.perform_async(@account.id)
|
||||
redirect_to settings_privacy_path, notice: I18n.t('generic.changes_saved_msg')
|
||||
else
|
||||
render :show
|
||||
end
|
||||
end
|
||||
|
||||
private
|
||||
|
||||
def account_params
|
||||
params.require(:account).permit(:discoverable, :locked, :hide_collections, settings: UserSettings.keys)
|
||||
end
|
||||
|
||||
def set_account
|
||||
@account = current_account
|
||||
end
|
||||
end
|
@ -20,7 +20,7 @@ class Settings::ProfilesController < Settings::BaseController
|
||||
private
|
||||
|
||||
def account_params
|
||||
params.require(:account).permit(:display_name, :note, :avatar, :header, :locked, :bot, :discoverable, :hide_collections, fields_attributes: [:name, :value])
|
||||
params.require(:account).permit(:display_name, :note, :avatar, :header, :bot, fields_attributes: [:name, :value])
|
||||
end
|
||||
|
||||
def set_account
|
||||
|
@ -20,6 +20,7 @@ module ContextHelper
|
||||
focal_point: { 'toot' => 'http://joinmastodon.org/ns#', 'focalPoint' => { '@container' => '@list', '@id' => 'toot:focalPoint' } },
|
||||
blurhash: { 'toot' => 'http://joinmastodon.org/ns#', 'blurhash' => 'toot:blurhash' },
|
||||
discoverable: { 'toot' => 'http://joinmastodon.org/ns#', 'discoverable' => 'toot:discoverable' },
|
||||
indexable: { 'toot' => 'http://joinmastodon.org/ns#', 'indexable' => 'toot:indexable' },
|
||||
voters_count: { 'toot' => 'http://joinmastodon.org/ns#', 'votersCount' => 'toot:votersCount' },
|
||||
olm: {
|
||||
'toot' => 'http://joinmastodon.org/ns#', 'Device' => 'toot:Device', 'Ed25519Signature' => 'toot:Ed25519Signature', 'Ed25519Key' => 'toot:Ed25519Key', 'Curve25519Key' => 'toot:Curve25519Key', 'EncryptedMessage' => 'toot:EncryptedMessage', 'publicKeyBase64' => 'toot:publicKeyBase64', 'deviceId' => 'toot:deviceId',
|
||||
|
50
app/javascript/mastodon/components/hashtag_bar.jsx
Normal file
50
app/javascript/mastodon/components/hashtag_bar.jsx
Normal file
@ -0,0 +1,50 @@
|
||||
import PropTypes from 'prop-types';
|
||||
import { useMemo, useState, useCallback } from 'react';
|
||||
|
||||
import { FormattedMessage } from 'react-intl';
|
||||
|
||||
import { Link } from 'react-router-dom';
|
||||
|
||||
import ImmutablePropTypes from 'react-immutable-proptypes';
|
||||
|
||||
const domParser = new DOMParser();
|
||||
|
||||
// About two lines on desktop
|
||||
const VISIBLE_HASHTAGS = 7;
|
||||
|
||||
export const HashtagBar = ({ hashtags, text }) => {
|
||||
const renderedHashtags = useMemo(() => {
|
||||
const body = domParser.parseFromString(text, 'text/html').documentElement;
|
||||
return [].map.call(body.querySelectorAll('[rel=tag]'), node => node.textContent.toLowerCase());
|
||||
}, [text]);
|
||||
|
||||
const invisibleHashtags = useMemo(() => (
|
||||
hashtags.filter(hashtag => !renderedHashtags.some(textContent => textContent === `#${hashtag.get('name')}` || textContent === hashtag.get('name')))
|
||||
), [hashtags, renderedHashtags]);
|
||||
|
||||
const [expanded, setExpanded] = useState(false);
|
||||
const handleClick = useCallback(() => setExpanded(true), []);
|
||||
|
||||
if (invisibleHashtags.isEmpty()) {
|
||||
return null;
|
||||
}
|
||||
|
||||
const revealedHashtags = expanded ? invisibleHashtags : invisibleHashtags.take(VISIBLE_HASHTAGS);
|
||||
|
||||
return (
|
||||
<div className='hashtag-bar'>
|
||||
{revealedHashtags.map(hashtag => (
|
||||
<Link key={hashtag.get('name')} to={`/tags/${hashtag.get('name')}`}>
|
||||
#{hashtag.get('name')}
|
||||
</Link>
|
||||
))}
|
||||
|
||||
{!expanded && invisibleHashtags.size > VISIBLE_HASHTAGS && <button className='link-button' onClick={handleClick}><FormattedMessage id='hashtags.and_other' defaultMessage='…and {count, plural, other {# more}}' values={{ count: invisibleHashtags.size - VISIBLE_HASHTAGS }} /></button>}
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
HashtagBar.propTypes = {
|
||||
hashtags: ImmutablePropTypes.list,
|
||||
text: PropTypes.string,
|
||||
};
|
@ -22,6 +22,7 @@ import { displayMedia } from '../initial_state';
|
||||
import { Avatar } from './avatar';
|
||||
import { AvatarOverlay } from './avatar_overlay';
|
||||
import { DisplayName } from './display_name';
|
||||
import { HashtagBar } from './hashtag_bar';
|
||||
import { RelativeTimestamp } from './relative_timestamp';
|
||||
import StatusActionBar from './status_action_bar';
|
||||
import StatusContent from './status_content';
|
||||
@ -702,6 +703,8 @@ class Status extends ImmutablePureComponent {
|
||||
|
||||
{quote(status, this.props.muted, quoteMuted, this.handleQuoteClick, this.handleExpandedQuoteToggle, identity, media, this.context.router, contextType)}
|
||||
|
||||
<HashtagBar hashtags={status.get('tags')} text={status.get('content')} />
|
||||
|
||||
<StatusActionBar scrollKey={scrollKey} status={status} account={account} onFilter={matchedFilters ? this.handleFilterClick : null} {...other} />
|
||||
</div>
|
||||
</div>
|
||||
|
@ -265,9 +265,9 @@ class Header extends ImmutablePureComponent {
|
||||
if (signedIn && !account.get('relationship')) { // Wait until the relationship is loaded
|
||||
actionBtn = '';
|
||||
} else if (account.getIn(['relationship', 'requested'])) {
|
||||
actionBtn = <Button className={classNames({ 'button--with-bell': bellBtn !== '' })} text={intl.formatMessage(messages.cancel_follow_request)} title={intl.formatMessage(messages.requested)} onClick={this.props.onFollow} />;
|
||||
actionBtn = <Button text={intl.formatMessage(messages.cancel_follow_request)} title={intl.formatMessage(messages.requested)} onClick={this.props.onFollow} />;
|
||||
} else if (!account.getIn(['relationship', 'blocking'])) {
|
||||
actionBtn = <Button disabled={account.getIn(['relationship', 'blocked_by'])} className={classNames({ 'button--destructive': account.getIn(['relationship', 'following']), 'button--with-bell': bellBtn !== '' })} text={intl.formatMessage(account.getIn(['relationship', 'following']) ? messages.unfollow : messages.follow)} onClick={signedIn ? this.props.onFollow : this.props.onInteractionModal} />;
|
||||
actionBtn = <Button disabled={account.getIn(['relationship', 'blocked_by'])} className={classNames({ 'button--destructive': account.getIn(['relationship', 'following']) })} text={intl.formatMessage(account.getIn(['relationship', 'following']) ? messages.unfollow : messages.follow)} onClick={signedIn ? this.props.onFollow : this.props.onInteractionModal} />;
|
||||
} else if (account.getIn(['relationship', 'blocking'])) {
|
||||
actionBtn = <Button text={intl.formatMessage(messages.unblock, { name: account.get('username') })} onClick={this.props.onBlock} />;
|
||||
}
|
||||
|
@ -10,6 +10,7 @@ import ImmutablePureComponent from 'react-immutable-pure-component';
|
||||
|
||||
import { AnimatedNumber } from 'mastodon/components/animated_number';
|
||||
import EditedTimestamp from 'mastodon/components/edited_timestamp';
|
||||
import { HashtagBar } from 'mastodon/components/hashtag_bar';
|
||||
import { Icon } from 'mastodon/components/icon';
|
||||
import PictureInPicturePlaceholder from 'mastodon/components/picture_in_picture_placeholder';
|
||||
|
||||
@ -346,6 +347,8 @@ class DetailedStatus extends ImmutablePureComponent {
|
||||
|
||||
{quote(status, false, quoteMuted, this.handleQuoteClick, this.handleExpandedQuoteToggle, identity, media, this.context.router)}
|
||||
|
||||
<HashtagBar hashtags={status.get('tags')} text={status.get('content')} />
|
||||
|
||||
<div className='detailed-status__meta'>
|
||||
<a className='detailed-status__datetime' href={`/@${status.getIn(['account', 'acct'])}/${status.get('id')}`} target='_blank' rel='noopener noreferrer'>
|
||||
<FormattedDate value={new Date(status.get('created_at'))} hour12={false} year='numeric' month='short' day='2-digit' hour='2-digit' minute='2-digit' />
|
||||
|
@ -201,6 +201,7 @@
|
||||
"dismissable_banner.community_timeline": "هذه هي أحدث المشاركات العامة من الأشخاص الذين تُستضاف حساباتهم على {domain}.",
|
||||
"dismissable_banner.dismiss": "رفض",
|
||||
"dismissable_banner.explore_links": "هذه القصص الإخبارية يتحدث عنها حاليًا أشخاص على هذا الخادم وكذا على الخوادم الأخرى للشبكة اللامركزية.",
|
||||
"dismissable_banner.explore_statuses": "هذه هي المنشورات الرائجة على الشبكات الاجتماعيّة اليوم. تظهر المنشورات التي أعيد مشاركتها وحازت على مفضّلات أكثر في مرتبة عليا.",
|
||||
"dismissable_banner.explore_tags": "هذه الوسوم تكتسب جذب اهتمام الناس حاليًا على هذا الخادم وكذا على الخوادم الأخرى للشبكة اللامركزية.",
|
||||
"dismissable_banner.public_timeline": "هذه هي أحدث المنشورات العامة من الناس على الشبكة الاجتماعية التي يتبعها الناس على {domain}.",
|
||||
"embed.instructions": "يمكنكم إدماج هذا المنشور على موقعكم الإلكتروني عن طريق نسخ الشفرة أدناه.",
|
||||
@ -315,6 +316,7 @@
|
||||
"interaction_modal.on_another_server": "على خادم مختلف",
|
||||
"interaction_modal.on_this_server": "على هذا الخادم",
|
||||
"interaction_modal.sign_in": "لم تقم بتسجيل الدخول إلى هذا الخادم. أين هو مستضاف حسابك؟",
|
||||
"interaction_modal.sign_in_hint": "تلميح: هذا هو الموقع الذي سجّلت عن طريقه. إن لم تتذكّر/ين اسم الموقع، يمكنك البحث عن الرسالة الترحيبيّة في بريدك الالكتروني. يمكنك أيضاً استخدام إسم المستخدم/ـة الكامل! (مثلاً: @Mastadon@mastadon.social)",
|
||||
"interaction_modal.title.favourite": "إضافة منشور {name} إلى المفضلة",
|
||||
"interaction_modal.title.follow": "اتبع {name}",
|
||||
"interaction_modal.title.reblog": "مشاركة منشور {name}",
|
||||
|
@ -212,6 +212,7 @@
|
||||
"hashtag.column_header.tag_mode.none": "ensin {additional}",
|
||||
"hashtag.column_settings.select.no_options_message": "Nun s'atopó nenguna suxerencia",
|
||||
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
|
||||
"hashtag.counter_by_accounts": "{count, plural, one {{counter} participante} other {{counter} participantes}}",
|
||||
"hashtag.follow": "Siguir a la etiqueta",
|
||||
"hashtag.unfollow": "Dexar de siguir a la etiqueta",
|
||||
"home.column_settings.basic": "Configuración básica",
|
||||
|
@ -302,6 +302,7 @@
|
||||
"hashtag.counter_by_uses_today": "{count, plural, one {{counter} post} other {{counter} posts}} today",
|
||||
"hashtag.follow": "Follow hashtag",
|
||||
"hashtag.unfollow": "Unfollow hashtag",
|
||||
"hashtags.and_other": "…and {count, plural, other {# more}}",
|
||||
"home.actions.go_to_explore": "See what's trending",
|
||||
"home.actions.go_to_suggestions": "Find people to follow",
|
||||
"home.column_settings.basic": "Basic",
|
||||
|
@ -38,7 +38,7 @@
|
||||
"account.following_counter": "{count, plural, one {{counter} Abonnement} other {{counter} Abonnements}}",
|
||||
"account.follows.empty": "Cet·te utilisateur·rice ne suit personne pour l’instant.",
|
||||
"account.follows_you": "Vous suit",
|
||||
"account.go_to_profile": "Voir le profil",
|
||||
"account.go_to_profile": "Aller au profil",
|
||||
"account.hide_reblogs": "Masquer les partages de @{name}",
|
||||
"account.in_memoriam": "En mémoire de.",
|
||||
"account.joined_short": "Ici depuis",
|
||||
@ -50,9 +50,9 @@
|
||||
"account.moved_to": "{name} a indiqué que son nouveau compte est maintenant :",
|
||||
"account.mute": "Masquer @{name}",
|
||||
"account.mute_notifications_short": "Désactiver les alertes",
|
||||
"account.mute_short": "Mettre en sourdine",
|
||||
"account.mute_short": "Masquer",
|
||||
"account.muted": "Masqué·e",
|
||||
"account.no_bio": "Aucune description enregistrée.",
|
||||
"account.no_bio": "Aucune description fournie.",
|
||||
"account.open_original_page": "Ouvrir la page d'origine",
|
||||
"account.posts": "Messages",
|
||||
"account.posts_with_replies": "Messages et réponses",
|
||||
|
@ -13,14 +13,14 @@
|
||||
"about.rules": "Riaghailtean an fhrithealaiche",
|
||||
"account.account_note_header": "Nòta",
|
||||
"account.add_or_remove_from_list": "Cuir ris no thoir air falbh o na liostaichean",
|
||||
"account.badges.bot": "Bot",
|
||||
"account.badges.bot": "Fèin-obrachail",
|
||||
"account.badges.group": "Buidheann",
|
||||
"account.block": "Bac @{name}",
|
||||
"account.block_domain": "Bac an àrainn {domain}",
|
||||
"account.block_short": "Bac",
|
||||
"account.blocked": "’Ga bhacadh",
|
||||
"account.browse_more_on_origin_server": "Rùraich barrachd dheth air a’ phròifil thùsail",
|
||||
"account.cancel_follow_request": "Cuir d’ iarrtas leantainn dhan dàrna taobh",
|
||||
"account.cancel_follow_request": "Sguir dhen leantainn",
|
||||
"account.direct": "Thoir iomradh air @{name} gu prìobhaideach",
|
||||
"account.disable_notifications": "Na cuir brath thugam tuilleadh nuair a chuireas @{name} post ris",
|
||||
"account.domain_blocked": "Chaidh an àrainn a bhacadh",
|
||||
@ -114,7 +114,7 @@
|
||||
"column.directory": "Rùraich sna pròifilean",
|
||||
"column.domain_blocks": "Àrainnean bacte",
|
||||
"column.favourites": "Annsachdan",
|
||||
"column.firehose": "Inbhirean beòtha",
|
||||
"column.firehose": "An saoghal poblach",
|
||||
"column.follow_requests": "Iarrtasan leantainn",
|
||||
"column.home": "Dachaigh",
|
||||
"column.lists": "Liostaichean",
|
||||
@ -150,7 +150,7 @@
|
||||
"compose_form.poll.switch_to_multiple": "Atharraich an cunntas-bheachd ach an gabh iomadh roghainn a thaghadh",
|
||||
"compose_form.poll.switch_to_single": "Atharraich an cunntas-bheachd gus nach gabh ach aon roghainn a thaghadh",
|
||||
"compose_form.publish": "Foillsich",
|
||||
"compose_form.publish_form": "Foillsich",
|
||||
"compose_form.publish_form": "Post ùr",
|
||||
"compose_form.publish_loud": "{publish}!",
|
||||
"compose_form.save_changes": "Sàbhail na h-atharraichean",
|
||||
"compose_form.sensitive.hide": "{count, plural, one {Cuir comharra gu bheil am meadhan frionasach} two {Cuir comharra gu bheil na meadhanan frionasach} few {Cuir comharra gu bheil na meadhanan frionasach} other {Cuir comharra gu bheil na meadhanan frionasach}}",
|
||||
@ -200,9 +200,9 @@
|
||||
"disabled_account_banner.text": "Tha an cunntas {disabledAccount} agad à comas aig an àm seo.",
|
||||
"dismissable_banner.community_timeline": "Seo na postaichean poblach as ùire o dhaoine aig a bheil cunntas air {domain}.",
|
||||
"dismissable_banner.dismiss": "Leig seachad",
|
||||
"dismissable_banner.explore_links": "Seo na naidheachdan air a bhithear a’ bruidhinn an-dràsta fhèin air an fhrithealaiche seo is frithealaichean eile dhen lìonra sgaoilte.",
|
||||
"dismissable_banner.explore_statuses": "Tha fèill air na postaichean seo a’ fàs an-diugh thar an lìona shòisealta. Gheibh postaichean nas ùire le barrachd brosnaichean is annsachdan rangachadh nas àirde.",
|
||||
"dismissable_banner.explore_tags": "Tha fèill air na tagaichean hais seo a’ fàs an-diugh air an fhrithealaich seo is frithealaichean eile dhen lìonra sgaoilte. Gheibh tagaichean hais a tha gan cleachdadh le daoine eadar-dhealaichte rangachadh nas àirde.",
|
||||
"dismissable_banner.explore_links": "Seo na cinn-naidheachd a tha ’gan co-roinneadh as trice thar an lìona shòisealta an-diugh. Gheibh naidheachdan nas ùire a tha ’gan co-roinneadh le daoine eadar-dhealaichte rangachadh nas àirde.",
|
||||
"dismissable_banner.explore_statuses": "Tha fèill air na postaichean seo a’ fàs thar an lìona shòisealta an-diugh. Gheibh postaichean nas ùire le barrachd brosnaichean is annsachdan rangachadh nas àirde.",
|
||||
"dismissable_banner.explore_tags": "Tha fèill air na tagaichean hais seo a’ fàs air an fhrithealaiche seo is frithealaichean eile dhen lìonra sgaoilte an-diugh. Gheibh tagaichean hais a tha ’gan cleachdadh le daoine eadar-dhealaichte rangachadh nas àirde.",
|
||||
"dismissable_banner.public_timeline": "Seo na postaichean poblach as ùire o dhaoine air an lìonra sòisealta tha ’gan leantainn le daoine air {domain}.",
|
||||
"embed.instructions": "Leabaich am post seo san làrach-lìn agad is tu a’ dèanamh lethbhreac dhen chòd gu h-ìosal.",
|
||||
"embed.preview": "Seo an coltas a bhios air:",
|
||||
@ -235,7 +235,7 @@
|
||||
"empty_column.follow_requests": "Chan eil iarrtas leantainn agad fhathast. Nuair a gheibh thu fear, nochdaidh e an-seo.",
|
||||
"empty_column.followed_tags": "Cha do lean thu taga hais sam bith fhathast. Nuair a leanas tu, nochdaidh iad an-seo.",
|
||||
"empty_column.hashtag": "Chan eil dad san taga hais seo fhathast.",
|
||||
"empty_column.home": "Tha loidhne-ama na dachaigh agad falamh! Lean barrachd dhaoine gus a lìonadh. {suggestions}",
|
||||
"empty_column.home": "Tha loidhne-ama na dachaigh agad falamh! Lean barrachd dhaoine gus a lìonadh.",
|
||||
"empty_column.list": "Chan eil dad air an liosta seo fhathast. Nuair a phostaicheas buill a tha air an liosta seo postaichean ùra, nochdaidh iad an-seo.",
|
||||
"empty_column.lists": "Chan eil liosta agad fhathast. Nuair chruthaicheas tu tè, nochdaidh i an-seo.",
|
||||
"empty_column.mutes": "Cha do mhùch thu cleachdaiche sam bith fhathast.",
|
||||
@ -301,7 +301,7 @@
|
||||
"hashtag.follow": "Lean an taga hais",
|
||||
"hashtag.unfollow": "Na lean an taga hais tuilleadh",
|
||||
"home.actions.go_to_explore": "Faic na tha a’ treandadh",
|
||||
"home.actions.go_to_suggestions": "Lorg daoine a leanas tu",
|
||||
"home.actions.go_to_suggestions": "Lorg daoine gus an leantainn",
|
||||
"home.column_settings.basic": "Bunasach",
|
||||
"home.column_settings.show_reblogs": "Seall na brosnachaidhean",
|
||||
"home.column_settings.show_replies": "Seall na freagairtean",
|
||||
@ -333,7 +333,7 @@
|
||||
"keyboard_shortcuts.column": "Cuir am fòcas air colbh",
|
||||
"keyboard_shortcuts.compose": "Cuir am fòcas air raon teacsa an sgrìobhaidh",
|
||||
"keyboard_shortcuts.description": "Tuairisgeul",
|
||||
"keyboard_shortcuts.direct": "to open direct messages column",
|
||||
"keyboard_shortcuts.direct": "a dh’fhosgladh colbh nan iomraidhean prìobhaideach",
|
||||
"keyboard_shortcuts.down": "Gluais sìos air an liosta",
|
||||
"keyboard_shortcuts.enter": "Fosgail post",
|
||||
"keyboard_shortcuts.favourite": "Cuir am post ris na h-annsachdan",
|
||||
@ -380,7 +380,7 @@
|
||||
"lists.replies_policy.followed": "Cleachdaiche sam bith a leanas mi",
|
||||
"lists.replies_policy.list": "Buill na liosta",
|
||||
"lists.replies_policy.none": "Na seall idir",
|
||||
"lists.replies_policy.title": "Seall na freagairtean gu:",
|
||||
"lists.replies_policy.title": "Seall freagairtean do:",
|
||||
"lists.search": "Lorg am measg nan daoine a leanas tu",
|
||||
"lists.subheading": "Na liostaichean agad",
|
||||
"load_pending": "{count, plural, one {# nì ùr} two {# nì ùr} few {# nithean ùra} other {# nì ùr}}",
|
||||
@ -418,7 +418,7 @@
|
||||
"not_signed_in_indicator.not_signed_in": "Feumaidh tu clàradh a-steach mus fhaigh thu cothrom air a’ ghoireas seo.",
|
||||
"notification.admin.report": "Rinn {name} gearan mu {target}",
|
||||
"notification.admin.sign_up": "Chlàraich {name}",
|
||||
"notification.favourite": "Chuir {name} am post agad ris na h-annsachdan",
|
||||
"notification.favourite": "Is annsa le {name} am post agad",
|
||||
"notification.follow": "Tha {name} ’gad leantainn a-nis",
|
||||
"notification.follow_request": "Dh’iarr {name} ’gad leantainn",
|
||||
"notification.mention": "Thug {name} iomradh ort",
|
||||
@ -466,12 +466,12 @@
|
||||
"notifications_permission_banner.title": "Na caill dad gu bràth tuilleadh",
|
||||
"onboarding.action.back": "Air ais leam",
|
||||
"onboarding.actions.back": "Air ais leam",
|
||||
"onboarding.actions.go_to_explore": "See what's trending",
|
||||
"onboarding.actions.go_to_home": "Go to your home feed",
|
||||
"onboarding.actions.go_to_explore": "Thoir dha na treandaichean mi",
|
||||
"onboarding.actions.go_to_home": "Thoir dhachaigh mi",
|
||||
"onboarding.compose.template": "Shin thu, a #Mhastodon!",
|
||||
"onboarding.follows.empty": "Gu mì-fhortanach, chan urrainn dhuinn toradh a shealltainn an-dràsta. Feuch gleus an luirg no duilleag an rùrachaidh airson daoine ri leantainn a lorg no feuch ris a-rithist an ceann tamaill.",
|
||||
"onboarding.follows.lead": "You curate your own home feed. The more people you follow, the more active and interesting it will be. These profiles may be a good starting point—you can always unfollow them later!",
|
||||
"onboarding.follows.title": "Popular on Mastodon",
|
||||
"onboarding.follows.title": "Cuir dreach pearsanta air do dhachaigh",
|
||||
"onboarding.share.lead": "Innis do dhaoine mar a gheibh iad grèim ort air Mastodon!",
|
||||
"onboarding.share.message": "Is mise {username} air #Mastodon! Thig ’gam leantainn air {url}",
|
||||
"onboarding.share.next_steps": "Ceuman eile as urrainn dhut gabhail:",
|
||||
@ -480,13 +480,13 @@
|
||||
"onboarding.start.skip": "Want to skip right ahead?",
|
||||
"onboarding.start.title": "Rinn thu a’ chùis air!",
|
||||
"onboarding.steps.follow_people.body": "You curate your own feed. Lets fill it with interesting people.",
|
||||
"onboarding.steps.follow_people.title": "Follow {count, plural, one {one person} other {# people}}",
|
||||
"onboarding.steps.follow_people.title": "Cuir dreach pearsanta air do dhachaigh",
|
||||
"onboarding.steps.publish_status.body": "Say hello to the world.",
|
||||
"onboarding.steps.publish_status.title": "Dèan a’ chiad phost agad",
|
||||
"onboarding.steps.setup_profile.body": "Others are more likely to interact with you with a filled out profile.",
|
||||
"onboarding.steps.setup_profile.title": "Customize your profile",
|
||||
"onboarding.steps.share_profile.body": "Let your friends know how to find you on Mastodon!",
|
||||
"onboarding.steps.share_profile.title": "Share your profile",
|
||||
"onboarding.steps.setup_profile.title": "Gnàthaich a’ phròifil agad",
|
||||
"onboarding.steps.share_profile.body": "Leig fios dha do charaidean mar a gheibh iad lorg ort air Mastodon",
|
||||
"onboarding.steps.share_profile.title": "Co-roinn a’ phròifil Mastodon agad",
|
||||
"onboarding.tips.2fa": "<strong>An robh fios agad?</strong> ’S urrainn dhut an cunntas agad a dhìon is tu a’ suidheachadh dearbhadh dà-cheumnach ann an roghainnean a’ chunntais agad. Obraichidh e le aplacaid dearbhaidh dhà-cheumnaich sam bith a thogras tu gun fheum air àireamh fòn!",
|
||||
"onboarding.tips.accounts_from_other_servers": "<strong>An robh fios agad?</strong> On a tha Mastodon sgaoilte, tachraidh tu air pròifilean a tha ’gan òstadh air frithealaichean eile. ’S urrainn dhut bruidhinn riutha gun chnap-starra co-dhiù! ’S e ainm an fhrithealaiche a tha san dàrna leth dhen ainm-chleachdaiche aca!",
|
||||
"onboarding.tips.migration": "<strong>An robh fios agad?</strong> Ma thig an latha nach eil thu toilichte le {domain} mar an fhrithealaiche agad tuilleadh, ’s urrainn dhut imrich gu frithealaiche Mastodon eile gun a bhith a’ call an luchd-leantainn agad. ’S urrainn dhut fiù frithealaiche agad fhèin òstadh!",
|
||||
@ -655,7 +655,7 @@
|
||||
"status.show_more": "Seall barrachd dheth",
|
||||
"status.show_more_all": "Seall barrachd dhen a h-uile",
|
||||
"status.show_original": "Seall an tionndadh tùsail",
|
||||
"status.title.with_attachments": "{user} posted {attachmentCount, plural, one {an attachment} other {# attachments}}",
|
||||
"status.title.with_attachments": "Phostaich {user} {attachmentCount, plural, one {{attachmentCount} cheanglachan} two {{attachmentCount} cheanglachan} few {{attachmentCount} ceanglachain} other {{attachmentCount} ceanglachan}}",
|
||||
"status.translate": "Eadar-theangaich",
|
||||
"status.translated_from_with": "Air eadar-theangachadh o {lang} le {provider}",
|
||||
"status.uncached_media_warning": "Chan eil ro-shealladh ri fhaighinn",
|
||||
|
@ -114,7 +114,7 @@
|
||||
"column.directory": "Profilok böngészése",
|
||||
"column.domain_blocks": "Letiltott tartománynevek",
|
||||
"column.favourites": "Kedvencek",
|
||||
"column.firehose": "Élő hírfolyamok",
|
||||
"column.firehose": "Hírfolyamok",
|
||||
"column.follow_requests": "Követési kérelmek",
|
||||
"column.home": "Kezdőlap",
|
||||
"column.lists": "Listák",
|
||||
|
@ -7,6 +7,7 @@
|
||||
"account.badges.group": "Agraw",
|
||||
"account.block": "Seḥbes @{name}",
|
||||
"account.block_domain": "Ffer kra i d-yekkan seg {domain}",
|
||||
"account.block_short": "Sewḥel",
|
||||
"account.blocked": "Yettusewḥel",
|
||||
"account.browse_more_on_origin_server": "Snirem ugar deg umeɣnu aneẓli",
|
||||
"account.cancel_follow_request": "Withdraw follow request",
|
||||
@ -28,6 +29,7 @@
|
||||
"account.media": "Timidyatin",
|
||||
"account.mention": "Bder-d @{name}",
|
||||
"account.mute": "Sgugem @{name}",
|
||||
"account.mute_short": "Sgugem",
|
||||
"account.muted": "Yettwasgugem",
|
||||
"account.open_original_page": "Ldi asebter anasli",
|
||||
"account.posts": "Tisuffaɣ",
|
||||
@ -70,6 +72,7 @@
|
||||
"column.community": "Tasuddemt tadigant",
|
||||
"column.directory": "Inig deg imaɣnuten",
|
||||
"column.domain_blocks": "Taɣulin yeffren",
|
||||
"column.favourites": "Imenyafen",
|
||||
"column.follow_requests": "Isuturen n teḍfeṛt",
|
||||
"column.home": "Agejdan",
|
||||
"column.lists": "Tibdarin",
|
||||
@ -90,6 +93,7 @@
|
||||
"community.column_settings.remote_only": "Anmeggag kan",
|
||||
"compose.language.change": "Beddel tutlayt",
|
||||
"compose.language.search": "Nadi tutlayin …",
|
||||
"compose.published.open": "Ldi",
|
||||
"compose_form.direct_message_warning_learn_more": "Issin ugar",
|
||||
"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.",
|
||||
@ -177,6 +181,7 @@
|
||||
"errors.unexpected_crash.copy_stacktrace": "Nɣel stacktrace ɣef wafus",
|
||||
"errors.unexpected_crash.report_issue": "Mmel ugur",
|
||||
"explore.search_results": "Igemmaḍ n unadi",
|
||||
"explore.suggested_follows": "Imdanen",
|
||||
"explore.title": "Snirem",
|
||||
"explore.trending_links": "Isallen",
|
||||
"explore.trending_statuses": "Tisuffiɣin",
|
||||
@ -184,6 +189,8 @@
|
||||
"filter_modal.added.settings_link": "asebter n yiɣewwaṛen",
|
||||
"filter_modal.select_filter.prompt_new": "Taggayt tamaynutt : {name}",
|
||||
"filter_modal.select_filter.search": "Nadi neɣ snulfu-d",
|
||||
"firehose.all": "Akk",
|
||||
"firehose.local": "Deg uqeddac-ayi",
|
||||
"follow_request.authorize": "Ssireg",
|
||||
"follow_request.reject": "Agi",
|
||||
"footer.about": "Γef",
|
||||
@ -252,6 +259,7 @@
|
||||
"lightbox.expand": "Simeɣer tamnaḍt n uskan n tugna",
|
||||
"lightbox.next": "Γer zdat",
|
||||
"lightbox.previous": "Γer deffir",
|
||||
"link_preview.author": "S-ɣur {name}",
|
||||
"lists.account.add": "Rnu ɣer tebdart",
|
||||
"lists.account.remove": "Kkes seg tebdart",
|
||||
"lists.delete": "Kkes tabdart",
|
||||
@ -280,6 +288,7 @@
|
||||
"navigation_bar.domain_blocks": "Tiɣula yeffren",
|
||||
"navigation_bar.edit_profile": "Ẓreg amaɣnu",
|
||||
"navigation_bar.explore": "Snirem",
|
||||
"navigation_bar.favourites": "Imenyafen",
|
||||
"navigation_bar.filters": "Awalen i yettwasgugmen",
|
||||
"navigation_bar.follow_requests": "Isuturen n teḍfeṛt",
|
||||
"navigation_bar.follows_and_followers": "Imeḍfaṛen akked wid i teṭṭafaṛeḍ",
|
||||
@ -303,6 +312,7 @@
|
||||
"notifications.clear": "Sfeḍ tilɣa",
|
||||
"notifications.clear_confirmation": "Tebɣiḍ s tidet ad tekkseḍ akk tilɣa-inek·em i lebda?",
|
||||
"notifications.column_settings.alert": "Tilɣa n tnarit",
|
||||
"notifications.column_settings.favourite": "Imenyafen:",
|
||||
"notifications.column_settings.filter_bar.advanced": "Ssken-d meṛṛa tiggayin",
|
||||
"notifications.column_settings.filter_bar.category": "Iri n usizdeg uzrib",
|
||||
"notifications.column_settings.follow": "Imeḍfaṛen imaynuten:",
|
||||
@ -316,6 +326,7 @@
|
||||
"notifications.column_settings.status": "Tiẓenẓunin timaynutin:",
|
||||
"notifications.filter.all": "Akk",
|
||||
"notifications.filter.boosts": "Seǧhed",
|
||||
"notifications.filter.favourites": "Imenyafen",
|
||||
"notifications.filter.follows": "Yeṭafaṛ",
|
||||
"notifications.filter.mentions": "Abdar",
|
||||
"notifications.filter.polls": "Igemmaḍ n usenqed",
|
||||
@ -328,6 +339,7 @@
|
||||
"notifications_permission_banner.title": "Ur zeggel acemma",
|
||||
"onboarding.actions.go_to_explore": "See what's trending",
|
||||
"onboarding.actions.go_to_home": "Go to your home feed",
|
||||
"onboarding.compose.template": "Azul a #Mastodon!",
|
||||
"onboarding.follows.lead": "You curate your own home feed. The more people you follow, the more active and interesting it will be. These profiles may be a good starting point—you can always unfollow them later!",
|
||||
"onboarding.follows.title": "Popular on Mastodon",
|
||||
"onboarding.start.lead": "Your new Mastodon account is ready to go. Here's how you can make the most of it:",
|
||||
@ -396,6 +408,7 @@
|
||||
"server_banner.learn_more": "Issin ugar",
|
||||
"sign_in_banner.create_account": "Snulfu-d amiḍan",
|
||||
"sign_in_banner.sign_in": "Qqen",
|
||||
"sign_in_banner.sso_redirect": "Qqen neɣ jerred",
|
||||
"status.admin_status": "Open this status in the moderation interface",
|
||||
"status.block": "Seḥbes @{name}",
|
||||
"status.bookmark": "Creḍ",
|
||||
|
@ -623,7 +623,7 @@
|
||||
"status.filter": "이 게시물을 필터",
|
||||
"status.filtered": "필터로 걸러짐",
|
||||
"status.hide": "게시물 숨기기",
|
||||
"status.history.created": "{name} 님이 {date}에 생성함",
|
||||
"status.history.created": "{name} 님이 {date}에 처음 게시함",
|
||||
"status.history.edited": "{name} 님이 {date}에 수정함",
|
||||
"status.load_more": "더 보기",
|
||||
"status.media.open": "클릭하여 열기",
|
||||
|
@ -17,6 +17,7 @@
|
||||
"account.badges.group": "Grupa",
|
||||
"account.block": "Bloķēt @{name}",
|
||||
"account.block_domain": "Bloķēt domēnu {domain}",
|
||||
"account.block_short": "Bloķēt",
|
||||
"account.blocked": "Bloķēts",
|
||||
"account.browse_more_on_origin_server": "Pārlūkot vairāk sākotnējā profilā",
|
||||
"account.cancel_follow_request": "Atsaukt sekošanas pieprasījumu",
|
||||
@ -48,7 +49,9 @@
|
||||
"account.mention": "Pieminēt @{name}",
|
||||
"account.moved_to": "{name} norādīja, ka viņu jaunais konts tagad ir:",
|
||||
"account.mute": "Apklusināt @{name}",
|
||||
"account.mute_short": "Apklusināt",
|
||||
"account.muted": "Apklusināts",
|
||||
"account.no_bio": "Apraksts nav sniegts.",
|
||||
"account.open_original_page": "Atvērt oriģinālo lapu",
|
||||
"account.posts": "Ieraksti",
|
||||
"account.posts_with_replies": "Ieraksti un atbildes",
|
||||
@ -104,6 +107,7 @@
|
||||
"column.direct": "Privāti pieminēti",
|
||||
"column.directory": "Pārlūkot profilus",
|
||||
"column.domain_blocks": "Bloķētie domēni",
|
||||
"column.favourites": "Iecienīti",
|
||||
"column.follow_requests": "Sekošanas pieprasījumi",
|
||||
"column.home": "Sākums",
|
||||
"column.lists": "Saraksti",
|
||||
@ -124,6 +128,7 @@
|
||||
"community.column_settings.remote_only": "Tikai attālinātie",
|
||||
"compose.language.change": "Mainīt valodu",
|
||||
"compose.language.search": "Meklēt valodas...",
|
||||
"compose.published.open": "Atvērt",
|
||||
"compose_form.direct_message_warning_learn_more": "Uzzināt vairāk",
|
||||
"compose_form.encryption_warning": "Ziņas vietnē Mastodon nav pilnībā šifrētas. Nedalies ar sensitīvu informāciju caur Mastodon.",
|
||||
"compose_form.hashtag_warning": "Šī ziņa netiks norādīta zem nevienas atsauces, jo tā nav publiska. Tikai publiskās ziņās var meklēt pēc atsauces.",
|
||||
@ -251,6 +256,7 @@
|
||||
"filter_modal.select_filter.subtitle": "Izmanto esošu kategoriju vai izveido jaunu",
|
||||
"filter_modal.select_filter.title": "Filtrēt šo ziņu",
|
||||
"filter_modal.title.status": "Filtrēt ziņu",
|
||||
"firehose.remote": "Citi serveri",
|
||||
"follow_request.authorize": "Autorizēt",
|
||||
"follow_request.reject": "Noraidīt",
|
||||
"follow_requests.unlocked_explanation": "Lai gan tavs konts nav bloķēts, {domain} darbinieki iedomājās, ka, iespējams, vēlēsies pārskatīt pieprasījumus no šiem kontiem.",
|
||||
@ -452,6 +458,7 @@
|
||||
"picture_in_picture.restore": "Novietot atpakaļ",
|
||||
"poll.closed": "Pabeigta",
|
||||
"poll.refresh": "Atsvaidzināt",
|
||||
"poll.reveal": "Skatīt rezultātus",
|
||||
"poll.total_people": "{count, plural, zero {# cilvēku} one {# persona} other {# cilvēki}}",
|
||||
"poll.total_votes": "{count, plural, zero {# balsojumu} one {# balsojums} other {# balsojumi}}",
|
||||
"poll.vote": "Balsot",
|
||||
|
@ -21,6 +21,7 @@
|
||||
"account.blocked": "Disekat",
|
||||
"account.browse_more_on_origin_server": "Layari selebihnya di profil asal",
|
||||
"account.cancel_follow_request": "Menarik balik permintaan mengikut",
|
||||
"account.direct": "Sebut secara persendirian @{name}",
|
||||
"account.disable_notifications": "Berhenti maklumkan saya apabila @{name} mengirim hantaran",
|
||||
"account.domain_blocked": "Domain disekat",
|
||||
"account.edit_profile": "Sunting profil",
|
||||
@ -39,6 +40,7 @@
|
||||
"account.follows_you": "Mengikuti anda",
|
||||
"account.go_to_profile": "Pergi ke profil",
|
||||
"account.hide_reblogs": "Sembunyikan galakan daripada @{name}",
|
||||
"account.in_memoriam": "Dalam Memoriam.",
|
||||
"account.joined_short": "Menyertai",
|
||||
"account.languages": "Tukar bahasa yang dilanggan",
|
||||
"account.link_verified_on": "Pemilikan pautan ini telah disemak pada {date}",
|
||||
@ -74,6 +76,7 @@
|
||||
"admin.dashboard.retention.cohort": "Bulan pendaftaran",
|
||||
"admin.dashboard.retention.cohort_size": "Pengguna baru",
|
||||
"admin.impact_report.instance_accounts": "Profil akaun ini akan dipadamkan",
|
||||
"admin.impact_report.title": "Ringkasan kesan",
|
||||
"alert.rate_limited.message": "Sila cuba semula selepas {retry_time, time, medium}.",
|
||||
"alert.rate_limited.title": "Kadar terhad",
|
||||
"alert.unexpected.message": "Berlaku ralat di luar jangkaan.",
|
||||
@ -127,6 +130,7 @@
|
||||
"community.column_settings.remote_only": "Jauh sahaja",
|
||||
"compose.language.change": "Tukar bahasa",
|
||||
"compose.language.search": "Cari bahasa...",
|
||||
"compose.published.body": "Pos telah diterbitkan.",
|
||||
"compose.published.open": "Buka",
|
||||
"compose_form.direct_message_warning_learn_more": "Ketahui lebih lanjut",
|
||||
"compose_form.encryption_warning": "Hantaran pada Mastodon tidak disulitkan hujung ke hujung. Jangan berkongsi sebarang maklumat sensitif melalui Mastodon.",
|
||||
@ -171,6 +175,7 @@
|
||||
"confirmations.mute.explanation": "Ini akan menyembunyikan hantaran daripada mereka dan juga hantaran yang menyebut mereka, tetapi ia masih membenarkan mereka melihat hantaran anda dan mengikuti anda.",
|
||||
"confirmations.mute.message": "Adakah anda pasti anda ingin membisukan {name}?",
|
||||
"confirmations.redraft.confirm": "Padam & rangka semula",
|
||||
"confirmations.redraft.message": "Adakah anda pasti anda ingin memadam pos ini dan merangkanya semula? Kegemaran dan galakan akan hilang, dan balasan ke pos asal akan menjadi yatim.",
|
||||
"confirmations.reply.confirm": "Balas",
|
||||
"confirmations.reply.message": "Membalas sekarang akan menulis ganti mesej yang anda sedang karang. Adakah anda pasti anda ingin teruskan?",
|
||||
"confirmations.unfollow.confirm": "Nyahikut",
|
||||
@ -180,6 +185,7 @@
|
||||
"conversation.open": "Lihat perbualan",
|
||||
"conversation.with": "Dengan {names}",
|
||||
"copypaste.copied": "Disalin",
|
||||
"copypaste.copy_to_clipboard": "Salin ke papan klip",
|
||||
"directory.federated": "Dari fediverse yang diketahui",
|
||||
"directory.local": "Dari {domain} sahaja",
|
||||
"directory.new_arrivals": "Ketibaan baharu",
|
||||
@ -189,7 +195,9 @@
|
||||
"dismissable_banner.community_timeline": "Inilah hantaran awam terkini daripada orang yang akaun dihos oleh {domain}.",
|
||||
"dismissable_banner.dismiss": "Ketepikan",
|
||||
"dismissable_banner.explore_links": "Berita-berita ini sedang dibualkan oleh orang di pelayar ini dan pelayar lain dalam rangkaian terpencar sekarang.",
|
||||
"dismissable_banner.explore_statuses": "Ini adalah pos dari seluruh web sosial yang semakin menarik perhatian hari ini. Pos baharu dengan lebih banyak rangsangan dan kegemaran diberi kedudukan lebih tinggi.",
|
||||
"dismissable_banner.explore_tags": "Tanda-tanda pagar ini daripada pelayar ini dan pelayar lain dalam rangkaian terpencar sedang hangat pada pelayar ini sekarang.",
|
||||
"dismissable_banner.public_timeline": "Ini ialah pos awam terbaharu daripada orang di web sosial yang diikuti oleh orang di {domain}.",
|
||||
"embed.instructions": "Benam hantaran ini di laman sesawang anda dengan menyalin kod berikut.",
|
||||
"embed.preview": "Begini rupanya nanti:",
|
||||
"emoji_button.activity": "Aktiviti",
|
||||
@ -231,6 +239,7 @@
|
||||
"errors.unexpected_crash.copy_stacktrace": "Salin surih tindanan ke papan keratan",
|
||||
"errors.unexpected_crash.report_issue": "Laporkan masalah",
|
||||
"explore.search_results": "Hasil carian",
|
||||
"explore.suggested_follows": "Orang",
|
||||
"explore.title": "Terokai",
|
||||
"explore.trending_links": "Baru",
|
||||
"explore.trending_statuses": "Hantar",
|
||||
@ -279,10 +288,12 @@
|
||||
"hashtag.column_settings.tag_toggle": "Sertakan tag tambahan untuk lajur ini",
|
||||
"hashtag.follow": "Ikuti hashtag",
|
||||
"hashtag.unfollow": "Nyahikut tanda pagar",
|
||||
"home.actions.go_to_explore": "Lihat apa yand sedang tren",
|
||||
"home.actions.go_to_suggestions": "Cari orang untuk diikuti",
|
||||
"home.column_settings.basic": "Asas",
|
||||
"home.column_settings.show_reblogs": "Tunjukkan galakan",
|
||||
"home.column_settings.show_replies": "Tunjukkan balasan",
|
||||
"home.explore_prompt.title": "Ini adalah pusat operasi anda dalam Mastodon.",
|
||||
"home.hide_announcements": "Sembunyikan pengumuman",
|
||||
"home.show_announcements": "Tunjukkan pengumuman",
|
||||
"interaction_modal.description.follow": "Dengan akaun pada Mastodon, anda boleh mengikut {name} untuk menerima hantaran mereka di suapan rumah anda.",
|
||||
@ -338,6 +349,7 @@
|
||||
"lightbox.previous": "Sebelumnya",
|
||||
"limited_account_hint.action": "Paparkan profil",
|
||||
"limited_account_hint.title": "Profil ini telah disembunyikan oleh moderator {domain}.",
|
||||
"link_preview.author": "Dengan {name}",
|
||||
"lists.account.add": "Tambah ke senarai",
|
||||
"lists.account.remove": "Buang daripada senarai",
|
||||
"lists.delete": "Padam senarai",
|
||||
@ -367,6 +379,7 @@
|
||||
"navigation_bar.domain_blocks": "Domain disekat",
|
||||
"navigation_bar.edit_profile": "Sunting profil",
|
||||
"navigation_bar.explore": "Teroka",
|
||||
"navigation_bar.favourites": "Kegemaran",
|
||||
"navigation_bar.filters": "Perkataan yang dibisukan",
|
||||
"navigation_bar.follow_requests": "Permintaan ikutan",
|
||||
"navigation_bar.followed_tags": "Ikuti hashtag",
|
||||
@ -396,6 +409,7 @@
|
||||
"notifications.column_settings.admin.report": "Laporan baru:",
|
||||
"notifications.column_settings.admin.sign_up": "Pendaftaran baru:",
|
||||
"notifications.column_settings.alert": "Pemberitahuan atas meja",
|
||||
"notifications.column_settings.favourite": "Kegemaran:",
|
||||
"notifications.column_settings.filter_bar.advanced": "Papar semua kategori",
|
||||
"notifications.column_settings.filter_bar.category": "Bar penapis pantas",
|
||||
"notifications.column_settings.filter_bar.show_bar": "Paparkan bar penapis",
|
||||
@ -413,6 +427,7 @@
|
||||
"notifications.column_settings.update": "Suntingan:",
|
||||
"notifications.filter.all": "Semua",
|
||||
"notifications.filter.boosts": "Galakan",
|
||||
"notifications.filter.favourites": "Kegemaran",
|
||||
"notifications.filter.follows": "Ikutan",
|
||||
"notifications.filter.mentions": "Sebutan",
|
||||
"notifications.filter.polls": "Keputusan undian",
|
||||
@ -433,19 +448,29 @@
|
||||
"onboarding.compose.template": "Hello #Mastodon!",
|
||||
"onboarding.follows.lead": "You curate your own home feed. The more people you follow, the more active and interesting it will be. These profiles may be a good starting point—you can always unfollow them later!",
|
||||
"onboarding.follows.title": "Popular on Mastodon",
|
||||
"onboarding.share.next_steps": "Langkah seterusnya yang mungkin:",
|
||||
"onboarding.share.title": "Berkongsi profil anda",
|
||||
"onboarding.start.lead": "Your new Mastodon account is ready to go. Here's how you can make the most of it:",
|
||||
"onboarding.start.skip": "Want to skip right ahead?",
|
||||
"onboarding.start.title": "Anda telah berjaya!",
|
||||
"onboarding.steps.follow_people.body": "You curate your own feed. Lets fill it with interesting people.",
|
||||
"onboarding.steps.follow_people.title": "Follow {count, plural, one {one person} other {# people}}",
|
||||
"onboarding.steps.publish_status.body": "Say hello to the world.",
|
||||
"onboarding.steps.publish_status.title": "Buat pos pertama anda",
|
||||
"onboarding.steps.setup_profile.body": "Others are more likely to interact with you with a filled out profile.",
|
||||
"onboarding.steps.setup_profile.title": "Customize your profile",
|
||||
"onboarding.steps.share_profile.body": "Let your friends know how to find you on Mastodon!",
|
||||
"onboarding.steps.share_profile.title": "Share your profile",
|
||||
"onboarding.tips.2fa": "<strong>Tahukah anda?</strong> Anda boleh melindungi akaun anda dengan menyediakan pengesahan dua faktor dalam tetapan akaun anda. Ia berfungsi dengan mana-mana aplikasi TOTP pilihan anda, tiada nombor telefon diperlukan!",
|
||||
"onboarding.tips.accounts_from_other_servers": "<strong>Tahukah anda?</strong> Memandangkan Mastodon tidak berpusat, beberapa profil yang anda temui akan dihoskan pada server selain anda. Namun anda boleh berinteraksi dengan mereka dengan lancar! Server mereka berada di separuh kedua nama pengguna mereka!",
|
||||
"onboarding.tips.migration": "<strong>Tahukah anda?</strong> Jika anda rasa {domain} bukan pilihan server yang bagus untuk anda pada masa hadapan, anda boleh beralih ke server Mastodon yang lain tanpa kehilangan pengikut anda. Anda juga boleh mengehoskan server anda sendiri!",
|
||||
"onboarding.tips.verification": "<strong>Tahukah anda?</strong> Anda boleh mengesahkan akaun anda dengan meletakkan pautan ke profil Mastodon anda pada tapak web anda sendiri dan menambah tapak web pada profil anda. Tiada bayaran atau dokumen diperlukan!",
|
||||
"password_confirmation.exceeds_maxlength": "Pengesahan kata laluan melebihi panjang kata laluan maksimum",
|
||||
"password_confirmation.mismatching": "Pengesahan kata laluan tidak sepadan",
|
||||
"picture_in_picture.restore": "Letak semula",
|
||||
"poll.closed": "Ditutup",
|
||||
"poll.refresh": "Muat semula",
|
||||
"poll.reveal": "Hasil carian",
|
||||
"poll.total_people": "{count, plural, other {# orang}}",
|
||||
"poll.total_votes": "{count, plural, other {# undian}}",
|
||||
"poll.vote": "Undi",
|
||||
@ -499,6 +524,7 @@
|
||||
"report.reasons.dislike": "Saya tidak suka",
|
||||
"report.reasons.dislike_description": "Inilah sesuatu yang anda tidak ingin lihat",
|
||||
"report.reasons.legal": "Ia haram",
|
||||
"report.reasons.legal_description": "Anda percaya ia melanggar undang-undang negara anda atau negara server",
|
||||
"report.reasons.other": "Inilah sesuatu yang lain",
|
||||
"report.reasons.other_description": "Isu ini tidak sesuai untuk kategori lain",
|
||||
"report.reasons.spam": "Inilah spam",
|
||||
@ -523,8 +549,16 @@
|
||||
"report_notification.categories.spam": "Spam",
|
||||
"report_notification.categories.violation": "Langgaran peraturan",
|
||||
"report_notification.open": "Buka laporan",
|
||||
"search.no_recent_searches": "Tiada carian terkini",
|
||||
"search.placeholder": "Cari",
|
||||
"search.quick_action.account_search": "Pos sepadan {x}",
|
||||
"search.quick_action.go_to_account": "Pergi ke profil {x}",
|
||||
"search.quick_action.go_to_hashtag": "Pergi ke hashtag {x}",
|
||||
"search.quick_action.open_url": "Buka URL dalam Mastadon",
|
||||
"search.quick_action.status_search": "Pos sepadan {x}",
|
||||
"search.search_or_paste": "Cari atau tampal URL",
|
||||
"search_popout.quick_actions": "Tindakan pantas",
|
||||
"search_popout.recent": "Carian terkini",
|
||||
"search_results.accounts": "Profil",
|
||||
"search_results.all": "Semua",
|
||||
"search_results.hashtags": "Tanda pagar",
|
||||
@ -556,8 +590,10 @@
|
||||
"status.edited": "Disunting {date}",
|
||||
"status.edited_x_times": "Disunting {count, plural, other {{count} kali}}",
|
||||
"status.embed": "Benaman",
|
||||
"status.favourite": "Kegemaran",
|
||||
"status.filter": "Tapiskan hantaran ini",
|
||||
"status.filtered": "Ditapis",
|
||||
"status.hide": "Sembunyikan pos",
|
||||
"status.history.created": "{name} mencipta pada {date}",
|
||||
"status.history.edited": "{name} menyunting pada {date}",
|
||||
"status.load_more": "Muatkan lagi",
|
||||
@ -593,6 +629,7 @@
|
||||
"status.title.with_attachments": "{user} posted {attachmentCount, plural, one {an attachment} other {# attachments}}",
|
||||
"status.translate": "Menterjemah",
|
||||
"status.translated_from_with": "Diterjemah daripada {lang} dengan {provider}",
|
||||
"status.uncached_media_warning": "Pratonton tidak tersedia",
|
||||
"status.unmute_conversation": "Nyahbisukan 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.",
|
||||
@ -640,6 +677,7 @@
|
||||
"upload_modal.preview_label": "Pratonton ({ratio})",
|
||||
"upload_progress.label": "Memuat naik...",
|
||||
"upload_progress.processing": "Memproses…",
|
||||
"username.taken": "Nama pengguna tersebut sudah digunakan. Sila cuba lagi",
|
||||
"video.close": "Tutup video",
|
||||
"video.download": "Muat turun fail",
|
||||
"video.exit_fullscreen": "Keluar skrin penuh",
|
||||
|
@ -295,9 +295,9 @@
|
||||
"hashtag.column_settings.tag_mode.any": "Kva som helst av desse",
|
||||
"hashtag.column_settings.tag_mode.none": "Ingen av desse",
|
||||
"hashtag.column_settings.tag_toggle": "Inkluder fleire emneord for denne kolonna",
|
||||
"hashtag.counter_by_accounts": "{count, plural, one {{counter} deltaker} other {{counter} deltakere}}",
|
||||
"hashtag.counter_by_uses": "{count, plural, one {ett innlegg} other {{counter} innlegg}}",
|
||||
"hashtag.counter_by_uses_today": "{count, plural, one {ett innlegg} other {{counter} innlegg}} i dag",
|
||||
"hashtag.counter_by_accounts": "{count, plural,one {{counter} deltakar} other {{counter} deltakarar}}",
|
||||
"hashtag.counter_by_uses": "{count, plural,one {{counter} innlegg} other {{counter} innlegg}}",
|
||||
"hashtag.counter_by_uses_today": "{count, plural,one {{counter} innlegg} other {{counter} innlegg}} i dag",
|
||||
"hashtag.follow": "Fylg emneknagg",
|
||||
"hashtag.unfollow": "Slutt å fylgje emneknaggen",
|
||||
"home.actions.go_to_explore": "Sjå kva som er populært",
|
||||
|
@ -13,7 +13,7 @@
|
||||
"about.rules": "Regler for serveren",
|
||||
"account.account_note_header": "Notat",
|
||||
"account.add_or_remove_from_list": "Legg til eller fjern fra lister",
|
||||
"account.badges.bot": "Robot",
|
||||
"account.badges.bot": "Automatisert",
|
||||
"account.badges.group": "Gruppe",
|
||||
"account.block": "Blokker @{name}",
|
||||
"account.block_domain": "Blokker domenet {domain}",
|
||||
|
@ -358,6 +358,7 @@
|
||||
"lightbox.previous": "Predchádzajúci",
|
||||
"limited_account_hint.action": "Ukáž profil aj tak",
|
||||
"limited_account_hint.title": "Tento profil bol skrytý moderátormi stránky {domain}.",
|
||||
"link_preview.author": "Podľa {name}",
|
||||
"lists.account.add": "Pridaj do zoznamu",
|
||||
"lists.account.remove": "Odober zo zoznamu",
|
||||
"lists.delete": "Vymaž list",
|
||||
@ -574,6 +575,7 @@
|
||||
"server_banner.server_stats": "Serverové štatistiky:",
|
||||
"sign_in_banner.create_account": "Vytvor účet",
|
||||
"sign_in_banner.sign_in": "Prihlás sa",
|
||||
"sign_in_banner.sso_redirect": "Prihlás sa, alebo zaregistruj",
|
||||
"status.admin_account": "Otvor moderovacie rozhranie užívateľa @{name}",
|
||||
"status.admin_status": "Otvor tento príspevok v moderovacom rozhraní",
|
||||
"status.block": "Blokuj @{name}",
|
||||
|
@ -200,8 +200,8 @@
|
||||
"disabled_account_banner.text": "{disabledAccount} hesabınız şu an devre dışı.",
|
||||
"dismissable_banner.community_timeline": "Bunlar, {domain} sunucusunda hesabı olanların yakın zamandaki herkese açık gönderileridir.",
|
||||
"dismissable_banner.dismiss": "Yoksay",
|
||||
"dismissable_banner.explore_links": "Bu haberler, merkeziyetsiz ağın bu ve diğer sunucularındaki insanlar tarafından şimdilerde konuşuluyor.",
|
||||
"dismissable_banner.explore_statuses": "Merkeziyetsiz ağın bu ve diğer sunucularındaki bu gönderiler, mevcut sunucuda şimdilerde ilgi çekiyorlar.",
|
||||
"dismissable_banner.explore_links": "Bunlar şimdilerde sosyal ağlarda en çok paylaşılan haberler. Farklı kişilerin yayınladığı daha yeni haberler daha üst sıralarda yer alır.",
|
||||
"dismissable_banner.explore_statuses": "Bunlar, sosyal ağ genelinde bugün ilgi gören gönderiler. Daha çok yinelenen ve favorilenen yeni gönderiler daha üst sıralarda yer alır.",
|
||||
"dismissable_banner.explore_tags": "Bu etiketler, merkeziyetsiz ağda bulunan bu ve diğer sunuculardaki insanların şimdilerde ilgisini çekiyor.",
|
||||
"dismissable_banner.public_timeline": "Bunlar, {domain} üzerindeki insanların, sosyal ağ da takip ettiği insanlarca gönderilen en son ve herkese açık gönderilerdir.",
|
||||
"embed.instructions": "Aşağıdaki kodu kopyalayarak bu durumu sitenize gömün.",
|
||||
@ -227,7 +227,7 @@
|
||||
"empty_column.blocks": "Henüz herhangi bir kullanıcıyı engellemedin.",
|
||||
"empty_column.bookmarked_statuses": "Henüz yer imine eklediğin toot yok. Bir tanesi yer imine eklendiğinde burada görünür.",
|
||||
"empty_column.community": "Yerel zaman çizelgesi boş. Daha fazla eğlence için herkese açık bir gönderi paylaşın!",
|
||||
"empty_column.direct": "Henüz doğrudan değinmeniz yok. Bir tane gönderdiğinizde veya aldığınızda burada listelenecekler.",
|
||||
"empty_column.direct": "Henüz doğrudan değinmeniz yok. Bir tane gönderdiğinizde veya aldığınızda burada listelenecek.",
|
||||
"empty_column.domain_blocks": "Henüz engellenmiş bir alan adı yok.",
|
||||
"empty_column.explore_statuses": "Şu an öne çıkan birşey yok. Daha sonra tekrar bakın!",
|
||||
"empty_column.favourited_statuses": "Henüz bir gönderiyi favorilerinize eklememişsiniz. Bir gönderiyi favorilerinize eklediğinizde burada görünecek.",
|
||||
@ -418,7 +418,7 @@
|
||||
"not_signed_in_indicator.not_signed_in": "Bu kaynağa erişmek için oturum açmanız gerekir.",
|
||||
"notification.admin.report": "{name}, {target} kişisini bildirdi",
|
||||
"notification.admin.sign_up": "{name} kaydoldu",
|
||||
"notification.favourite": "{name} gönderinizden hoşlandı",
|
||||
"notification.favourite": "{name} gönderinizi beğendi",
|
||||
"notification.follow": "{name} seni takip etti",
|
||||
"notification.follow_request": "{name} size takip isteği gönderdi",
|
||||
"notification.mention": "{name} senden bahsetti",
|
||||
@ -582,7 +582,7 @@
|
||||
"search.quick_action.go_to_hashtag": "Etikete git {x}",
|
||||
"search.quick_action.open_url": "Bağlantıyı Mastodon'da Aç",
|
||||
"search.quick_action.status_search": "Eşleşen gönderiler {x}",
|
||||
"search.search_or_paste": "Ara veya Bağlantıyı yapıştır",
|
||||
"search.search_or_paste": "Ara veya bağlantıyı yapıştır",
|
||||
"search_popout.quick_actions": "Hızlı eylemler",
|
||||
"search_popout.recent": "Son aramalar",
|
||||
"search_results.accounts": "Profiller",
|
||||
@ -610,7 +610,7 @@
|
||||
"status.bookmark": "Yer işareti ekle",
|
||||
"status.cancel_reblog_private": "Yeniden paylaşımı geri al",
|
||||
"status.cannot_reblog": "Bu gönderi yeniden paylaşılamaz",
|
||||
"status.copy": "Bağlantı durumunu kopyala",
|
||||
"status.copy": "Gönderi bağlantısını kopyala",
|
||||
"status.delete": "Sil",
|
||||
"status.detailed_status": "Ayrıntılı sohbet görünümü",
|
||||
"status.direct": "@{name} kullanıcısına özelden değin",
|
||||
@ -643,7 +643,7 @@
|
||||
"status.reblogs.empty": "Henüz hiç kimse bu Gönderiyi Yeniden Paylaşmadı. Herhangi bir kullanıcı yeniden paylaştığında burada görüntülenecek.",
|
||||
"status.redraft": "Sil,Düzenle ve Yeniden paylaş",
|
||||
"status.remove_bookmark": "Yer işaretini kaldır",
|
||||
"status.replied_to": "{name} kullanıcısına yanıt verildi",
|
||||
"status.replied_to": "{name} kullanıcısına yanıt verdi",
|
||||
"status.reply": "Yanıtla",
|
||||
"status.replyAll": "Konuyu yanıtla",
|
||||
"status.report": "@{name} adlı kişiyi bildir",
|
||||
|
@ -12,7 +12,7 @@
|
||||
"about.powered_by": "Mạng xã hội liên hợp {mastodon}",
|
||||
"about.rules": "Nội quy máy chủ",
|
||||
"account.account_note_header": "Ghi chú",
|
||||
"account.add_or_remove_from_list": "Thêm hoặc xóa khỏi danh sách",
|
||||
"account.add_or_remove_from_list": "Thêm vào danh sách",
|
||||
"account.badges.bot": "Bot",
|
||||
"account.badges.group": "Nhóm",
|
||||
"account.block": "Chặn @{name}",
|
||||
@ -29,7 +29,7 @@
|
||||
"account.endorse": "Tôn vinh người này",
|
||||
"account.featured_tags.last_status_at": "Tút gần nhất {date}",
|
||||
"account.featured_tags.last_status_never": "Chưa có tút",
|
||||
"account.featured_tags.title": "Hashtag {name} thường dùng",
|
||||
"account.featured_tags.title": "Hashtag của {name}",
|
||||
"account.follow": "Theo dõi",
|
||||
"account.followers": "Người theo dõi",
|
||||
"account.followers.empty": "Chưa có người theo dõi nào.",
|
||||
@ -116,7 +116,7 @@
|
||||
"column.favourites": "Lượt thích",
|
||||
"column.firehose": "Bảng tin",
|
||||
"column.follow_requests": "Yêu cầu theo dõi",
|
||||
"column.home": "Bảng tin",
|
||||
"column.home": "Trang chính",
|
||||
"column.lists": "Danh sách",
|
||||
"column.mutes": "Người đã ẩn",
|
||||
"column.notifications": "Thông báo",
|
||||
@ -131,7 +131,7 @@
|
||||
"column_header.unpin": "Không ghim",
|
||||
"column_subheading.settings": "Cài đặt",
|
||||
"community.column_settings.local_only": "Chỉ máy chủ của bạn",
|
||||
"community.column_settings.media_only": "Chỉ xem media",
|
||||
"community.column_settings.media_only": "Chỉ hiện tút có media",
|
||||
"community.column_settings.remote_only": "Chỉ người ở máy chủ khác",
|
||||
"compose.language.change": "Chọn ngôn ngữ tút",
|
||||
"compose.language.search": "Tìm ngôn ngữ...",
|
||||
@ -185,7 +185,7 @@
|
||||
"confirmations.reply.confirm": "Trả lời",
|
||||
"confirmations.reply.message": "Nội dung bạn đang soạn thảo sẽ bị ghi đè, bạn có tiếp tục?",
|
||||
"confirmations.unfollow.confirm": "Bỏ theo dõi",
|
||||
"confirmations.unfollow.message": "Bạn thật sự muốn ngưng theo dõi {name}?",
|
||||
"confirmations.unfollow.message": "Bạn thật sự muốn bỏ theo dõi {name}?",
|
||||
"conversation.delete": "Xóa tin nhắn này",
|
||||
"conversation.mark_as_read": "Đánh dấu là đã đọc",
|
||||
"conversation.open": "Xem toàn bộ tin nhắn",
|
||||
@ -198,12 +198,12 @@
|
||||
"directory.recently_active": "Hoạt động gần đây",
|
||||
"disabled_account_banner.account_settings": "Cài đặt tài khoản",
|
||||
"disabled_account_banner.text": "Tài khoản {disabledAccount} của bạn hiện không khả dụng.",
|
||||
"dismissable_banner.community_timeline": "Đây là những tút gần đây từ những người thuộc máy chủ {domain}.",
|
||||
"dismissable_banner.community_timeline": "Đây là những tút công khai gần đây trong mạng liên hợp của máy chủ {domain}.",
|
||||
"dismissable_banner.dismiss": "Bỏ qua",
|
||||
"dismissable_banner.explore_links": "Những sự kiện đang được thảo luận nhiều trên máy chủ này và những máy chủ khác thuộc mạng liên hợp của nó.",
|
||||
"dismissable_banner.explore_statuses": "Những tút đang phổ biến trên máy chủ này và mạng liên hợp của nó.",
|
||||
"dismissable_banner.explore_tags": "Những hashtag đang được sử dụng nhiều trên máy chủ này và những máy chủ khác thuộc mạng liên hợp của nó.",
|
||||
"dismissable_banner.public_timeline": "Đây là những tút công khai gần đây từ những người trong mạng liên hợp của {domain}.",
|
||||
"dismissable_banner.explore_links": "Đây là những liên kết đang được chia sẻ nhiều trong mạng liên hợp của máy chủ này.",
|
||||
"dismissable_banner.explore_statuses": "Đây là những tút đang phổ biến trong mạng liên hợp của máy chủ này.",
|
||||
"dismissable_banner.explore_tags": "Đây là những hashtag đang được sử dụng nhiều trong mạng liên hợp của máy chủ này.",
|
||||
"dismissable_banner.public_timeline": "Đây là những tút công khai gần đây trong mạng liên hợp của máy chủ {domain}.",
|
||||
"embed.instructions": "Sao chép đoạn mã dưới đây và chèn vào trang web của bạn.",
|
||||
"embed.preview": "Nó sẽ hiển thị như vầy:",
|
||||
"emoji_button.activity": "Hoạt động",
|
||||
@ -235,11 +235,11 @@
|
||||
"empty_column.follow_requests": "Bạn chưa có yêu cầu theo dõi nào.",
|
||||
"empty_column.followed_tags": "Bạn chưa theo dõi hashtag nào. Khi bạn theo dõi, chúng sẽ hiện lên ở đây.",
|
||||
"empty_column.hashtag": "Chưa có tút nào dùng hashtag này.",
|
||||
"empty_column.home": "Bảng tin của bạn đang trống! Hãy theo dõi nhiều người hơn. {suggestions}",
|
||||
"empty_column.home": "Trang chính của bạn đang trống! Hãy theo dõi nhiều người hơn để lấp đầy.",
|
||||
"empty_column.list": "Chưa có tút. Khi những người trong danh sách này đăng tút mới, chúng sẽ xuất hiện ở đây.",
|
||||
"empty_column.lists": "Bạn chưa tạo danh sách nào.",
|
||||
"empty_column.mutes": "Bạn chưa ẩn bất kỳ ai.",
|
||||
"empty_column.notifications": "Bạn chưa có thông báo nào. Hãy thử theo dõi hoặc nhắn riêng cho một ai đó.",
|
||||
"empty_column.notifications": "Bạn chưa có thông báo nào. Hãy thử theo dõi hoặc nhắn riêng cho ai đó.",
|
||||
"empty_column.public": "Trống trơn! Bạn hãy viết gì đó hoặc bắt đầu theo dõi những người khác",
|
||||
"error.unexpected_crash.explanation": "Trang này có thể không hiển thị chính xác do lỗi lập trình Mastodon hoặc vấn đề tương thích trình duyệt.",
|
||||
"error.unexpected_crash.explanation_addons": "Trang này không thể hiển thị do xung khắc với add-on của trình duyệt hoặc công cụ tự động dịch ngôn ngữ.",
|
||||
@ -299,16 +299,16 @@
|
||||
"hashtag.counter_by_uses": "{count, plural, other {{counter} tút}}",
|
||||
"hashtag.counter_by_uses_today": "{count, plural, other {{counter} tút}} hôm nay",
|
||||
"hashtag.follow": "Theo dõi hashtag",
|
||||
"hashtag.unfollow": "Ngưng theo dõi hashtag",
|
||||
"hashtag.unfollow": "Bỏ theo dõi hashtag",
|
||||
"home.actions.go_to_explore": "Khám phá xu hướng",
|
||||
"home.actions.go_to_suggestions": "Đề xuất theo dõi",
|
||||
"home.actions.go_to_suggestions": "Tìm người theo dõi",
|
||||
"home.column_settings.basic": "Tùy chỉnh",
|
||||
"home.column_settings.show_reblogs": "Hiện những lượt đăng lại",
|
||||
"home.column_settings.show_replies": "Hiện những tút dạng trả lời",
|
||||
"home.explore_prompt.body": "Bảng tin của bạn sẽ có sự kết hợp của các tút gắn hashtag mà bạn đã chọn để theo dõi, những người bạn đã chọn để theo dõi và các bài đăng lại từ họ. Lúc này có vẻ hơi trống, sao bạn không:",
|
||||
"home.explore_prompt.body": "Bảng tin của bạn sẽ bao gồm các tút có hashtag bạn theo dõi, những người bạn theo dõi và các tút mà họ đăng lại. Lúc này có vẻ hơi trống, sao bạn không:",
|
||||
"home.explore_prompt.title": "Đây là ngôi nhà Mastodon của bạn.",
|
||||
"home.hide_announcements": "Ẩn thông báo máy chủ",
|
||||
"home.show_announcements": "Hiện thông báo máy chủ",
|
||||
"home.show_announcements": "Xem thông báo máy chủ",
|
||||
"interaction_modal.description.favourite": "Với tài khoản Mastodon, bạn có thể cho người đăng biết bạn thích tút này và lưu lại tút.",
|
||||
"interaction_modal.description.follow": "Với tài khoản Mastodon, bạn có thể theo dõi {name} để tút của họ hiện trên bảng tin của mình.",
|
||||
"interaction_modal.description.reblog": "Với tài khoản Mastodon, bạn có thể đăng lại tút này để chia sẻ nó với những người đang theo dõi bạn.",
|
||||
@ -340,7 +340,7 @@
|
||||
"keyboard_shortcuts.favourites": "Mở lượt thích",
|
||||
"keyboard_shortcuts.federated": "mở mạng liên hợp",
|
||||
"keyboard_shortcuts.heading": "Danh sách phím tắt",
|
||||
"keyboard_shortcuts.home": "mở bảng tin",
|
||||
"keyboard_shortcuts.home": "mở trang chính",
|
||||
"keyboard_shortcuts.hotkey": "Phím tắt",
|
||||
"keyboard_shortcuts.legend": "hiện bảng hướng dẫn này",
|
||||
"keyboard_shortcuts.local": "mở máy chủ của bạn",
|
||||
@ -467,26 +467,26 @@
|
||||
"onboarding.action.back": "Quay lại",
|
||||
"onboarding.actions.back": "Quay lại",
|
||||
"onboarding.actions.go_to_explore": "Xem những gì đang thịnh hành",
|
||||
"onboarding.actions.go_to_home": "Đi đến bảng tin",
|
||||
"onboarding.actions.go_to_home": "Đến trang chính",
|
||||
"onboarding.compose.template": "Xin chào #Mastodon!",
|
||||
"onboarding.follows.empty": "Không có kết quả có thể được hiển thị lúc này. Bạn có thể thử sử dụng tính năng tìm kiếm hoặc duyệt qua trang khám phá để tìm những người theo dõi hoặc thử lại sau.",
|
||||
"onboarding.follows.lead": "Bạn quản lý bảng tin của riêng bạn. Bạn càng theo dõi nhiều người, nó sẽ càng sôi động và thú vị. Những hồ sơ này có thể là một điểm khởi đầu tốt—bạn luôn có thể hủy theo dõi họ sau!",
|
||||
"onboarding.follows.lead": "Bạn quản lý bảng tin của riêng bạn. Bạn càng theo dõi nhiều người, nó sẽ càng sôi động và thú vị. Để bắt đầu, đây là vài gợi ý:",
|
||||
"onboarding.follows.title": "Thịnh hành trên Mastodon",
|
||||
"onboarding.share.lead": "Hãy cho mọi người biết làm thế nào họ có thể tìm thấy bạn trên Mastodon!",
|
||||
"onboarding.share.message": "Tôi là {username} trên #Mastodon! Hãy theo dõi tôi tại {url}",
|
||||
"onboarding.share.next_steps": "Các bước kế tiếp:",
|
||||
"onboarding.share.title": "Chia sẻ hồ sơ của bạn",
|
||||
"onboarding.share.title": "Chia sẻ hồ sơ",
|
||||
"onboarding.start.lead": "Tài khoản Mastodon mới của bạn đã sẵn sàng hoạt động. Đây là cách bạn có thể tận dụng tối đa nó:",
|
||||
"onboarding.start.skip": "Muốn bỏ qua luôn?",
|
||||
"onboarding.start.title": "Xong rồi bạn!",
|
||||
"onboarding.steps.follow_people.body": "Bạn quản lý bảng tin của riêng bạn. Hãy lấp đầy nó với những người thú vị.",
|
||||
"onboarding.steps.follow_people.title": "Theo dõi {count, plural, other {# người}}",
|
||||
"onboarding.steps.publish_status.body": "Gửi lời chào tới thế giới mới.",
|
||||
"onboarding.steps.publish_status.title": "Đăng tút đầu tiên của bạn",
|
||||
"onboarding.steps.setup_profile.body": "Những người khác có nhiều khả năng tương tác với bạn hơn nếu hồ sơ bạn được điền đầy đủ thông tin.",
|
||||
"onboarding.steps.follow_people.body": "Theo dõi những người thú vị trên Mastodon.",
|
||||
"onboarding.steps.follow_people.title": "Cá nhân hóa trang chính",
|
||||
"onboarding.steps.publish_status.body": "Chào cộng đồng bằng lời nói, ảnh hoặc video {emoji}",
|
||||
"onboarding.steps.publish_status.title": "Đăng tút đầu tiên",
|
||||
"onboarding.steps.setup_profile.body": "Tạo sự tương tác bằng một hồ sơ hoàn chỉnh.",
|
||||
"onboarding.steps.setup_profile.title": "Tùy biến hồ sơ",
|
||||
"onboarding.steps.share_profile.body": "Hãy để bạn bè của bạn biết cách tìm thấy bạn trên Mastodon!",
|
||||
"onboarding.steps.share_profile.title": "Chia sẻ hồ sơ của bạn",
|
||||
"onboarding.steps.share_profile.title": "Chia sẻ hồ sơ Mastodon của bạn",
|
||||
"onboarding.tips.2fa": "<strong>Bạn có biết?</strong> Bạn có thể bảo mật tài khoản của mình bằng cách thiết lập xác thực hai yếu tố trong cài đặt tài khoản của mình. Nó hoạt động với bất kỳ ứng dụng OTP nào bạn chọn, không cần số điện thoại!",
|
||||
"onboarding.tips.accounts_from_other_servers": "<strong>Bạn có biết?</strong> Vì Mastodon liên hợp, một số hồ sơ bạn gặp sẽ được lưu trữ trên các máy chủ không giống bạn. Tuy nhiên, bạn có thể tương tác với họ một cách liền mạch! Máy chủ của họ nằm ở nửa sau tên người dùng của họ!",
|
||||
"onboarding.tips.migration": "<strong>Bạn có biết?</strong> Nếu bạn thấy {domain} không phải là lựa chọn máy chủ tuyệt vời cho bạn trong tương lai, bạn có thể chuyển sang máy chủ Mastodon khác mà không bị mất người theo dõi. Bạn thậm chí có thể lưu trữ máy chủ của riêng bạn!",
|
||||
@ -494,7 +494,7 @@
|
||||
"password_confirmation.exceeds_maxlength": "Mật khẩu vượt quá độ dài mật khẩu tối đa",
|
||||
"password_confirmation.mismatching": "Mật khẩu không trùng khớp",
|
||||
"picture_in_picture.restore": "Hiển thị bình thường",
|
||||
"poll.closed": "Kết thúc",
|
||||
"poll.closed": "Đóng",
|
||||
"poll.refresh": "Làm mới",
|
||||
"poll.reveal": "Xem kết quả",
|
||||
"poll.total_people": "{count, plural, other {# người bình chọn}}",
|
||||
@ -504,7 +504,7 @@
|
||||
"poll.votes": "{votes, plural, other {# lượt bình chọn}}",
|
||||
"poll_button.add_poll": "Tạo bình chọn",
|
||||
"poll_button.remove_poll": "Hủy cuộc bình chọn",
|
||||
"privacy.change": "Thay đổi quyền riêng tư",
|
||||
"privacy.change": "Chọn kiểu tút",
|
||||
"privacy.direct.long": "Chỉ người được nhắc đến mới thấy",
|
||||
"privacy.direct.short": "Nhắn riêng",
|
||||
"privacy.private.long": "Dành riêng cho người theo dõi",
|
||||
@ -517,7 +517,7 @@
|
||||
"privacy_policy.title": "Chính sách bảo mật",
|
||||
"refresh": "Làm mới",
|
||||
"regeneration_indicator.label": "Đang tải…",
|
||||
"regeneration_indicator.sublabel": "Bảng tin của bạn đang được cập nhật!",
|
||||
"regeneration_indicator.sublabel": "Trang chính của bạn đang được cập nhật!",
|
||||
"relative_time.days": "{number} ngày",
|
||||
"relative_time.full.days": "{number, plural, other {# ngày}}",
|
||||
"relative_time.full.hours": "{number, plural, other {# giờ}}",
|
||||
@ -537,8 +537,8 @@
|
||||
"report.categories.violation": "Vi phạm nội quy máy chủ",
|
||||
"report.category.subtitle": "Chọn lý do phù hợp nhất:",
|
||||
"report.category.title": "{type} này có vấn đề gì?",
|
||||
"report.category.title_account": "người này",
|
||||
"report.category.title_status": "tút",
|
||||
"report.category.title_account": "Người",
|
||||
"report.category.title_status": "Tút",
|
||||
"report.close": "Xong",
|
||||
"report.comment.title": "Có điều gì mà chúng tôi cần biết không?",
|
||||
"report.forward": "Chuyển đến {target}",
|
||||
@ -567,8 +567,8 @@
|
||||
"report.thanks.take_action_actionable": "Trong lúc chờ chúng tôi xem xét, bạn có thể áp dụng hành động với @{name}:",
|
||||
"report.thanks.title": "Không muốn xem thứ này?",
|
||||
"report.thanks.title_actionable": "Cảm ơn đã báo cáo, chúng tôi sẽ xem xét kỹ.",
|
||||
"report.unfollow": "Ngưng theo dõi @{name}",
|
||||
"report.unfollow_explanation": "Bạn đang theo dõi người này. Để không thấy tút của họ trong bảng tin nữa, hãy ngưng theo dõi.",
|
||||
"report.unfollow": "Bỏ theo dõi @{name}",
|
||||
"report.unfollow_explanation": "Bạn đang theo dõi người này. Để không thấy tút của họ trên trang chính nữa, hãy bỏ theo dõi.",
|
||||
"report_notification.attached_statuses": "{count, plural, other {{count} tút}} đính kèm",
|
||||
"report_notification.categories.legal": "Pháp lý",
|
||||
"report_notification.categories.other": "Khác",
|
||||
@ -623,14 +623,14 @@
|
||||
"status.filter": "Lọc tút này",
|
||||
"status.filtered": "Bộ lọc",
|
||||
"status.hide": "Ẩn tút",
|
||||
"status.history.created": "{name} tạo vào {date}",
|
||||
"status.history.edited": "{name} sửa vào {date}",
|
||||
"status.history.created": "{name} đăng {date} trước",
|
||||
"status.history.edited": "{name} đã sửa {date} trước",
|
||||
"status.load_more": "Tải thêm",
|
||||
"status.media.open": "Nhấn để mở",
|
||||
"status.media.show": "Nhấn để xem",
|
||||
"status.media_hidden": "Đã ẩn",
|
||||
"status.mention": "Nhắc đến @{name}",
|
||||
"status.more": "Thêm",
|
||||
"status.more": "Xem thêm",
|
||||
"status.mute": "Ẩn @{name}",
|
||||
"status.mute_conversation": "Không quan tâm nữa",
|
||||
"status.open": "Đọc tút",
|
||||
@ -658,7 +658,7 @@
|
||||
"status.title.with_attachments": "{user} đã đăng {attachmentCount, plural, other {{attachmentCount} đính kèm}}",
|
||||
"status.translate": "Dịch tút",
|
||||
"status.translated_from_with": "Dịch từ {lang} bằng {provider}",
|
||||
"status.uncached_media_warning": "Xem trước không sẵn có",
|
||||
"status.uncached_media_warning": "Không bản xem trước",
|
||||
"status.unmute_conversation": "Quan tâm",
|
||||
"status.unpin": "Bỏ ghim trên hồ sơ",
|
||||
"subscribed_languages.lead": "Chỉ các tút đăng bằng các ngôn ngữ đã chọn mới được xuất hiện trên bảng tin của bạn. Không chọn gì cả để đọc tút đăng bằng mọi ngôn ngữ.",
|
||||
@ -666,7 +666,7 @@
|
||||
"subscribed_languages.target": "Đổi ngôn ngữ mong muốn cho {target}",
|
||||
"suggestions.dismiss": "Tắt đề xuất",
|
||||
"suggestions.header": "Có thể bạn quan tâm…",
|
||||
"tabs_bar.home": "Bảng tin",
|
||||
"tabs_bar.home": "Trang chính",
|
||||
"tabs_bar.notifications": "Thông báo",
|
||||
"time_remaining.days": "{number, plural, other {# ngày}}",
|
||||
"time_remaining.hours": "{number, plural, other {# giờ}}",
|
||||
|
@ -170,11 +170,6 @@
|
||||
display: block;
|
||||
width: 100%;
|
||||
}
|
||||
|
||||
.layout-multiple-columns &.button--with-bell {
|
||||
font-size: 12px;
|
||||
padding: 0 8px;
|
||||
}
|
||||
}
|
||||
|
||||
.column__wrapper {
|
||||
@ -9355,3 +9350,26 @@ noscript {
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
.hashtag-bar {
|
||||
margin-top: 16px;
|
||||
display: flex;
|
||||
flex-wrap: wrap;
|
||||
font-size: 14px;
|
||||
gap: 4px;
|
||||
|
||||
a {
|
||||
display: inline-flex;
|
||||
border-radius: 4px;
|
||||
background: rgba($highlight-text-color, 0.2);
|
||||
color: $highlight-text-color;
|
||||
padding: 0.4em 0.6em;
|
||||
text-decoration: none;
|
||||
|
||||
&:hover,
|
||||
&:focus,
|
||||
&:active {
|
||||
background: rgba($highlight-text-color, 0.3);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -50,6 +50,7 @@
|
||||
# trendable :boolean
|
||||
# reviewed_at :datetime
|
||||
# requested_review_at :datetime
|
||||
# indexable :boolean default(FALSE), not null
|
||||
#
|
||||
|
||||
class Account < ApplicationRecord
|
||||
|
@ -16,6 +16,8 @@ class UserSettings
|
||||
setting :default_sensitive, default: false
|
||||
setting :default_privacy, default: nil, in: %w(public unlisted private)
|
||||
|
||||
setting_inverse_alias :indexable, :noindex
|
||||
|
||||
namespace :web do
|
||||
setting :advanced_layout, default: false
|
||||
setting :trends, default: true
|
||||
@ -56,31 +58,26 @@ class UserSettings
|
||||
end
|
||||
|
||||
def [](key)
|
||||
key = key.to_sym
|
||||
definition = self.class.definition_for(key)
|
||||
|
||||
raise KeyError, "Undefined setting: #{key}" unless self.class.definition_for?(key)
|
||||
raise KeyError, "Undefined setting: #{key}" if definition.nil?
|
||||
|
||||
if @original_hash.key?(key)
|
||||
@original_hash[key]
|
||||
else
|
||||
self.class.definition_for(key).default_value
|
||||
end
|
||||
definition.value_for(key, @original_hash[definition.key])
|
||||
end
|
||||
|
||||
def []=(key, value)
|
||||
key = key.to_sym
|
||||
definition = self.class.definition_for(key)
|
||||
|
||||
raise KeyError, "Undefined setting: #{key}" unless self.class.definition_for?(key)
|
||||
raise KeyError, "Undefined setting: #{key}" if definition.nil?
|
||||
|
||||
setting_definition = self.class.definition_for(key)
|
||||
typecast_value = setting_definition.type_cast(value)
|
||||
typecast_value = definition.type_cast(value)
|
||||
|
||||
raise ArgumentError, "Invalid value for setting #{key}: #{typecast_value}" if setting_definition.in.present? && setting_definition.in.exclude?(typecast_value)
|
||||
raise ArgumentError, "Invalid value for setting #{definition.key}: #{typecast_value}" if definition.in.present? && definition.in.exclude?(typecast_value)
|
||||
|
||||
if typecast_value.nil?
|
||||
@original_hash.delete(key)
|
||||
@original_hash.delete(definition.key)
|
||||
else
|
||||
@original_hash[key] = typecast_value
|
||||
@original_hash[definition.key] = definition.value_for(key, typecast_value)
|
||||
end
|
||||
end
|
||||
|
||||
|
@ -10,6 +10,10 @@ module UserSettings::DSL
|
||||
end
|
||||
end
|
||||
|
||||
def setting_inverse_alias(key, original_key)
|
||||
@definitions[key] = @definitions[original_key].inverse_of(key)
|
||||
end
|
||||
|
||||
def namespace(key, &block)
|
||||
@definitions ||= {}
|
||||
|
||||
|
@ -10,6 +10,27 @@ class UserSettings::Setting
|
||||
@in = options[:in]
|
||||
end
|
||||
|
||||
def inverse_of(name)
|
||||
@inverse_of = name.to_sym
|
||||
self
|
||||
end
|
||||
|
||||
def value_for(name, original_value)
|
||||
value = begin
|
||||
if original_value.nil?
|
||||
default_value
|
||||
else
|
||||
original_value
|
||||
end
|
||||
end
|
||||
|
||||
if !@inverse_of.nil? && @inverse_of == name.to_sym
|
||||
!value
|
||||
else
|
||||
value
|
||||
end
|
||||
end
|
||||
|
||||
def default_value
|
||||
if @default_value.respond_to?(:call)
|
||||
@default_value.call
|
||||
|
@ -115,6 +115,7 @@ class ActivityPub::ProcessAccountService < BaseService
|
||||
@account.fields = property_values || {}
|
||||
@account.also_known_as = as_array(@json['alsoKnownAs'] || []).map { |item| value_or_id(item) }
|
||||
@account.discoverable = @json['discoverable'] || false
|
||||
@account.indexable = @json['indexable'] || false
|
||||
end
|
||||
|
||||
def set_fetchable_key!
|
||||
|
@ -8,9 +8,6 @@
|
||||
= render 'shared/error_messages', object: current_user
|
||||
|
||||
= f.simple_fields_for :settings, current_user.settings do |ff|
|
||||
.fields-group
|
||||
= ff.input :noindex, wrapper: :with_label, label: I18n.t('simple_form.labels.defaults.setting_noindex'), hint: I18n.t('simple_form.hints.defaults.setting_noindex')
|
||||
|
||||
.fields-group
|
||||
= ff.input :aggregate_reblogs, wrapper: :with_label, recommended: true, label: I18n.t('simple_form.labels.defaults.setting_aggregate_reblogs'), hint: I18n.t('simple_form.hints.defaults.setting_aggregate_reblogs')
|
||||
|
||||
@ -26,9 +23,6 @@
|
||||
.fields-group
|
||||
= ff.input :default_sensitive, wrapper: :with_label, label: I18n.t('simple_form.labels.defaults.setting_default_sensitive'), hint: I18n.t('simple_form.hints.defaults.setting_default_sensitive')
|
||||
|
||||
.fields-group
|
||||
= ff.input :show_application, wrapper: :with_label, recommended: true, label: I18n.t('simple_form.labels.defaults.setting_show_application'), hint: I18n.t('simple_form.hints.defaults.setting_show_application')
|
||||
|
||||
%h4= t 'preferences.public_timelines'
|
||||
|
||||
.fields-group
|
||||
|
43
app/views/settings/privacy/show.html.haml
Normal file
43
app/views/settings/privacy/show.html.haml
Normal file
@ -0,0 +1,43 @@
|
||||
- content_for :page_title do
|
||||
= t('privacy.title')
|
||||
|
||||
- content_for :heading do
|
||||
%h2= t('settings.profile')
|
||||
= render partial: 'settings/shared/profile_navigation'
|
||||
|
||||
= simple_form_for @account, url: settings_privacy_path, html: { method: :put } do |f|
|
||||
= render 'shared/error_messages', object: @account
|
||||
|
||||
%p.lead= t('privacy.hint_html')
|
||||
|
||||
%h4= t('privacy.reach')
|
||||
|
||||
%p.lead= t('privacy.reach_hint_html')
|
||||
|
||||
.fields-group
|
||||
= f.input :discoverable, as: :boolean, wrapper: :with_label, recommended: true
|
||||
|
||||
.fields-group
|
||||
= f.input :locked, as: :boolean, wrapper: :with_label
|
||||
|
||||
%h4= t('privacy.search')
|
||||
|
||||
%p.lead= t('privacy.search_hint_html')
|
||||
|
||||
= f.simple_fields_for :settings, current_user.settings do |ff|
|
||||
.fields-group
|
||||
= ff.input :indexable, wrapper: :with_label
|
||||
|
||||
%h4= t('privacy.privacy')
|
||||
|
||||
%p.lead= t('privacy.privacy_hint_html')
|
||||
|
||||
.fields-group
|
||||
= f.input :hide_collections, as: :boolean, wrapper: :with_label
|
||||
|
||||
= f.simple_fields_for :settings, current_user.settings do |ff|
|
||||
.fields-group
|
||||
= ff.input :show_application, wrapper: :with_label
|
||||
|
||||
.actions
|
||||
= f.button :button, t('generic.save_changes'), type: :submit
|
@ -56,17 +56,6 @@
|
||||
= fa_icon 'trash fw'
|
||||
= t('generic.delete')
|
||||
|
||||
%h4= t('edit_profile.safety_and_privacy')
|
||||
|
||||
.fields-group
|
||||
= f.input :discoverable, as: :boolean, wrapper: :with_label, hint: t('simple_form.hints.defaults.discoverable'), recommended: true
|
||||
|
||||
.fields-group
|
||||
= f.input :locked, as: :boolean, wrapper: :with_label, hint: t('simple_form.hints.defaults.locked')
|
||||
|
||||
.fields-group
|
||||
= f.input :hide_collections, as: :boolean, wrapper: :with_label, label: t('simple_form.labels.defaults.setting_hide_network'), hint: t('simple_form.hints.defaults.setting_hide_network')
|
||||
|
||||
%h4= t('edit_profile.other')
|
||||
|
||||
.fields-group
|
||||
|
@ -2,5 +2,6 @@
|
||||
= render_navigation renderer: :links do |primary|
|
||||
:ruby
|
||||
primary.item :profile, safe_join([fa_icon('user fw'), t('settings.edit_profile')]), settings_profile_path
|
||||
primary.item :privacy, safe_join([fa_icon('lock fw'), t('privacy.title')]), settings_privacy_path
|
||||
primary.item :verification, safe_join([fa_icon('check fw'), t('verification.verification')]), settings_verification_path
|
||||
primary.item :featured_tags, safe_join([fa_icon('hashtag fw'), t('settings.featured_tags')]), settings_featured_tags_path
|
||||
|
@ -41,6 +41,8 @@ require_relative '../lib/mastodon/rack_middleware'
|
||||
require_relative '../lib/public_file_server_middleware'
|
||||
require_relative '../lib/devise/two_factor_ldap_authenticatable'
|
||||
require_relative '../lib/devise/two_factor_pam_authenticatable'
|
||||
require_relative '../lib/chewy/settings_extensions'
|
||||
require_relative '../lib/chewy/index_extensions'
|
||||
require_relative '../lib/chewy/strategy/mastodon'
|
||||
require_relative '../lib/chewy/strategy/bypass_with_warning'
|
||||
require_relative '../lib/webpacker/manifest_extensions'
|
||||
|
@ -15,6 +15,9 @@ Chewy.settings = {
|
||||
journal: false,
|
||||
user: user,
|
||||
password: password,
|
||||
index: {
|
||||
number_of_replicas: ['single_node_cluster', nil].include?(ENV['ES_PRESET'].presence) ? 0 : 1,
|
||||
},
|
||||
}
|
||||
|
||||
# We use our own async strategy even outside the request-response
|
||||
@ -25,14 +28,6 @@ Chewy.root_strategy = :bypass_with_warning if Rails.env.production?
|
||||
Chewy.request_strategy = :mastodon
|
||||
Chewy.use_after_commit_callbacks = false
|
||||
|
||||
module Chewy
|
||||
class << self
|
||||
def enabled?
|
||||
settings[:enabled]
|
||||
end
|
||||
end
|
||||
end
|
||||
|
||||
# Elasticsearch uses Faraday internally. Faraday interprets the
|
||||
# http_proxy env variable by default which leads to issues when
|
||||
# Mastodon is run with hidden services enabled, because
|
||||
|
@ -399,6 +399,12 @@ ar:
|
||||
confirm_suspension:
|
||||
cancel: إلغاء
|
||||
confirm: علّق الحساب
|
||||
permanent_action: لن يستعيد رفع الحظر أي بيانات أو علاقات.
|
||||
preamble_html: أنت على وشك تعليق <strong>%{domain}</strong> وجميع نطاقاته الفرعيّة.
|
||||
remove_all_data: ستُحذف كل المحتوى والوسائط وبيانات حسابات هذا النطاق من خادومك.
|
||||
stop_communication: سيتوقّف خادومك عن التواصل مع كل هذه الخادومات.
|
||||
title: تأكيد حظر نطاق %{domain}
|
||||
undo_relationships: سيتم التراجع عن أي علاقات متابعة ما بين الحسابات على هذه الخادومات وخادومك.
|
||||
created_msg: إنّ حجب النطاق حيز التشغيل
|
||||
destroyed_msg: تم إلغاء الحجب المفروض على النطاق
|
||||
domain: النطاق
|
||||
@ -1146,7 +1152,6 @@ ar:
|
||||
edit_profile:
|
||||
basic_information: معلومات أساسية
|
||||
other: أخرى
|
||||
safety_and_privacy: الأمان والخصوصية
|
||||
errors:
|
||||
'400': الطلب الذي قدمته غير صالح أو أنّ شكله غير سليم.
|
||||
'403': ليس لك الصلاحيات الكافية لعرض هذه الصفحة.
|
||||
|
@ -528,8 +528,6 @@ ast:
|
||||
your_appeal_approved: Aprobóse la to apellación
|
||||
your_appeal_pending: Unviesti una apellación
|
||||
your_appeal_rejected: Refugóse la to apellación
|
||||
edit_profile:
|
||||
safety_and_privacy: Seguranza ya privacidá
|
||||
errors:
|
||||
'400': La solicitú qu'unviesti nun yera válida o yera incorreuta.
|
||||
'403': Nun tienes permisu pa ver esta páxina.
|
||||
|
@ -1176,7 +1176,6 @@ be:
|
||||
basic_information: Асноўная інфармацыя
|
||||
hint_html: "<strong>Наладзьце тое, што людзі будуць бачыць у вашым профілі і побач з вашымі паведамленнямі.</strong> Іншыя людзі з большай верагоднасцю будуць сачыць і ўзаемадзейнічаць з вамі, калі ў вас ёсць запоўнены профіль і фота профілю."
|
||||
other: Іншае
|
||||
safety_and_privacy: Бяспека і прыватнасць
|
||||
errors:
|
||||
'400': Запыт, які вы адправілі, памылковы або няправільны.
|
||||
'403': У вас няма дазволу на прагляд гэтай старонкі.
|
||||
|
@ -1139,7 +1139,6 @@ bg:
|
||||
basic_information: Основна информация
|
||||
hint_html: "<strong>Персонализирайте какво хората виждат в обществения ви профил и до публикациите ви.</strong> Другите хора са по-склонни да ви последват и да взаимодействат с вас, когато имате попълнен профил и снимка на профила."
|
||||
other: Друго
|
||||
safety_and_privacy: Безопасност и поверителност
|
||||
errors:
|
||||
'400': Подадохте невалидна или деформирана заявка.
|
||||
'403': Нямате позволение да разгледате тази страница.
|
||||
|
@ -1140,7 +1140,6 @@ ca:
|
||||
basic_information: Informació bàsica
|
||||
hint_html: "<strong>Personalitza el que la gent veu en el teu perfil públic i a prop dels teus tuts..</strong> És més probable que altres persones et segueixin i interaccionin amb tu quan tens emplenat el teu perfil i amb la teva imatge."
|
||||
other: Altres
|
||||
safety_and_privacy: Seguretat i privacitat
|
||||
errors:
|
||||
'400': La sol·licitud que vas emetre no era vàlida o no era correcta.
|
||||
'403': No tens permís per a veure aquesta pàgina.
|
||||
|
@ -1212,7 +1212,6 @@ cy:
|
||||
basic_information: Gwybodaeth Sylfaenol
|
||||
hint_html: "<strong>Addaswch yr hyn y mae pobl yn ei weld ar eich proffil cyhoeddus ac wrth ymyl eich postiadau.</strong> Mae pobl eraill yn fwy tebygol o'ch dilyn yn ôl a rhyngweithio â chi pan fydd gennych broffil wedi'i lenwi a llun proffil."
|
||||
other: Arall
|
||||
safety_and_privacy: Diogelwch a phreifatrwydd
|
||||
errors:
|
||||
'400': Roedd y cais a gyflwynwyd gennych yn annilys neu wedi'i gamffurfio.
|
||||
'403': Nid oes gennych ganiatâd i weld y dudalen hon.
|
||||
|
@ -1140,7 +1140,6 @@ da:
|
||||
basic_information: Oplysninger
|
||||
hint_html: "<strong>Tilpas hvad folk ser på din offentlige profil og ved siden af dine indlæg.</strong> Andre personer vil mere sandsynligt følge dig tilbage og interagere med dig, når du har en udfyldt profil og et profilbillede."
|
||||
other: Andre
|
||||
safety_and_privacy: Sikkerhed og privatliv
|
||||
errors:
|
||||
'400': Din indsendte anmodning er ugyldig eller fejlbehæftet.
|
||||
'403': Du har ikke tilladelse til at se denne side.
|
||||
|
@ -1018,7 +1018,7 @@ de:
|
||||
privacy_policy_agreement_html: Ich habe die <a href="%{privacy_policy_path}" target="_blank">Datenschutzerklärung</a> gelesen und stimme ihr zu
|
||||
progress:
|
||||
confirm: E-Mail-Adresse bestätigen
|
||||
details: Deine Daten
|
||||
details: Deine Details
|
||||
review: Unsere Überprüfung
|
||||
rules: Regeln akzeptieren
|
||||
providers:
|
||||
@ -1140,7 +1140,6 @@ de:
|
||||
basic_information: Allgemeine Informationen
|
||||
hint_html: "<strong>Bestimme, was andere auf deinem öffentlichen Profil und neben deinen Beiträgen sehen können.</strong> Wenn du ein Profilbild festlegst und dein Profil vervollständigst, werden andere eher mit dir interagieren und dir folgen."
|
||||
other: Andere
|
||||
safety_and_privacy: Sicherheit und Datenschutz
|
||||
errors:
|
||||
'400': Die Anfrage, die du gestellt hast, war ungültig oder fehlerhaft.
|
||||
'403': Dir fehlt die Berechtigung, diese Seite aufzurufen.
|
||||
|
@ -14,7 +14,7 @@ vi:
|
||||
not_found_in_database: "%{authentication_keys} không có trong dữ liệu."
|
||||
pending: Tài khoản của bạn vẫn đang được xem xét.
|
||||
timeout: Phiên của bạn đã hết hạn. Vui lòng đăng nhập lại để tiếp tục.
|
||||
unauthenticated: Bạn cần đăng nhập hoặc đăng ký trước khi tiếp tục.
|
||||
unauthenticated: Bạn cần đăng nhập để tiếp tục.
|
||||
unconfirmed: Bạn phải xác minh địa chỉ email trước khi tiếp tục.
|
||||
mailer:
|
||||
confirmation_instructions:
|
||||
|
@ -71,7 +71,7 @@ vi:
|
||||
confirmations:
|
||||
revoke: Bạn có chắc không?
|
||||
index:
|
||||
authorized_at: Cho phép vào %{date}
|
||||
authorized_at: Cho phép %{date}
|
||||
description_html: Đây là những ứng dụng có thể truy cập tài khoản của bạn bằng API. Nếu có ứng dụng bạn không nhận ra ở đây hoặc ứng dụng hoạt động sai, bạn có thể thu hồi quyền truy cập của ứng dụng đó.
|
||||
last_used_at: Dùng lần cuối %{date}
|
||||
never_used: Chưa dùng
|
||||
|
@ -1140,7 +1140,6 @@ en-GB:
|
||||
basic_information: Basic information
|
||||
hint_html: "<strong>Customise what people see on your public profile and next to your posts.</strong> Other people are more likely to follow you back and interact with you when you have a filled out profile and a profile picture."
|
||||
other: Other
|
||||
safety_and_privacy: Safety and privacy
|
||||
errors:
|
||||
'400': The request you submitted was invalid or malformed.
|
||||
'403': You don't have permission to view this page.
|
||||
|
@ -1140,7 +1140,6 @@ en:
|
||||
basic_information: Basic information
|
||||
hint_html: "<strong>Customize what people see on your public profile and next to your posts.</strong> Other people are more likely to follow you back and interact with you when you have a filled out profile and a profile picture."
|
||||
other: Other
|
||||
safety_and_privacy: Safety and privacy
|
||||
errors:
|
||||
'400': The request you submitted was invalid or malformed.
|
||||
'403': You don't have permission to view this page.
|
||||
@ -1477,6 +1476,15 @@ en:
|
||||
other: Other
|
||||
posting_defaults: Posting defaults
|
||||
public_timelines: Public timelines
|
||||
privacy:
|
||||
hint_html: "<strong>Customize how you want your profile and your posts to be found.</strong> A variety of features in Mastodon can help you reach a wider audience when enabled. Take a moment to review these settings to make sure they fit your use case."
|
||||
privacy: Privacy
|
||||
privacy_hint_html: Control how much you want to disclose for the benefit of others. People discover interesting profiles and cool apps by browsing other people's follows and seeing which apps they post from, but you may prefer to keep it hidden.
|
||||
reach: Reach
|
||||
reach_hint_html: Control whether you want to be discovered and followed by new people. Do you want your posts to appear on the Explore screen? Do you want other people to see you in their follow recommendations? Do you want to accept all new followers automatically, or have granular control over each one?
|
||||
search: Search
|
||||
search_hint_html: Control how you want to be found. Do you want people to find you by what you've publicly posted about? Do you want people outside Mastodon to find your profile when searching the web? Please mind that total exclusion from all search engines cannot be guaranteed for public information.
|
||||
title: Privacy and reach
|
||||
privacy_policy:
|
||||
title: Privacy Policy
|
||||
reactions:
|
||||
|
@ -1135,7 +1135,6 @@ eo:
|
||||
edit_profile:
|
||||
basic_information: Baza informo
|
||||
other: Alia
|
||||
safety_and_privacy: Sekureco kaj privateco
|
||||
errors:
|
||||
'400': La peto kiun vi sendis estas nevalida au malformas.
|
||||
'403': Vi ne havas la rajton por vidi ĉi tiun paĝon.
|
||||
|
@ -1140,7 +1140,6 @@ es-AR:
|
||||
basic_information: Información básica
|
||||
hint_html: "<strong>Personalizá lo que la gente ve en tu perfil público y junto a tus publicaciones.</strong> Es más probable que otras personas te sigan e interactúen con vos cuando tengas un perfil completo y una foto de perfil."
|
||||
other: Otros
|
||||
safety_and_privacy: Seguridad y privacidad
|
||||
errors:
|
||||
'400': La solicitud que enviaste no era válida o estaba corrompida.
|
||||
'403': No tenés permiso para ver esta página.
|
||||
|
@ -1140,7 +1140,6 @@ es-MX:
|
||||
basic_information: Información básica
|
||||
hint_html: "<strong>Personaliza lo que la gente ve en tu perfil público junto a tus publicaciones.</strong> Es más probable que otras personas te sigan e interactúen contigo cuando completes tu perfil y agregues una foto."
|
||||
other: Otro
|
||||
safety_and_privacy: Seguridad y privacidad
|
||||
errors:
|
||||
'400': La solicitud que has enviado no es valida o estaba malformada.
|
||||
'403': No tienes permiso para acceder a esta página.
|
||||
|
@ -1140,7 +1140,6 @@ es:
|
||||
basic_information: Información básica
|
||||
hint_html: "<strong>Personaliza lo que la gente ve en tu perfil público junto a tus publicaciones.</strong> Es más probable que otras personas te sigan e interactúen contigo cuando completas tu perfil y foto."
|
||||
other: Otros
|
||||
safety_and_privacy: Seguridad y privacidad
|
||||
errors:
|
||||
'400': La solicitud que has enviado no es valida o estaba malformada.
|
||||
'403': No tienes permiso para acceder a esta página.
|
||||
|
@ -1140,7 +1140,6 @@ et:
|
||||
basic_information: Põhiinfo
|
||||
hint_html: "<strong>Kohanda, mida inimesed näevad su avalikul profiilil ja postituste kõrval.</strong> Inimesed alustavad tõenäolisemalt sinu jälgimist ja interakteeruvad sinuga, kui sul on täidetud profiil ja profiilipilt."
|
||||
other: Muu
|
||||
safety_and_privacy: Turvalisus ja privaatsus
|
||||
errors:
|
||||
'400': Esitatud päring oli vigane või valesti vormindatud.
|
||||
'403': Sul puudub õigus seda lehte vaadata.
|
||||
|
@ -1140,7 +1140,6 @@ fi:
|
||||
basic_information: Perustiedot
|
||||
hint_html: "<strong>Mukauta mitä ihmiset näkevät julkisessa profiilissasi ja sinun julkaisujen vieressä.</strong> Ihmiset todennäköisesti seuraavat ja kirjoittavat sinulle, kun sinulla on täytetty profiili ja profiilikuva."
|
||||
other: Muu
|
||||
safety_and_privacy: Turvallisuus ja yksityisyys
|
||||
errors:
|
||||
'400': Lähettämäsi pyyntö oli virheellinen tai muotoiltu virheellisesti.
|
||||
'403': Sinulla ei ole lupaa nähdä tätä sivua.
|
||||
|
@ -1140,7 +1140,6 @@ fo:
|
||||
basic_information: Grundleggjandi upplýsingar
|
||||
hint_html: "<strong>Tillaga tað, sum fólk síggja á tínum almenna vanga og við síðna av tínum postum.</strong> Sannlíkindini fyri, at onnur fylgja tær og virka saman við tær eru størri, tá tú hevur fylt út vangan og eina vangamynd."
|
||||
other: Onnur
|
||||
safety_and_privacy: Trygd og privatlív
|
||||
errors:
|
||||
'400': Umbønin, sum tú sendi inn, var ógildug ella hevði skeivt skap.
|
||||
'403': Tú hevur ikki loyvi at síggja hesa síðuna.
|
||||
|
@ -1140,7 +1140,6 @@ fr-QC:
|
||||
basic_information: Informations de base
|
||||
hint_html: "<strong>Personnalisez ce que les gens voient sur votre profil public et à côté de vos messages.</strong> Les autres personnes seront plus susceptibles de vous suivre et d’interagir avec vous lorsque vous avez un profil complet et une photo."
|
||||
other: Autre
|
||||
safety_and_privacy: Sécurité et confidentialité
|
||||
errors:
|
||||
'400': La demande que vous avez soumise est invalide ou mal formée.
|
||||
'403': Vous n’avez pas accès à cette page.
|
||||
|
@ -1140,7 +1140,6 @@ fr:
|
||||
basic_information: Informations de base
|
||||
hint_html: "<strong>Personnalisez ce que les gens voient sur votre profil public et à côté de vos messages.</strong> Les autres personnes seront plus susceptibles de vous suivre et d’interagir avec vous lorsque vous avez un profil complet et une photo."
|
||||
other: Autre
|
||||
safety_and_privacy: Sécurité et confidentialité
|
||||
errors:
|
||||
'400': La demande que vous avez soumise est invalide ou mal formée.
|
||||
'403': Vous n’avez pas accès à cette page.
|
||||
|
@ -1140,7 +1140,6 @@ fy:
|
||||
basic_information: Algemiene ynformaasje
|
||||
hint_html: "<strong>Pas oan wat minsken op jo iepenbiere profyl en njonken jo berjochten sjogge.</strong> Oare minsken sille jo earder folgje en mei jo kommunisearje wannear’t jo profyl ynfolle is en jo in profylfoto hawwe."
|
||||
other: Oars
|
||||
safety_and_privacy: Feilichheid en privacy
|
||||
errors:
|
||||
'400': De oanfraach dy’t jo yntsjinne hawwe wie ûnjildich of fout.
|
||||
'403': Jo hawwe gjin tastimming om dizze side te besjen.
|
||||
|
@ -593,7 +593,7 @@ gd:
|
||||
pending: A’ feitheamh ri aontachadh an ath-sheachadain
|
||||
save_and_enable: Sàbhail ’s cuir an comas
|
||||
setup: Suidhich ceangal ri ath-sheachadain
|
||||
signatures_not_enabled: Chan obraich ath-sheachadain mar bu chòir nuair a bhios am modh tèarainte no modh a’ cho-nasgaidh chuingichte an comas
|
||||
signatures_not_enabled: Dh’fhaoidte nach obraich ath-sheachadain mar bu chòir nuair a bhios am modh tèarainte no modh a’ cho-nasgaidh chuingichte an comas
|
||||
status: Staid
|
||||
title: Ath-sheachadain
|
||||
report_notes:
|
||||
@ -900,10 +900,10 @@ gd:
|
||||
no_status_selected: Cha deach post a’ treandadh sam bith atharrachadh o nach deach gin dhiubh a thaghadh
|
||||
not_discoverable: Cha do chuir an t-ùghdar roimhe gun gabh a rùrachadh
|
||||
shared_by:
|
||||
few: Chaidh a cho-roinneadh no ’na annsachd %{friendly_count} tursan
|
||||
one: Chaidh a cho-roinneadh no ’na annsachd %{friendly_count} turas
|
||||
other: Chaidh a cho-roinneadh no ’na annsachd %{friendly_count} turas
|
||||
two: Chaidh a cho-roinneadh no ’na annsachd %{friendly_count} thuras
|
||||
few: Chaidh a cho-roinneadh no a chur ris na h-annsachdan %{friendly_count} tursan
|
||||
one: Chaidh a cho-roinneadh no a chur ris na h-annsachdan %{friendly_count} turas
|
||||
other: Chaidh a cho-roinneadh no a chur ris na h-annsachdan %{friendly_count} turas
|
||||
two: Chaidh a cho-roinneadh no a chur ris na h-annsachdan %{friendly_count} thuras
|
||||
title: Postaichean a’ treandadh
|
||||
tags:
|
||||
current_score: Sgòr làithreach de %{score}
|
||||
@ -1176,7 +1176,6 @@ gd:
|
||||
basic_information: Fiosrachadh bunasach
|
||||
hint_html: "<strong>Gnàthaich na chithear air a’ phròifil phoblach agad is ri taobh nam postaichean agad.</strong> Bidh càch nas buailtiche do leantainn agus conaltradh leat nuair a bhios tu air a’ phròifil agad a lìonadh agus dealbh rithe."
|
||||
other: Eile
|
||||
safety_and_privacy: Sàbhailteachd is prìobhaideachd
|
||||
errors:
|
||||
'400': Cha robh an t-iarrtas a chuir thu a-null dligheach no bha droch-chruth air.
|
||||
'403': Chan eil cead agad gus an duilleag seo a shealltainn.
|
||||
@ -1631,7 +1630,7 @@ gd:
|
||||
migrate: Imrich cunntais
|
||||
notifications: Brathan
|
||||
preferences: Roghainnean
|
||||
profile: Pròifil
|
||||
profile: Pròifil phoblach
|
||||
relationships: Dàimhean leantainn
|
||||
statuses_cleanup: Sguabadh às fèin-obrachail phostaichean
|
||||
strikes: Rabhaidhean na maorsainneachd
|
||||
@ -1717,7 +1716,7 @@ gd:
|
||||
keep_polls_hint: Cha dèid gin dhe na cunntasan-bheachd agad a sguabadh às
|
||||
keep_self_bookmark: Cùm na chuir thu ris comharran-lìn
|
||||
keep_self_bookmark_hint: Cha dèid gin dhe na postaichean agad fhèin a chuir thu ris na comharran-lìn agad a sguabadh às
|
||||
keep_self_fav: Cùm na chuir thu ris na h-annsachdan
|
||||
keep_self_fav: Cùm na postaichean a chuir thu ris na h-annsachdan
|
||||
keep_self_fav_hint: Cha dèid gin dhe na postaichean agad fhèin a chuir thu ris na h-annsachdan agad a sguabadh às
|
||||
min_age:
|
||||
'1209600': 2 sheachdain
|
||||
@ -1729,8 +1728,8 @@ gd:
|
||||
'63113904': 2 bhliadhna
|
||||
'7889238': 3 mìosan
|
||||
min_age_label: Stairsneach aoise
|
||||
min_favs: Cùm na tha ’na annsachd aig co-dhiù
|
||||
min_favs_hint: Cha dèid gin dhe na postaichean agad a sguabadh às a tha ’nan annsachd an àireamh de thursan seo air a char as lugha. Fàg seo bàn airson postaichean a sguabadh às ge b’ e co mheud turas a tha iad ’nan annsachd
|
||||
min_favs: Cùm na postaichean a chaidh a chur ris na h-annsachdan co-dhiù
|
||||
min_favs_hint: Cha dèid gin dhe na postaichean agad a sguabadh às a chaidh a chur ris na h-annsachdan an àireamh seo de thursan air a char as lugha. Fàg seo bàn airson na postaichean a sguabadh às ge b’ e co mheud neach a chuir ris na h-annsachdan iad
|
||||
min_reblogs: Cùm na tha ’ga bhrosnachadh le co-dhiù
|
||||
min_reblogs_hint: Cha dèid gin dhe na postaichean agad a sguabadh às a tha ’gam brosnachadh an àireamh de thursan seo air a char as lugha. Fàg seo bàn airson postaichean a sguabadh às ge b’ e co mheud turas a tha iad ’gam brosnachadh
|
||||
stream_entries:
|
||||
|
@ -1140,7 +1140,6 @@ gl:
|
||||
basic_information: Información básica
|
||||
hint_html: "<strong>Personaliza o que van ver no teu perfil público e ao lado das túas publicacións.</strong> As outras persoas estarán máis animadas a seguirte e interactuar contigo se engades algún dato sobre ti así como unha imaxe de perfil."
|
||||
other: Outros
|
||||
safety_and_privacy: Seguridade e privacidade
|
||||
errors:
|
||||
'400': A solicitude que enviou non é válida ou ten formato incorrecto.
|
||||
'403': Non ten permiso para ver esta páxina.
|
||||
|
@ -1176,7 +1176,6 @@ he:
|
||||
basic_information: מידע בסיסי
|
||||
hint_html: "<strong>התאמה אישית של מה שיראו אחרים בפרופיל הציבורי שלך וליד הודעותיך.</strong> אחרים עשויים יותר להחזיר עוקב וליצור אתך שיחה אם הפרופיל והתמונה יהיו מלאים."
|
||||
other: אחר
|
||||
safety_and_privacy: בטחון ופרטיות
|
||||
errors:
|
||||
'400': הבקשה שהגשת לא תקינה.
|
||||
'403': חסרות לך הרשאות לצפיה בעמוד זה.
|
||||
|
@ -1140,7 +1140,6 @@ hu:
|
||||
basic_information: Általános információk
|
||||
hint_html: "<strong>Tedd egyedivé, mi látnak mások a profilodon és a bejegyzéseid mellett.</strong> Mások nagyobb eséllyel követnek vissza és lépnek veled kapcsolatba, ha van kitöltött profilod és profilképed."
|
||||
other: Egyéb
|
||||
safety_and_privacy: Biztonság és személyes adatok
|
||||
errors:
|
||||
'400': A küldött kérés érvénytelen vagy hibás volt.
|
||||
'403': Nincs jogosultságod az oldal megtekintéséhez.
|
||||
|
@ -1144,7 +1144,6 @@ is:
|
||||
basic_information: Grunnupplýsingar
|
||||
hint_html: "<strong>Sérsníddu hvað fólk sér á opinbera notandasniðinu þínu og næst færslunum þínum.</strong> Annað fólk er líklegra til að fylgjast með þér og eiga í samskiptum við þig ef þú fyllir út notandasniðið og setur auðkennismynd."
|
||||
other: Annað
|
||||
safety_and_privacy: Öryggi og friðhelgi
|
||||
errors:
|
||||
'400': Beiðnin sem þú sendir er ógild eða rangt uppsett.
|
||||
'403': Þú hefur ekki heimildir til að skoða þessari síðu.
|
||||
|
@ -1142,7 +1142,6 @@ it:
|
||||
basic_information: Informazioni di base
|
||||
hint_html: "<strong>Personalizza ciò che le persone vedono sul tuo profilo pubblico e accanto ai tuoi post.</strong> È più probabile che altre persone ti seguano e interagiscano con te quando hai un profilo compilato e un'immagine del profilo."
|
||||
other: Altro
|
||||
safety_and_privacy: Sicurezza e privacy
|
||||
errors:
|
||||
'400': La richiesta che hai inviato non è valida o non è corretta.
|
||||
'403': Non sei autorizzato a visualizzare questa pagina.
|
||||
|
@ -1122,7 +1122,6 @@ ja:
|
||||
basic_information: 基本情報
|
||||
hint_html: "<strong>アカウントのトップページや投稿の隣に表示される公開情報です。</strong>プロフィールとアイコンを設定することで、ほかのユーザーは親しみやすく、またフォローしやすくなります。"
|
||||
other: その他
|
||||
safety_and_privacy: 安全とプライバシー
|
||||
errors:
|
||||
'400': 送信されたリクエストは無効であるか、または不正なフォーマットです。
|
||||
'403': このページを表示する権限がありません。
|
||||
|
@ -101,6 +101,7 @@ kab:
|
||||
search: Nadi
|
||||
search_same_email_domain: Iseqdacen-nniḍen s yiwet n taɣult n yimayl
|
||||
search_same_ip: Imseqdacen-nniḍen s tansa IP am tinn-ik
|
||||
security: Taɣellist
|
||||
security_measures:
|
||||
only_password: Awal uffir kan
|
||||
password_and_2fa: Awal uffir d 2FA
|
||||
@ -253,6 +254,8 @@ kab:
|
||||
undo: Kkes seg tebdart tamellalt
|
||||
domain_blocks:
|
||||
add_new: Rni iḥder amaynut n taɣult
|
||||
confirm_suspension:
|
||||
cancel: Sefsex
|
||||
domain: Taγult
|
||||
export: Sifeḍ
|
||||
import: Kter
|
||||
@ -283,6 +286,7 @@ kab:
|
||||
instances:
|
||||
back_to_all: Akk
|
||||
back_to_limited: Ɣur-s talast
|
||||
back_to_warning: Γur-wat
|
||||
by_domain: Taγult
|
||||
content_policies:
|
||||
policy: Tasertit
|
||||
@ -353,6 +357,7 @@ kab:
|
||||
category: Taggayt
|
||||
comment:
|
||||
none: Ula yiwen
|
||||
confirm: Sentem
|
||||
mark_as_resolved: Creḍ-it yefra
|
||||
mark_as_unresolved: Creḍ-it ur yefra ara
|
||||
notes:
|
||||
@ -407,6 +412,7 @@ kab:
|
||||
application: Asnas
|
||||
back_to_account: Tuγalin γer usebter n umiḍan
|
||||
deleted: Yettwakkes
|
||||
favourites: Imenyafen
|
||||
language: Tutlayt
|
||||
media:
|
||||
title: Taγwalt
|
||||
@ -437,9 +443,11 @@ kab:
|
||||
view_profile: Ssken-d amaɣnu
|
||||
view_status: Ssken-d tasuffiɣt
|
||||
applications:
|
||||
logout: Ffeɣ
|
||||
token_regenerated: Ajuṭu n unekcum yettusirew i tikkelt-nniḍen akken iwata
|
||||
your_token: Ajiṭun-ik·im n unekcum
|
||||
auth:
|
||||
apply_for_account: Suter amiḍan
|
||||
delete_account: Kkes amiḍan
|
||||
description:
|
||||
prefix_invited_by_user: "@%{name} inced-ik·ikem ad ternuḍ ɣer uqeddac-a n Mastodon!"
|
||||
@ -456,6 +464,8 @@ kab:
|
||||
register: Jerred
|
||||
registration_closed: "%{instance} ur yeqbil ara imttekkiyen imaynuten"
|
||||
reset_password: Wennez awal uffir
|
||||
rules:
|
||||
back: Tuɣalin
|
||||
security: Taγellist
|
||||
set_new_password: Egr-d awal uffir amaynut
|
||||
status:
|
||||
@ -489,15 +499,8 @@ kab:
|
||||
username_available: Isem-ik·im n useqdac ad yuɣal yella i tikkelt-nniḍen
|
||||
username_unavailable: Isem-ik·im n useqdac ad yeqqim ulac-it
|
||||
errors:
|
||||
'400': The request you submitted was invalid or malformed.
|
||||
'403': You don't have permission to view this page.
|
||||
'404': The page you are looking for isn't here.
|
||||
'406': This page is not available in the requested format.
|
||||
'410': The page you were looking for doesn't exist here anymore.
|
||||
'429': Too many requests
|
||||
'500':
|
||||
title: Asebter-ayi d arameγtu
|
||||
'503': The page could not be served due to a temporary server failure.
|
||||
existing_username_validator:
|
||||
not_found_multiple: ur yezmir ara ad yaf %{usernames}
|
||||
exports:
|
||||
|
@ -1124,7 +1124,6 @@ ko:
|
||||
basic_information: 기본 정보
|
||||
hint_html: "<strong>내 공개 프로필과 게시물 옆에 보이는 부분을 꾸미세요.</strong> 다른 사람들은 프로필 내용과 사진이 채워진 계정과 더 상호작용하고 팔로우를 하고 싶어합니다."
|
||||
other: 기타
|
||||
safety_and_privacy: 안전과 개인정보
|
||||
errors:
|
||||
'400': 제출한 요청이 올바르지 않습니다.
|
||||
'403': 이 페이지를 표시할 권한이 없습니다.
|
||||
@ -1395,8 +1394,8 @@ ko:
|
||||
title: 새 팔로우 요청
|
||||
mention:
|
||||
action: 답장
|
||||
body: "%{name} 님이 나를 언급했습니다:"
|
||||
subject: "%{name} 님이 나를 언급했습니다"
|
||||
body: "%{name} 님이 나를 멘션했습니다:"
|
||||
subject: "%{name} 님이 나를 멘션했습니다"
|
||||
title: 새 답글
|
||||
poll:
|
||||
subject: "%{name}의 투표가 종료되었습니다"
|
||||
|
@ -115,6 +115,7 @@ ms:
|
||||
reject: Tolak
|
||||
rejected_msg: Berjaya menolak permohonan pendaftaran %{username}
|
||||
remote_suspension_irreversible: Data akaun ini telah dipadamkan secara tidak dapat dipulihkan.
|
||||
remote_suspension_reversible_hint_html: Akaun telah digantung pada server mereka dan data akan dialih keluar sepenuhnya pada %{date}. Sehingga itu, server jauh boleh memulihkan akaun ini tanpa sebarang kesan buruk. Jika anda ingin mengalih keluar semua data akaun dengan segera, anda boleh berbuat demikian di bawah.
|
||||
remove_avatar: Buang avatar
|
||||
remove_header: Buang pengepala
|
||||
removed_avatar_msg: Berjaya membuang imej avatar %{username}
|
||||
@ -380,6 +381,9 @@ ms:
|
||||
permanent_action: Membuat asal penggantungan tidak akan memulihkan sebarang data atau perhubungan.
|
||||
preamble_html: Anda akan menggantung <strong>%{domain}</strong> dan subdomainnya.
|
||||
remove_all_data: Ini akan mengalih keluar semua kandungan, media dan data profil untuk akaun domain ini daripada sever anda.
|
||||
stop_communication: Server anda akan berhenti berkomunikasi dengan server ini.
|
||||
title: Sahkan blok domain untuk %{domain}
|
||||
undo_relationships: Ini akan membuat asal sebarang hubungan ikut antara akaun server ini dan akaun anda.
|
||||
created_msg: Sekatan domain sedang diproses
|
||||
destroyed_msg: Sekatan domain telah diundurkan
|
||||
domain: Domain
|
||||
@ -392,6 +396,7 @@ ms:
|
||||
create: Cipta sekatan
|
||||
hint: Sekatan domain tidak akan menghindarkan penciptaan entri akaun dalam pangkalan data, tetapi akan dikenakan kaedah penyederhanaan khusus tertentu pada akaun-akaun tersebut secara retroaktif dan automatik.
|
||||
severity:
|
||||
desc_html: "<strong>Had</strong> akan menjadikan siaran daripada akaun di domain ini tidak kelihatan kepada sesiapa sahaja yang tidak mengikutinya. <strong>Tangguhkan</strong> akan mengalih keluar semua kandungan, media dan data profil untuk akaun domain ini daripada server anda. Gunakan <strong>Tiada</strong> jika anda hanya mahu menolak fail media."
|
||||
noop: Tiada
|
||||
silence: Hadkan
|
||||
suspend: Gantungkan
|
||||
@ -426,6 +431,7 @@ ms:
|
||||
title: Sekat domain e-mel baharu
|
||||
no_email_domain_block_selected: Tiada sekatan domain e-mel diubah kerana tiada yang dipilih
|
||||
not_permitted: Tidak dibenarkan
|
||||
resolved_dns_records_hint_html: Nama domain diselesaikan kepada domain MX berikut, yang akhirnya bertanggungjawab untuk menerima e-mel. Menyekat domain MX akan menyekat pendaftaran daripada mana-mana alamat e-mel yang menggunakan domain MX yang sama, walaupun nama domain yang kelihatan berbeza. <strong>Berhati-hati untuk tidak menyekat penyedia e-mel utama.</strong>
|
||||
resolved_through_html: Diselesaikan melalui %{domain}
|
||||
title: Domain e-mel disekat
|
||||
export_domain_allows:
|
||||
@ -434,8 +440,12 @@ ms:
|
||||
no_file: Tiada fail dipilih
|
||||
export_domain_blocks:
|
||||
import:
|
||||
description_html: Anda akan mengimport senarai blok domain. Sila semak senarai ini dengan teliti, terutamanya jika anda belum mengarang senarai ini sendiri.
|
||||
existing_relationships_warning: Hubungan ikut sedia ada
|
||||
private_comment_description_html: 'Untuk membantu anda menjejak dari mana datangnya blok yang diimport, blok yang diimport akan dibuat dengan ulasan peribadi berikut: <q>%{comment}</q>'
|
||||
private_comment_template: Diimport daripada %{source} pada %{date}
|
||||
title: Import blok domain
|
||||
invalid_domain_block: 'Satu atau lebih blok domain telah dilangkau kerana ralat berikut: %{error}'
|
||||
new:
|
||||
title: Import blok domain
|
||||
no_file: Tiada fail yang dipilih
|
||||
@ -449,6 +459,8 @@ ms:
|
||||
unsuppress: Tetap semula saranan ikutan
|
||||
instances:
|
||||
availability:
|
||||
failure_threshold_reached: Ambang kegagalan dicapai pada %{date}.
|
||||
no_failures_recorded: Tiada kegagalan dalam rekod.
|
||||
title: Ketersediaan
|
||||
warning: Percubaan terakhir untuk menyambung ke pelayan ini tidak berjaya
|
||||
back_to_all: Semua
|
||||
@ -458,6 +470,8 @@ ms:
|
||||
confirm_purge: Adakah anda pasti mahu menghapuskan senarai ini secara kekal daripada domain ini?
|
||||
content_policies:
|
||||
comment: Catatan dalaman
|
||||
description_html: Anda boleh menentukan dasar kandungan yang akan digunakan pada semua akaun daripada domain ini dan mana-mana subdomainnya.
|
||||
limited_federation_mode_description_html: Anda boleh memilih sama ada untuk membenarkan persekutuan dengan domain ini.
|
||||
policies:
|
||||
reject_media: Tolak media
|
||||
reject_reports: Tolak laporan
|
||||
@ -485,6 +499,7 @@ ms:
|
||||
delivery_available: Penghantaran tersedia
|
||||
delivery_error_days: Hari ralat penghantaran
|
||||
delivery_error_hint: Jika penghantaran tidak berjaya selama %{count} hari, ia akan ditanda sebagai tidak boleh dihantar.
|
||||
destroyed_msg: Data daripada %{domain} kini beratur untuk pemadaman segera.
|
||||
empty: Tiada domain dijumpai.
|
||||
known_accounts:
|
||||
other: "%{count} akaun dikenali"
|
||||
@ -494,12 +509,15 @@ ms:
|
||||
title: Penyederhanaan
|
||||
private_comment: Ulasan peribadi
|
||||
public_comment: Ulasan awam
|
||||
purge: Singkir
|
||||
purge_description_html: Jika anda percaya domain ini berada di luar talian selama-lamanya, anda boleh memadamkan semua rekod akaun dan data yang berkaitan daripada domain ini daripada storan anda. Ini mungkin mengambil sedikit masa.
|
||||
title: Persekutuan
|
||||
total_blocked_by_us: Disekati kami
|
||||
total_followed_by_them: Diikuti mereka
|
||||
total_followed_by_us: Diikuti kami
|
||||
total_reported: Laporan tentang mereka
|
||||
total_storage: Lampiran media
|
||||
totals_time_period_hint_html: Jumlah yang dipaparkan di bawah termasuk data untuk sepanjang masa.
|
||||
invites:
|
||||
deactivate_all: Nyahaktifkan semua
|
||||
filter:
|
||||
@ -553,7 +571,12 @@ ms:
|
||||
actions:
|
||||
delete_description_html: Hantaran yang dilaporkan akan dihapuskan dan pelanggaran itu akan direkodkan bagi membantu anda menguruskan pelanggaran pada akaun yang sama di masa akan datang.
|
||||
mark_as_sensitive_description_html: Media di dalam hantaran yang dilaporkan akan ditandakan sebagai sensitif dan pelanggaran itu akan direkodkan bagi membantu anda menguruskan pelanggaran pada akaun yang sama di masa akan datang.
|
||||
other_description_html: Lihat lebih banyak pilihan untuk mengawal tingkah laku akaun dan menyesuaikan komunikasi ke akaun yang dilaporkan.
|
||||
resolve_description_html: Tiada tindakan akan diambil terhadap akaun yang dilaporkan, tiada pelanggaran direkodkan dan laporan akan ditutup.
|
||||
silence_description_html: Akaun itu akan kelihatan hanya kepada mereka yang telah mengikutinya atau mencarinya secara manual, mengehadkan capaiannya dengan teruk. Sentiasa boleh dikembalikan. Menutup semua laporan terhadap akaun ini.
|
||||
suspend_description_html: Akaun dan semua kandungannya akan tidak boleh diakses dan akhirnya dipadamkan, dan berinteraksi dengannya adalah mustahil. Boleh diterbalikkan dalam masa 30 hari. Menutup semua laporan terhadap akaun ini.
|
||||
actions_description_html: Tentukan tindakan yang perlu diambil untuk menyelesaikan laporan ini. Jika anda mengambil tindakan menghukum terhadap akaun yang dilaporkan, pemberitahuan e-mel akan dihantar kepada mereka, kecuali apabila kategori <strong>Spam</strong> dipilih.
|
||||
actions_description_remote_html: Tentukan tindakan yang perlu diambil untuk menyelesaikan laporan ini. Ini hanya akan menjejaskan cara server<strong>anda</strong> berkomunikasi dengan akaun jauh ini dan mengendalikan kandungannya.
|
||||
add_to_report: Tambahkan lebih banyak pada laporan
|
||||
are_you_sure: Adakah anda pasti?
|
||||
assign_to_self: Menugaskan kepada saya
|
||||
@ -561,9 +584,12 @@ ms:
|
||||
by_target_domain: Domain bagi akaun yang dilaporkan
|
||||
cancel: Batal
|
||||
category: Kumpulan
|
||||
category_description_html: Sebab akaun dan/atau kandungan ini dilaporkan akan disebut dalam komunikasi dengan akaun yang dilaporkan
|
||||
comment:
|
||||
none: Tiada
|
||||
comment_description_html: 'Untuk memberikan maklumat lanjut, %{name} menulis:'
|
||||
confirm: Konfirm
|
||||
confirm_action: Sahkan tindakan penyederhanaan terhadap @%{acct}
|
||||
created_at: Dilaporkan
|
||||
delete_and_resolve: Padam hantaran
|
||||
forwarded: Dipanjangkan
|
||||
@ -579,7 +605,10 @@ ms:
|
||||
delete: Padam
|
||||
placeholder: Terangkan tindakan apa yang telah diambil, atau sebarang kemas kini lain yang berkaitan...
|
||||
title: Catatan
|
||||
notes_description_html: Lihat dan tinggalkan nota kepada moderator lain dan diri masa depan anda
|
||||
processed_msg: 'Laporan #%{id} berjaya diproses'
|
||||
quick_actions_description_html: 'Ambil tindakan pantas atau tatal ke bawah untuk melihat kandungan yang dilaporkan:'
|
||||
remote_user_placeholder: pengguna jauh dari %{instance}
|
||||
reopen: Buka semula laporan
|
||||
report: 'Laporan #%{id}'
|
||||
reported_account: Akaun yang dilaporkan
|
||||
@ -589,9 +618,29 @@ ms:
|
||||
skip_to_actions: Langkau ke tindakan
|
||||
status: Status
|
||||
statuses: Kandungan yang dilaporkan
|
||||
statuses_description_html: Kandungan yang menyinggung perasaan akan disebut dalam komunikasi dengan akaun yang dilaporkan
|
||||
summary:
|
||||
action_preambles:
|
||||
delete_html: 'Anda akan <strong>mengalih keluar</strong> beberapa siaran <strong>@%{acct}</strong>. Ini akan:'
|
||||
mark_as_sensitive_html: 'Anda akan <strong>menandai</strong> beberapa siaran <strong>@%{acct}</strong> sebagai <strong>sensitif</strong>. Ini akan:'
|
||||
silence_html: 'Anda akan <strong>menghadkan</strong> akaun <strong>@%{acct}</strong>. Ini akan:'
|
||||
suspend_html: 'Anda akan <strong>menggantung</strong> akaun <strong>@%{acct}</strong>. Ini akan:'
|
||||
actions:
|
||||
delete_html: Alih keluar pos yang menyinggung perasaan
|
||||
mark_as_sensitive_html: Tandai media pos yang menyinggung perasaan sebagai sensitif
|
||||
silence_html: Hadkan capaian <strong>@%{acct}</strong> dengan ketat dengan menjadikan profil dan kandungan mereka hanya kelihatan kepada orang yang sudah mengikuti mereka atau melihat profil itu secara manual
|
||||
suspend_html: Gantung <strong>@%{acct}</strong>, menjadikan profil dan kandungan mereka tidak boleh diakses dan mustahil untuk berinteraksi dengannya
|
||||
close_report: 'Tandai laporan #%{id} sebagai diselesaikan'
|
||||
close_reports_html: Tandai <strong>semua</strong> laporan terhadap <strong>@%{acct}</strong> sebagai telah diselesaikan
|
||||
delete_data_html: Padamkan profil dan kandungan <strong>@%{acct}</strong> 30 hari dari sekarang melainkan mereka dibatalkan penggantungan buat sementara waktu
|
||||
preview_preamble_html: "<strong>@%{acct}</strong> akan menerima amaran dengan kandungan berikut:"
|
||||
record_strike_html: Rakam bantahan terhadap <strong>@%{acct}</strong> untuk membantu anda mempertingkatkan tentang pelanggaran akaun ini pada masa hadapan
|
||||
send_email_html: Hantar <strong>@%{acct}</strong> e-mel amaran
|
||||
warning_placeholder: Penaakulan tambahan pilihan untuk tindakan penyederhanaan.
|
||||
target_origin: Asalan akaun yang dilaporkan
|
||||
title: Laporan
|
||||
unassign: Nyahtugaskan
|
||||
unknown_action_msg: 'Tindakan tidak diketahui: %{action}'
|
||||
unresolved: Nyahselesaikan
|
||||
updated_at: Dikemaskini
|
||||
view_profile: Lihat profil
|
||||
@ -606,12 +655,15 @@ ms:
|
||||
moderation: Penyederhanaan
|
||||
special: Khas
|
||||
delete: Padam
|
||||
description_html: Dengan <strong>peranan pengguna</strong>, anda boleh menyesuaikan fungsi dan kawasan Mastodon yang boleh diakses oleh pengguna anda.
|
||||
edit: Sunting peranan '%{name}'
|
||||
everyone: Kebenaran lalai
|
||||
everyone_full_description_html: Ini ialah <strong>peranan asas</strong> yang mempengaruhi <strong>semua pengguna</strong>, walaupun mereka yang tidak mempunyai peranan yang ditetapkan. Semua peranan lain mewarisi kebenaran daripadanya.
|
||||
permissions_count:
|
||||
other: "%{count} kebenaran"
|
||||
privileges:
|
||||
administrator: Pentadbir
|
||||
administrator_description: Users with this permission will bypass every permission
|
||||
delete_user_data: Padamkan Data Pengguna
|
||||
delete_user_data_description: Membenarkan pengguna menghapuskan data pengguna lain tanpa bertangguh
|
||||
invite_users: Mengundang pengguna
|
||||
@ -668,12 +720,24 @@ ms:
|
||||
preamble: Menyesuaikan antara muka web Mastodon.
|
||||
title: Penampilan
|
||||
branding:
|
||||
preamble: Penjenamaan server anda membezakannya daripada server lain dalam rangkaian. Maklumat ini mungkin dipaparkan merentasi pelbagai persekitaran, seperti antara muka web Mastodon, aplikasi asli, dalam pratonton pautan di tapak web lain dan dalam aplikasi pemesejan, dan sebagainya. Atas sebab ini, adalah lebih baik untuk memastikan maklumat ini jelas, pendek dan padat.
|
||||
title: Penjenamaan
|
||||
captcha_enabled:
|
||||
desc_html: Ini bergantung pada skrip luaran daripada hCaptcha, yang mungkin menjadi kebimbangan keselamatan dan privasi. Selain itu, <strong>ini boleh menjadikan proses pendaftaran menjadi kurang dapat diakses oleh sesetengah orang (terutamanya orang kurang upaya)</strong>. Atas sebab ini, sila pertimbangkan langkah alternatif seperti pendaftaran berasaskan kelulusan atau jemputan.
|
||||
title: Memerlukan pengguna baharu menyelesaikan CAPTCHA untuk mengesahkan akaun mereka
|
||||
content_retention:
|
||||
preamble: Kawal cara kandungan yang dijana pengguna disimpan dalam Mastodon.
|
||||
title: Pengekalan kandungan
|
||||
default_noindex:
|
||||
desc_html: Mempengaruhi semua pengguna yang tidak menukar tetapan ini sendiri
|
||||
title: Tarik pengguna keluar daripada pengindeksan enjin carian secara lalai
|
||||
discovery:
|
||||
follow_recommendations: Ikut cadangan
|
||||
preamble: Memaparkan kandungan yang menarik adalah penting dalam memasukkan pengguna baharu yang mungkin tidak mengenali sesiapa Mastodon. Kawal cara pelbagai ciri penemuan berfungsi pada server anda.
|
||||
profile_directory: Direktori profil
|
||||
public_timelines: Garis masa awam
|
||||
publish_discovered_servers: Terbitkan pelayan yang ditemui
|
||||
publish_statistics: Terbitkan statistik
|
||||
title: Penemuan
|
||||
trends: Sohor kini
|
||||
domain_blocks:
|
||||
@ -688,16 +752,22 @@ ms:
|
||||
approved: Kelulusan diperlukan untuk pendaftaran
|
||||
none: Tiada siapa boleh mendaftar
|
||||
open: Sesiapapun boleh mendaftar
|
||||
title: Tetapan server
|
||||
site_uploads:
|
||||
delete: Hapuskan fail yang dimuat naik
|
||||
destroyed_msg: Muat naik tapak berjaya dihapuskan!
|
||||
statuses:
|
||||
account: Penulis
|
||||
application: Aplikasi
|
||||
back_to_account: Kembali ke halaman akaun
|
||||
back_to_report: Kembali ke halaman laporan
|
||||
batch:
|
||||
remove_from_report: Alih keluar daripada laporan
|
||||
report: Laporan
|
||||
deleted: Dipadamkan
|
||||
favourites: Gemaran
|
||||
history: Sejarah versi
|
||||
in_reply_to: Membalas kepada
|
||||
language: Bahasa
|
||||
media:
|
||||
title: Media
|
||||
@ -709,6 +779,8 @@ ms:
|
||||
status_changed: Hantaran diubah
|
||||
title: Hantaran akaun
|
||||
trending: Sohor kini
|
||||
visibility: Visibiliti
|
||||
with_media: Dengan media
|
||||
strikes:
|
||||
actions:
|
||||
delete_statuses: "%{name} memadam hantaran %{target}"
|
||||
@ -720,15 +792,29 @@ ms:
|
||||
suspend: "%{name} telah menggantungkan akaun %{target}"
|
||||
appeal_approved: Dirayu
|
||||
appeal_pending: Rayuan yang belum selesai
|
||||
appeal_rejected: Rayuan ditolak
|
||||
system_checks:
|
||||
database_schema_check:
|
||||
message_html: Terdapat migrasi pangkalan data yang belum selesai. Sila jalankannya untuk memastikan aplikasi berfungsi seperti yang diharapkan
|
||||
elasticsearch_running_check:
|
||||
message_html: Tidak dapat menyambung ke Elasticsearch. Sila semak sama ada ia sedang berjalan atau lumpuhkan carian teks penuh
|
||||
elasticsearch_version_check:
|
||||
message_html: 'Versi Elasticsearch tidak serasi: %{value}'
|
||||
version_comparison: Elasticsearch %{running_version} sedang berjalan manakala %{required_version} diperlukan
|
||||
rules_check:
|
||||
action: Urus peraturan server
|
||||
message_html: Anda belum menentukan sebarang peraturan server.
|
||||
sidekiq_process_check:
|
||||
message_html: Tiada proses Sidekiq berjalan untuk baris gilir %{value}. Sila semak konfigurasi Sidekiq anda
|
||||
upload_check_privacy_error:
|
||||
action: Semak di sini untuk maklumat lanjut
|
||||
message_html: "<strong>Server web anda salah konfigurasi. Privasi pengguna anda berisiko</strong>"
|
||||
upload_check_privacy_error_object_storage:
|
||||
action: Semak di sini untuk maklumat lanjut
|
||||
message_html: "<strong>Ruang objek anda salah konfigurasi. Privasi pengguna anda berisiko</strong>"
|
||||
tags:
|
||||
review: Semak status
|
||||
updated_msg: Tetapan hashtag berjaya dikemas kini
|
||||
title: Pentadbiran
|
||||
trends:
|
||||
allow: Izin
|
||||
@ -737,11 +823,19 @@ ms:
|
||||
links:
|
||||
allow: Membenarkan pautan
|
||||
allow_provider: Membenarkan penerbit
|
||||
description_html: Ini ialah pautan yang sedang banyak dikongsi oleh akaun tempat server anda melihat siaran daripadanya. Ia boleh membantu pengguna anda mengetahui perkara yang berlaku di dunia. Tiada pautan dipaparkan secara terbuka sehingga anda meluluskan penerbit. Anda juga boleh membenarkan atau menolak pautan individu.
|
||||
disallow: Tidak membenarkan pautan
|
||||
disallow_provider: Tolak penerbit
|
||||
no_link_selected: Tiada pautan ditukar kerana tiada pautan dipilih
|
||||
publishers:
|
||||
no_publisher_selected: Tiada penerbit ditukar kerana tiada penerbit dipilih
|
||||
title: Pautan yang sedang sohor kini
|
||||
usage_comparison: Dikongsi %{today} kali hari ini, berbanding %{yesterday} semalam
|
||||
not_allowed_to_trend: Tidak dibenarkan menjadi trend
|
||||
only_allowed: Hanya dibenarkan
|
||||
pending_review: Menunggu semak semula
|
||||
preview_card_providers:
|
||||
description_html: Ini adalah domain dari mana pautan sering dikongsi pada server anda. Pautan tidak akan menjadi aliran secara terbuka melainkan domain pautan itu diluluskan. Kelulusan (atau penolakan) anda dilanjutkan kepada subdomain.
|
||||
rejected: Pautan daripada penerbit ini tidak akan menjadi sohor kini
|
||||
title: Penerbit
|
||||
rejected: Ditolak
|
||||
@ -775,10 +869,41 @@ ms:
|
||||
empty: You don't have any webhook endpoints configured yet.
|
||||
enable: Dayakan
|
||||
enabled: Aktif
|
||||
new: Webhook baru
|
||||
rotate_secret: Putar rahsia
|
||||
secret: Menandatangani rahsia
|
||||
status: Status
|
||||
title: Webhook
|
||||
webhook: Webhook
|
||||
admin_mailer:
|
||||
new_appeal:
|
||||
actions:
|
||||
delete_statuses: untuk memadamkan pos mereka
|
||||
disable: untuk membekukan akaun mereka
|
||||
mark_statuses_as_sensitive: untuk menandakan pos mereka sebagai sensitif
|
||||
none: amaran
|
||||
sensitive: untuk menandakan akaun mereka sebagai sensitif
|
||||
silence: untuk mengehadkan akaun mereka
|
||||
suspend: untuk menggantung akaun mereka
|
||||
body: "%{target} sedang merayu keputusan penyederhanaan sebanyak %{action_taken_by} dari %{date}, iaitu %{type}. Mereka tulis:"
|
||||
next_steps: Anda boleh meluluskan rayuan untuk membuat asal keputusan penyederhanaan atau mengabaikannya.
|
||||
subject: "%{username} sedang merayu keputusan penyederhanaan pada %{instance}"
|
||||
new_pending_account:
|
||||
body: Butiran akaun baharu ada di bawah. Anda boleh meluluskan atau menolak aplikasi ini.
|
||||
subject: Akaun baharu disediakan untuk semakan pada %{instance} (%{username})
|
||||
new_report:
|
||||
body: "%{reporter} telah melaporkan %{target}"
|
||||
body_remote: Seseorang daripada %{domain} telah melaporkan %{target}
|
||||
subject: Laporan baharu untuk %{instance} (#%{id})
|
||||
new_trends:
|
||||
body: 'Item berikut memerlukan semakan sebelum boleh dipaparkan secara terbuka:'
|
||||
new_trending_links:
|
||||
title: Pautan sohor kini
|
||||
new_trending_statuses:
|
||||
title: Pos sohor kini
|
||||
new_trending_tags:
|
||||
no_approved_tags: Pada masa ini tiada hashtag sohor kini yang diluluskan.
|
||||
requirements: 'Mana-mana calon ini boleh melepasi hashtag arah aliran #%{rank} yang diluluskan, yang pada masa ini ialah #%{lowest_tag_name} dengan markah %{lowest_tag_score}.'
|
||||
appearance:
|
||||
advanced_web_interface_hint: 'Jika anda ingin menggunakan keseluruhan lebar skrin anda, antara muka web lanjutan membolehkan anda mengkonfigurasi banyak lajur berbeza untuk melihat seberapa banyak maklumat pada masa yang sama seperti yang anda mahu: Laman Utama, pemberitahuan, garis masa bersekutu, sebarang bilangan senarai dan hashteg.'
|
||||
discovery: Penemuan
|
||||
@ -801,7 +926,11 @@ ms:
|
||||
delete_account: Padam akaun
|
||||
description:
|
||||
prefix_sign_up: Daftar pada Mastodon hari ini!
|
||||
suffix: Dengan akaun, anda akan dapat mengikuti orang, menyiarkan kemas kini dan bertukar-tukar mesej dengan pengguna dari mana-mana server Mastodon dan banyak lagi!
|
||||
didnt_get_confirmation: Tidak menerima pautan pengesahan?
|
||||
dont_have_your_security_key: Tiada kunci keselamatan anda?
|
||||
forgot_password: Terlupa kata laluan anda?
|
||||
invalid_reset_password_token: Token tetapan semula kata laluan tidak sah atau tamat tempoh. Sila minta yang baharu.
|
||||
log_in_with: Daftar masuk dengan
|
||||
login: Daftar masuk
|
||||
logout: Daftar keluar
|
||||
|
@ -1122,7 +1122,6 @@ my:
|
||||
basic_information: အခြေခံသတင်းအချက်အလက်
|
||||
hint_html: "<strong>သင်၏ အများမြင်ပရိုဖိုင်နှင့် သင့်ပို့စ်များဘေးရှိ တွေ့မြင်ရသည့်အရာကို စိတ်ကြိုက်ပြင်ဆင်ပါ။ </strong> သင့်တွင် ပရိုဖိုင်နှင့် ပရိုဖိုင်ပုံတစ်ခု ဖြည့်သွင်းထားပါက အခြားသူများအနေဖြင့် သင်နှင့် အပြန်အလှန် တုံ့ပြန်နိုင်ခြေပိုများပါသည်။"
|
||||
other: အခြား
|
||||
safety_and_privacy: ဘေးကင်းရေးနှင့် လျှို့ဝှက်ရေး
|
||||
errors:
|
||||
'400': သင်တင်ပြသော တောင်းဆိုချက်မှာ မမှန်ကန်ပါ သို့မဟုတ် ပုံစံမမှန်ပါ။
|
||||
'403': ဤစာမျက်နှာကြည့်ရှုရန် သင့်တွင် ခွင့်ပြုချက်မရှိပါ။
|
||||
|
@ -1140,7 +1140,6 @@ nl:
|
||||
basic_information: Algemene informatie
|
||||
hint_html: "<strong>Pas aan wat mensen op jouw openbare profiel en naast je berichten zien.</strong> Andere mensen zullen je eerder volgen en met je communiceren wanneer je profiel is ingevuld en je een profielfoto hebt."
|
||||
other: Overige
|
||||
safety_and_privacy: Veiligheid en privacy
|
||||
errors:
|
||||
'400': De aanvraag die je hebt ingediend was ongeldig of foutief.
|
||||
'403': Jij hebt geen toestemming om deze pagina te bekijken.
|
||||
|
@ -1140,7 +1140,6 @@ nn:
|
||||
basic_information: Grunnleggande informasjon
|
||||
hint_html: "<strong>Tilpass kva folk ser på den offentlege profilen din og ved sida av innlegga dine.</strong> Andre vil i større grad fylgja og samhandla med deg når du har eit profilbilete og har fyllt ut profilen din."
|
||||
other: Anna
|
||||
safety_and_privacy: Sikkerheit og personvern
|
||||
errors:
|
||||
'400': Søknaden du sende var ugyldig eller sett opp feil.
|
||||
'403': Du har ikkje løyve til å sjå denne sida.
|
||||
@ -1349,10 +1348,10 @@ nn:
|
||||
favourite: e-postar om favorittmarkeringar
|
||||
follow: e-postar om nye fylgjarar
|
||||
follow_request: e-postar om fylgjeførespurnadar
|
||||
mention: e-poster om nevninger
|
||||
reblog: e-poster om fremhevinger
|
||||
resubscribe_html: Hvis du har avsluttet abonnementet ved en feiltakelse, kan du abonnere på nytt i <a href="%{settings_path}">innstillinger for e-postvarsling</a>.
|
||||
success_html: Du vil ikke lenger motta %{type} fra Mastodon på %{domain} i e-posten din på %{email}.
|
||||
mention: e-postar om nemningar
|
||||
reblog: e-postar om framhevingar
|
||||
resubscribe_html: Om du har avslutta avslutta abonnementet ved ein feil, kan du abonnera på nytt i <a href="%{settings_path}">innstillingar for e-postvarsling</a>.
|
||||
success_html: Du vil ikkje lenger motta %{type} frå Mastodon på %{domain} til din e-post %{email}.
|
||||
title: Meld av
|
||||
media_attachments:
|
||||
validations:
|
||||
@ -1770,10 +1769,10 @@ nn:
|
||||
seamless_external_login: Du er logga inn gjennom eit eksternt reiskap, so passord og e-postinstillingar er ikkje tilgjengelege.
|
||||
signed_in_as: 'Logga inn som:'
|
||||
verification:
|
||||
extra_instructions_html: <strong>Tips:</strong> Lenken på din nettside kan være usynlig. Den viktige delen er <code>rel="me"</code> som sikrer at nettsteder med brukergenerert innhold ikke kan utgi seg for å være deg. Du kan til og med bruke en <code>link</code> lenke i sidens topptekst i stedet for <code>a</code>, men HTML-koden må være tilgjengelig uten å kjøre JavaScript.
|
||||
extra_instructions_html: <strong>Tips:</strong> Linken på nettsida di kan vera usynleg. Den viktige delen er <code>rel="me"</code>, som på nettstader med brukargenerert innhald vil hindra at andre kan låst som dei er deg. Du kan til og med bruka <code>link</code> i staden for <code>a</code> i toppteksten til sida, men HTML-koden må vera tilgjengeleg utan å måtte køyra JavaScript.
|
||||
here_is_how: Slik gjer du
|
||||
hint_html: "<strong>Verifisering av identiteten din på Mastodon er for alle.</strong> Basert på åpne nettstandarder, gratis nå og for alltid. Alt du trenger er en personlig nettside som gjør at folk kjenner deg igjen. Når du lenker til dette nettstedet fra din profil, vil vi sjekke at nettstedet lenker tilbake til profilen din og viser dette på profilen din."
|
||||
instructions_html: Kopier og lim inn koden nedenfor i HTML til ditt nettsted. Deretter legger du til adressen til nettstedet ditt i et av ekstrafeltene på profilen din fra fanen "Rediger profil" og lagre endringer.
|
||||
hint_html: "<strong>Stadfesting av eigen identitet på Mastodon er for alle.</strong> Basert på opne nettstandardar, gratis no og for alltid. Alt du treng er ei personleg nettside der folk kjenner deg att. Om du lagar ein link som peikar på denne nettsida frå profilen din, vil profilen din få ein synleg indikator i dei tilfella der nettsida har ein link som peikar attende på profilen."
|
||||
instructions_html: Kopier og lim inn i koden nedanfor i HTML-koden for nettsida di. Legg deretter adressa til nettsida di til i ei av ekstrafelta på profilen din frå fana "Rediger profil" og lagre endringane.
|
||||
verification: Stadfesting
|
||||
verified_links: Dine verifiserte lenker
|
||||
webauthn_credentials:
|
||||
|
@ -1140,7 +1140,6 @@
|
||||
basic_information: Grunnleggende informasjon
|
||||
hint_html: "<strong>Tilpass hva folk ser på din offentlige profil og ved siden av dine innlegg.</strong> Det er mer sannsynlig at andre mennesker følger deg tilbake og samhandler med deg når du har fylt ut en profil og et profilbilde."
|
||||
other: Annet
|
||||
safety_and_privacy: Sikkerhet og personvern
|
||||
errors:
|
||||
'400': Forespørselen du sendte inn var ugyldig eller feil.
|
||||
'403': Du har ikke tillatelse til å vise denne siden.
|
||||
|
@ -1176,7 +1176,6 @@ pl:
|
||||
basic_information: Podstawowe informacje
|
||||
hint_html: "<strong>Dostosuj to, co ludzie widzą na Twoim profilu publicznym i obok Twoich wpisów.</strong> Inne osoby są bardziej skłonne obserwować Cię i wchodzić z Tobą w interakcje, gdy masz wypełniony profil i zdjęcie profilowe."
|
||||
other: Inne
|
||||
safety_and_privacy: Bezpieczeństwo i prywatność
|
||||
errors:
|
||||
'400': Wysłane zgłoszenie jest nieprawidłowe lub uszkodzone.
|
||||
'403': Nie masz uprawnień, aby wyświetlić tę stronę.
|
||||
|
@ -1139,7 +1139,6 @@ pt-BR:
|
||||
basic_information: Informações básicas
|
||||
hint_html: "<strong>Personalize o que as pessoas veem no seu perfil público e ao lado de suas publicações.</strong> É mais provável que outras pessoas o sigam de volta e interajam com você quando você tiver um perfil preenchido e uma foto de perfil."
|
||||
other: Outro
|
||||
safety_and_privacy: Segurança e privacidade
|
||||
errors:
|
||||
'400': A solicitação enviada é inválida ou incorreta.
|
||||
'403': Você não tem permissão para ver esta página.
|
||||
|
@ -1140,7 +1140,6 @@ pt-PT:
|
||||
basic_information: Informação básica
|
||||
hint_html: "<strong>Personalize o que as pessoas veem no seu perfil público e junto das suas publicações.</strong> É mais provável que as outras pessoas o sigam de volta ou interajam consigo se tiver um perfil preenchido e uma imagem de perfil."
|
||||
other: Outro
|
||||
safety_and_privacy: Segurança e privacidade
|
||||
errors:
|
||||
'400': O pedido que submeteu foi inválido ou mal formulado.
|
||||
'403': Não tens a permissão necessária para ver esta página.
|
||||
|
@ -1176,7 +1176,6 @@ ru:
|
||||
basic_information: Основная информация
|
||||
hint_html: "<strong>Настройте то, что люди видят в вашем публичном профиле и рядом с вашими сообщениями.</strong> Другие люди с большей вероятностью подпишутся на Вас и будут взаимодействовать с вами, если у Вас заполнен профиль и добавлено изображение."
|
||||
other: Прочее
|
||||
safety_and_privacy: Безопасность и приватность
|
||||
errors:
|
||||
'400': Ваш запрос был недействительным или неправильным.
|
||||
'403': У Вас нет доступа к просмотру этой страницы.
|
||||
|
@ -37,13 +37,11 @@ an:
|
||||
current_password: Per razons de seguranza per favor ingrese la clau d'a cuenta actual
|
||||
current_username: Pa confirmar, per favor ingrese lo nombre d'usuario d'a cuenta actual
|
||||
digest: Solo ninviau dimpués d'un largo periodo d'inactividat y nomás si has recibiu mensaches personals entre la tuya ausencia
|
||||
discoverable: Permite que la tuya cuenta sía descubierta per extranyos a traviés de recomendacions, tendencias y atras caracteristicas
|
||||
email: Se le ninviará un correu de confirmación
|
||||
header: PNG, GIF u JPG. Maximo %{size}. Será escalau a %{dimensions}px
|
||||
inbox_url: Copia la URL d'a pachina prencipal d'o relés que quiers utilizar
|
||||
irreversible: Las publicacions filtradas desapareixerán irreversiblement, mesmo si este filtro ye eliminau mas abance
|
||||
locale: L'idioma d'a interficie d'usuario, correus y notificacions push
|
||||
locked: Requiere que manualment aprebes seguidores y las publicacions serán amostradas nomás a las tuyas seguidores
|
||||
password: Utilice a lo menos 8 caracters
|
||||
phrase: S'aplicará sin importar las mayusclas u los avisos de conteniu d'una publicación
|
||||
scopes: Qué APIs de l'aplicación tendrán acceso. Si trías l'aconsiga de libel pero alto, no amenestes triar las individuals.
|
||||
@ -53,9 +51,6 @@ an:
|
||||
setting_display_media_default: Amagar conteniu multimedia marcau como sensible
|
||||
setting_display_media_hide_all: Siempre amagar tot lo conteniu multimedia
|
||||
setting_display_media_show_all: Amostrar siempre conteniu multimedia marcau como sensible
|
||||
setting_hide_network: A quí sigues y quí te sigue no será amostrau en o tuyo perfil
|
||||
setting_noindex: Afecta a lo tuyo perfil publico y pachinas d'estau
|
||||
setting_show_application: L'aplicación que utiliza vusté pa publicar publicacions s'amostrará en a vista detallada d'as suyas publicacions
|
||||
setting_use_blurhash: Los gradientes se basan en as colors d'as imachens amagadas pero fendo borrosos los detalles
|
||||
setting_use_pending_items: Amagar nuevos estaus dezaga d'un clic en cuenta de desplazar automaticament lo feed
|
||||
whole_word: Quan la parola clau u frase ye nomás alfanumerica, nomás será aplicau si concuerda con tota la parola
|
||||
@ -170,7 +165,6 @@ an:
|
||||
context: Filtrar contextos
|
||||
current_password: Clau actual
|
||||
data: Información
|
||||
discoverable: Sucherir la cuenta a atros
|
||||
display_name: Nombre pa amostrar
|
||||
email: Adreza de correu electronico
|
||||
expires_in: Expirar dimpués de
|
||||
@ -180,7 +174,6 @@ an:
|
||||
inbox_url: URL d'a dentrada de relés
|
||||
irreversible: Refusar en cuenta d'amagar
|
||||
locale: Idioma
|
||||
locked: Fer privada esta cuenta
|
||||
max_uses: Máx. numero d'usos
|
||||
new_password: Nueva clau
|
||||
note: Biografía
|
||||
@ -203,9 +196,7 @@ an:
|
||||
setting_display_media_show_all: Amostrar tot
|
||||
setting_expand_spoilers: Siempre expandir las publicacions marcadas con alvertencias de conteniu
|
||||
setting_hide_network: Amagar lo tuyo ret
|
||||
setting_noindex: Excluyir-se d'o indexado de motors de busqueda
|
||||
setting_reduce_motion: Reducir lo movimiento d'as animacions
|
||||
setting_show_application: Amostrar aplicación usada pa publicar publicacions
|
||||
setting_system_font_ui: Utilizar la tipografía per defecto d'o sistema
|
||||
setting_theme: Tema d'o puesto
|
||||
setting_trends: Amostrar las tendencias de hue
|
||||
|
@ -41,13 +41,11 @@ ar:
|
||||
current_password: لأسباب أمنية ، يرجى إدخال الكلمة السرية الخاصة بالحساب الحالي
|
||||
current_username: يرجى إدخال اسم المستخدم الخاص بالحساب الحالي قصد التأكيد
|
||||
digest: تُرسَل إليك بعد مُضيّ مدة مِن خمول نشاطك و فقط إذا ما تلقيت رسائل شخصية مباشِرة أثناء فترة غيابك مِن الشبكة
|
||||
discoverable: السماح للغرباء اكتشاف حسابك من خلال التوصيات والمتداولة وغيرها من الميزات
|
||||
email: سوف تتلقى رسالة إلكترونية للتأكيد
|
||||
header: ملف PNG أو GIF أو JPG. حجمه على أقصى تصدير %{size}. سيتم تصغيره إلى %{dimensions}px
|
||||
inbox_url: نسخ العنوان الذي تريد استخدامه مِن صفحة الاستقبال للمُرحَّل
|
||||
irreversible: المنشورات التي تم تصفيتها ستختفي لا محالة حتى و إن تمت إزالة عامِل التصفية لاحقًا
|
||||
locale: لغة واجهة المستخدم و الرسائل الإلكترونية و الإشعارات
|
||||
locked: يتطلب منك الموافقة يدويا على طلبات المتابعة
|
||||
password: يُنصح باستخدام 8 أحرف على الأقل
|
||||
phrase: سوف يتم العثور عليه مهما كان نوع النص أو حتى و إن كان داخل الويب فيه تحذير عن المحتوى
|
||||
scopes: ما هي المجالات المسموح بها في التطبيق ؟ إن قمت باختيار أعلى المجالات فيمكنك الاستغناء عن الخَيار اليدوي.
|
||||
@ -57,9 +55,6 @@ ar:
|
||||
setting_display_media_default: إخفاء الوسائط المُعيَّنة كحساسة
|
||||
setting_display_media_hide_all: إخفاء كافة الوسائط دائمًا
|
||||
setting_display_media_show_all: دائمًا عرض الوسائط المُعيَّنة كحساسة
|
||||
setting_hide_network: الحسابات التي تُتابعها و التي تُتابِعك على حد سواء لن تُعرَض على صفحتك التعريفية
|
||||
setting_noindex: ذلك يؤثر على صفحتك التعريفية وصفحات المنشورات
|
||||
setting_show_application: سيُعرَض اسم التطبيق الذي تستخدمه عند النشر في العرض المفصّل لمنشوراتك
|
||||
setting_use_blurhash: الألوان التدرّجية مبنية على ألوان المرئيات المخفية ولكنها تحجب كافة التفاصيل
|
||||
setting_use_pending_items: إخفاء تحديثات الخط وراء نقرة بدلًا مِن التمرير التلقائي للتدفق
|
||||
username: يمكنك استخدام الأحرف والأرقام والسطور السفلية
|
||||
@ -178,7 +173,6 @@ ar:
|
||||
context: تصفية السياقات
|
||||
current_password: كلمة السر الحالية
|
||||
data: البيانات
|
||||
discoverable: القيام بإدراج هذا الحساب في قائمة دليل الحسابات
|
||||
display_name: الاسم المعروض
|
||||
email: عنوان البريد الإلكتروني
|
||||
expires_in: تنتهي مدة صلاحيته بعد
|
||||
@ -188,7 +182,6 @@ ar:
|
||||
inbox_url: عنوان رابط صندوق المُرَحِّل
|
||||
irreversible: إسقاط بدلا من إخفائها
|
||||
locale: لغة الواجهة
|
||||
locked: تجميد الحساب
|
||||
max_uses: عدد مرات استخدام الرابط
|
||||
new_password: كلمة السر الجديدة
|
||||
note: السيرة الذاتية
|
||||
@ -211,9 +204,7 @@ ar:
|
||||
setting_display_media_show_all: عرض الكل
|
||||
setting_expand_spoilers: توسيع المنشورات التي تحتوي على تحذيرات عن المحتوى دائما
|
||||
setting_hide_network: إخفِ شبكتك
|
||||
setting_noindex: الطلب مِن محركات البحث بعدم فهرسة معلوماتك وصفحتك التعريفية الشخصية
|
||||
setting_reduce_motion: تخفيض عدد الصور في الوسائط المتحركة
|
||||
setting_show_application: اكشف اسم التطبيق المستخدَم لإرسال المنشورات
|
||||
setting_system_font_ui: استخدم الخطوط الافتراضية للنظام
|
||||
setting_theme: سمة الموقع
|
||||
setting_trends: اعرض ما يُتداوَل اليوم
|
||||
|
@ -18,11 +18,9 @@ ast:
|
||||
avatar: Ficheros PNG, GIF o JPG de %{size} como muncho. La semeya va redimensionase a %{dimensions} px
|
||||
bot: Avisa a otres persones de qu'esta cuenta fai principalmente aiciones automatizaes ya de que ye posible que nun tean supervisaes
|
||||
digest: Namás s'unvia dempués d'un periodu llongu d'inactividá ya namás si recibiesti dalgún mensaxe personal demientres la to ausencia
|
||||
discoverable: Permite que persones desconocíes descubran la to cuenta pente recomendaciones, tendencies ya otres funciones
|
||||
header: Ficheros PNG, GIF o JPG de %{size} como muncho. La semeya va redimensionase a %{dimensions} px
|
||||
irreversible: Los artículos peñeraos desapaecen de forma irreversible, magar que la peñera se quite dempués
|
||||
locale: La llingua de la interfaz, los mensaxes per corréu electrónicu ya los avisos push
|
||||
locked: Controla manualmente quién pue siguite pente l'aprobación de les solicitúes de siguimientu
|
||||
password: Usa polo menos 8 caráuteres
|
||||
setting_aggregate_reblogs: Nun amuesa los artículos compartíos nuevos que xá se compartieren de recién (namás afeuta a los artículos compartíos d'agora)
|
||||
setting_always_send_emails: Los avisos nun se suelen unviar per corréu electrónicu si uses activamente Mastodon
|
||||
@ -30,9 +28,6 @@ ast:
|
||||
setting_display_media_default: Anubrilu cuando se marque como sensible
|
||||
setting_display_media_hide_all: Anubrilu siempres
|
||||
setting_display_media_show_all: Amosalu siempres
|
||||
setting_hide_network: Les persones que sigas ya les que te sigan nun van apaecer nel to perfil
|
||||
setting_noindex: Afeuta al perfil públicu ya a les páxines de los artículos
|
||||
setting_show_application: L'aplicación qu'uses pa espublizar apaez na vista detallada de los tos artículos
|
||||
setting_use_blurhash: Los dilíos básense nos colores del conteníu multimedia anubríu mas desenfonca los detalles
|
||||
featured_tag:
|
||||
name: 'Equí tán dalgunes de les etiquetes qu''usesti apocayá:'
|
||||
@ -91,7 +86,6 @@ ast:
|
||||
confirm_password: Confirmación de la contraseña
|
||||
current_password: Contraseña actual
|
||||
data: Datos
|
||||
discoverable: Suxerir esta cuenta a otres persones
|
||||
display_name: Nome visible
|
||||
email: Direición de corréu electrónicu
|
||||
expires_in: Caduca dempués de
|
||||
@ -99,7 +93,6 @@ ast:
|
||||
header: Semeya de la testera
|
||||
irreversible: Escartar en cuentes d'anubrir
|
||||
locale: Llingua de la interfaz
|
||||
locked: Riquir solicitúes de siguimientu
|
||||
max_uses: Númberu máximu d'usos
|
||||
new_password: Contraseña nueva
|
||||
note: Biografía
|
||||
@ -119,9 +112,7 @@ ast:
|
||||
setting_display_media: Conteníu multimedia
|
||||
setting_expand_spoilers: Espander siempres los artículos marcaos con alvertencies de conteníu
|
||||
setting_hide_network: Anubrir les cuentes que sigas ya te sigan
|
||||
setting_noindex: Arrenunciar a apaecer nos índices de los motores de busca
|
||||
setting_reduce_motion: Amenorgar el movimientu de les animaciones
|
||||
setting_show_application: Dicir les aplicaciones que s'usen pa unviar artículos
|
||||
setting_system_font_ui: Usar la fonte predeterminada del sistema
|
||||
setting_theme: Estilu del sitiu
|
||||
setting_trends: Amosar les tendencies de güei
|
||||
|
@ -41,13 +41,11 @@ be:
|
||||
current_password: У мэтах бяспекі, калі ласка, увядзіце пароль бягучага ўліковага запісу
|
||||
current_username: Каб пацвердзіць, увядзіце, калі ласка імя карыстальніка бягучага ўліковага запісу
|
||||
digest: Будзе даслана толькі пасля доўгага перыяду неактыўнасці і толькі калі вы атрымалі асабістыя паведамленні падчас вашай адсутнасці
|
||||
discoverable: Дазволіць незнаёмым людзям знаходзіць ваш уліковы запіс праз рэкамендацыі, трэнды і іншыя функцыі
|
||||
email: Пацвярджэнне будзе выслана па электроннай пошце
|
||||
header: PNG, GIF ці JPG. Не больш за %{size}. Будзе сціснуты да памеру %{dimensions}} пікселяў
|
||||
inbox_url: Капіраваць URL са старонкі рэтранслятара, якім вы хочаце карыстацца
|
||||
irreversible: Адфільтраваныя пасты прападуць незваротна, нават калі фільтр потым будзе выдалены
|
||||
locale: Мова карыстальніцкага інтэрфейсу, электронных паведамленняў і апавяшчэнняў
|
||||
locked: Уручную кантралюйце, хто можа быць вашым падпісантам, ухваляючы запросы на падпіску
|
||||
password: Не менш за 8 сімвалаў
|
||||
phrase: Параўнанне адбудзецца нягледзячы на рэгістр тэксту і папярэджанні аб змесціве допісу
|
||||
scopes: Якімі API праграм будзе дазволена карыстацца. Калі вы абярэце найвышэйшы ўзровень, не трэба абіраць асобныя.
|
||||
@ -57,9 +55,6 @@ be:
|
||||
setting_display_media_default: Хаваць медыя пазначаныя як далікатныя
|
||||
setting_display_media_hide_all: Заўсёды хаваць медыя
|
||||
setting_display_media_show_all: Заўсёды паказваць медыя
|
||||
setting_hide_network: Вашы падпіскі і вашы падпісчыкі будуць нябачны ў вашым профілі
|
||||
setting_noindex: Уплывае на бачнасць старонкі вашага профілю і вашых допісаў
|
||||
setting_show_application: Праграма, праз якую вы ствараеце допісы, будзе паказвацца ў падрабязнасцях пра допісы
|
||||
setting_use_blurhash: Градыенты заснаваны на колерах схаваных выяў, але размываюць дэталі
|
||||
setting_use_pending_items: Схаваць абнаўленні стужкі за клікам замест аўтаматычнага пракручвання стужкі
|
||||
username: Вы можаце выкарыстоўваць літары, лічбы і падкрэсліванне
|
||||
@ -178,7 +173,6 @@ be:
|
||||
context: Фільтр кантэкстаў
|
||||
current_password: Бягучы пароль
|
||||
data: Даныя
|
||||
discoverable: Рэкамендаваць уліковы запіс іншым карыстальнікам
|
||||
display_name: Адлюстраванае імя
|
||||
email: Адрас электроннай пошты
|
||||
expires_in: Заканчваецца пасля
|
||||
@ -188,7 +182,6 @@ be:
|
||||
inbox_url: URL паштовай скрыні-рэтранслятара
|
||||
irreversible: Выдаляць, а не хаваць
|
||||
locale: Мова інтэрфейсу
|
||||
locked: Зрабіць уліковы запіс закрытым
|
||||
max_uses: Максімальная колькасць выкарыстанняў
|
||||
new_password: Новы пароль
|
||||
note: Пра сябе
|
||||
@ -211,9 +204,7 @@ be:
|
||||
setting_display_media_show_all: Паказаць усё
|
||||
setting_expand_spoilers: Заўжды разгортваць допісы з папярэджаннем аб змесціве
|
||||
setting_hide_network: Схаваць вашы сувязі
|
||||
setting_noindex: Адмовіцца ад індэксавання пашуковымі рухавікамі
|
||||
setting_reduce_motion: Памяншэнне руху ў анімацыях
|
||||
setting_show_application: Паказваць праграмы, праз якія дасылаюцца допісы
|
||||
setting_system_font_ui: Выкарыстоўваць прадвызначаны сістэмны шрыфт
|
||||
setting_theme: Тэма сайта
|
||||
setting_trends: Паказваць трэнды дня
|
||||
|
@ -41,13 +41,11 @@ bg:
|
||||
current_password: От съображения за сигурност, въведете паролата на текущия акаунт
|
||||
current_username: Въведете потребителското име на текущия профил, за да потвърдите
|
||||
digest: Изпраща се само след дълъг период на бездействие и само ако сте получили лични съобщения във ваше отсъствие
|
||||
discoverable: Позволяване на странници да откриват вашия акаунт чрез препоръки, нашумели и други неща
|
||||
email: Ще ви се изпрати имейл за потвърждение
|
||||
header: PNG, GIF или JPG. До най-много %{size}. Ще се смали до %{dimensions} пиксела
|
||||
inbox_url: Копирайте URL адреса от заглавната страница на предаващия сървър, който искате да използвате
|
||||
irreversible: Филтрираните публикации ще изчезнат безвъзвратно, дори филтърът да бъде премахнат по-късно
|
||||
locale: Езикът на потребителския интерфейс, известиятата по имейл и насочените известия
|
||||
locked: Ръчно управляване кой може да ви последва, одобрявайки заявките за последване
|
||||
password: Използвайте поне 8 символа
|
||||
phrase: Ще съвпадне без значение дали са главни или малки букви, или ако е предупреждение към публикация
|
||||
scopes: Указва до кои API има достъп приложението. Ако изберете диапазон от най-високо ниво, няма нужда да избирате индивидуални.
|
||||
@ -57,9 +55,6 @@ bg:
|
||||
setting_display_media_default: Скриване на мултимедия отбелязана като деликатна
|
||||
setting_display_media_hide_all: Винаги скриване на мултимедията
|
||||
setting_display_media_show_all: Винаги показване на мултимедията
|
||||
setting_hide_network: В профила ви ще бъде скрито кой може да последвате и кой може да ви последва
|
||||
setting_noindex: Влияе на вашите обществен профил и страници с публикации
|
||||
setting_show_application: Приложението, което ползвате за публикуване, ще се показва в подробностите на публикацията ви
|
||||
setting_use_blurhash: Преливането е въз основа на цветовете на скритите визуализации, но се замъгляват подробностите
|
||||
setting_use_pending_items: Да се показват обновявания на часовата ос само след щракване вместо автоматично превъртане на инфоканала
|
||||
username: Може да ползвате букви, цифри и долни черти
|
||||
@ -178,7 +173,6 @@ bg:
|
||||
context: Прецеждане на контекста
|
||||
current_password: Текуща парола
|
||||
data: Данни
|
||||
discoverable: Предложете акаунта на други
|
||||
display_name: Показвано име
|
||||
email: Адрес на имейла
|
||||
expires_in: Изтича след
|
||||
@ -188,7 +182,6 @@ bg:
|
||||
inbox_url: URL адрес за входящи съобщения на предаващия сървър
|
||||
irreversible: Премахване, вместо скриване
|
||||
locale: Език на интерфейса
|
||||
locked: Направи акаунта поверителен
|
||||
max_uses: Макс брой употреби
|
||||
new_password: Нова парола
|
||||
note: Биогр.
|
||||
@ -211,9 +204,7 @@ bg:
|
||||
setting_display_media_show_all: Показване на всичко
|
||||
setting_expand_spoilers: Винаги разширяване на публикации, отбелязани с предупреждения за съдържание
|
||||
setting_hide_network: Скриване на социалния ви свързан граф
|
||||
setting_noindex: Отказвам се от индексирането от търсачки
|
||||
setting_reduce_motion: Обездвижване на анимациите
|
||||
setting_show_application: Разкриване на приложението, изпращащо публикации
|
||||
setting_system_font_ui: Употреба на стандартния шрифт на системата
|
||||
setting_theme: Тема на сайта
|
||||
setting_trends: Показване на днешното налагащо се
|
||||
|
@ -41,13 +41,11 @@ ca:
|
||||
current_password: Per motius de seguretat, introduïu la contrasenya del compte actual
|
||||
current_username: Per a confirmar, entreu el nom d'usuari del compte actual
|
||||
digest: Només s'envia després d'un llarg període d'inactivitat i només si has rebut algun missatge personal durant la teva absència
|
||||
discoverable: Permet que el teu compte sigui descobert per desconeguts a través de recomanacions, etiquetes i altres característiques
|
||||
email: Se t'enviarà un correu electrònic de confirmació
|
||||
header: PNG, GIF o JPG de com a màxim %{size}. S'escalarà a %{dimensions}px
|
||||
inbox_url: Copia l'enllaç de la pàgina principal del relay que vols usar
|
||||
irreversible: Els tuts filtrats desapareixeran de manera irreversible, fins i tot si el filtre es retira més tard
|
||||
locale: L'idioma de la interfície d’usuari, els correus i les notificacions push
|
||||
locked: Controla manualment qui et pot seguir, aprovant sol·licituds
|
||||
password: Utilitza com a mínim 8 caràcters
|
||||
phrase: Es combinarà independentment del format en el text o l'avís de contingut del tut
|
||||
scopes: API permeses per a accedir a l'aplicació. Si selecciones un àmbit de nivell superior, no cal que en seleccionis un d'individual.
|
||||
@ -57,9 +55,6 @@ ca:
|
||||
setting_display_media_default: Amaga el contingut gràfic marcat com a sensible
|
||||
setting_display_media_hide_all: Oculta sempre tot el contingut multimèdia
|
||||
setting_display_media_show_all: Mostra sempre el contingut gràfic
|
||||
setting_hide_network: Qui segueixes i els que et segueixen no es mostraran en el teu perfil
|
||||
setting_noindex: Afecta el teu perfil públic i les pàgines d'estat
|
||||
setting_show_application: L'aplicació que fas servir per a publicar es mostrarà a la vista detallada dels teus tuts
|
||||
setting_use_blurhash: Els degradats es basen en els colors de les imatges ocultes, però n'enfosqueixen els detalls
|
||||
setting_use_pending_items: Amaga les actualitzacions de la línia de temps després de fer un clic, en lloc de desplaçar-les automàticament
|
||||
username: Pots emprar lletres, números i subratllats
|
||||
@ -178,7 +173,6 @@ ca:
|
||||
context: Filtre els contextos
|
||||
current_password: Contrasenya actual
|
||||
data: Informació
|
||||
discoverable: Mostra aquest compte en el directori de perfils
|
||||
display_name: Nom visible
|
||||
email: Adreça de correu electrònic
|
||||
expires_in: Expira després
|
||||
@ -188,7 +182,6 @@ ca:
|
||||
inbox_url: Enllaç de la safata d'entrada del relay
|
||||
irreversible: Cau en lloc d'ocultar
|
||||
locale: Idioma de la interfície
|
||||
locked: Requereix sol·licituds de seguiment
|
||||
max_uses: Nombre màxim d'usos
|
||||
new_password: Contrasenya nova
|
||||
note: Biografia
|
||||
@ -211,9 +204,7 @@ ca:
|
||||
setting_display_media_show_all: Mostra-ho tot
|
||||
setting_expand_spoilers: Desplega sempre els tuts marcats amb advertències de contingut
|
||||
setting_hide_network: Amaga la teva xarxa
|
||||
setting_noindex: Desactiva la indexació dels motors de cerca
|
||||
setting_reduce_motion: Redueix el moviment de les animacions
|
||||
setting_show_application: Revela l'aplicació utilitzada per enviar tuts
|
||||
setting_system_font_ui: Usa la lletra predeterminada del sistema
|
||||
setting_theme: Tema del lloc
|
||||
setting_trends: Mostra les tendències d'avui
|
||||
|
@ -36,7 +36,6 @@ ckb:
|
||||
inbox_url: نیشانەی پەڕەی سەرەکی ئەو رێڵە کە هەرەکتە بەکاریببەیت ڕوونووس دەکات
|
||||
irreversible: توتە فلتەرکراوەکە بە شێوەیەکی نەگەڕاو فرەدەدرێن، تەنانەت ئەگەر فلتەردواتر لاببرێت
|
||||
locale: زمانی ڕووکاری بەکارهێنەر، ئیمەیلەکان و ئاگانامەکان
|
||||
locked: خۆت بڕیار بدە کێ دەتوانێت شوێنت بکەوێت بە وەرگتنی داوای شوێنکەوتن
|
||||
password: لایەنی کەم 8 نووسە بەکار بهێنە
|
||||
phrase: سەربەخۆ لە بچکۆلی و گەورەیی پیتەکان، لەگەڵ دەقی ئەسڵی یان ئاگانامەکانی ناوەرۆکی توتەکان هاوئاهەنگ دەکرێت
|
||||
scopes: APIـیەکانی بەرنامەنووسی کە ئەم ماڵپەڕە دەستپێگەیشتنی لەگەڵیان هیە. ئەگەر بەرزترین ئاست هەڵبژێرن ئیتر نیاز بە بژاردەی ئاستی نزم نییە.
|
||||
@ -45,9 +44,6 @@ ckb:
|
||||
setting_display_media_default: ئەو میدیایانە بشارەوە کە هەستیارن
|
||||
setting_display_media_hide_all: هەمیشە میدیا بشارەوە
|
||||
setting_display_media_show_all: هەمیشە میدیا نیشان بدە
|
||||
setting_hide_network: شوێنکەوتوو و شوێنکەوتنەکانت لە پرۆفایلەکەت نیشان نادرێن
|
||||
setting_noindex: کاردەکاتە سەر پرۆفایل و لاپەڕە گشتیەکانت
|
||||
setting_show_application: بەرنامەیەک کە بە یارمەتیت توت دەکەیت، لە دیمەنی وردی توتەکان پیشان دەدرێت
|
||||
setting_use_blurhash: سێبەرەکان لە سەر بنەمای ڕەنگەکانی بەکارهاتوو لە وێنە داشاراوەکان دروست دەبن بەڵام وردەزانیاری وێنە تێیدا ڕوون نییە
|
||||
setting_use_pending_items: لەجیاتی ئەوەی بە خۆکارانە کێشان هەبێت لە نووسراوەکان بە کرتەیەک بەڕۆژبوونی پێرستی نووسراوەکان بشارەوە
|
||||
whole_word: کاتێک کلیلوشە بریتییە لە ژمارە و پیت، تنەها کاتێک پەیدا دەبێت کە لەگەڵ گشتی وشە لە نێو دەقەکە هاوئاهەنگ بێت، نە تەنها لەگەڵ بەشێک لە وشە
|
||||
@ -116,7 +112,6 @@ ckb:
|
||||
context: چوارچێوەی پاڵافتن
|
||||
current_password: تێپەروشەی ئێستا
|
||||
data: دراوه
|
||||
discoverable: ئەم هەژمێرە لە پێرستی بژاردەی بەکارهێنەران نیشان بدە
|
||||
display_name: ناوی پیشاندان
|
||||
email: ناونیشانی ئیمەیڵ
|
||||
expires_in: بەسەردەچێت پاش
|
||||
@ -125,7 +120,6 @@ ckb:
|
||||
inbox_url: بەستەری سندوقی گواستنەوەی
|
||||
irreversible: فرێدان لەجیاتی شاردنەوە
|
||||
locale: زمانی پەڕەی بەکارهێنەر
|
||||
locked: داخستنی هەژمارە
|
||||
max_uses: زۆرترین ژمارەی بەکاربەرەکان
|
||||
new_password: تێپەروشەی نوێ
|
||||
note: دەربارەی ئیوە
|
||||
@ -147,9 +141,7 @@ ckb:
|
||||
setting_display_media_show_all: هەموو نیشان بدە
|
||||
setting_expand_spoilers: هەمیشە ئەو توتانەی کە بە ئاگادارکردنەوەکانی ناوەڕۆکەوە نیشانەکراون، پیسان بدە
|
||||
setting_hide_network: شاردنەوەی تۆڕەکەت
|
||||
setting_noindex: داوا لە مەکینەی گەڕان بۆ پیشاننەدان لە دەئەنجامی گەڕانەکان
|
||||
setting_reduce_motion: کەمکردنەوەی جوڵە لە ئەنیمەکان
|
||||
setting_show_application: ئاشکراکردنی ئەپەکان بۆ ناردنی توتەکان
|
||||
setting_system_font_ui: فۆنتی بنەڕەتی سیستەم بەکاربهێنە
|
||||
setting_theme: ڕووکاری ماڵپەڕ
|
||||
setting_trends: پیشاندانی نووسراوە بەرچاوکراوەی ئەمڕۆ
|
||||
|
@ -34,7 +34,6 @@ co:
|
||||
inbox_url: Cupiate l'URL di a pagina d'accolta di u ripetitore chì vulete utilizà
|
||||
irreversible: I statuti filtrati saranu sguassati di manera irreversibile, ancu s'ellu hè toltu u filtru
|
||||
locale: A lingua di l'interfaccia utilizatore, di l'e-mail è di e nutificazione push
|
||||
locked: Duvarete appruvà e dumande d’abbunamentu
|
||||
password: Ci volenu almenu 8 caratteri
|
||||
phrase: Sarà trovu senza primura di e maiuscule o di l'avertimenti
|
||||
scopes: L'API à quelle l'applicazione averà accessu. S'è voi selezziunate un parametru d'altu livellu, un c'hè micca bisognu di selezziunà quell'individuali.
|
||||
@ -43,9 +42,6 @@ co:
|
||||
setting_display_media_default: Piattà i media marcati cum'è sensibili
|
||||
setting_display_media_hide_all: Sempre piattà tutti i media
|
||||
setting_display_media_show_all: Sempre affissà i media marcati cum'è sensibili
|
||||
setting_hide_network: I vostri abbunati è abbunamenti ùn saranu micca mustrati nant’à u vostru prufile
|
||||
setting_noindex: Tocca à u vostru prufile pubblicu è i vostri statuti
|
||||
setting_show_application: L'applicazione chì voi utilizate per mandà statuti sarà affissata indè a vista ditagliata di quelli
|
||||
setting_use_blurhash: I digradati blurhash sò basati nant'à i culori di u ritrattu piattatu ma senza i ditagli
|
||||
setting_use_pending_items: Clicchi per messe à ghjornu i statuti invece di fà sfilà a linea autumaticamente
|
||||
whole_word: Quandu a parolla o a frasa sana hè alfanumerica, sarà applicata solu s'ella currisponde à a parolla sana
|
||||
@ -116,7 +112,6 @@ co:
|
||||
context: Cuntesti di u filtru
|
||||
current_password: Chjave d’accessu attuale
|
||||
data: Dati
|
||||
discoverable: Arregistrà stu contu indè l'annuariu
|
||||
display_name: Nome pubblicu
|
||||
email: Indirizzu e-mail
|
||||
expires_in: Spira dopu à
|
||||
@ -126,7 +121,6 @@ co:
|
||||
inbox_url: URL di l'inbox di u ripetitore
|
||||
irreversible: Sguassà invece di piattà
|
||||
locale: Lingua di l'interfaccia
|
||||
locked: Privatizà u contu
|
||||
max_uses: Numeru massimale d’utilizazione
|
||||
new_password: Nova chjave d’accessu
|
||||
note: Descrizzione
|
||||
@ -148,9 +142,7 @@ co:
|
||||
setting_display_media_show_all: Affissà tuttu
|
||||
setting_expand_spoilers: Sempre slibrà i statutu marcati cù un'avertimentu CW
|
||||
setting_hide_network: Piattà a vostra rete
|
||||
setting_noindex: Dumandà à i motori di ricerca internet d’un pudè micca esse truvatu·a cusì
|
||||
setting_reduce_motion: Fà chì l’animazione vanu più pianu
|
||||
setting_show_application: Indicà u nome di l'applicazione utilizata per mandà statuti
|
||||
setting_system_font_ui: Pulizza di caratteri di u sistemu
|
||||
setting_theme: Tema di u situ
|
||||
setting_trends: Vede e tendenze per oghji
|
||||
|
@ -41,13 +41,11 @@ cs:
|
||||
current_password: Z bezpečnostních důvodů prosím zadejte heslo současného účtu
|
||||
current_username: Potvrďte prosím tuto akci zadáním uživatelského jména aktuálního účtu
|
||||
digest: Odesíláno pouze po dlouhé době nečinnosti a pouze, pokud jste během své nepřítomnosti obdrželi osobní zprávy
|
||||
discoverable: Umožnit, aby mohli váš účet objevit neznámí lidé pomocí doporučení, trendů a dalších funkcí
|
||||
email: Bude vám poslán potvrzovací e-mail
|
||||
header: PNG, GIF či JPG. Maximálně %{size}. Bude zmenšen na %{dimensions} px
|
||||
inbox_url: Zkopírujte URL z hlavní stránky mostu, který chcete použít
|
||||
irreversible: Filtrované příspěvky nenávratně zmizí, i pokud bude filtr později odstraněn
|
||||
locale: Jazyk uživatelského rozhraní, e-mailů a push notifikací
|
||||
locked: Kontrolujte, kdo vás může sledovat pomocí schvalování žádostí o sledování
|
||||
password: Použijte alespoň 8 znaků
|
||||
phrase: Shoda bude nalezena bez ohledu na velikost písmen v textu příspěvku či varování o obsahu
|
||||
scopes: Která API bude aplikace moct používat. Pokud vyberete rozsah nejvyššího stupně, nebudete je muset vybírat jednotlivě.
|
||||
@ -57,9 +55,6 @@ cs:
|
||||
setting_display_media_default: Skrývat média označená jako citlivá
|
||||
setting_display_media_hide_all: Vždy skrývat média
|
||||
setting_display_media_show_all: Vždy zobrazovat média
|
||||
setting_hide_network: Koho sledujete a kdo sleduje vás bude na vašem profilu skryto
|
||||
setting_noindex: Ovlivňuje váš veřejný profil a stránky příspěvků
|
||||
setting_show_application: Aplikace, kterou používáte k odeslání příspěvků, bude zobrazena jejich detailním zobrazení
|
||||
setting_use_blurhash: Gradienty jsou založeny na barvách skryté grafiky, ale zakrývají jakékoliv detaily
|
||||
setting_use_pending_items: Aktualizovat časovou osu až po kliknutí namísto automatického rolování kanálu
|
||||
username: Pouze písmena, číslice a podtržítka
|
||||
@ -178,7 +173,6 @@ cs:
|
||||
context: Kontexty filtrů
|
||||
current_password: Současné heslo
|
||||
data: Data
|
||||
discoverable: Navrhovat účet ostatním
|
||||
display_name: Zobrazované jméno
|
||||
email: E-mailová adresa
|
||||
expires_in: Vypršet za
|
||||
@ -188,7 +182,6 @@ cs:
|
||||
inbox_url: URL příchozí schránky mostu
|
||||
irreversible: Zahodit místo skrytí
|
||||
locale: Jazyk rozhraní
|
||||
locked: Vynutit žádosti o sledování
|
||||
max_uses: Maximální počet použití
|
||||
new_password: Nové heslo
|
||||
note: O vás
|
||||
@ -211,9 +204,7 @@ cs:
|
||||
setting_display_media_show_all: Zobrazit vše
|
||||
setting_expand_spoilers: Vždy rozbalit příspěvky označené varováními o obsahu
|
||||
setting_hide_network: Skrýt mou síť
|
||||
setting_noindex: Neindexovat svůj profil vyhledávači
|
||||
setting_reduce_motion: Omezit pohyb v animacích
|
||||
setting_show_application: Odhalit aplikaci použitou k odeslání příspěvků
|
||||
setting_system_font_ui: Použít výchozí písmo systému
|
||||
setting_theme: Vzhled stránky
|
||||
setting_trends: Zobrazit dnešní trendy
|
||||
|
@ -41,13 +41,11 @@ cy:
|
||||
current_password: At ddibenion diogelwch, nodwch gyfrinair y cyfrif cyfredol
|
||||
current_username: I gadarnhau, nodwch enw defnyddiwr y cyfrif cyfredol
|
||||
digest: Ond yn cael eu hanfon ar ôl cyfnod hir o anweithgarwch ac ond os ydych wedi derbyn unrhyw negeseuon personol yn eich absenoldeb
|
||||
discoverable: Caniatáu i'ch cyfrif gael ei ddarganfod gan ddieithriaid trwy argymhellion, pynciau llosg a nodweddion eraill
|
||||
email: Byddwch yn derbyn e-bost cadarnhau
|
||||
header: PNG, GIF neu JPG. %{size} ar y mwyaf. Bydd yn cael ei israddio i %{dimensions}px
|
||||
inbox_url: Copïwch yr URL o dudalen flaen y relái yr ydych am ei ddefnyddio
|
||||
irreversible: Bydd postiadau wedi'u hidlo'n diflannu'n ddiwrthdro, hyd yn oed os caiff yr hidlydd ei dynnu'n ddiweddarach
|
||||
locale: Iaith y rhyngwyneb, e-byst a hysbysiadau gwthiadwy
|
||||
locked: Mae hyn yn eich galluogi i reoli pwy sy'n gallu eich dilyn drwy gymeradwyo ceisiadau dilyn
|
||||
password: Defnyddiwch o leiaf 8 nod
|
||||
phrase: Caiff ei gyfateb heb ystyriaeth o briflythrennu mewn testun neu rhybudd ynghylch cynnwys postiad
|
||||
scopes: Pa APIs y bydd y rhaglen yn cael mynediad iddynt. Os dewiswch gwmpas lefel uchaf, nid oes angen i chi ddewis rhai unigol.
|
||||
@ -57,9 +55,6 @@ cy:
|
||||
setting_display_media_default: Cuddio cyfryngau wedi eu marcio'n sensitif
|
||||
setting_display_media_hide_all: Cuddio cyfryngau bob tro
|
||||
setting_display_media_show_all: Dangos cyfryngau bob tro
|
||||
setting_hide_network: Ni fydd y pobl yr ydych chi'n eu dilyn a'ch dilynwyr yn ymddangos ar eich proffil
|
||||
setting_noindex: Mae hyn yn effeithio ar eich proffil cyhoeddus a'ch tudalennau statws
|
||||
setting_show_application: Bydd y cymhwysiad a ddefnyddiwch i bostio yn cael ei arddangos yng ngolwg fanwl eich postiadau
|
||||
setting_use_blurhash: Mae graddiannau wedi'u seilio ar liwiau'r delweddau cudd ond maen nhw'n cuddio unrhyw fanylion
|
||||
setting_use_pending_items: Cuddio diweddariadau llinell amser y tu ôl i glic yn lle sgrolio'n awtomatig
|
||||
username: Gallwch ddefnyddio nodau, rhifau a thanlinellau
|
||||
@ -178,7 +173,6 @@ cy:
|
||||
context: Hidlo cyd-destunau
|
||||
current_password: Cyfrinair cyfredol
|
||||
data: Data
|
||||
discoverable: Awgrymu cyfrif i eraill
|
||||
display_name: Enw dangos
|
||||
email: Cyfeiriad e-bost
|
||||
expires_in: Yn dod i ben ar ôl
|
||||
@ -188,7 +182,6 @@ cy:
|
||||
inbox_url: URL y mewnflwch relái
|
||||
irreversible: Gollwng yn hytrach na chuddio
|
||||
locale: Iaith y rhyngwyneb
|
||||
locked: Angen ceisiadau dilyn
|
||||
max_uses: Nifer y ddefnyddiau uchafswm
|
||||
new_password: Cyfrinair newydd
|
||||
note: Bywgraffiad
|
||||
@ -211,9 +204,7 @@ cy:
|
||||
setting_display_media_show_all: Dangos popeth
|
||||
setting_expand_spoilers: Dangos postiadau wedi'u marcio â rhybudd cynnwys bob tro
|
||||
setting_hide_network: Cuddio eich graff cymdeithasol
|
||||
setting_noindex: Eithrio rhag gael eich mynegeio gan beiriannau chwilio
|
||||
setting_reduce_motion: Lleihau mudiant mewn animeiddiadau
|
||||
setting_show_application: Datgelu rhaglen a ddefnyddir i anfon postiadau
|
||||
setting_system_font_ui: Defnyddio ffont rhagosodedig y system
|
||||
setting_theme: Thema'r wefan
|
||||
setting_trends: Dangos pynciau llosg heddiw
|
||||
|
@ -41,13 +41,11 @@ da:
|
||||
current_password: Angiv af sikkerhedsårsager adgangskoden til den aktuelle konto
|
||||
current_username: For at bekræfte, angiv brugernavnet for den aktuelle konto
|
||||
digest: Sendes kun efter en lang inaktivitetsperiode, og kun hvis du har modtaget personlige beskeder under fraværet
|
||||
discoverable: Tillad kontoen at blive fundet af fremmede via anbefalinger og øvrige funktioner
|
||||
email: En bekræftelses-e-mail fremsendes
|
||||
header: PNG, GIF eller JPG. Maks. %{size}. Auto-nedskaleres til %{dimensions}px
|
||||
inbox_url: Kopiér URL'en fra forsiden af den videreformidler, der skal anvendes
|
||||
irreversible: Filtrerede indlæg forsvinder permanent, selv hvis filteret senere fjernes
|
||||
locale: Sprog til brug for brugerflade, e-mails og push-notifikationer
|
||||
locked: Godkend manuelt følgeanmodninger for at styre, hvem der følger dig
|
||||
password: Brug mindst 8 tegn
|
||||
phrase: Matches uanset uanset brug af store/små bogstaver i teksten eller indholdsadvarsel for et indlæg
|
||||
scopes: De API'er, som applikationen vil kunne tilgå. Vælges en topniveaudstrækning, vil detailvalg være unødvendige.
|
||||
@ -57,9 +55,6 @@ da:
|
||||
setting_display_media_default: Skjul medier med sensitiv-markering
|
||||
setting_display_media_hide_all: Skjul altid medier
|
||||
setting_display_media_show_all: Vis altid medier
|
||||
setting_hide_network: Hvem du følger, og hvem som følger dig, skjules på din profil
|
||||
setting_noindex: Påvirker din offentlige profil samt indlægssider
|
||||
setting_show_application: Applikationen, hvormed der postes, vil fremgå af detailvisningen af dine indlæg
|
||||
setting_use_blurhash: Gradienter er baseret på de skjulte grafikelementers farver, men slører alle detaljer
|
||||
setting_use_pending_items: Skjul tidslinjeopdateringer bag et klik i stedet for brug af auto-feedrulning
|
||||
username: Bogstaver, cifre og understregningstegn kan benyttes
|
||||
@ -178,7 +173,6 @@ da:
|
||||
context: Kontekstfiltrering
|
||||
current_password: Aktuel adgangskode
|
||||
data: Data
|
||||
discoverable: Foreslå konto til andre
|
||||
display_name: Visningsnavn
|
||||
email: E-mailadresse
|
||||
expires_in: Udløb efter
|
||||
@ -188,7 +182,6 @@ da:
|
||||
inbox_url: URL til videreformidlingsindbakken
|
||||
irreversible: Fjern istedet for skjul
|
||||
locale: Grænsefladesprog
|
||||
locked: Kræv følgeanmodninger
|
||||
max_uses: Maks. antal afbenyttelser
|
||||
new_password: Ny adgangskode
|
||||
note: Biografi
|
||||
@ -211,9 +204,7 @@ da:
|
||||
setting_display_media_show_all: Vis alle
|
||||
setting_expand_spoilers: Ekspandér altid indlæg markeret med indholdsadvarsler
|
||||
setting_hide_network: Skjul din sociale graf
|
||||
setting_noindex: Fravælg søgemaskineindeksering
|
||||
setting_reduce_motion: Reducér animationsbevægelse
|
||||
setting_show_application: Vis applikationen brugt til at poste indlæg
|
||||
setting_system_font_ui: Brug systemets standardskrifttype
|
||||
setting_theme: Webstedstema
|
||||
setting_trends: Vis dagens tendenser
|
||||
|
@ -41,13 +41,11 @@ de:
|
||||
current_password: Gib aus Sicherheitsgründen bitte das Passwort des aktuellen Kontos ein
|
||||
current_username: Um das zu bestätigen, gib den Profilnamen des aktuellen Kontos ein
|
||||
digest: Wenn du eine längere Zeit inaktiv bist oder du während deiner Abwesenheit in einer privaten Nachricht erwähnt worden bist
|
||||
discoverable: Dein Konto kann von Fremden durch Empfehlungen, Trends und andere Funktionen entdeckt werden
|
||||
email: Du wirst eine E-Mail zur Verifizierung dieser E-Mail-Adresse erhalten
|
||||
header: PNG, GIF oder JPG. Höchstens %{size} groß. Wird auf %{dimensions} px verkleinert
|
||||
inbox_url: Kopiere die URL von der Startseite des gewünschten Relays
|
||||
irreversible: Bereinigte Beiträge verschwinden unwiderruflich für dich, auch dann, wenn dieser Filter zu einem späteren wieder entfernt wird
|
||||
locale: Die Sprache der Bedienoberfläche, E-Mails und Push-Benachrichtigungen
|
||||
locked: Wer dir folgen möchte, muss um deine Erlaubnis bitten
|
||||
password: Verwende mindestens 8 Zeichen
|
||||
phrase: Wird unabhängig von der Groß- und Kleinschreibung im Text oder der Inhaltswarnung eines Beitrags abgeglichen
|
||||
scopes: Welche Schnittstellen der Applikation erlaubt sind. Wenn du einen Top-Level-Scope auswählst, dann musst du nicht jeden einzelnen darunter auswählen.
|
||||
@ -57,9 +55,6 @@ de:
|
||||
setting_display_media_default: Medien mit Inhaltswarnung ausblenden
|
||||
setting_display_media_hide_all: Medien immer ausblenden
|
||||
setting_display_media_show_all: Medien mit Inhaltswarnung immer anzeigen
|
||||
setting_hide_network: Wem du folgst und wer dir folgt, wird auf deinem Profil nicht angezeigt
|
||||
setting_noindex: Betrifft dein öffentliches Profil und deine Beiträge
|
||||
setting_show_application: Die Anwendung die du nutzt wird in der detaillierten Ansicht deiner Beiträge angezeigt
|
||||
setting_use_blurhash: Der Farbverlauf basiert auf den Farben der ausgeblendeten Medien, verschleiert aber jegliche Details
|
||||
setting_use_pending_items: Neue Beiträge hinter einem Klick verstecken, anstatt automatisch zu scrollen
|
||||
username: Du kannst Buchstaben, Zahlen und Unterstriche verwenden
|
||||
@ -178,7 +173,6 @@ de:
|
||||
context: Nach Bereichen filtern
|
||||
current_password: Derzeitiges Passwort
|
||||
data: Daten
|
||||
discoverable: Anderen dieses Konto empfehlen
|
||||
display_name: Anzeigename
|
||||
email: E-Mail-Adresse
|
||||
expires_in: Läuft ab
|
||||
@ -188,7 +182,6 @@ de:
|
||||
inbox_url: Inbox-URL des Relais
|
||||
irreversible: Endgültig, nicht nur temporär ausblenden
|
||||
locale: Sprache des Webinterface
|
||||
locked: Geschütztes Profil
|
||||
max_uses: Maximale Anzahl von Verwendungen
|
||||
new_password: Neues Passwort
|
||||
note: Biografie
|
||||
@ -211,9 +204,7 @@ de:
|
||||
setting_display_media_show_all: Alle Medien anzeigen
|
||||
setting_expand_spoilers: Beiträge mit Inhaltswarnung immer ausklappen
|
||||
setting_hide_network: Follower und „Folge ich“ nicht anzeigen
|
||||
setting_noindex: Suchmaschinen-Indexierung verhindern
|
||||
setting_reduce_motion: Bewegung in Animationen verringern
|
||||
setting_show_application: Anwendung für das Veröffentlichen von Beiträgen offenlegen
|
||||
setting_system_font_ui: Standardschriftart des Browsers verwenden
|
||||
setting_theme: Design
|
||||
setting_trends: Heutige Trends anzeigen
|
||||
|
@ -37,13 +37,11 @@ el:
|
||||
current_password: Για λόγους ασφαλείας παρακαλώ γράψε τον κωδικό του τρέχοντος λογαριασμού
|
||||
current_username: Για επιβεβαίωση, παρακαλώ γράψε το όνομα χρήστη του τρέχοντος λογαριασμού
|
||||
digest: Αποστέλλεται μόνο μετά από μακρά περίοδο αδράνειας και μόνο αν έχεις λάβει προσωπικά μηνύματα κατά την απουσία σου
|
||||
discoverable: Επέτρεψε στον λογαριασμό σου να ανακαλυφθεί από αγνώστους μέσω συστάσεων, τάσεων και άλλων χαρακτηριστικών
|
||||
email: Θα σου σταλεί email επιβεβαίωσης
|
||||
header: PNG, GIF ή JPG. Έως %{size}. Θα περιοριστεί σε διάσταση %{dimensions}px
|
||||
inbox_url: Αντέγραψε το URL της αρχικής σελίδας του ανταποκριτή που θέλεις να χρησιμοποιήσεις
|
||||
irreversible: Οι φιλτραρισμένες αναρτήσεις θα εξαφανιστούν αμετάκλητα, ακόμα και αν το φίλτρο αργότερα αφαιρεθεί
|
||||
locale: Η γλώσσα χρήσης, των email και των ειδοποιήσεων push
|
||||
locked: Απαιτεί να εγκρίνεις χειροκίνητα τους ακόλουθούς σου
|
||||
password: Χρησιμοποίησε τουλάχιστον 8 χαρακτήρες
|
||||
phrase: Θα ταιριάζει ανεξαρτήτως πεζών/κεφαλαίων ή προειδοποίησης περιεχομένου μιας ανάρτησης
|
||||
scopes: Ποια API θα επιτρέπεται στην εφαρμογή να χρησιμοποιήσεις. Αν επιλέξεις κάποιο υψηλό εύρος εφαρμογής, δε χρειάζεται να επιλέξεις και το καθένα ξεχωριστά.
|
||||
@ -53,9 +51,6 @@ el:
|
||||
setting_display_media_default: Απόκρυψη ευαίσθητων πολυμέσων
|
||||
setting_display_media_hide_all: Μόνιμη απόκρυψη όλων των πολυμέσων
|
||||
setting_display_media_show_all: Πάντα εμφάνιση πολυμέσων
|
||||
setting_hide_network: Δε θα εμφανίζεται στο προφίλ σου ποιους ακολουθείς και ποιοι σε ακολουθούν
|
||||
setting_noindex: Επηρεάζει το δημόσιο προφίλ και τις αναρτήσεις σου
|
||||
setting_show_application: Η εφαρμογή που χρησιμοποιείς για να κάνεις τις αναρτήσεις σου θα εμφανίζεται στις αναλυτικές λεπτομέρειες των αναρτήσεων σου
|
||||
setting_use_blurhash: Οι χρωματισμοί βασίζονται στα χρώματα του κρυμμένου πολυμέσου αλλά θολώνουν τις λεπτομέρειες
|
||||
setting_use_pending_items: Εμφάνιση ενημερώσεων ροής μετά από κλικ αντί για αυτόματη κύλισή τους
|
||||
username: Μπορείς να χρησιμοποιήσεις γράμματα, αριθμούς και κάτω παύλες
|
||||
@ -173,7 +168,6 @@ el:
|
||||
context: Πλαίσια φιλτραρίσματος
|
||||
current_password: Τρέχον συνθηματικό
|
||||
data: Δεδομένα
|
||||
discoverable: Εμφάνιση αυτού του λογαριασμού στον κατάλογο
|
||||
display_name: Όνομα εμφάνισης
|
||||
email: Διεύθυνση email
|
||||
expires_in: Λήξη μετά από
|
||||
@ -183,7 +177,6 @@ el:
|
||||
inbox_url: Το URL του inbox του ανταποκριτή (relay)
|
||||
irreversible: Απόρριψη αντί για κρύψιμο
|
||||
locale: Γλώσσα χρήσης
|
||||
locked: Κλείδωμα λογαριασμού
|
||||
max_uses: Μέγιστος αριθμός χρήσεων
|
||||
new_password: Νέο συνθηματικό
|
||||
note: Βιογραφικό
|
||||
@ -206,9 +199,7 @@ el:
|
||||
setting_display_media_show_all: Εμφάνιση όλων
|
||||
setting_expand_spoilers: Μόνιμη ανάπτυξη των τουτ με προειδοποίηση περιεχομένου
|
||||
setting_hide_network: Κρύψε τις διασυνδέσεις σου
|
||||
setting_noindex: Επέλεξε να μην συμμετέχεις στα αποτελέσματα μηχανών αναζήτησης
|
||||
setting_reduce_motion: Μείωση κίνησης κινουμένων στοιχείων
|
||||
setting_show_application: Αποκάλυψη εφαρμογής που χρησιμοποιήθηκε για την αποστολή των τουτ
|
||||
setting_system_font_ui: Χρήση της προεπιλεγμένης γραμματοσειράς του συστήματος
|
||||
setting_theme: Θέμα ιστότοπου
|
||||
setting_trends: Εμφάνιση σημερινών τάσεων
|
||||
|
@ -41,13 +41,11 @@ en-GB:
|
||||
current_password: For security purposes please enter the password of the current account
|
||||
current_username: To confirm, please enter the username of the current account
|
||||
digest: Only sent after a long period of inactivity and only if you have received any personal messages in your absence
|
||||
discoverable: Allow your account to be discovered by strangers through recommendations, trends and other features
|
||||
email: You will be sent a confirmation e-mail
|
||||
header: PNG, GIF or JPG. At most %{size}. Will be downscaled to %{dimensions}px
|
||||
inbox_url: Copy the URL from the frontpage of the relay you want to use
|
||||
irreversible: Filtered posts will disappear irreversibly, even if filter is later removed
|
||||
locale: The language of the user interface, e-mails and push notifications
|
||||
locked: Manually control who can follow you by approving follow requests
|
||||
password: Use at least 8 characters
|
||||
phrase: Will be matched regardless of casing in text or content warning of a post
|
||||
scopes: Which APIs the application will be allowed to access. If you select a top-level scope, you don't need to select individual ones.
|
||||
@ -57,9 +55,6 @@ en-GB:
|
||||
setting_display_media_default: Hide media marked as sensitive
|
||||
setting_display_media_hide_all: Always hide media
|
||||
setting_display_media_show_all: Always show media
|
||||
setting_hide_network: Who you follow and who follows you will be hidden on your profile
|
||||
setting_noindex: Affects your public profile and post pages
|
||||
setting_show_application: The application you use to post will be displayed in the detailed view of your posts
|
||||
setting_use_blurhash: Gradients are based on the colors of the hidden visuals but obfuscate any details
|
||||
setting_use_pending_items: Hide timeline updates behind a click instead of automatically scrolling the feed
|
||||
username: You can use letters, numbers, and underscores
|
||||
@ -178,7 +173,6 @@ en-GB:
|
||||
context: Filter contexts
|
||||
current_password: Current password
|
||||
data: Data
|
||||
discoverable: Suggest account to others
|
||||
display_name: Display name
|
||||
email: E-mail address
|
||||
expires_in: Expire after
|
||||
@ -188,7 +182,6 @@ en-GB:
|
||||
inbox_url: URL of the relay inbox
|
||||
irreversible: Drop instead of hide
|
||||
locale: Interface language
|
||||
locked: Require follow requests
|
||||
max_uses: Max number of uses
|
||||
new_password: New password
|
||||
note: Bio
|
||||
@ -211,9 +204,7 @@ en-GB:
|
||||
setting_display_media_show_all: Show all
|
||||
setting_expand_spoilers: Always expand posts marked with content warnings
|
||||
setting_hide_network: Hide your social graph
|
||||
setting_noindex: Opt-out of search engine indexing
|
||||
setting_reduce_motion: Reduce motion in animations
|
||||
setting_show_application: Disclose application used to send posts
|
||||
setting_system_font_ui: Use system's default font
|
||||
setting_theme: Site theme
|
||||
setting_trends: Show today's trends
|
||||
|
@ -3,8 +3,11 @@ en:
|
||||
simple_form:
|
||||
hints:
|
||||
account:
|
||||
discoverable: Your public posts and profile may be featured or recommended in various areas of Mastodon and your profile may be suggested to other users.
|
||||
display_name: Your full name or your fun name.
|
||||
fields: Your homepage, pronouns, age, anything you want.
|
||||
hide_collections: People will not be able to browse through your follows and followers. People that you follow will see that you follow them regardless.
|
||||
locked: People will request to follow you and you will be able to either accept or reject new followers.
|
||||
note: 'You can @mention other people or #hashtags.'
|
||||
account_alias:
|
||||
acct: Specify the username@domain of the account you want to move from
|
||||
@ -41,13 +44,11 @@ en:
|
||||
current_password: For security purposes please enter the password of the current account
|
||||
current_username: To confirm, please enter the username of the current account
|
||||
digest: Only sent after a long period of inactivity and only if you have received any personal messages in your absence
|
||||
discoverable: Allow your account to be discovered by strangers through recommendations, trends and other features
|
||||
email: You will be sent a confirmation e-mail
|
||||
header: PNG, GIF or JPG. At most %{size}. Will be downscaled to %{dimensions}px
|
||||
inbox_url: Copy the URL from the frontpage of the relay you want to use
|
||||
irreversible: Filtered posts will disappear irreversibly, even if filter is later removed
|
||||
locale: The language of the user interface, e-mails and push notifications
|
||||
locked: Manually control who can follow you by approving follow requests
|
||||
password: Use at least 8 characters
|
||||
phrase: Will be matched regardless of casing in text or content warning of a post
|
||||
scopes: Which APIs the application will be allowed to access. If you select a top-level scope, you don't need to select individual ones.
|
||||
@ -57,9 +58,6 @@ en:
|
||||
setting_display_media_default: Hide media marked as sensitive
|
||||
setting_display_media_hide_all: Always hide media
|
||||
setting_display_media_show_all: Always show media
|
||||
setting_hide_network: Who you follow and who follows you will be hidden on your profile
|
||||
setting_noindex: Affects your public profile and post pages
|
||||
setting_show_application: The application you use to post will be displayed in the detailed view of your posts
|
||||
setting_use_blurhash: Gradients are based on the colors of the hidden visuals but obfuscate any details
|
||||
setting_use_pending_items: Hide timeline updates behind a click instead of automatically scrolling the feed
|
||||
username: You can use letters, numbers, and underscores
|
||||
@ -121,6 +119,9 @@ en:
|
||||
sessions:
|
||||
otp: 'Enter the two-factor code generated by your phone app or use one of your recovery codes:'
|
||||
webauthn: If it's an USB key be sure to insert it and, if necessary, tap it.
|
||||
settings:
|
||||
indexable: Your profile page may appear in search results on Google, Bing, and others.
|
||||
show_application: You will always be able to see which app published your post regardless.
|
||||
tag:
|
||||
name: You can only change the casing of the letters, for example, to make it more readable
|
||||
user:
|
||||
@ -138,9 +139,12 @@ en:
|
||||
url: Where events will be sent to
|
||||
labels:
|
||||
account:
|
||||
discoverable: Feature profile and posts in discovery algorithms
|
||||
fields:
|
||||
name: Label
|
||||
value: Content
|
||||
hide_collections: Hide follows and followers from profile
|
||||
locked: Manually review new followers
|
||||
account_alias:
|
||||
acct: Handle of the old account
|
||||
account_migration:
|
||||
@ -178,7 +182,6 @@ en:
|
||||
context: Filter contexts
|
||||
current_password: Current password
|
||||
data: Data
|
||||
discoverable: Suggest account to others
|
||||
display_name: Display name
|
||||
email: E-mail address
|
||||
expires_in: Expire after
|
||||
@ -188,7 +191,6 @@ en:
|
||||
inbox_url: URL of the relay inbox
|
||||
irreversible: Drop instead of hide
|
||||
locale: Interface language
|
||||
locked: Require follow requests
|
||||
max_uses: Max number of uses
|
||||
new_password: New password
|
||||
note: Bio
|
||||
@ -294,6 +296,9 @@ en:
|
||||
trending_tag: New trend requires review
|
||||
rule:
|
||||
text: Rule
|
||||
settings:
|
||||
indexable: Include profile page in search engines
|
||||
show_application: Display from which app you sent a post
|
||||
tag:
|
||||
listable: Allow this hashtag to appear in searches and suggestions
|
||||
name: Hashtag
|
||||
|
@ -41,13 +41,11 @@ eo:
|
||||
current_password: Pro sekuraj kialoj, bonvolu enigi la pasvorton de la nuna konto
|
||||
current_username: Por konfirmi, bonvolu enigi la uzantnomon de la nuna konto
|
||||
digest: Sendita nur post longa tempo de neaktiveco, kaj nur se vi ricevis personan mesaĝon en via foresto
|
||||
discoverable: Permesi vian konton esti malkovrita de fremduloj per rekomendoj, tendencoj kaj aliaj funkcioj
|
||||
email: Vi ricevos konfirman retpoŝton
|
||||
header: Formato PNG, GIF aŭ JPG. Ĝis %{size}. Estos malgrandigita al %{dimensions}px
|
||||
inbox_url: Kopiu la URL de la ĉefpaĝo de la ripetilo, kiun vi volas uzi
|
||||
irreversible: La filtritaj mesaĝoj malaperos por eterne, eĉ se la filtrilo poste estas forigita
|
||||
locale: La lingvo de la fasado, retpoŝtaĵoj, kaj sciigoj
|
||||
locked: Vi devos aprobi ĉiun peton de sekvado mane
|
||||
password: Uzu almenaŭ 8 signojn
|
||||
phrase: Estos provita senzorge pri la uskleco de teksto aŭ averto pri enhavo de mesaĝo
|
||||
scopes: Kiujn API-ojn la aplikaĵo permesiĝos atingi. Se vi elektas supran amplekson, vi ne bezonas elekti la individuajn.
|
||||
@ -57,9 +55,6 @@ eo:
|
||||
setting_display_media_default: Kaŝi plurmediojn markitajn kiel tiklaj
|
||||
setting_display_media_hide_all: Ĉiam kaŝi la plurmediojn
|
||||
setting_display_media_show_all: Ĉiam montri la plurmediojn
|
||||
setting_hide_network: Tiuj kiujn vi sekvas, kaj tiuj kiuj sekvas vin estos kaŝitaj en via profilo
|
||||
setting_noindex: Influas vian publikan profilon kaj afiŝajn paĝojn
|
||||
setting_show_application: La aplikaĵo, kiun vi uzas por afiŝi, estos montrita en la detala vido de viaj afiŝoj
|
||||
setting_use_blurhash: Transirojn estas bazita sur la koloroj de la kaŝitaj aŭdovidaĵoj sed ne montri iun ajn detalon
|
||||
setting_use_pending_items: Kaŝi tempoliniajn ĝisdatigojn malantaŭ klako anstataŭ aŭtomate rulumi la fluon
|
||||
username: Vi povas uzi literojn, ciferojn kaj substrekojn
|
||||
@ -178,7 +173,6 @@ eo:
|
||||
context: Filtri kuntekstojn
|
||||
current_password: Nuna pasvorto
|
||||
data: Datumoj
|
||||
discoverable: Montri ĉi tiun konton en la profilujo
|
||||
display_name: Publika nomo
|
||||
email: Retadreso
|
||||
expires_in: Eksvalidiĝas post
|
||||
@ -188,7 +182,6 @@ eo:
|
||||
inbox_url: URL de la ripetila enirkesto
|
||||
irreversible: Forĵeti anstataŭ kaŝi
|
||||
locale: Lingvo de la fasado
|
||||
locked: Ŝlosi konton
|
||||
max_uses: Maksimuma nombro de uzoj
|
||||
new_password: Nova pasvorto
|
||||
note: Sinprezento
|
||||
@ -211,9 +204,7 @@ eo:
|
||||
setting_display_media_show_all: Montri ĉiujn
|
||||
setting_expand_spoilers: Ĉiam malfoldas mesaĝojn markitajn per averto pri enhavo
|
||||
setting_hide_network: Kaŝi viajn sekvantojn kaj sekvatojn
|
||||
setting_noindex: Ellistiĝi de retserĉila indeksado
|
||||
setting_reduce_motion: Redukti la movecojn de la animacioj
|
||||
setting_show_application: Publikigi la aplikaĵon uzatan por sendi mesaĝojn
|
||||
setting_system_font_ui: Uzi la dekomencan tiparon de la sistemo
|
||||
setting_theme: Etoso de la retejo
|
||||
setting_trends: Montri hodiaŭajn furoraĵojn
|
||||
|
@ -41,13 +41,11 @@ es-AR:
|
||||
current_password: Por razones de seguridad, por favor, ingresá la contraseña de la cuenta actual
|
||||
current_username: Para confirmar, por favor, ingresá el nombre de usuario de la cuenta actual
|
||||
digest: Sólo enviado tras un largo periodo de inactividad, y sólo si recibiste mensajes personales en tu ausencia
|
||||
discoverable: Permití que tu cuenta sea descubierta por extraños a través de recomendaciones, tendencias y otras funciones
|
||||
email: Se te enviará un correo electrónico de confirmación
|
||||
header: 'PNG, GIF o JPG. Máximo: %{size}. Será subescalado a %{dimensions} píxeles.'
|
||||
inbox_url: Copiá la dirección web desde la página principal del relé que querés usar
|
||||
irreversible: Los mensajes filtrados desaparecerán irreversiblemente, incluso si este filtro es eliminado después
|
||||
locale: El idioma de la interface de usuario, correos electrónicos y notificaciones push
|
||||
locked: Controlá manualmente quién puede seguirte al aprobar solicitudes de seguimiento
|
||||
password: Usá al menos 8 caracteres
|
||||
phrase: Se aplicará sin importar las mayúsculas o las advertencias de contenido de un mensaje
|
||||
scopes: Qué APIs de la aplicación tendrán acceso. Si seleccionás el alcance de nivel más alto, no necesitás seleccionar las individuales.
|
||||
@ -57,9 +55,6 @@ es-AR:
|
||||
setting_display_media_default: Ocultar medios marcados como sensibles
|
||||
setting_display_media_hide_all: Siempre ocultar todos los medios
|
||||
setting_display_media_show_all: Siempre mostrar todos los medios
|
||||
setting_hide_network: Las cuentas que seguís y tus seguidores serán ocultados en tu perfil
|
||||
setting_noindex: Afecta a tu perfil público y páginas de mensajes
|
||||
setting_show_application: La aplicación que usás para enviar mensajes se mostrará en la vista detallada de tus mensajes
|
||||
setting_use_blurhash: Los gradientes se basan en los colores de las imágenes ocultas pero haciendo borrosos los detalles
|
||||
setting_use_pending_items: Ocultar actualizaciones de la línea temporal detrás de un clic en lugar de desplazar automáticamente el flujo
|
||||
username: Podés usar letras, números y subguiones ("_")
|
||||
@ -178,7 +173,6 @@ es-AR:
|
||||
context: Filtrar contextos
|
||||
current_password: Contraseña actual
|
||||
data: Datos
|
||||
discoverable: Sugerir cuenta a otros
|
||||
display_name: Nombre para mostrar
|
||||
email: Dirección de correo electrónico
|
||||
expires_in: Vence después de
|
||||
@ -188,7 +182,6 @@ es-AR:
|
||||
inbox_url: Dirección web de la bandeja de entrada del relé
|
||||
irreversible: Dejar en lugar de ocultar
|
||||
locale: Idioma de la interface
|
||||
locked: Requerir solicitudes de seguimiento
|
||||
max_uses: Número máximo de usos
|
||||
new_password: Nueva contraseña
|
||||
note: Biografía
|
||||
@ -211,9 +204,7 @@ es-AR:
|
||||
setting_display_media_show_all: Mostrar todo
|
||||
setting_expand_spoilers: Siempre expandir los mensajes marcados con advertencias de contenido
|
||||
setting_hide_network: Ocultá tu gráfica social
|
||||
setting_noindex: Excluirse del indexado de motores de búsqueda
|
||||
setting_reduce_motion: Reducir el movimiento de las animaciones
|
||||
setting_show_application: Mostrar aplicación usada para enviar mensajes
|
||||
setting_system_font_ui: Utilizar la tipografía predeterminada del sistema
|
||||
setting_theme: Tema del sitio
|
||||
setting_trends: Mostrar las tendencias de hoy
|
||||
|
@ -41,13 +41,11 @@ es-MX:
|
||||
current_password: Por razones de seguridad por favor ingrese la contraseña de la cuenta actual
|
||||
current_username: Para confirmar, por favor ingrese el nombre de usuario de la cuenta actual
|
||||
digest: Solo enviado tras un largo periodo de inactividad y solo si has recibido mensajes personales durante tu ausencia
|
||||
discoverable: Permite que tu cuenta sea descubierta por extraños a través de recomendaciones, tendencias y otras características
|
||||
email: Se le enviará un correo de confirmación
|
||||
header: PNG, GIF o JPG. Máximo %{size}. Será escalado a %{dimensions}px
|
||||
inbox_url: Copia la URL de la página principal del relés que quieres utilizar
|
||||
irreversible: Los toots filtrados desaparecerán irreversiblemente, incluso si este filtro es eliminado más adelante
|
||||
locale: El idioma de la interfaz de usuario, correos y notificaciones push
|
||||
locked: Requiere que manualmente apruebes seguidores y las publicaciones serán mostradas solamente a tus seguidores
|
||||
password: Utilice al menos 8 caracteres
|
||||
phrase: Se aplicará sin importar las mayúsculas o los avisos de contenido de un toot
|
||||
scopes: Qué APIs de la aplicación tendrán acceso. Si seleccionas el alcance de nivel mas alto, no necesitas seleccionar las individuales.
|
||||
@ -57,9 +55,6 @@ es-MX:
|
||||
setting_display_media_default: Ocultar contenido multimedia marcado como sensible
|
||||
setting_display_media_hide_all: Siempre ocultar todo el contenido multimedia
|
||||
setting_display_media_show_all: Mostrar siempre contenido multimedia marcado como sensible
|
||||
setting_hide_network: A quién sigues y quién te sigue no será mostrado en tu perfil
|
||||
setting_noindex: Afecta a tu perfil público y páginas de estado
|
||||
setting_show_application: La aplicación que utiliza usted para publicar toots se mostrará en la vista detallada de sus toots
|
||||
setting_use_blurhash: Los gradientes se basan en los colores de las imágenes ocultas pero haciendo borrosos los detalles
|
||||
setting_use_pending_items: Ocultar nuevos estados detrás de un clic en lugar de desplazar automáticamente el feed
|
||||
username: Puedes usar letras, números y guiones bajos
|
||||
@ -178,7 +173,6 @@ es-MX:
|
||||
context: Filtrar contextos
|
||||
current_password: Contraseña actual
|
||||
data: Información
|
||||
discoverable: Listar esta cuenta en el directorio
|
||||
display_name: Nombre para mostrar
|
||||
email: Dirección de correo electrónico
|
||||
expires_in: Expirar tras
|
||||
@ -188,7 +182,6 @@ es-MX:
|
||||
inbox_url: URL de la entrada de relés
|
||||
irreversible: Dejar en lugar de ocultar
|
||||
locale: Idioma
|
||||
locked: Hacer privada esta cuenta
|
||||
max_uses: Máx. número de usos
|
||||
new_password: Nueva contraseña
|
||||
note: Biografía
|
||||
@ -211,9 +204,7 @@ es-MX:
|
||||
setting_display_media_show_all: Mostrar todo
|
||||
setting_expand_spoilers: Siempre expandir los toots marcados con advertencias de contenido
|
||||
setting_hide_network: Ocultar tu red
|
||||
setting_noindex: Excluirse del indexado de motores de búsqueda
|
||||
setting_reduce_motion: Reducir el movimiento de las animaciones
|
||||
setting_show_application: Mostrar aplicación usada para publicar toots
|
||||
setting_system_font_ui: Utilizar la tipografía por defecto del sistema
|
||||
setting_theme: Tema del sitio
|
||||
setting_trends: Mostrar las tendencias de hoy
|
||||
|
@ -41,13 +41,11 @@ es:
|
||||
current_password: Por razones de seguridad por favor ingrese la contraseña de la cuenta actual
|
||||
current_username: Para confirmar, por favor ingrese el nombre de usuario de la cuenta actual
|
||||
digest: Solo enviado tras un largo periodo de inactividad y solo si has recibido mensajes personales durante tu ausencia
|
||||
discoverable: Permite que tu cuenta sea descubierta por extraños a través de recomendaciones, tendencias y otras características
|
||||
email: Se le enviará un correo de confirmación
|
||||
header: PNG, GIF o JPG. Máximo %{size}. Será escalado a %{dimensions}px
|
||||
inbox_url: Copia la URL de la página principal del relés que quieres utilizar
|
||||
irreversible: Las publicaciones filtradas desaparecerán irreversiblemente, incluso si este filtro es eliminado más adelante
|
||||
locale: El idioma de la interfaz de usuario, correos y notificaciones push
|
||||
locked: Requiere que manualmente apruebes seguidores y las publicaciones serán mostradas solamente a tus seguidores
|
||||
password: Utilice al menos 8 caracteres
|
||||
phrase: Se aplicará sin importar las mayúsculas o los avisos de contenido de una publicación
|
||||
scopes: Qué APIs de la aplicación tendrán acceso. Si seleccionas el alcance de nivel mas alto, no necesitas seleccionar las individuales.
|
||||
@ -57,9 +55,6 @@ es:
|
||||
setting_display_media_default: Ocultar contenido multimedia marcado como sensible
|
||||
setting_display_media_hide_all: Siempre ocultar todo el contenido multimedia
|
||||
setting_display_media_show_all: Mostrar siempre contenido multimedia marcado como sensible
|
||||
setting_hide_network: A quién sigues y quién te sigue no será mostrado en tu perfil
|
||||
setting_noindex: Afecta a tu perfil público y a tus publicaciones
|
||||
setting_show_application: La aplicación que utiliza usted para publicar publicaciones se mostrará en la vista detallada de sus publicaciones
|
||||
setting_use_blurhash: Los gradientes se basan en los colores de las imágenes ocultas pero haciendo borrosos los detalles
|
||||
setting_use_pending_items: Ocultar nuevas publicaciones detrás de un clic en lugar de desplazar automáticamente el feed
|
||||
username: Puedes usar letras, números y guiones bajos
|
||||
@ -178,7 +173,6 @@ es:
|
||||
context: Filtrar contextos
|
||||
current_password: Contraseña actual
|
||||
data: Información
|
||||
discoverable: Sugerir la cuenta a otros
|
||||
display_name: Nombre para mostrar
|
||||
email: Dirección de correo electrónico
|
||||
expires_in: Expirar tras
|
||||
@ -188,7 +182,6 @@ es:
|
||||
inbox_url: URL de la entrada de relés
|
||||
irreversible: Rechazar en lugar de ocultar
|
||||
locale: Idioma
|
||||
locked: Hacer privada esta cuenta
|
||||
max_uses: Máx. número de usos
|
||||
new_password: Nueva contraseña
|
||||
note: Biografía
|
||||
@ -211,9 +204,7 @@ es:
|
||||
setting_display_media_show_all: Mostrar todo
|
||||
setting_expand_spoilers: Siempre expandir las publicaciones marcadas con advertencias de contenido
|
||||
setting_hide_network: Ocultar tu red
|
||||
setting_noindex: Excluirse del indexado de motores de búsqueda
|
||||
setting_reduce_motion: Reducir el movimiento de las animaciones
|
||||
setting_show_application: Mostrar aplicación usada para publicar publicaciones
|
||||
setting_system_font_ui: Utilizar la tipografía por defecto del sistema
|
||||
setting_theme: Tema del sitio
|
||||
setting_trends: Mostrar las tendencias de hoy
|
||||
|
@ -41,13 +41,11 @@ et:
|
||||
current_password: Sisesta turvalisuse huvides oma siinse konto salasõna
|
||||
current_username: Kinnitamiseks palun sisesta oma konto kasutajanimi
|
||||
digest: Saadetakse ainult pärast pikka tegevusetuse perioodi ja ainult siis, kui on saadetud otsesõnumeid
|
||||
discoverable: Konto on leitav võhivõõraste jaoks soovituste ja trendide sirvimise teel vm sarnaste vahenditega
|
||||
email: Sulle saadetakse e-posti teel kinnituskiri
|
||||
header: PNG, GIF või JPG. Kõige rohkem %{size}. Vähendatakse %{dimensions} pikslini
|
||||
inbox_url: Kopeeri soovitud vahendaja avalehe URL
|
||||
irreversible: Filtreeritud postitused kaovad taastamatult, isegi kui filter on hiljem eemaldatud
|
||||
locale: Kasutajaliidese, e-kirjade ja tõuketeadete keel
|
||||
locked: Nõuab käsitsi jälgijate kinnitamist
|
||||
password: Vajalik on vähemalt 8 märki
|
||||
phrase: Kattub olenemata postituse teksti suurtähtedest või sisuhoiatusest
|
||||
scopes: Milliseid API-sid see rakendus tohib kasutada. Kui valid kõrgeima taseme, ei pea üksikuid eraldi valima.
|
||||
@ -57,9 +55,6 @@ et:
|
||||
setting_display_media_default: Peida tundlikuks märgitud meedia
|
||||
setting_display_media_hide_all: Alati peida kõik meedia
|
||||
setting_display_media_show_all: Alati näita tundlikuks märgistatud meedia
|
||||
setting_hide_network: Profiilil ei kuvata, keda sa jälgid ja kes sind jälgib
|
||||
setting_noindex: Mõjutab avalikku profiili ja postituste lehekülgi
|
||||
setting_show_application: Postitamiseks kasutatud rakenduse infot kuvatakse postituse üksikasjavaates
|
||||
setting_use_blurhash: Värvid põhinevad peidetud visuaalidel, kuid hägustavad igasuguseid detaile
|
||||
setting_use_pending_items: Voo automaatse kerimise asemel peida ajajoone uuendused kliki taha
|
||||
username: Võid kasutada ladina tähti, numbreid ja allkriipsu
|
||||
@ -178,7 +173,6 @@ et:
|
||||
context: Filtreeri kontekste
|
||||
current_password: Kehtiv salasõna
|
||||
data: Andmed
|
||||
discoverable: Lisa see konto kataloogi
|
||||
display_name: Kuvanimi
|
||||
email: E-posti aadress
|
||||
expires_in: Aegu pärast
|
||||
@ -188,7 +182,6 @@ et:
|
||||
inbox_url: Vahendaja sisendkausta URL
|
||||
irreversible: Kustuta selle asemel, et peita
|
||||
locale: Kasutajaliidese keel
|
||||
locked: Lukusta konto
|
||||
max_uses: Maksimum kasutajate arv
|
||||
new_password: Uus salasõna
|
||||
note: Elulugu
|
||||
@ -211,9 +204,7 @@ et:
|
||||
setting_display_media_show_all: Kuva kõik
|
||||
setting_expand_spoilers: Alati näita tundlikuks märgitud postituste sisu
|
||||
setting_hide_network: Peida oma võrk
|
||||
setting_noindex: Keeldu otsingumootorite indekseerimistest
|
||||
setting_reduce_motion: Vähenda animatsioonides liikumist
|
||||
setting_show_application: Avalikusta postituste tegemisel kasutatud rakendus
|
||||
setting_system_font_ui: Kasuta süsteemi vaikefonti
|
||||
setting_theme: Saidi teema
|
||||
setting_trends: Näita tänaseid trende
|
||||
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue
Block a user