forked from mirrors/catstodon
Merge commit 'f0c9cbaf3b' into glitch-soc/merge-upstream
This commit is contained in:
commit
a76980a229
126 changed files with 475 additions and 420 deletions
|
|
@ -1,5 +1,5 @@
|
|||
import './public-path';
|
||||
import main from "mastodon/main";
|
||||
import main from 'mastodon/main';
|
||||
|
||||
import { start } from '../mastodon/common';
|
||||
import { loadLocale } from '../mastodon/locales';
|
||||
|
|
@ -10,6 +10,6 @@ start();
|
|||
loadPolyfills()
|
||||
.then(loadLocale)
|
||||
.then(main)
|
||||
.catch(e => {
|
||||
.catch((e: unknown) => {
|
||||
console.error(e);
|
||||
});
|
||||
|
|
@ -2,7 +2,9 @@ import './public-path';
|
|||
import ready from '../mastodon/ready';
|
||||
|
||||
ready(() => {
|
||||
const image = document.querySelector('img');
|
||||
const image = document.querySelector<HTMLImageElement>('img');
|
||||
|
||||
if (!image) return;
|
||||
|
||||
image.addEventListener('mouseenter', () => {
|
||||
image.src = '/oops.gif';
|
||||
|
|
@ -11,4 +13,6 @@ ready(() => {
|
|||
image.addEventListener('mouseleave', () => {
|
||||
image.src = '/oops.png';
|
||||
});
|
||||
}).catch((e: unknown) => {
|
||||
console.error(e);
|
||||
});
|
||||
|
|
@ -2,7 +2,7 @@
|
|||
// to share the same assets regardless of instance configuration.
|
||||
// See https://webpack.js.org/guides/public-path/#on-the-fly
|
||||
|
||||
function removeOuterSlashes(string) {
|
||||
function removeOuterSlashes(string: string) {
|
||||
return string.replace(/^\/*/, '').replace(/\/*$/, '');
|
||||
}
|
||||
|
||||
|
|
@ -15,7 +15,9 @@ function formatPublicPath(host = '', path = '') {
|
|||
return `${formattedHost}/${formattedPath}/`;
|
||||
}
|
||||
|
||||
const cdnHost = document.querySelector('meta[name=cdn-host]');
|
||||
const cdnHost = document.querySelector<HTMLMetaElement>('meta[name=cdn-host]');
|
||||
|
||||
// eslint-disable-next-line no-undef
|
||||
__webpack_public_path__ = formatPublicPath(cdnHost ? cdnHost.content : '', process.env.PUBLIC_OUTPUT_PATH);
|
||||
__webpack_public_path__ = formatPublicPath(
|
||||
cdnHost ? cdnHost.content : '',
|
||||
process.env.PUBLIC_OUTPUT_PATH,
|
||||
);
|
||||
|
|
@ -2,7 +2,7 @@ import './public-path';
|
|||
import { createRoot } from 'react-dom/client';
|
||||
|
||||
import { start } from '../mastodon/common';
|
||||
import ComposeContainer from '../mastodon/containers/compose_container';
|
||||
import ComposeContainer from '../mastodon/containers/compose_container';
|
||||
import { loadPolyfills } from '../mastodon/polyfills';
|
||||
import ready from '../mastodon/ready';
|
||||
|
||||
|
|
@ -16,7 +16,7 @@ function loaded() {
|
|||
|
||||
if (!attr) return;
|
||||
|
||||
const props = JSON.parse(attr);
|
||||
const props = JSON.parse(attr) as object;
|
||||
const root = createRoot(mountNode);
|
||||
|
||||
root.render(<ComposeContainer {...props} />);
|
||||
|
|
@ -24,9 +24,13 @@ function loaded() {
|
|||
}
|
||||
|
||||
function main() {
|
||||
ready(loaded);
|
||||
ready(loaded).catch((error: unknown) => {
|
||||
console.error(error);
|
||||
});
|
||||
}
|
||||
|
||||
loadPolyfills().then(main).catch(error => {
|
||||
console.error(error);
|
||||
});
|
||||
loadPolyfills()
|
||||
.then(main)
|
||||
.catch((error: unknown) => {
|
||||
console.error(error);
|
||||
});
|
||||
|
|
@ -1,42 +0,0 @@
|
|||
import './public-path';
|
||||
import axios from 'axios';
|
||||
|
||||
import ready from '../mastodon/ready';
|
||||
|
||||
ready(() => {
|
||||
setInterval(() => {
|
||||
axios.get('/api/v1/emails/check_confirmation').then((response) => {
|
||||
if (response.data) {
|
||||
window.location = '/start';
|
||||
}
|
||||
}).catch(error => {
|
||||
console.error(error);
|
||||
});
|
||||
}, 5000);
|
||||
|
||||
document.querySelectorAll('.timer-button').forEach(button => {
|
||||
let counter = 30;
|
||||
|
||||
const container = document.createElement('span');
|
||||
|
||||
const updateCounter = () => {
|
||||
container.innerText = ` (${counter})`;
|
||||
};
|
||||
|
||||
updateCounter();
|
||||
|
||||
const countdown = setInterval(() => {
|
||||
counter--;
|
||||
|
||||
if (counter === 0) {
|
||||
button.disabled = false;
|
||||
button.removeChild(container);
|
||||
clearInterval(countdown);
|
||||
} else {
|
||||
updateCounter();
|
||||
}
|
||||
}, 1000);
|
||||
|
||||
button.appendChild(container);
|
||||
});
|
||||
});
|
||||
48
app/javascript/entrypoints/sign_up.ts
Normal file
48
app/javascript/entrypoints/sign_up.ts
Normal file
|
|
@ -0,0 +1,48 @@
|
|||
import './public-path';
|
||||
import axios from 'axios';
|
||||
|
||||
import ready from '../mastodon/ready';
|
||||
|
||||
async function checkConfirmation() {
|
||||
const response = await axios.get('/api/v1/emails/check_confirmation');
|
||||
|
||||
if (response.data) {
|
||||
window.location.href = '/start';
|
||||
}
|
||||
}
|
||||
|
||||
ready(() => {
|
||||
setInterval(() => {
|
||||
void checkConfirmation();
|
||||
}, 5000);
|
||||
|
||||
document
|
||||
.querySelectorAll<HTMLButtonElement>('button.timer-button')
|
||||
.forEach((button) => {
|
||||
let counter = 30;
|
||||
|
||||
const container = document.createElement('span');
|
||||
|
||||
const updateCounter = () => {
|
||||
container.innerText = ` (${counter})`;
|
||||
};
|
||||
|
||||
updateCounter();
|
||||
|
||||
const countdown = setInterval(() => {
|
||||
counter--;
|
||||
|
||||
if (counter === 0) {
|
||||
button.disabled = false;
|
||||
button.removeChild(container);
|
||||
clearInterval(countdown);
|
||||
} else {
|
||||
updateCounter();
|
||||
}
|
||||
}, 1000);
|
||||
|
||||
button.appendChild(container);
|
||||
});
|
||||
}).catch((e: unknown) => {
|
||||
throw e;
|
||||
});
|
||||
|
|
@ -1,5 +1,3 @@
|
|||
import { List as ImmutableList } from 'immutable';
|
||||
|
||||
import { debounce } from 'lodash';
|
||||
|
||||
import type { MarkerJSON } from 'mastodon/api_types/markers';
|
||||
|
|
@ -71,19 +69,6 @@ interface MarkerParam {
|
|||
last_read_id?: string;
|
||||
}
|
||||
|
||||
function getLastHomeId(state: RootState): string | undefined {
|
||||
// eslint-disable-next-line @typescript-eslint/no-unsafe-return
|
||||
return (
|
||||
// eslint-disable-next-line @typescript-eslint/no-unsafe-call
|
||||
state
|
||||
// @ts-expect-error state.timelines is not yet typed
|
||||
.getIn(['timelines', 'home', 'items'], ImmutableList())
|
||||
// @ts-expect-error state.timelines is not yet typed
|
||||
// eslint-disable-next-line @typescript-eslint/no-unsafe-member-access
|
||||
.find((item) => item !== null)
|
||||
);
|
||||
}
|
||||
|
||||
function getLastNotificationId(state: RootState): string | undefined {
|
||||
// @ts-expect-error state.notifications is not yet typed
|
||||
// eslint-disable-next-line @typescript-eslint/no-unsafe-return, @typescript-eslint/no-unsafe-call
|
||||
|
|
@ -93,15 +78,8 @@ function getLastNotificationId(state: RootState): string | undefined {
|
|||
const buildPostMarkersParams = (state: RootState) => {
|
||||
const params = {} as { home?: MarkerParam; notifications?: MarkerParam };
|
||||
|
||||
const lastHomeId = getLastHomeId(state);
|
||||
const lastNotificationId = getLastNotificationId(state);
|
||||
|
||||
if (lastHomeId && compareId(lastHomeId, state.markers.home) > 0) {
|
||||
params.home = {
|
||||
last_read_id: lastHomeId,
|
||||
};
|
||||
}
|
||||
|
||||
if (
|
||||
lastNotificationId &&
|
||||
compareId(lastNotificationId, state.markers.notifications) > 0
|
||||
|
|
|
|||
|
|
@ -308,6 +308,8 @@
|
|||
"follow_requests.unlocked_explanation": "Въпреки че акаунтът ви не е заключен, служителите на {domain} помислиха, че може да искате да преглеждате ръчно заявките за последване на тези профили.",
|
||||
"follow_suggestions.curated_suggestion": "Избор на персонал",
|
||||
"follow_suggestions.dismiss": "Без ново показване",
|
||||
"follow_suggestions.featured_longer": "Ръчно избрано от отбора на {domain}",
|
||||
"follow_suggestions.friends_of_friends_longer": "Популярно измежду хората, които следвате",
|
||||
"follow_suggestions.hints.featured": "Този профил е ръчно подбран от отбора на {domain}.",
|
||||
"follow_suggestions.hints.friends_of_friends": "Този профил е популярен измежду хората, които следвате.",
|
||||
"follow_suggestions.hints.most_followed": "Този профил е един от най-следваните при {domain}.",
|
||||
|
|
@ -315,6 +317,8 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "Този профил е подобен на профилите, които сте последвали наскоро.",
|
||||
"follow_suggestions.personalized_suggestion": "Персонализирано предложение",
|
||||
"follow_suggestions.popular_suggestion": "Популярно предложение",
|
||||
"follow_suggestions.popular_suggestion_longer": "Популярно из {domain}",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Подобни на профилите, които наскоро сте последвали",
|
||||
"follow_suggestions.view_all": "Преглед на всички",
|
||||
"follow_suggestions.who_to_follow": "Кого да се следва",
|
||||
"followed_tags": "Последвани хаштагове",
|
||||
|
|
@ -469,6 +473,15 @@
|
|||
"notification.follow": "{name} ви последва",
|
||||
"notification.follow_request": "{name} поиска да ви последва",
|
||||
"notification.mention": "{name} ви спомена",
|
||||
"notification.moderation-warning.learn_more": "Научете повече",
|
||||
"notification.moderation_warning": "Получихте предупреждение за модериране",
|
||||
"notification.moderation_warning.action_delete_statuses": "Някои от публикациите ви са премахнати.",
|
||||
"notification.moderation_warning.action_disable": "Вашият акаунт е изключен.",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "Някои от публикациите ви са означени като деликатни.",
|
||||
"notification.moderation_warning.action_none": "Акаунтът ви получи предупреждение за модериране.",
|
||||
"notification.moderation_warning.action_sensitive": "Публикациите ви ще се означават като деликатни от сега нататък.",
|
||||
"notification.moderation_warning.action_silence": "Вашият акаунт е ограничен.",
|
||||
"notification.moderation_warning.action_suspend": "Вашият акаунт е спрян.",
|
||||
"notification.own_poll": "Анкетата ви приключи",
|
||||
"notification.poll": "Анкета, в която гласувахте, приключи",
|
||||
"notification.reblog": "{name} подсили ваша публикация",
|
||||
|
|
|
|||
|
|
@ -263,6 +263,8 @@
|
|||
"follow_request.authorize": "Aotren",
|
||||
"follow_request.reject": "Nac'hañ",
|
||||
"follow_requests.unlocked_explanation": "Daoust ma n'eo ket ho kont prennet, skipailh {domain} a soñj e fellfe deoc'h gwiriekaat pedadennoù heuliañ deus ar c'hontoù-se diwar-zorn.",
|
||||
"follow_suggestions.friends_of_friends_longer": "Diouzh ar c'hiz e-touez an dud heuliet ganeoc'h",
|
||||
"follow_suggestions.popular_suggestion_longer": "Diouzh ar c'hiz war {domain}",
|
||||
"follow_suggestions.view_all": "Gwelet pep tra",
|
||||
"followed_tags": "Hashtagoù o heuliañ",
|
||||
"footer.about": "Diwar-benn",
|
||||
|
|
@ -395,6 +397,7 @@
|
|||
"notification.follow": "heuliañ a ra {name} ac'hanoc'h",
|
||||
"notification.follow_request": "Gant {name} eo bet goulennet ho heuliañ",
|
||||
"notification.mention": "Gant {name} oc'h bet meneget",
|
||||
"notification.moderation-warning.learn_more": "Gouzout hiroc'h",
|
||||
"notification.own_poll": "Echu eo ho sontadeg",
|
||||
"notification.poll": "Ur sontadeg ho deus mouezhet warnañ a zo echuet",
|
||||
"notification.reblog": "Gant {name} eo bet skignet ho toud",
|
||||
|
|
|
|||
|
|
@ -318,7 +318,7 @@
|
|||
"follow_suggestions.personalized_suggestion": "Suggeriment personalitzat",
|
||||
"follow_suggestions.popular_suggestion": "Suggeriment popular",
|
||||
"follow_suggestions.popular_suggestion_longer": "Popular a {domain}",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Semblant a perfils que has seguit fa poc",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Semblant a perfils que seguiu fa poc",
|
||||
"follow_suggestions.view_all": "Mostra-ho tot",
|
||||
"follow_suggestions.who_to_follow": "A qui seguir",
|
||||
"followed_tags": "Etiquetes seguides",
|
||||
|
|
@ -473,6 +473,14 @@
|
|||
"notification.follow": "{name} et segueix",
|
||||
"notification.follow_request": "{name} ha sol·licitat de seguir-te",
|
||||
"notification.mention": "{name} t'ha esmentat",
|
||||
"notification.moderation_warning": "Heu rebut un avís de moderació",
|
||||
"notification.moderation_warning.action_delete_statuses": "S'han eliminat algunes de les vostres publicacions.",
|
||||
"notification.moderation_warning.action_disable": "S'ha desactivat el vostre compte.",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "S'ha marcat com a sensibles algunes de les vostres publicacions.",
|
||||
"notification.moderation_warning.action_none": "El vostre compte ha rebut un avís de moderació.",
|
||||
"notification.moderation_warning.action_sensitive": "A partir d'ara les vostres publicacions es marcaran com sensibles.",
|
||||
"notification.moderation_warning.action_silence": "S'ha limitat el vostre compte.",
|
||||
"notification.moderation_warning.action_suspend": "S'ha suspès el vostre compte.",
|
||||
"notification.own_poll": "La teva enquesta ha finalitzat",
|
||||
"notification.poll": "Ha finalitzat una enquesta en què has votat",
|
||||
"notification.reblog": "{name} t'ha impulsat",
|
||||
|
|
|
|||
|
|
@ -308,6 +308,8 @@
|
|||
"follow_requests.unlocked_explanation": "Přestože váš účet není uzamčen, personál {domain} usoudil, že byste mohli chtít tyto požadavky na sledování zkontrolovat ručně.",
|
||||
"follow_suggestions.curated_suggestion": "Výběr personálů",
|
||||
"follow_suggestions.dismiss": "Znovu nezobrazovat",
|
||||
"follow_suggestions.featured_longer": "Ručně vybráno týmem {domain}",
|
||||
"follow_suggestions.friends_of_friends_longer": "Populární mezi lidmi, které sledujete",
|
||||
"follow_suggestions.hints.featured": "Tento profil byl ručně vybrán týmem {domain}.",
|
||||
"follow_suggestions.hints.friends_of_friends": "Tento profil je populární mezi lidmi, které sledujete.",
|
||||
"follow_suggestions.hints.most_followed": "Tento profil je jedním z nejvíce sledovaných na {domain}.",
|
||||
|
|
@ -315,6 +317,8 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "Tento profil je podobný profilům, které jste nedávno sledovali.",
|
||||
"follow_suggestions.personalized_suggestion": "Přizpůsobený návrh",
|
||||
"follow_suggestions.popular_suggestion": "Populární návrh",
|
||||
"follow_suggestions.popular_suggestion_longer": "Populární na {domain}",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Podobné profilům, které jste nedávno sledovali",
|
||||
"follow_suggestions.view_all": "Zobrazit vše",
|
||||
"follow_suggestions.who_to_follow": "Koho sledovat",
|
||||
"followed_tags": "Sledované hashtagy",
|
||||
|
|
@ -469,6 +473,15 @@
|
|||
"notification.follow": "Uživatel {name} vás začal sledovat",
|
||||
"notification.follow_request": "Uživatel {name} požádal o povolení vás sledovat",
|
||||
"notification.mention": "Uživatel {name} vás zmínil",
|
||||
"notification.moderation-warning.learn_more": "Zjistit více",
|
||||
"notification.moderation_warning": "Obdrželi jste moderační varování",
|
||||
"notification.moderation_warning.action_delete_statuses": "Některé z vašich příspěvků byly odstraněny.",
|
||||
"notification.moderation_warning.action_disable": "Váš účet je zablokován.",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "Některé z vašich příspěvků byly označeny jako citlivé.",
|
||||
"notification.moderation_warning.action_none": "Váš účet obdržel moderační varování.",
|
||||
"notification.moderation_warning.action_sensitive": "Vaše příspěvky budou od nynějška označeny jako citlivé.",
|
||||
"notification.moderation_warning.action_silence": "Váš účet byl omezen.",
|
||||
"notification.moderation_warning.action_suspend": "Váš účet byl pozastaven.",
|
||||
"notification.own_poll": "Vaše anketa skončila",
|
||||
"notification.poll": "Anketa, ve které jste hlasovali, skončila",
|
||||
"notification.reblog": "Uživatel {name} boostnul váš příspěvek",
|
||||
|
|
|
|||
|
|
@ -241,7 +241,7 @@
|
|||
"emoji_button.nature": "Naturaleza",
|
||||
"emoji_button.not_found": "No se encontraron emojis coincidentes",
|
||||
"emoji_button.objects": "Objetos",
|
||||
"emoji_button.people": "Gente",
|
||||
"emoji_button.people": "Cuentas",
|
||||
"emoji_button.recent": "Usados frecuentemente",
|
||||
"emoji_button.search": "Buscar...",
|
||||
"emoji_button.search_results": "Resultados de búsqueda",
|
||||
|
|
@ -308,6 +308,8 @@
|
|||
"follow_requests.unlocked_explanation": "A pesar de que tu cuenta no es privada, el equipo de {domain} pensó que podrías querer revisar manualmente las solicitudes de seguimiento de estas cuentas.",
|
||||
"follow_suggestions.curated_suggestion": "Selección del equipo",
|
||||
"follow_suggestions.dismiss": "No mostrar de nuevo",
|
||||
"follow_suggestions.featured_longer": "Seleccionada a mano por el equipo de {domain}",
|
||||
"follow_suggestions.friends_of_friends_longer": "Populares entre las cuentas que seguís",
|
||||
"follow_suggestions.hints.featured": "Este perfil fue seleccionado a mano por el equipo de {domain}.",
|
||||
"follow_suggestions.hints.friends_of_friends": "Este perfil es popular entre las cuentas que seguís.",
|
||||
"follow_suggestions.hints.most_followed": "Este perfil es uno de los más seguidos en {domain}.",
|
||||
|
|
@ -315,6 +317,8 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "Este perfil es similar a los que comenzaste a seguir.",
|
||||
"follow_suggestions.personalized_suggestion": "Sugerencia personalizada",
|
||||
"follow_suggestions.popular_suggestion": "Sugerencia popular",
|
||||
"follow_suggestions.popular_suggestion_longer": "Popular en {domain}",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Similares a perfiles que comenzaste a seguir recientemente",
|
||||
"follow_suggestions.view_all": "Ver todo",
|
||||
"follow_suggestions.who_to_follow": "A quién seguir",
|
||||
"followed_tags": "Etiquetas seguidas",
|
||||
|
|
@ -469,6 +473,15 @@
|
|||
"notification.follow": "{name} te empezó a seguir",
|
||||
"notification.follow_request": "{name} solicitó seguirte",
|
||||
"notification.mention": "{name} te mencionó",
|
||||
"notification.moderation-warning.learn_more": "Aprendé más",
|
||||
"notification.moderation_warning": "Recibiste una advertencia de moderación",
|
||||
"notification.moderation_warning.action_delete_statuses": "Se eliminaron algunos de tus mensajes.",
|
||||
"notification.moderation_warning.action_disable": "Se deshabilitó tu cuenta.",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "Se marcaron como sensibles a algunos de tus mensajes.",
|
||||
"notification.moderation_warning.action_none": "Tu cuenta recibió una advertencia de moderación.",
|
||||
"notification.moderation_warning.action_sensitive": "A partir de ahora, tus mensajes serán marcados como sensibles.",
|
||||
"notification.moderation_warning.action_silence": "Tu cuenta fue limitada.",
|
||||
"notification.moderation_warning.action_suspend": "Tu cuenta fue suspendida.",
|
||||
"notification.own_poll": "Tu encuesta finalizó",
|
||||
"notification.poll": "Finalizó una encuesta en la que votaste",
|
||||
"notification.reblog": "{name} adhirió a tu mensaje",
|
||||
|
|
|
|||
|
|
@ -308,6 +308,8 @@
|
|||
"follow_requests.unlocked_explanation": "A pesar de que tu cuenta no es privada, el personal de {domain} ha pensado que quizás deberías revisar manualmente las solicitudes de seguimiento de estas cuentas.",
|
||||
"follow_suggestions.curated_suggestion": "Recomendaciones del equipo",
|
||||
"follow_suggestions.dismiss": "No mostrar de nuevo",
|
||||
"follow_suggestions.featured_longer": "Escogidos por el equipo de {domain}",
|
||||
"follow_suggestions.friends_of_friends_longer": "Populares entre las personas a las que sigues",
|
||||
"follow_suggestions.hints.featured": "Este perfil ha sido seleccionado a mano por el equipo de {domain}.",
|
||||
"follow_suggestions.hints.friends_of_friends": "Este perfil es popular entre las personas que sigues.",
|
||||
"follow_suggestions.hints.most_followed": "Este perfil es uno de los más seguidos en {domain}.",
|
||||
|
|
@ -315,6 +317,8 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "Este perfil es similar a los perfiles que has seguido recientemente.",
|
||||
"follow_suggestions.personalized_suggestion": "Sugerencia personalizada",
|
||||
"follow_suggestions.popular_suggestion": "Sugerencia popular",
|
||||
"follow_suggestions.popular_suggestion_longer": "Populares en {domain}",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Similares a los perfiles que has seguido recientemente",
|
||||
"follow_suggestions.view_all": "Ver todo",
|
||||
"follow_suggestions.who_to_follow": "Recomendamos seguir",
|
||||
"followed_tags": "Hashtags seguidos",
|
||||
|
|
@ -469,6 +473,15 @@
|
|||
"notification.follow": "{name} te empezó a seguir",
|
||||
"notification.follow_request": "{name} ha solicitado seguirte",
|
||||
"notification.mention": "{name} te ha mencionado",
|
||||
"notification.moderation-warning.learn_more": "Saber más",
|
||||
"notification.moderation_warning": "Has recibido una advertencia de moderación",
|
||||
"notification.moderation_warning.action_delete_statuses": "Se han eliminado algunas de tus publicaciones.",
|
||||
"notification.moderation_warning.action_disable": "Se ha desactivado su cuenta.",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "Se han marcado como sensibles algunas de tus publicaciones.",
|
||||
"notification.moderation_warning.action_none": "Tu cuenta ha recibido un aviso de moderación.",
|
||||
"notification.moderation_warning.action_sensitive": "De ahora en adelante, todas tus publicaciones se marcarán como sensibles.",
|
||||
"notification.moderation_warning.action_silence": "Se ha limitado tu cuenta.",
|
||||
"notification.moderation_warning.action_suspend": "Se ha suspendido tu cuenta.",
|
||||
"notification.own_poll": "Tu encuesta ha terminado",
|
||||
"notification.poll": "Una encuesta en la que has votado ha terminado",
|
||||
"notification.reblog": "{name} ha retooteado tu estado",
|
||||
|
|
|
|||
|
|
@ -308,6 +308,8 @@
|
|||
"follow_requests.unlocked_explanation": "A pesar de que tu cuenta no es privada, el personal de {domain} ha pensado que quizás deberías revisar manualmente las solicitudes de seguimiento de estas cuentas.",
|
||||
"follow_suggestions.curated_suggestion": "Recomendaciones del equipo",
|
||||
"follow_suggestions.dismiss": "No mostrar de nuevo",
|
||||
"follow_suggestions.featured_longer": "Escogidos por el equipo de {domain}",
|
||||
"follow_suggestions.friends_of_friends_longer": "Populares entre las personas a las que sigues",
|
||||
"follow_suggestions.hints.featured": "Este perfil ha sido elegido a mano por el equipo de {domain}.",
|
||||
"follow_suggestions.hints.friends_of_friends": "Este perfil es popular entre las personas que sigues.",
|
||||
"follow_suggestions.hints.most_followed": "Este perfil es uno de los más seguidos en {domain}.",
|
||||
|
|
@ -315,6 +317,8 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "Este perfil es similar a los perfiles que has seguido recientemente.",
|
||||
"follow_suggestions.personalized_suggestion": "Sugerencia personalizada",
|
||||
"follow_suggestions.popular_suggestion": "Sugerencia popular",
|
||||
"follow_suggestions.popular_suggestion_longer": "Populares en {domain}",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Similares a los perfiles que has seguido recientemente",
|
||||
"follow_suggestions.view_all": "Ver todo",
|
||||
"follow_suggestions.who_to_follow": "A quién seguir",
|
||||
"followed_tags": "Etiquetas seguidas",
|
||||
|
|
@ -469,6 +473,15 @@
|
|||
"notification.follow": "{name} te empezó a seguir",
|
||||
"notification.follow_request": "{name} ha solicitado seguirte",
|
||||
"notification.mention": "{name} te ha mencionado",
|
||||
"notification.moderation-warning.learn_more": "Saber más",
|
||||
"notification.moderation_warning": "Has recibido una advertencia de moderación",
|
||||
"notification.moderation_warning.action_delete_statuses": "Se han eliminado algunas de tus publicaciones.",
|
||||
"notification.moderation_warning.action_disable": "Se ha desactivado su cuenta.",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "Se han marcado como sensibles algunas de tus publicaciones.",
|
||||
"notification.moderation_warning.action_none": "Tu cuenta ha recibido un aviso de moderación.",
|
||||
"notification.moderation_warning.action_sensitive": "De ahora en adelante, todas tus publicaciones se marcarán como sensibles.",
|
||||
"notification.moderation_warning.action_silence": "Se ha limitado tu cuenta.",
|
||||
"notification.moderation_warning.action_suspend": "Se ha suspendido tu cuenta.",
|
||||
"notification.own_poll": "Tu encuesta ha terminado",
|
||||
"notification.poll": "Una encuesta en la que has votado ha terminado",
|
||||
"notification.reblog": "{name} ha impulsado tu publicación",
|
||||
|
|
|
|||
|
|
@ -473,6 +473,15 @@
|
|||
"notification.follow": "{name} במעקב אחרייך",
|
||||
"notification.follow_request": "{name} ביקשו לעקוב אחריך",
|
||||
"notification.mention": "אוזכרת על ידי {name}",
|
||||
"notification.moderation-warning.learn_more": "למידע נוסף",
|
||||
"notification.moderation_warning": "קיבלת אזהרה מצוות ניהול התוכן",
|
||||
"notification.moderation_warning.action_delete_statuses": "חלק מהודעותיך הוסרו.",
|
||||
"notification.moderation_warning.action_disable": "חשבונך הושבת.",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "חלק מהודעותיך סומנו כרגישות.",
|
||||
"notification.moderation_warning.action_none": "חשבונך קיבל אזהרה מצוות ניהול התוכן.",
|
||||
"notification.moderation_warning.action_sensitive": "הודעותיך יסומנו כרגישות מעתה ואילך.",
|
||||
"notification.moderation_warning.action_silence": "חשבונך הוגבל.",
|
||||
"notification.moderation_warning.action_suspend": "חשבונך הושעה.",
|
||||
"notification.own_poll": "הסקר שלך הסתיים",
|
||||
"notification.poll": "סקר שהצבעת בו הסתיים",
|
||||
"notification.reblog": "הודעתך הודהדה על ידי {name}",
|
||||
|
|
|
|||
|
|
@ -309,7 +309,7 @@
|
|||
"follow_suggestions.curated_suggestion": "A stáb választása",
|
||||
"follow_suggestions.dismiss": "Ne jelenjen meg újra",
|
||||
"follow_suggestions.featured_longer": "A {domain} csapata által kézzel kiválasztott",
|
||||
"follow_suggestions.friends_of_friends_longer": "Népszerű az Ön által követett emberek körében",
|
||||
"follow_suggestions.friends_of_friends_longer": "Népszerű az általad követett emberek körében",
|
||||
"follow_suggestions.hints.featured": "Ezt a profilt a(z) {domain} csapata választotta ki.",
|
||||
"follow_suggestions.hints.friends_of_friends": "Ez a profil népszerű az általad követett emberek körében.",
|
||||
"follow_suggestions.hints.most_followed": "Ez a profil a leginkább követett a(z) {domain} oldalon.",
|
||||
|
|
@ -318,7 +318,7 @@
|
|||
"follow_suggestions.personalized_suggestion": "Személyre szabott javaslat",
|
||||
"follow_suggestions.popular_suggestion": "Népszerű javaslat",
|
||||
"follow_suggestions.popular_suggestion_longer": "Népszerű itt: {domain}",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Hasonló profilok, melyeket nemrég követett",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Hasonló azokhoz a profilokhoz, melyeket nemrég követtél be",
|
||||
"follow_suggestions.view_all": "Összes megtekintése",
|
||||
"follow_suggestions.who_to_follow": "Kit érdemes követni",
|
||||
"followed_tags": "Követett hashtagek",
|
||||
|
|
@ -473,7 +473,7 @@
|
|||
"notification.follow": "{name} követ téged",
|
||||
"notification.follow_request": "{name} követni szeretne téged",
|
||||
"notification.mention": "{name} megemlített",
|
||||
"notification.moderation-warning.learn_more": "További információk",
|
||||
"notification.moderation-warning.learn_more": "További információ",
|
||||
"notification.moderation_warning": "Moderációs figyelmeztetést kaptál",
|
||||
"notification.moderation_warning.action_delete_statuses": "Néhány bejegyzésedet eltávolították.",
|
||||
"notification.moderation_warning.action_disable": "A fiókod le van tiltva.",
|
||||
|
|
|
|||
|
|
@ -308,6 +308,8 @@
|
|||
"follow_requests.unlocked_explanation": "あなたのアカウントは承認制ではありませんが、{domain}のスタッフはこれらのアカウントからのフォローリクエストの確認が必要であると判断しました。",
|
||||
"follow_suggestions.curated_suggestion": "サーバースタッフ公認",
|
||||
"follow_suggestions.dismiss": "今後表示しない",
|
||||
"follow_suggestions.featured_longer": "{domain} スタッフ公認",
|
||||
"follow_suggestions.friends_of_friends_longer": "フォロー中のユーザーに人気",
|
||||
"follow_suggestions.hints.featured": "{domain} の運営スタッフが選んだアカウントです。",
|
||||
"follow_suggestions.hints.friends_of_friends": "フォロー中のユーザーのあいだで人気のアカウントです。",
|
||||
"follow_suggestions.hints.most_followed": "{domain} でもっともフォローされているアカウントのひとつです。",
|
||||
|
|
@ -315,6 +317,8 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "最近フォローしたユーザーに似ているアカウントです。",
|
||||
"follow_suggestions.personalized_suggestion": "フォローに基づく提案",
|
||||
"follow_suggestions.popular_suggestion": "人気のアカウント",
|
||||
"follow_suggestions.popular_suggestion_longer": "{domain} で人気",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "最近フォローしたユーザーと似ているアカウント",
|
||||
"follow_suggestions.view_all": "すべて表示",
|
||||
"follow_suggestions.who_to_follow": "フォローを増やしてみませんか?",
|
||||
"followed_tags": "フォロー中のハッシュタグ",
|
||||
|
|
|
|||
|
|
@ -308,6 +308,8 @@
|
|||
"follow_requests.unlocked_explanation": "귀하의 계정이 잠긴 계정이 아닐지라도, {domain} 스태프는 이 계정들의 팔로우 요청을 수동으로 처리해 주시면 좋겠다고 생각했습니다.",
|
||||
"follow_suggestions.curated_suggestion": "스태프의 추천",
|
||||
"follow_suggestions.dismiss": "다시 보지 않기",
|
||||
"follow_suggestions.featured_longer": "{domain} 팀이 손수 고름",
|
||||
"follow_suggestions.friends_of_friends_longer": "내가 팔로우 하는 사람들 사이에서 인기",
|
||||
"follow_suggestions.hints.featured": "이 프로필은 {domain} 팀이 손수 선택했습니다.",
|
||||
"follow_suggestions.hints.friends_of_friends": "이 프로필은 내가 팔로우 하는 사람들에게서 유명합니다.",
|
||||
"follow_suggestions.hints.most_followed": "이 프로필은 {domain}에서 가장 많이 팔로우 된 사람들 중 하나입니다.",
|
||||
|
|
@ -315,6 +317,8 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "이 프로필은 내가 최근에 팔로우 한 프로필들과 유사합니다.",
|
||||
"follow_suggestions.personalized_suggestion": "개인화된 추천",
|
||||
"follow_suggestions.popular_suggestion": "인기있는 추천",
|
||||
"follow_suggestions.popular_suggestion_longer": "{domain}에서 인기",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "내가 최근에 팔로우 한 프로필들과 유사",
|
||||
"follow_suggestions.view_all": "모두 보기",
|
||||
"follow_suggestions.who_to_follow": "팔로우할 만한 사람",
|
||||
"followed_tags": "팔로우 중인 해시태그",
|
||||
|
|
@ -469,6 +473,15 @@
|
|||
"notification.follow": "{name} 님이 나를 팔로우했습니다",
|
||||
"notification.follow_request": "{name} 님이 팔로우 요청을 보냈습니다",
|
||||
"notification.mention": "{name} 님의 멘션",
|
||||
"notification.moderation-warning.learn_more": "더 알아보기",
|
||||
"notification.moderation_warning": "중재 경고를 받았습니다",
|
||||
"notification.moderation_warning.action_delete_statuses": "게시물 몇 개가 삭제되었습니다.",
|
||||
"notification.moderation_warning.action_disable": "계정이 비활성화되었습니다.",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "게시물 몇 개가 민감함 처리되었습니다.",
|
||||
"notification.moderation_warning.action_none": "계정에 중재 경고를 받았습니다.",
|
||||
"notification.moderation_warning.action_sensitive": "앞으로의 게시물을 민감한 것으로 표시됩니다.",
|
||||
"notification.moderation_warning.action_silence": "계정이 제한되었습니다.",
|
||||
"notification.moderation_warning.action_suspend": "계정이 정지되었습니다.",
|
||||
"notification.own_poll": "설문을 마침",
|
||||
"notification.poll": "참여한 설문이 종료됨",
|
||||
"notification.reblog": "{name} 님이 부스트했습니다",
|
||||
|
|
|
|||
|
|
@ -295,6 +295,7 @@
|
|||
"follow_requests.unlocked_explanation": "Aunke tu kuento no esta serrado, la taifa de {domain} kreye ke talvez keres revizar manualmente las solisitudes de segimento de estos kuentos.",
|
||||
"follow_suggestions.curated_suggestion": "Seleksyon de la taifa",
|
||||
"follow_suggestions.dismiss": "No amostra mas",
|
||||
"follow_suggestions.friends_of_friends_longer": "Popular entre personas a las kualas siges",
|
||||
"follow_suggestions.hints.featured": "Este profil tiene sido eskojido por la taifa de {domain}.",
|
||||
"follow_suggestions.hints.friends_of_friends": "Este profil es popular entre las personas ke siges.",
|
||||
"follow_suggestions.hints.most_followed": "Este profil es uno de los mas segidos en {domain}.",
|
||||
|
|
@ -454,6 +455,9 @@
|
|||
"notification.follow": "{name} te ampeso a segir",
|
||||
"notification.follow_request": "{name} tiene solisitado segirte",
|
||||
"notification.mention": "{name} te enmento",
|
||||
"notification.moderation-warning.learn_more": "Ambezate mas",
|
||||
"notification.moderation_warning.action_silence": "Tu kuento tiene sido limitado.",
|
||||
"notification.moderation_warning.action_suspend": "Tu kuento tiene sido suspendido.",
|
||||
"notification.own_poll": "Tu anketa eskapo",
|
||||
"notification.poll": "Anketa en ke votates eskapo",
|
||||
"notification.reblog": "{name} repartajo tu publikasyon",
|
||||
|
|
|
|||
|
|
@ -293,6 +293,7 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "Tento profil je podobný profilom, ktoré ste nedávno začali sledovať.",
|
||||
"follow_suggestions.personalized_suggestion": "Prispôsobený návrh",
|
||||
"follow_suggestions.popular_suggestion": "Obľúbený návrh",
|
||||
"follow_suggestions.popular_suggestion_longer": "Populárne na {domain}",
|
||||
"follow_suggestions.view_all": "Zobraziť všetky",
|
||||
"follow_suggestions.who_to_follow": "Koho sledovať",
|
||||
"followed_tags": "Sledované hashtagy",
|
||||
|
|
@ -442,6 +443,7 @@
|
|||
"notification.follow": "{name} vás sleduje",
|
||||
"notification.follow_request": "{name} vás žiada sledovať",
|
||||
"notification.mention": "{name} vás spomína",
|
||||
"notification.moderation-warning.learn_more": "Zisti viac",
|
||||
"notification.own_poll": "Vaša anketa sa skončila",
|
||||
"notification.poll": "Anketa, v ktorej ste hlasovali, sa skončila",
|
||||
"notification.reblog": "{name} zdieľa váš príspevok",
|
||||
|
|
|
|||
|
|
@ -297,6 +297,7 @@
|
|||
"filter_modal.select_filter.subtitle": "Använd en befintlig kategori eller skapa en ny",
|
||||
"filter_modal.select_filter.title": "Filtrera detta inlägg",
|
||||
"filter_modal.title.status": "Filtrera ett inlägg",
|
||||
"filtered_notifications_banner.mentions": "{count, plural, one {omnämning} other {omnämnanden}}",
|
||||
"filtered_notifications_banner.pending_requests": "Aviseringar från {count, plural, =0 {ingen} one {en person} other {# personer}} du kanske känner",
|
||||
"filtered_notifications_banner.title": "Filtrerade aviseringar",
|
||||
"firehose.all": "Allt",
|
||||
|
|
@ -307,6 +308,8 @@
|
|||
"follow_requests.unlocked_explanation": "Även om ditt konto inte är låst tror {domain}-personalen att du kanske vill granska dessa följares förfrågningar manuellt.",
|
||||
"follow_suggestions.curated_suggestion": "Utvald av personalen",
|
||||
"follow_suggestions.dismiss": "Visa inte igen",
|
||||
"follow_suggestions.featured_longer": "Handplockad av {domain}-teamet",
|
||||
"follow_suggestions.friends_of_friends_longer": "Populärt bland personer du följer",
|
||||
"follow_suggestions.hints.featured": "Denna profil är handplockad av {domain}-teamet.",
|
||||
"follow_suggestions.hints.friends_of_friends": "Denna profil är populär bland de personer du följer.",
|
||||
"follow_suggestions.hints.most_followed": "Denna profil är en av de mest följda på {domain}.",
|
||||
|
|
@ -314,6 +317,8 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "Denna profil liknar de profiler som du nyligen har följt.",
|
||||
"follow_suggestions.personalized_suggestion": "Personligt förslag",
|
||||
"follow_suggestions.popular_suggestion": "Populärt förslag",
|
||||
"follow_suggestions.popular_suggestion_longer": "Populärt på {domain}",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Liknar profiler du nyligen följde",
|
||||
"follow_suggestions.view_all": "Visa alla",
|
||||
"follow_suggestions.who_to_follow": "Rekommenderade profiler",
|
||||
"followed_tags": "Följda hashtags",
|
||||
|
|
@ -469,10 +474,14 @@
|
|||
"notification.follow_request": "{name} har begärt att följa dig",
|
||||
"notification.mention": "{name} nämnde dig",
|
||||
"notification.moderation-warning.learn_more": "Läs mer",
|
||||
"notification.moderation_warning": "Du har mottagit en modereringsvarning",
|
||||
"notification.moderation_warning.action_delete_statuses": "Några av dina inlägg har tagits bort.",
|
||||
"notification.moderation_warning.action_disable": "Ditt konto har inaktiverats.",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "Några av dina inlägg har markerats som känsliga.",
|
||||
"notification.moderation_warning.action_none": "Ditt konto har mottagit en modereringsvarning.",
|
||||
"notification.moderation_warning.action_sensitive": "Dina inlägg kommer markeras som känsliga från och med nu.",
|
||||
"notification.moderation_warning.action_silence": "Ditt konto har begränsats.",
|
||||
"notification.moderation_warning.action_suspend": "Ditt konto har stängts av.",
|
||||
"notification.own_poll": "Din röstning har avslutats",
|
||||
"notification.poll": "En omröstning du röstat i har avslutats",
|
||||
"notification.reblog": "{name} boostade ditt inlägg",
|
||||
|
|
|
|||
|
|
@ -308,13 +308,17 @@
|
|||
"follow_requests.unlocked_explanation": "แม้ว่าไม่มีการล็อคบัญชีของคุณ พนักงานของ {domain} คิดว่าคุณอาจต้องการตรวจทานคำขอติดตามจากบัญชีเหล่านี้ด้วยตนเอง",
|
||||
"follow_suggestions.curated_suggestion": "คัดสรรโดยพนักงาน",
|
||||
"follow_suggestions.dismiss": "ไม่ต้องแสดงอีก",
|
||||
"follow_suggestions.featured_longer": "คัดสรรโดยทีม {domain}",
|
||||
"follow_suggestions.friends_of_friends_longer": "เป็นที่นิยมในหมู่ผู้คนที่คุณติดตาม",
|
||||
"follow_suggestions.hints.featured": "โปรไฟล์นี้ได้รับการคัดสรรโดยทีม {domain}",
|
||||
"follow_suggestions.hints.friends_of_friends": "โปรไฟล์นี้ได้รับความนิยมในหมู่ผู้คนที่คุณติดตาม",
|
||||
"follow_suggestions.hints.friends_of_friends": "โปรไฟล์นี้เป็นที่นิยมในหมู่ผู้คนที่คุณติดตาม",
|
||||
"follow_suggestions.hints.most_followed": "โปรไฟล์นี้เป็นหนึ่งในโปรไฟล์ที่ได้รับการติดตามมากที่สุดใน {domain}",
|
||||
"follow_suggestions.hints.most_interactions": "โปรไฟล์นี้เพิ่งได้รับความสนใจอย่างมากใน {domain}",
|
||||
"follow_suggestions.hints.similar_to_recently_followed": "โปรไฟล์นี้คล้ายกับโปรไฟล์ที่คุณได้ติดตามล่าสุด",
|
||||
"follow_suggestions.personalized_suggestion": "ข้อเสนอแนะเฉพาะบุคคล",
|
||||
"follow_suggestions.popular_suggestion": "ข้อเสนอแนะยอดนิยม",
|
||||
"follow_suggestions.popular_suggestion_longer": "เป็นที่นิยมใน {domain}",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "คล้ายกับโปรไฟล์ที่คุณได้ติดตามล่าสุด",
|
||||
"follow_suggestions.view_all": "ดูทั้งหมด",
|
||||
"follow_suggestions.who_to_follow": "ติดตามใครดี",
|
||||
"followed_tags": "แฮชแท็กที่ติดตาม",
|
||||
|
|
@ -469,6 +473,15 @@
|
|||
"notification.follow": "{name} ได้ติดตามคุณ",
|
||||
"notification.follow_request": "{name} ได้ขอติดตามคุณ",
|
||||
"notification.mention": "{name} ได้กล่าวถึงคุณ",
|
||||
"notification.moderation-warning.learn_more": "เรียนรู้เพิ่มเติม",
|
||||
"notification.moderation_warning": "คุณได้รับคำเตือนการกลั่นกรอง",
|
||||
"notification.moderation_warning.action_delete_statuses": "เอาโพสต์บางส่วนของคุณออกแล้ว",
|
||||
"notification.moderation_warning.action_disable": "ปิดใช้งานบัญชีของคุณแล้ว",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "ทำเครื่องหมายโพสต์บางส่วนของคุณว่าละเอียดอ่อนแล้ว",
|
||||
"notification.moderation_warning.action_none": "บัญชีของคุณได้รับคำเตือนการกลั่นกรอง",
|
||||
"notification.moderation_warning.action_sensitive": "จะทำเครื่องหมายโพสต์ของคุณว่าละเอียดอ่อนนับจากนี้ไป",
|
||||
"notification.moderation_warning.action_silence": "จำกัดบัญชีของคุณแล้ว",
|
||||
"notification.moderation_warning.action_suspend": "ระงับบัญชีของคุณแล้ว",
|
||||
"notification.own_poll": "การสำรวจความคิดเห็นของคุณได้สิ้นสุดแล้ว",
|
||||
"notification.poll": "การสำรวจความคิดเห็นที่คุณได้ลงคะแนนได้สิ้นสุดแล้ว",
|
||||
"notification.reblog": "{name} ได้ดันโพสต์ของคุณ",
|
||||
|
|
|
|||
|
|
@ -308,6 +308,8 @@
|
|||
"follow_requests.unlocked_explanation": "Hesabınız kilitli olmasa da, {domain} personeli bu hesaplardan gelen takip isteklerini gözden geçirmek isteyebileceğinizi düşündü.",
|
||||
"follow_suggestions.curated_suggestion": "Çalışanların seçtikleri",
|
||||
"follow_suggestions.dismiss": "Tekrar gösterme",
|
||||
"follow_suggestions.featured_longer": "{domain} takımı tarafından elle seçildi",
|
||||
"follow_suggestions.friends_of_friends_longer": "Takip ettiğiniz kişiler arasında popüler",
|
||||
"follow_suggestions.hints.featured": "Bu profil {domain} ekibi tarafından elle seçilmiştir.",
|
||||
"follow_suggestions.hints.friends_of_friends": "Bu profil takip ettiğiniz insanlar arasında popülerdir.",
|
||||
"follow_suggestions.hints.most_followed": "Bu, {domain} sunucusunda en fazla izlenen profildir.",
|
||||
|
|
@ -315,6 +317,8 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "Bu profil, son zamanlarda takip ettiğiniz profillere benziyor.",
|
||||
"follow_suggestions.personalized_suggestion": "Kişiselleşmiş öneriler",
|
||||
"follow_suggestions.popular_suggestion": "Popüler öneriler",
|
||||
"follow_suggestions.popular_suggestion_longer": "{domain} üzerinde popüler",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Yakın zamanda takip ettiğiniz hesaplara benziyor",
|
||||
"follow_suggestions.view_all": "Tümünü gör",
|
||||
"follow_suggestions.who_to_follow": "Takip edebileceklerin",
|
||||
"followed_tags": "Takip edilen etiketler",
|
||||
|
|
@ -469,6 +473,15 @@
|
|||
"notification.follow": "{name} seni takip etti",
|
||||
"notification.follow_request": "{name} size takip isteği gönderdi",
|
||||
"notification.mention": "{name} senden bahsetti",
|
||||
"notification.moderation-warning.learn_more": "Daha fazlası",
|
||||
"notification.moderation_warning": "Bir denetim uyarısı aldınız",
|
||||
"notification.moderation_warning.action_delete_statuses": "Bazı gönderileriniz kaldırıldı.",
|
||||
"notification.moderation_warning.action_disable": "Hesabınız devre dışı bırakıldı.",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "Bazı gönderileriniz hassas olarak işaretlendi.",
|
||||
"notification.moderation_warning.action_none": "Hesabınız bir denetim uyarısı aldı.",
|
||||
"notification.moderation_warning.action_sensitive": "Gönderileriniz artık hassas olarak işaretlenecek.",
|
||||
"notification.moderation_warning.action_silence": "Hesabınız sınırlandırıldı.",
|
||||
"notification.moderation_warning.action_suspend": "Hesabınız askıya alındı.",
|
||||
"notification.own_poll": "Anketiniz sona erdi",
|
||||
"notification.poll": "Oy verdiğiniz bir anket sona erdi",
|
||||
"notification.reblog": "{name} gönderini yeniden paylaştı",
|
||||
|
|
|
|||
|
|
@ -308,6 +308,8 @@
|
|||
"follow_requests.unlocked_explanation": "Mặc dù tài khoản của bạn đang ở chế độ công khai, quản trị viên của {domain} vẫn tin rằng bạn sẽ muốn xem lại yêu cầu theo dõi từ những người khác.",
|
||||
"follow_suggestions.curated_suggestion": "Gợi ý từ máy chủ",
|
||||
"follow_suggestions.dismiss": "Không hiện lại",
|
||||
"follow_suggestions.featured_longer": "Tuyển chọn bởi {domain}",
|
||||
"follow_suggestions.friends_of_friends_longer": "Nổi tiếng với những người mà bạn theo dõi",
|
||||
"follow_suggestions.hints.featured": "Người này được đội ngũ {domain} đề xuất.",
|
||||
"follow_suggestions.hints.friends_of_friends": "Người này nổi tiếng với những người bạn theo dõi.",
|
||||
"follow_suggestions.hints.most_followed": "Người này được theo dõi nhiều nhất trên {domain}.",
|
||||
|
|
@ -315,6 +317,8 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "Người này có nét giống những người mà bạn theo dõi gần đây.",
|
||||
"follow_suggestions.personalized_suggestion": "Gợi ý cá nhân hóa",
|
||||
"follow_suggestions.popular_suggestion": "Những người nổi tiếng",
|
||||
"follow_suggestions.popular_suggestion_longer": "Nổi tiếng trên {domain}",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "Tương tự những người mà bạn theo dõi gần đây",
|
||||
"follow_suggestions.view_all": "Xem tất cả",
|
||||
"follow_suggestions.who_to_follow": "Gợi ý theo dõi",
|
||||
"followed_tags": "Hashtag theo dõi",
|
||||
|
|
@ -469,6 +473,15 @@
|
|||
"notification.follow": "{name} theo dõi bạn",
|
||||
"notification.follow_request": "{name} yêu cầu theo dõi bạn",
|
||||
"notification.mention": "{name} nhắc đến bạn",
|
||||
"notification.moderation-warning.learn_more": "Tìm hiểu",
|
||||
"notification.moderation_warning": "Bạn đã nhận một cảnh báo kiểm duyệt",
|
||||
"notification.moderation_warning.action_delete_statuses": "Một vài tút của bạn bị gỡ.",
|
||||
"notification.moderation_warning.action_disable": "Tài khoản của bạn đã bị vô hiệu hóa.",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "Vài tút bạn bị đánh dấu nhạy cảm.",
|
||||
"notification.moderation_warning.action_none": "Bạn đã nhận một cảnh báo kiểm duyệt.",
|
||||
"notification.moderation_warning.action_sensitive": "Tút của bạn sẽ bị đánh dấu nhạy cảm kể từ bây giờ.",
|
||||
"notification.moderation_warning.action_silence": "Tài khoản của bạn đã bị hạn chế.",
|
||||
"notification.moderation_warning.action_suspend": "Tài khoản của bạn đã bị vô hiệu hóa.",
|
||||
"notification.own_poll": "Cuộc bình chọn của bạn đã kết thúc",
|
||||
"notification.poll": "Cuộc bình chọn đã kết thúc",
|
||||
"notification.reblog": "{name} đăng lại tút của bạn",
|
||||
|
|
|
|||
|
|
@ -308,6 +308,8 @@
|
|||
"follow_requests.unlocked_explanation": "即使您的帳號未上鎖,{domain} 的工作人員認為您可能會想手動審核來自這些帳號的追蹤請求。",
|
||||
"follow_suggestions.curated_suggestion": "編輯精選",
|
||||
"follow_suggestions.dismiss": "不再顯示",
|
||||
"follow_suggestions.featured_longer": "{domain} 團隊精選",
|
||||
"follow_suggestions.friends_of_friends_longer": "受你的追蹤對象歡迎",
|
||||
"follow_suggestions.hints.featured": "這個人檔案是由 {domain} 團隊精挑細選。",
|
||||
"follow_suggestions.hints.friends_of_friends": "這個人檔案在你追蹤的人當中很受歡迎。",
|
||||
"follow_suggestions.hints.most_followed": "這個人檔案是在 {domain} 上最多追蹤之一。",
|
||||
|
|
@ -315,6 +317,8 @@
|
|||
"follow_suggestions.hints.similar_to_recently_followed": "這個人檔案與你最近追蹤的類似。",
|
||||
"follow_suggestions.personalized_suggestion": "個人化推薦",
|
||||
"follow_suggestions.popular_suggestion": "熱門推薦",
|
||||
"follow_suggestions.popular_suggestion_longer": "{domain} 熱門",
|
||||
"follow_suggestions.similar_to_recently_followed_longer": "與你最近追蹤的帳號相似",
|
||||
"follow_suggestions.view_all": "查看所有",
|
||||
"follow_suggestions.who_to_follow": "追蹤對象",
|
||||
"followed_tags": "已追蹤標籤",
|
||||
|
|
@ -469,6 +473,15 @@
|
|||
"notification.follow": "{name} 開始追蹤你",
|
||||
"notification.follow_request": "{name} 要求追蹤你",
|
||||
"notification.mention": "{name} 提及你",
|
||||
"notification.moderation-warning.learn_more": "了解更多",
|
||||
"notification.moderation_warning": "你收到一則審核警告",
|
||||
"notification.moderation_warning.action_delete_statuses": "你的部份帖文已被刪除。",
|
||||
"notification.moderation_warning.action_disable": "你的帳號已被停用。",
|
||||
"notification.moderation_warning.action_mark_statuses_as_sensitive": "你某些帖文已被標記為敏感內容。",
|
||||
"notification.moderation_warning.action_none": "你的帳號收到一則審核警告。",
|
||||
"notification.moderation_warning.action_sensitive": "從現在起,你的帖文將被標記為敏感內容。",
|
||||
"notification.moderation_warning.action_silence": "你的帳號已受到限制。",
|
||||
"notification.moderation_warning.action_suspend": "你的帳號已被停權。",
|
||||
"notification.own_poll": "你的投票已結束",
|
||||
"notification.poll": "你參與過的一個投票已經結束",
|
||||
"notification.reblog": "{name} 轉推你的文章",
|
||||
|
|
|
|||
Loading…
Add table
Add a link
Reference in a new issue