mirror of
https://framagit.org/tykayn/mastodon.git
synced 2023-08-25 08:33:12 +02:00
Add relationship manager UI (#10268)
This commit is contained in:
parent
8da5b8e669
commit
1c113fd72d
98
app/controllers/relationships_controller.rb
Normal file
98
app/controllers/relationships_controller.rb
Normal file
@ -0,0 +1,98 @@
|
||||
# frozen_string_literal: true
|
||||
|
||||
class RelationshipsController < ApplicationController
|
||||
layout 'admin'
|
||||
|
||||
before_action :authenticate_user!
|
||||
before_action :set_accounts, only: :show
|
||||
before_action :set_body_classes
|
||||
|
||||
helper_method :following_relationship?, :followed_by_relationship?, :mutual_relationship?
|
||||
|
||||
def show
|
||||
@form = Form::AccountBatch.new
|
||||
end
|
||||
|
||||
def update
|
||||
@form = Form::AccountBatch.new(form_account_batch_params.merge(current_account: current_account, action: action_from_button))
|
||||
@form.save
|
||||
rescue ActionController::ParameterMissing
|
||||
# Do nothing
|
||||
ensure
|
||||
redirect_to relationships_path(current_params)
|
||||
end
|
||||
|
||||
private
|
||||
|
||||
def set_accounts
|
||||
@accounts = relationships_scope.page(params[:page]).per(40)
|
||||
end
|
||||
|
||||
def relationships_scope
|
||||
scope = begin
|
||||
if following_relationship?
|
||||
current_account.following.includes(:account_stat)
|
||||
else
|
||||
current_account.followers.includes(:account_stat)
|
||||
end
|
||||
end
|
||||
|
||||
scope.merge!(Follow.recent)
|
||||
scope.merge!(mutual_relationship_scope) if mutual_relationship?
|
||||
scope.merge!(abandoned_account_scope) if params[:status] == 'abandoned'
|
||||
scope.merge!(active_account_scope) if params[:status] == 'active'
|
||||
scope.merge!(by_domain_scope) if params[:by_domain].present?
|
||||
|
||||
scope
|
||||
end
|
||||
|
||||
def mutual_relationship_scope
|
||||
Account.where(id: current_account.following)
|
||||
end
|
||||
|
||||
def abandoned_account_scope
|
||||
Account.where.not(moved_to_account_id: nil)
|
||||
end
|
||||
|
||||
def active_account_scope
|
||||
Account.where(moved_to_account_id: nil)
|
||||
end
|
||||
|
||||
def by_domain_scope
|
||||
Account.where(domain: params[:by_domain])
|
||||
end
|
||||
|
||||
def form_account_batch_params
|
||||
params.require(:form_account_batch).permit(:action, account_ids: [])
|
||||
end
|
||||
|
||||
def following_relationship?
|
||||
params[:relationship].blank? || params[:relationship] == 'following'
|
||||
end
|
||||
|
||||
def mutual_relationship?
|
||||
params[:relationship] == 'mutual'
|
||||
end
|
||||
|
||||
def followed_by_relationship?
|
||||
params[:relationship] == 'followed_by'
|
||||
end
|
||||
|
||||
def current_params
|
||||
params.slice(:page, :status, :relationship, :by_domain).permit(:page, :status, :relationship, :by_domain)
|
||||
end
|
||||
|
||||
def action_from_button
|
||||
if params[:unfollow]
|
||||
'unfollow'
|
||||
elsif params[:remove_from_followers]
|
||||
'remove_from_followers'
|
||||
elsif params[:block_domains]
|
||||
'block_domains'
|
||||
end
|
||||
end
|
||||
|
||||
def set_body_classes
|
||||
@body_classes = 'admin'
|
||||
end
|
||||
end
|
@ -1,28 +0,0 @@
|
||||
# frozen_string_literal: true
|
||||
|
||||
class Settings::FollowerDomainsController < Settings::BaseController
|
||||
layout 'admin'
|
||||
|
||||
before_action :authenticate_user!
|
||||
|
||||
def show
|
||||
@account = current_account
|
||||
@domains = current_account.followers.reorder(Arel.sql('MIN(follows.id) DESC')).group('accounts.domain').select('accounts.domain, count(accounts.id) as accounts_from_domain').page(params[:page]).per(10)
|
||||
end
|
||||
|
||||
def update
|
||||
domains = bulk_params[:select] || []
|
||||
|
||||
AfterAccountDomainBlockWorker.push_bulk(domains) do |domain|
|
||||
[current_account.id, domain]
|
||||
end
|
||||
|
||||
redirect_to settings_follower_domains_path, notice: I18n.t('followers.success', count: domains.size)
|
||||
end
|
||||
|
||||
private
|
||||
|
||||
def bulk_params
|
||||
params.permit(select: [])
|
||||
end
|
||||
end
|
@ -7,8 +7,9 @@ module Admin::FilterHelper
|
||||
CUSTOM_EMOJI_FILTERS = %i(local remote by_domain shortcode).freeze
|
||||
TAGS_FILTERS = %i(hidden).freeze
|
||||
INSTANCES_FILTERS = %i(limited by_domain).freeze
|
||||
FOLLOWERS_FILTERS = %i(relationship status by_domain).freeze
|
||||
|
||||
FILTERS = ACCOUNT_FILTERS + REPORT_FILTERS + INVITE_FILTER + CUSTOM_EMOJI_FILTERS + TAGS_FILTERS + INSTANCES_FILTERS
|
||||
FILTERS = ACCOUNT_FILTERS + REPORT_FILTERS + INVITE_FILTER + CUSTOM_EMOJI_FILTERS + TAGS_FILTERS + INSTANCES_FILTERS + FOLLOWERS_FILTERS
|
||||
|
||||
def filter_link_to(text, link_to_params, link_class_params = link_to_params)
|
||||
new_url = filtered_url_for(link_to_params)
|
||||
|
@ -140,6 +140,15 @@ a.table-action-link {
|
||||
input {
|
||||
margin-top: 8px;
|
||||
}
|
||||
|
||||
&--aligned {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
|
||||
input {
|
||||
margin-top: 0;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
&__actions,
|
||||
@ -183,6 +192,10 @@ a.table-action-link {
|
||||
&__content {
|
||||
padding-top: 12px;
|
||||
padding-bottom: 16px;
|
||||
|
||||
&--unpadded {
|
||||
padding: 0;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@ -197,4 +210,10 @@ a.table-action-link {
|
||||
font-weight: 700;
|
||||
}
|
||||
}
|
||||
|
||||
.nothing-here {
|
||||
border: 1px solid darken($ui-base-color, 8%);
|
||||
border-top: 0;
|
||||
box-shadow: none;
|
||||
}
|
||||
}
|
||||
|
60
app/models/form/account_batch.rb
Normal file
60
app/models/form/account_batch.rb
Normal file
@ -0,0 +1,60 @@
|
||||
# frozen_string_literal: true
|
||||
|
||||
class Form::AccountBatch
|
||||
include ActiveModel::Model
|
||||
|
||||
attr_accessor :account_ids, :action, :current_account
|
||||
|
||||
def save
|
||||
case action
|
||||
when 'unfollow'
|
||||
unfollow!
|
||||
when 'remove_from_followers'
|
||||
remove_from_followers!
|
||||
when 'block_domains'
|
||||
block_domains!
|
||||
end
|
||||
end
|
||||
|
||||
private
|
||||
|
||||
def unfollow!
|
||||
accounts.find_each do |target_account|
|
||||
UnfollowService.new.call(current_account, target_account)
|
||||
end
|
||||
end
|
||||
|
||||
def remove_from_followers!
|
||||
current_account.passive_relationships.where(account_id: account_ids).find_each do |follow|
|
||||
reject_follow!(follow)
|
||||
end
|
||||
end
|
||||
|
||||
def block_domains!
|
||||
AfterAccountDomainBlockWorker.push_bulk(account_domains) do |domain|
|
||||
[current_account.id, domain]
|
||||
end
|
||||
end
|
||||
|
||||
def account_domains
|
||||
accounts.pluck(Arel.sql('distinct domain')).compact
|
||||
end
|
||||
|
||||
def accounts
|
||||
Account.where(id: account_ids)
|
||||
end
|
||||
|
||||
def reject_follow!(follow)
|
||||
follow.destroy
|
||||
|
||||
return unless follow.account.activitypub?
|
||||
|
||||
json = ActiveModelSerializers::SerializableResource.new(
|
||||
follow,
|
||||
serializer: ActivityPub::RejectFollowSerializer,
|
||||
adapter: ActivityPub::Adapter
|
||||
).to_json
|
||||
|
||||
ActivityPub::DeliveryWorker.perform_async(json, current_account.id, follow.account.inbox_url)
|
||||
end
|
||||
end
|
20
app/views/relationships/_account.html.haml
Normal file
20
app/views/relationships/_account.html.haml
Normal file
@ -0,0 +1,20 @@
|
||||
.batch-table__row
|
||||
%label.batch-table__row__select.batch-table__row__select--aligned.batch-checkbox
|
||||
= f.check_box :account_ids, { multiple: true, include_hidden: false }, account.id
|
||||
.batch-table__row__content.batch-table__row__content--unpadded
|
||||
%table.accounts-table
|
||||
%tbody
|
||||
%tr
|
||||
%td= account_link_to account
|
||||
%td.accounts-table__count.optional
|
||||
= number_to_human account.statuses_count, strip_insignificant_zeros: true
|
||||
%small= t('accounts.posts', count: account.statuses_count).downcase
|
||||
%td.accounts-table__count.optional
|
||||
= number_to_human account.followers_count, strip_insignificant_zeros: true
|
||||
%small= t('accounts.followers', count: account.followers_count).downcase
|
||||
%td.accounts-table__count
|
||||
- if account.last_status_at.present?
|
||||
%time.time-ago{ datetime: account.last_status_at.iso8601, title: l(account.last_status_at) }= l account.last_status_at
|
||||
- else
|
||||
\-
|
||||
%small= t('accounts.last_active')
|
43
app/views/relationships/show.html.haml
Normal file
43
app/views/relationships/show.html.haml
Normal file
@ -0,0 +1,43 @@
|
||||
- content_for :page_title do
|
||||
= t('settings.relationships')
|
||||
|
||||
- content_for :header_tags do
|
||||
= javascript_pack_tag 'admin', integrity: true, async: true, crossorigin: 'anonymous'
|
||||
|
||||
.filters
|
||||
.filter-subset
|
||||
%strong= t 'relationships.relationship'
|
||||
%ul
|
||||
%li= filter_link_to t('accounts.following', count: current_account.following_count), relationship: nil
|
||||
%li= filter_link_to t('accounts.followers', count: current_account.followers_count), relationship: 'followed_by'
|
||||
%li= filter_link_to t('relationships.mutual'), relationship: 'mutual'
|
||||
|
||||
.filter-subset
|
||||
%strong= t 'relationships.status'
|
||||
%ul
|
||||
%li= filter_link_to t('generic.all'), status: nil
|
||||
%li= filter_link_to t('relationships.active'), status: 'active'
|
||||
%li= filter_link_to t('relationships.abandoned'), status: 'abandoned'
|
||||
|
||||
= form_for(@form, url: relationships_path, method: :patch) do |f|
|
||||
= hidden_field_tag :page, params[:page] || 1
|
||||
= hidden_field_tag :relationship, params[:relationship]
|
||||
= hidden_field_tag :status, params[:status]
|
||||
|
||||
.batch-table
|
||||
.batch-table__toolbar
|
||||
%label.batch-table__toolbar__select.batch-checkbox-all
|
||||
= check_box_tag :batch_checkbox_all, nil, false
|
||||
.batch-table__toolbar__actions
|
||||
= f.button safe_join([fa_icon('user-times'), t('relationships.remove_selected_follows')]), name: :unfollow, class: 'table-action-link', type: :submit, data: { confirm: t('admin.reports.are_you_sure') } unless followed_by_relationship?
|
||||
|
||||
= f.button safe_join([fa_icon('trash'), t('relationships.remove_selected_followers')]), name: :remove_from_followers, class: 'table-action-link', type: :submit, data: { confirm: t('admin.reports.are_you_sure') } unless following_relationship?
|
||||
|
||||
= f.button safe_join([fa_icon('trash'), t('relationships.remove_selected_domains')]), name: :block_domains, class: 'table-action-link', type: :submit, data: { confirm: t('admin.reports.are_you_sure') } if followed_by_relationship?
|
||||
.batch-table__body
|
||||
- if @accounts.empty?
|
||||
= nothing_here 'nothing-here--under-tabs'
|
||||
- else
|
||||
= render partial: 'account', collection: @accounts, locals: { f: f }
|
||||
|
||||
= paginate @accounts
|
@ -1,34 +0,0 @@
|
||||
- content_for :page_title do
|
||||
= t('settings.followers')
|
||||
|
||||
= form_tag settings_follower_domains_path, method: :patch, class: 'table-form' do
|
||||
- unless @account.locked?
|
||||
.warning
|
||||
%strong
|
||||
= fa_icon('warning')
|
||||
= t('followers.unlocked_warning_title')
|
||||
= t('followers.unlocked_warning_html', lock_link: link_to(t('followers.lock_link'), settings_profile_url))
|
||||
|
||||
%p= t('followers.explanation_html')
|
||||
%p= t('followers.true_privacy_html')
|
||||
|
||||
.table-wrapper
|
||||
%table.table
|
||||
%thead
|
||||
%tr
|
||||
%th
|
||||
%th= t('followers.domain')
|
||||
%th= t('followers.followers_count')
|
||||
%tbody
|
||||
- @domains.each do |domain|
|
||||
%tr
|
||||
%td
|
||||
= check_box_tag 'select[]', domain.domain, false, disabled: !@account.locked? unless domain.domain.nil?
|
||||
%td
|
||||
%samp= domain.domain.presence || Rails.configuration.x.local_domain
|
||||
%td= number_with_delimiter domain.accounts_from_domain
|
||||
|
||||
.action-pagination
|
||||
.actions
|
||||
= button_tag t('followers.purge'), type: :submit, class: 'button', disabled: !@account.locked?
|
||||
= paginate @domains
|
@ -607,15 +607,6 @@ ar:
|
||||
title: عوامل التصفية
|
||||
new:
|
||||
title: إضافة عامل تصفية جديد
|
||||
followers:
|
||||
domain: النطاق
|
||||
followers_count: عدد المتابِعين
|
||||
lock_link: قم بتجميد حسابك
|
||||
purge: تنحية من بين متابعيك
|
||||
success: جارية عملية حظر المتابِعين بسلاسة من %{count} نطاقات أخرى ...
|
||||
true_privacy_html: تذكر دائمًا أنّ <strong>الخصوصية التامة لا يمكن بلوغها إلّا بالتعمية و التشفير من طرف إلى آخَر</strong>.
|
||||
unlocked_warning_html: يمكن لأي كان متابعة حسابك و الإطلاع مباشرة على تبويقاتك. إستخدِم %{lock_link} لمُعاينة أو رفض طلبات المتابِعين الجُدُد.
|
||||
unlocked_warning_title: إنّ حسابك غير مقفل
|
||||
footer:
|
||||
developers: المطورون
|
||||
more: المزيد …
|
||||
@ -818,7 +809,6 @@ ar:
|
||||
development: التطوير
|
||||
edit_profile: تعديل الملف الشخصي
|
||||
export: تصدير البيانات
|
||||
followers: المتابِعون المُرَخّصون
|
||||
import: إستيراد
|
||||
migrate: تهجير الحساب
|
||||
notifications: الإخطارات
|
||||
|
@ -182,10 +182,6 @@ ast:
|
||||
title: Peñeres
|
||||
new:
|
||||
title: Amestar una peñera nueva
|
||||
followers:
|
||||
domain: Dominiu
|
||||
followers_count: Númberu de siguidores
|
||||
purge: Desaniciar de los siguidores
|
||||
generic:
|
||||
changes_saved_msg: "¡Los cambeos guardáronse con ésitu!"
|
||||
save_changes: Guardar cambeos
|
||||
@ -302,7 +298,6 @@ ast:
|
||||
back: Volver a Mastodon
|
||||
edit_profile: Edición del perfil
|
||||
export: Esportación de datos
|
||||
followers: Siguidores autorizaos
|
||||
import: Importación
|
||||
notifications: Avisos
|
||||
preferences: Preferencies
|
||||
|
@ -588,18 +588,6 @@ ca:
|
||||
title: Filtres
|
||||
new:
|
||||
title: Afegir nou filtre
|
||||
followers:
|
||||
domain: Domini
|
||||
explanation_html: Si desitges garantir la privacitat de les teves publicacions, has de ser conscient de qui t'està seguint. <strong> Les publicacions privades es lliuren a totes les instàncies on tens seguidors </strong>. És possible que vulguis revisar-los i eliminar seguidors si no confies en que la teva privacitat sigui respectada pel personal o el programari d'aquestes instàncies.
|
||||
followers_count: Nombre de seguidors
|
||||
lock_link: Bloca el teu compte
|
||||
purge: Elimina dels seguidors
|
||||
success:
|
||||
one: En el procés de bloqueig suau de seguidors d'un domini...
|
||||
other: En el procés de bloqueig suau de seguidors de %{count} dominis...
|
||||
true_privacy_html: Considera que <strong>la autèntica privacitat només es pot aconseguir amb xifratge d'extrem a extrem</strong>.
|
||||
unlocked_warning_html: Tothom pot seguir-te per a veure inmediatament les teves publicacions privades. %{lock_link} per poder revisar i rebutjar seguidors.
|
||||
unlocked_warning_title: El teu compte no està blocat
|
||||
footer:
|
||||
developers: Desenvolupadors
|
||||
more: Més…
|
||||
@ -785,7 +773,6 @@ ca:
|
||||
development: Desenvolupament
|
||||
edit_profile: Editar perfil
|
||||
export: Exportar informació
|
||||
followers: Seguidors autoritzats
|
||||
import: Importar
|
||||
migrate: Migració del compte
|
||||
notifications: Notificacions
|
||||
|
@ -593,18 +593,6 @@ co:
|
||||
title: Filtri
|
||||
new:
|
||||
title: Aghjustà un novu filtru
|
||||
followers:
|
||||
domain: Duminiu
|
||||
explanation_html: Per assicuravi di a cunfidenzialità di i vostri statuti, duvete avè primura di quale vi seguita. <strong>I vostri statuti privati sò mandati à tutti i servori induve avete abbunati</strong>. Pensate à u vostru livellu di cunfidenza in i so amministratori.
|
||||
followers_count: Numeru d’abbunati
|
||||
lock_link: Rendete u contu privatu
|
||||
purge: Toglie di a lista d’abbunati
|
||||
success:
|
||||
one: Suppressione di l’abbunati d’un duminiu...
|
||||
other: Suppressione di l’abbunati da %{count} duminii...
|
||||
true_privacy_html: Ùn vi scurdate chì <strong>una vera cunfidenzialità pò solu esse ottenuta cù crittografia da un capu à l’altru</strong>.
|
||||
unlocked_warning_html: Tuttu u mondu pò seguitavi è vede i vostri statuti privati. %{lock_link} per pudè cunfirmà o righjittà abbunamenti.
|
||||
unlocked_warning_title: U vostru contu hè pubblicu
|
||||
footer:
|
||||
developers: Sviluppatori
|
||||
more: Di più…
|
||||
@ -807,7 +795,6 @@ co:
|
||||
edit_profile: Mudificà u prufile
|
||||
export: Spurtazione d’infurmazione
|
||||
featured_tags: Hashtag in vista
|
||||
followers: Abbunati auturizati
|
||||
import: Impurtazione
|
||||
migrate: Migrazione di u contu
|
||||
notifications: Nutificazione
|
||||
|
@ -628,19 +628,6 @@ cs:
|
||||
title: Filtry
|
||||
new:
|
||||
title: Přidat nový filtr
|
||||
followers:
|
||||
domain: Doména
|
||||
explanation_html: Chcete-li zaručit soukromí vašich tootů, musíte mít na vědomí, kdo vás sleduje. <strong>Vaše soukromé tooty jsou doručeny na všechny servery, kde máte sledující</strong>. Nejspíš si je budete chtít zkontrolovat a odstranit sledující na serverech, jejichž provozovatelům či softwaru nedůvěřujete s respektováním vašeho soukromí.
|
||||
followers_count: Počet sledujících
|
||||
lock_link: Uzamkněte svůj účet
|
||||
purge: Odstranit ze sledujících
|
||||
success:
|
||||
few: V průběhu blokování sledujících ze %{count} domén...
|
||||
one: V průběhu blokování sledujících z jedné domény...
|
||||
other: V průběhu blokování sledujících z %{count} domén...
|
||||
true_privacy_html: Berte prosím na vědomí, že <strong>skutečného soukromí se dá dosáhnout pouze za pomoci end-to-end šifrování</strong>.
|
||||
unlocked_warning_html: Kdokoliv vás může sledovat a okamžitě vidět vaše soukromé tooty. %{lock_link}, abyste mohl/a kontrolovat a odmítat sledující.
|
||||
unlocked_warning_title: Váš účet není uzamčen
|
||||
footer:
|
||||
developers: Vývojáři
|
||||
more: Více…
|
||||
@ -846,7 +833,6 @@ cs:
|
||||
edit_profile: Upravit profil
|
||||
export: Export dat
|
||||
featured_tags: Zvýrazněné hashtagy
|
||||
followers: Autorizovaní sledující
|
||||
import: Import
|
||||
migrate: Přesunutí účtu
|
||||
notifications: Oznámení
|
||||
|
@ -614,22 +614,6 @@ cy:
|
||||
title: Hidlyddion
|
||||
new:
|
||||
title: Ychwanegu hidlydd newydd
|
||||
followers:
|
||||
domain: Parth
|
||||
explanation_html: Os ydych am sicrhau preifatrwydd eich tŵtiau, rhaid i chi fod yn ymwybodol o bwy sy'n eich dilyn. <strong>Mae eich tŵtiau preifat yn cael eu hanfon at bob achos lle mae gennych ddilynwyr</strong>. Efallai hoffech chi i'w hadolygu o bryd i'w gilydd, a chael gwared ar ddilynwyr os nad ydych yn credu i'r staff neu'r meddalwedd ar yr achosion hynny barchu eich preifatrwydd.
|
||||
followers_count: Nifer y dilynwyr
|
||||
lock_link: Cloi eich cyfrif
|
||||
purge: Dileu o dilynwyr
|
||||
success:
|
||||
few: Yn y broses o ysgafn-flocio defnyddwyr o %{count} parth...
|
||||
many: Yn y broses o ysgafn-flocio defnyddwyr o %{count} parth...
|
||||
one: Yn y broses o ysgafn-flocio dilynwyr o un parth...
|
||||
other: Yn y broses o ysgafn-flocio defnyddwyr o %{count} parth...
|
||||
two: Yn y broses o ysgafn-flocio defnyddwyr o %{count} parth...
|
||||
zero: Yn y broses o ysgafn-flocio defnyddwyr o %{count} parth...
|
||||
true_privacy_html: Cofiwch <strong>mai ond amgryptio pen-i-ben all sicrhau gwir breifatrwydd</strong>.
|
||||
unlocked_warning_html: Gall unrhywun eich dilyn yn syth i weld eich tŵtiau preifat. %{lock_link} i gael adolygu a gwrthod dilynwyr.
|
||||
unlocked_warning_title: Nid yw eich cyfrif wedi ei gloi
|
||||
footer:
|
||||
developers: Datblygwyr
|
||||
more: Mwy…
|
||||
@ -815,7 +799,6 @@ cy:
|
||||
development: Datblygu
|
||||
edit_profile: Golygu proffil
|
||||
export: Allforio data
|
||||
followers: Dilynwyr awdurdodedig
|
||||
import: Mewnforio
|
||||
migrate: Mudo cyfrif
|
||||
notifications: Hysbysiadau
|
||||
|
@ -526,18 +526,6 @@ da:
|
||||
title: Filtrer
|
||||
new:
|
||||
title: Tilføj nyt filter
|
||||
followers:
|
||||
domain: Domæne
|
||||
explanation_html: Hvis du vil sikre dig privatliv over dine statusser, skal du være klar over hvem der følger dig. <strong>Dine private statusser leveres til alle instanser som du har følger fra</strong>. Det kan være en ide at gennemgå dem, og fjerne følgere hvis du ikke føler dit privatliv respekteres af personalet eller software fra disse instanser.
|
||||
followers_count: Antal følgere
|
||||
lock_link: Lås din konto
|
||||
purge: Fjern fra følgere
|
||||
success:
|
||||
one: I gang med at soft-blokere følgere fra et domæne...
|
||||
other: I gang med at soft-blokere følgere fra %{count} domæner...
|
||||
true_privacy_html: Husk på, at <strong>sand privatliv kan kun opnås via end-to-end kryptering</strong>.
|
||||
unlocked_warning_html: Alle kan følge dig med det samme for at se dine private statusser. %{lock_link} for at være i stand til at gennemse og afvise følgere.
|
||||
unlocked_warning_title: Din konto er ikke låst
|
||||
footer:
|
||||
developers: Udviklere
|
||||
more: Mere…
|
||||
@ -708,7 +696,6 @@ da:
|
||||
development: Udvikling
|
||||
edit_profile: Rediger profil
|
||||
export: Data eksportering
|
||||
followers: Godkendte følgere
|
||||
import: Importer
|
||||
migrate: Konto migrering
|
||||
notifications: Notifikationer
|
||||
|
@ -592,18 +592,6 @@ de:
|
||||
title: Filter
|
||||
new:
|
||||
title: Neuen Filter hinzufügen
|
||||
followers:
|
||||
domain: Instanz
|
||||
explanation_html: Wenn du sicherstellen willst, dass deine Beiträge privat sind, musst du wissen, wer dir folgt. <strong>Deine privaten Beiträge werden an alle Server weitergegeben, auf denen Menschen registriert sind, die dir folgen.</strong> Wenn du den Betreibenden eines Servers misstraust und du befürchtest, dass sie deine Privatsphäre missachten könnten, kannst du sie hier entfernen.
|
||||
followers_count: Zahl der Folgenden
|
||||
lock_link: dein Konto sperrst
|
||||
purge: Von der Liste deiner Folgenden löschen
|
||||
success:
|
||||
one: Folgende von einer Domain werden soft-geblockt …
|
||||
other: Folgende von %{count} Domains werden soft-geblockt …
|
||||
true_privacy_html: Bitte beachte, dass <strong>wirklicher Schutz deiner Privatsphäre nur durch Ende-zu-Ende-Verschlüsselung erreicht werden kann.</strong>.
|
||||
unlocked_warning_html: Wer dir folgen will, kann dies jederzeit ohne deine vorige Einverständnis tun und erhält damit automatisch Zugriff auf deine privaten Beiträge. Wenn du %{lock_link}, kannst du vorab entscheiden, wer dir folgen darf und wer nicht.
|
||||
unlocked_warning_title: Dein Konto ist nicht gesperrt
|
||||
footer:
|
||||
developers: Entwickler
|
||||
more: Mehr…
|
||||
@ -796,7 +784,6 @@ de:
|
||||
edit_profile: Profil bearbeiten
|
||||
export: Datenexport
|
||||
featured_tags: Empfohlene Hashtags
|
||||
followers: Autorisierte Folgende
|
||||
import: Datenimport
|
||||
migrate: Konto-Umzug
|
||||
notifications: Benachrichtigungen
|
||||
|
@ -593,18 +593,6 @@ el:
|
||||
title: Φίλτρα
|
||||
new:
|
||||
title: Πρόσθεσε νέο φίλτρο
|
||||
followers:
|
||||
domain: Τομέας
|
||||
explanation_html: Αν θέλεις να διασφαλίσεις την ιδιωτικότητα των ενημερώσεών σου, πρέπει να ξέρεις ποιος σε ακολουθεί. <strong>Οι ιδιωτικές ενημερώσεις σου μεταφέρονται σε όλους τους κόμβους στους οποίους έχεις ακόλουθους</strong>. Ίσως να θέλεις να κάνεις μια ανασκόπηση σε αυτούς και να αφαιρέσεις ακολούθους αν δεν εμπιστεύεσαι το προσωπικό αυτών των κόμβων πως θα σεβαστούν την ιδιωτικότητά σου.
|
||||
followers_count: Πλήθος ακολούθων
|
||||
lock_link: Κλείδωσε το λογαριασμό σου
|
||||
purge: Αφαίρεσε από ακόλουθο
|
||||
success:
|
||||
one: Ημι-μπλοκάροντας τους ακόλουθους από έναν τομέα...
|
||||
other: Ημι-μπλοκάροντας τους ακόλουθους από %{count} τομείς...
|
||||
true_privacy_html: Έχε υπ' όψιν σου πως <strong>η πραγματική ιδιωτικότητα επιτυγχάνεται μόνο με κρυπτογράφηση από άκρη σε άκρη</strong>.
|
||||
unlocked_warning_html: Μπορεί ο οποιοσδήποτε να σε ακολουθήσει και να βλέπει κατευθείαν τις ιδιωτικές ενημερώσεις σου. %{lock_link} για να αναθεωρήσεις και απορρίψεις ακόλουθους.
|
||||
unlocked_warning_title: Ο λογαριασμός σου δεν είναι κλειδωμένος
|
||||
footer:
|
||||
developers: Ανάπτυξη
|
||||
more: Περισσότερα…
|
||||
@ -806,7 +794,6 @@ el:
|
||||
edit_profile: Επεξεργασία προφίλ
|
||||
export: Εξαγωγή δεδομένων
|
||||
featured_tags: Χαρακτηριστικές ταμπέλες
|
||||
followers: Εγκεκριμένοι ακόλουθοι
|
||||
import: Εισαγωγή
|
||||
migrate: Μετακόμιση λογαριασμού
|
||||
notifications: Ειδοποιήσεις
|
||||
|
@ -621,23 +621,12 @@ en:
|
||||
title: Filters
|
||||
new:
|
||||
title: Add new filter
|
||||
followers:
|
||||
domain: Domain
|
||||
explanation_html: If you want to ensure the privacy of your statuses, you must be aware of who is following you. <strong>Your private statuses are delivered to all servers where you have followers</strong>. You may wish to review them, and remove followers if you do not trust your privacy to be respected by the staff or software of those servers.
|
||||
followers_count: Number of followers
|
||||
lock_link: Lock your account
|
||||
purge: Remove from followers
|
||||
success:
|
||||
one: In the process of soft-blocking followers from one domain...
|
||||
other: In the process of soft-blocking followers from %{count} domains...
|
||||
true_privacy_html: Please mind that <strong>true privacy can only be achieved with end-to-end encryption</strong>.
|
||||
unlocked_warning_html: Anyone can follow you to immediately view your private statuses. %{lock_link} to be able to review and reject followers.
|
||||
unlocked_warning_title: Your account is not locked
|
||||
footer:
|
||||
developers: Developers
|
||||
more: More…
|
||||
resources: Resources
|
||||
generic:
|
||||
all: All
|
||||
changes_saved_msg: Changes successfully saved!
|
||||
copy: Copy
|
||||
save_changes: Save changes
|
||||
@ -761,6 +750,15 @@ en:
|
||||
other: Other
|
||||
publishing: Publishing
|
||||
web: Web
|
||||
relationships:
|
||||
abandoned: Abandoned
|
||||
active: Active
|
||||
mutual: Mutual
|
||||
relationship: Relationship
|
||||
remove_selected_domains: Remove all followers from the selected domains
|
||||
remove_selected_followers: Remove selected followers
|
||||
remove_selected_follows: Unfollow selected users
|
||||
status: Account status
|
||||
remote_follow:
|
||||
acct: Enter your username@domain you want to act from
|
||||
missing_resource: Could not find the required redirect URL for your account
|
||||
@ -835,11 +833,11 @@ en:
|
||||
edit_profile: Edit profile
|
||||
export: Data export
|
||||
featured_tags: Featured hashtags
|
||||
followers: Authorized followers
|
||||
import: Import
|
||||
migrate: Account migration
|
||||
notifications: Notifications
|
||||
preferences: Preferences
|
||||
relationships: Follows and followers
|
||||
settings: Settings
|
||||
two_factor_authentication: Two-factor Auth
|
||||
your_apps: Your applications
|
||||
|
@ -595,18 +595,6 @@ eo:
|
||||
title: Filtriloj
|
||||
new:
|
||||
title: Aldoni novan filtrilon
|
||||
followers:
|
||||
domain: Domajno
|
||||
explanation_html: Se vi volas esti certa pri la privateco de viaj mesaĝoj, vi bezonas esti atenta pri tiuj, kiuj sekvas vin. <strong>Viaj privataj mesaĝoj estas liveritaj al ĉiuj serviloj, kie vi havas sekvantojn</strong>. Eble vi ŝatus kontroli ilin, kaj forigi la sekvantojn de la serviloj, kie vi ne certas ĉu via privateco estos respektita de la tiea teamo aŭ programo.
|
||||
followers_count: Nombro de sekvantoj
|
||||
lock_link: Ŝlosu vian konton
|
||||
purge: Forigi el la sekvantoj
|
||||
success:
|
||||
one: Forigado de sekvantoj el iu domajno...
|
||||
other: Forigado de sekvantoj el %{count} domajnoj...
|
||||
true_privacy_html: Bonvolu atenti, ke <strong>vera privateco povas esti atingita nur per ĉifrado de komenco al fino</strong>.
|
||||
unlocked_warning_html: Iu ajn povas eksekvi vin por tuj vidi viajn privatajn mesaĝojn. %{lock_link} por povi akcepti kaj rifuzi petojn de sekvado.
|
||||
unlocked_warning_title: Via konto ne estas ŝlosita
|
||||
footer:
|
||||
developers: Programistoj
|
||||
more: Pli…
|
||||
@ -799,7 +787,6 @@ eo:
|
||||
edit_profile: Redakti profilon
|
||||
export: Eksporti datumojn
|
||||
featured_tags: Elstarigitaj kradvortoj
|
||||
followers: Rajtigitaj sekvantoj
|
||||
import: Importi
|
||||
migrate: Konta migrado
|
||||
notifications: Sciigoj
|
||||
|
@ -529,18 +529,6 @@ es:
|
||||
title: Filtros
|
||||
new:
|
||||
title: Añadir un nuevo filtro
|
||||
followers:
|
||||
domain: Dominio
|
||||
explanation_html: Si deseas asegurar la privacidad de tus estados, tienes que cuidarte de quién te sigue. <strong>Tus estados privados son enviados a todas las instancias de tus seguidores</strong>. Puede que desees revisarlas, y remover seguidores si no confías en tu privacidad para ser respetado por el staff o software de esas instancias.
|
||||
followers_count: Número de seguidores
|
||||
lock_link: Bloquear tu cuenta
|
||||
purge: Remover de los seguidores
|
||||
success:
|
||||
one: En el proceso de bloquear suavemente usuarios de un solo dominio...
|
||||
other: En el proceso de bloquear suavemente usuarios de %{count} dominios...
|
||||
true_privacy_html: Por favor ten en cuenta que <strong>la verdadera privacidad se consigue con encriptación de punto a punto</strong>.
|
||||
unlocked_warning_html: Todos pueden seguirte para ver tus estados privados inmediatamente. %{lock_link} para poder chequear y rechazar seguidores.
|
||||
unlocked_warning_title: Tu cuenta no está bloqueada
|
||||
footer:
|
||||
developers: Desarrolladores
|
||||
more: Mas…
|
||||
@ -711,7 +699,6 @@ es:
|
||||
development: Desarrollo
|
||||
edit_profile: Editar perfil
|
||||
export: Exportar información
|
||||
followers: Seguidores autorizados
|
||||
import: Importar
|
||||
migrate: Migración de cuenta
|
||||
notifications: Notificaciones
|
||||
|
@ -592,18 +592,6 @@ eu:
|
||||
title: Iragazkiak
|
||||
new:
|
||||
title: Gehitu iragazki berria
|
||||
followers:
|
||||
domain: Domeinua
|
||||
explanation_html: Zure mezuen pribatutasuna bermatu nahi baduzu, nork jarraitzen zaituen jakin behar duzu. <strong>Zure mezu pribatuak zure jarraitzaileak dituzten zerbitzari guztietara bidaltzen dira</strong>. Zerbitzari bateko langileek edo softwareak zure pribatutasunari dagokion begirunea ez dutela izango uste baduzu, berrikusi eta kendu jarraitzaileak.
|
||||
followers_count: Jarraitzaile kopurua
|
||||
lock_link: Giltzapetu zure kontua
|
||||
purge: Kendu jarraitzaileetatik
|
||||
success:
|
||||
one: Domeinu bateko jarraitzaileei blokeo leuna ezartzen...
|
||||
other: "%{count} domeinuetako jarraitzaileei blokeo leuna ezartzen..."
|
||||
true_privacy_html: Kontuan izan <strong>egiazko pribatutasuna lortzeko muturretik muturrerako zifratzea ezinbestekoa dela</strong>.
|
||||
unlocked_warning_html: Edonork jarraitu zaitzake eta berehala zure mezu pribatuak ikusi. %{lock_link} jarraitzaileak berrikusi eta ukatu ahal izateko.
|
||||
unlocked_warning_title: Zure kontua ez dago giltzapetuta
|
||||
footer:
|
||||
developers: Garatzaileak
|
||||
more: Gehiago…
|
||||
@ -796,7 +784,6 @@ eu:
|
||||
edit_profile: Aldatu profila
|
||||
export: Datuen esportazioa
|
||||
featured_tags: Nabarmendutako traolak
|
||||
followers: Baimendutako jarraitzaileak
|
||||
import: Inportazioa
|
||||
migrate: Kontuaren migrazioa
|
||||
notifications: Jakinarazpenak
|
||||
|
@ -593,18 +593,6 @@ fa:
|
||||
title: فیلترها
|
||||
new:
|
||||
title: افزودن فیلتر تازه
|
||||
followers:
|
||||
domain: دامین
|
||||
explanation_html: اگر میخواهید از خصوصیبودن نوشتههای خود مطمئن شوید، باید بدانید که چه کسانی پیگیر شما هستند. <strong>نوشتههای خصوصی شما به همهٔ سرورهایی که در آنها پیگیر دارید فرستاده میشود</strong>. شاید بخواهید این سرورها را بررسی کنید، و اگر به مسئولان یا نرمافزارهای آنها در رعایت حریم خصوصی خود اعتماد ندارید، میتوانید آنها را حذف کنید.
|
||||
followers_count: تعداد پیگیران
|
||||
lock_link: حساب خود را خصوصی کنید
|
||||
purge: برداشتن پیگیری
|
||||
success:
|
||||
one: در حال انجام مسدودسازی نرم روی کاربران یک دامین...
|
||||
other: در حال انجام مسدودسازی نرم روی کاربران %{count} دامین...
|
||||
true_privacy_html: لطفاً بدانید که <strong>داشتن حریم خصوصی واقعی تنها با رمزگذاری سرتاسر (end-to-end encryption) ممکن است</strong>.
|
||||
unlocked_warning_html: هر کسی میتواند پیگیر شما شود تا بلافاصله نوشتههای خصوصی شما را ببیند. اگر %{lock_link} خواهید توانست درخواستهای پیگیری را بررسی کرده و نپذیرید.
|
||||
unlocked_warning_title: حساب شما خصوصی نیست
|
||||
footer:
|
||||
developers: برنامهنویسان
|
||||
more: بیشتر…
|
||||
@ -807,7 +795,6 @@ fa:
|
||||
edit_profile: ویرایش نمایه
|
||||
export: برونسپاری دادهها
|
||||
featured_tags: برچسبهای منتخب
|
||||
followers: پیگیران مورد تأیید
|
||||
import: درونریزی
|
||||
migrate: انتقال حساب
|
||||
notifications: اعلانها
|
||||
|
@ -449,18 +449,6 @@ fi:
|
||||
follows: Seurattavat
|
||||
mutes: Mykistetyt
|
||||
storage: Media-arkisto
|
||||
followers:
|
||||
domain: Verkkotunnus
|
||||
explanation_html: Jos haluat olla varma tilapäivitystesi yksityisyydestä, sinun täytyy tietää, ketkä seuraavat sinua. <strong>Yksityiset tilapäivityksesi lähetetään kaikkiin niihin instansseihin, joissa sinulla on seuraajia</strong>. Jos et luota siihen, että näiden instanssien ylläpitäjät tai ohjelmisto kunnioittavat yksityisyyttäsi, käy läpi seuraajaluettelosi ja poista tarvittaessa käyttäjiä.
|
||||
followers_count: Seuraajien määrä
|
||||
lock_link: Lukitse tili
|
||||
purge: Poista seuraajista
|
||||
success:
|
||||
one: Estetään kevyesti seuraajia yhdestä verkkotunnuksesta...
|
||||
other: Estetään kevyesti seuraajia %{count} verkkotunnuksesta...
|
||||
true_privacy_html: Muista, että <strong>kunnollinen yksityisyys voidaan varmistaa vain päästä päähän -salauksella</strong>.
|
||||
unlocked_warning_html: Kuka tahansa voi seurata sinua ja nähdä saman tien yksityiset tilapäivityksesi. %{lock_link}, niin voit tarkastaa ja torjua seuraajia.
|
||||
unlocked_warning_title: Tiliäsi ei ole lukittu
|
||||
generic:
|
||||
changes_saved_msg: Muutosten tallennus onnistui!
|
||||
save_changes: Tallenna muutokset
|
||||
@ -622,7 +610,6 @@ fi:
|
||||
development: Kehittäminen
|
||||
edit_profile: Muokkaa profiilia
|
||||
export: Vie tietoja
|
||||
followers: Valtuutetut seuraajat
|
||||
import: Tuo
|
||||
migrate: Tilin muutto muualle
|
||||
notifications: Ilmoitukset
|
||||
|
@ -593,18 +593,6 @@ fr:
|
||||
title: Filtres
|
||||
new:
|
||||
title: Ajouter un nouveau filtre
|
||||
followers:
|
||||
domain: Domaine
|
||||
explanation_html: Si vous voulez vous assurer que vos statuts restent privés, vous devez savoir qui vous suit. <strong>Vos statuts privés seront diffusés sur toutes les instances où vous avez des abonné·e·s</strong>. Vous voudrez peut-être les passer en revue et les supprimer si vous pensez que votre vie privée ne sera pas respectée par l’administration ou le logiciel de ces instances.
|
||||
followers_count: Nombre d’abonné⋅e⋅s
|
||||
lock_link: Rendez votre compte privé
|
||||
purge: Retirer de la liste d’abonné⋅e⋅s
|
||||
success:
|
||||
one: Suppression des abonné⋅e⋅s venant d’un domaine en cours…
|
||||
other: Suppression des abonné⋅e⋅s venant de %{count} domaines en cours…
|
||||
true_privacy_html: Soyez conscient⋅e⋅s <strong>qu’une vraie confidentialité ne peut être atteinte que par un chiffrement de bout-en-bout</strong>.
|
||||
unlocked_warning_html: N’importe qui peut vous suivre et voir vos statuts privés. %{lock_link} afin de pouvoir vérifier et rejeter des abonné⋅e⋅s.
|
||||
unlocked_warning_title: Votre compte n’est pas privé
|
||||
footer:
|
||||
developers: Développeurs
|
||||
more: Davantage…
|
||||
@ -807,7 +795,6 @@ fr:
|
||||
edit_profile: Modifier le profil
|
||||
export: Export de données
|
||||
featured_tags: Hashtags mis en avant
|
||||
followers: Abonné⋅es autorisé⋅es
|
||||
import: Import de données
|
||||
migrate: Migration de compte
|
||||
notifications: Notifications
|
||||
|
@ -593,18 +593,6 @@ gl:
|
||||
title: Filtros
|
||||
new:
|
||||
title: Engadir novo filtro
|
||||
followers:
|
||||
domain: Dominio
|
||||
explanation_html: Se quere asegurar a intimidade dos seus estados, debe ser consciente de quen a está a seguir. <strong>Os seus estados privados son enviados a todas os servidores onde ten seguidoras</strong>. Podería querer revisalas, e elminar seguidoras si non confía que a súa intimidade sexa respetada polos administradores ou o software de ese servidor.
|
||||
followers_count: Número de seguidoras
|
||||
lock_link: Bloquear a súa conta
|
||||
purge: Eliminar das seguidoras
|
||||
success:
|
||||
one: En proceso de bloquear seguidoras de un dominio...
|
||||
other: No proceso de bloquear seguidoras de %{count} dominios...
|
||||
true_privacy_html: Por favor teña en conta que <strong>a verdadeira intimidade só pode ser conseguida con cifrado de extremo-a-extremo</strong>.
|
||||
unlocked_warning_html: Calquera pode seguila para inmediatamente ver os seus estados privados. %{lock_link} para poder revisar e rexeitar seguidoras.
|
||||
unlocked_warning_title: A súa conta non está pechada
|
||||
footer:
|
||||
developers: Desenvolvedoras
|
||||
more: Máis…
|
||||
@ -807,7 +795,6 @@ gl:
|
||||
edit_profile: Editar perfil
|
||||
export: Exportar datos
|
||||
featured_tags: Etiquetas destacadas
|
||||
followers: Seguidoras autorizadas
|
||||
import: Importar
|
||||
migrate: Migrar conta
|
||||
notifications: Notificacións
|
||||
|
@ -240,18 +240,6 @@ he:
|
||||
follows: רשימת נעקבים
|
||||
mutes: רשימת השתקות
|
||||
storage: אחסון מדיה
|
||||
followers:
|
||||
domain: קהילה
|
||||
explanation_html: אם ברצונך להבטיח את הפרטיות של הודעותיך, יש לשים לב מי עוקב אחריך. <strong>הודעותיך הפרטיות יועברו לכל השרתים בהם יש לך עוקבים</strong>. כדאי לעבור על הרשימה ולהסיר עוקבים אם אין לך אמון בתוכנה או בצוות המפעילים של השרת הרחוק שיכבד את פרטיותך.
|
||||
followers_count: מספר העוקבים
|
||||
lock_link: לנעול את חשבונך
|
||||
purge: הסרה מהעוקבים
|
||||
success:
|
||||
one: בתהליך חסימה של עוקבים ממתחם אחד...
|
||||
other: בתהליך חסימה של עוקבים המגיעים מ־%{count} מתחמים...
|
||||
true_privacy_html: 'לתשומת ליבך: <strong>פרטיות אמיתית ניתן להשיג אך ורק על ידי הצפנה מקצה לקצה</strong>.'
|
||||
unlocked_warning_html: כל אחד יכול לעקוב אחריך כדי לראות מיידית את חצרוציך הפרטיים. %{lock_link} כדי לבחון ולדחות עוקבים.
|
||||
unlocked_warning_title: חשבונך אינו נעול
|
||||
generic:
|
||||
changes_saved_msg: השינויים נשמרו בהצלחה!
|
||||
save_changes: שמור שינויים
|
||||
@ -320,7 +308,6 @@ he:
|
||||
back: חזרה למסטודון
|
||||
edit_profile: עריכת פרופיל
|
||||
export: יצוא מידע
|
||||
followers: עוקבים מאושרים
|
||||
import: יבוא
|
||||
preferences: העדפות
|
||||
settings: הגדרות
|
||||
|
@ -374,18 +374,6 @@ hu:
|
||||
follows: Követettjeid
|
||||
mutes: Némításaid
|
||||
storage: Médiatároló
|
||||
followers:
|
||||
domain: Domain
|
||||
explanation_html: Ahhoz, hogy biztosítsd a tülkjeid adatvédelmét, tudnod kell, kik követnek téged. <strong>Még privátnak jelölt tülkjeid is továbbítódnak minden instanciára, ahol követőid vannak</strong>. Az alábbi listában láthatod, melyek ezek az instanciák; eltávolíthatod őket, ha nem vagy biztos benne, hogy az adott instancia üzemeltetői tiszteletben tartják az adatvédelmi beállításaidat.
|
||||
followers_count: Követők száma
|
||||
lock_link: Fiókod priváttá tétele
|
||||
purge: Eltávolítás a követőid közül
|
||||
success:
|
||||
one: Egy domainen található követőid tiltása folyamatban...
|
||||
other: "%{count} domainen található követőid tiltása folyamatban..."
|
||||
true_privacy_html: Tartsd észben, hogy <strong>valódi biztonság csak végponttól-végpontig titkosítással érhető el</strong>.
|
||||
unlocked_warning_html: Bárki követhet és így azonnal láthatja a privát tülkjeid. A %{lock_link} funkció bekapcsolásával lehetőséged van egyenként felülvizsgálni a követési kérelmeket.
|
||||
unlocked_warning_title: A fiókod jelenleg nem privát
|
||||
generic:
|
||||
changes_saved_msg: Változások sikeresen elmentve!
|
||||
save_changes: Változások mentése
|
||||
@ -542,7 +530,6 @@ hu:
|
||||
development: Fejlesztőknek
|
||||
edit_profile: Profil szerkesztése
|
||||
export: Adatok exportálása
|
||||
followers: Jóváhagyott követők
|
||||
import: Importálás
|
||||
migrate: Fiók átirányítása
|
||||
notifications: Értesítések
|
||||
|
@ -266,18 +266,6 @@ id:
|
||||
follows: Anda ikuti
|
||||
mutes: Anda bisukan
|
||||
storage: Penyimpanan media
|
||||
followers:
|
||||
domain: Domain
|
||||
explanation_html: Jika anda ingin memastikan privasi dari status anda, anda harus tahu siapa yang mengikuti anda. <strong>Status pribadi anda dikirim ke semua server dimana pengikut anda berada</strong>. Anda mungkin ingin untuk mengkaji ulang dan menghapus pengikut jika anda tidak mempercayai bahwa privasi anda di tangan staf atau software di server tersebut.
|
||||
followers_count: Jumlah pengikut
|
||||
lock_link: Kunci akun anda
|
||||
purge: Hapus dari pengikut
|
||||
success:
|
||||
one: Dalam proses memblokir pengikut dari satu domain...
|
||||
other: Dalam proses memblokir pengikut dari %{count} domain...
|
||||
true_privacy_html: Mohon diingat bahwa <strong>privasi yang sebenarnya hanya dapat dicapai dengan enkripsi end-to-end</strong>.
|
||||
unlocked_warning_html: Semua orang dapat mengikuti anda untuk langsung dapat melihat status pribadi anda. %{lock_link} untuk dapat meninjau dan menolak calon pengikut.
|
||||
unlocked_warning_title: Akun anda tidak dikunci
|
||||
generic:
|
||||
changes_saved_msg: Perubahan berhasil disimpan!
|
||||
save_changes: Simpan perubahan
|
||||
@ -344,7 +332,6 @@ id:
|
||||
back: Kembali ke Mastodon
|
||||
edit_profile: Ubah profil
|
||||
export: Expor data
|
||||
followers: Pengikut yang diizinkan
|
||||
import: Impor
|
||||
preferences: Pilihan
|
||||
settings: Pengaturan
|
||||
|
@ -554,15 +554,6 @@ it:
|
||||
title: Filtri
|
||||
new:
|
||||
title: Aggiungi filtro
|
||||
followers:
|
||||
domain: Dominio
|
||||
explanation_html: Se vuoi garantire la privacy dei tuoi status, devi sapere chi ti sta seguendo. <strong>I tuoi status privati vengono inviati a tutti i server su cui hai dei seguaci</strong>. Puoi controllare chi sono i tuoi seguaci, ed eliminarli se non hai fiducia che la tua privacy venga rispettata dallo staff o dal software di quei server.
|
||||
followers_count: Numero di seguaci
|
||||
lock_link: Blocca il tuo account
|
||||
purge: Elimina dai seguaci
|
||||
true_privacy_html: Tieni presente che <strong>l'effettiva riservatezza si può ottenere solo con la crittografia end-to-end</strong>.
|
||||
unlocked_warning_html: Chiunque può seguirti per vedere immediatamente i tuoi status privati. %{lock_link} per poter esaminare e respingere gli utenti che vogliono seguirti.
|
||||
unlocked_warning_title: Il tuo account non è bloccato
|
||||
footer:
|
||||
developers: Sviluppatori
|
||||
more: Altro…
|
||||
@ -722,7 +713,6 @@ it:
|
||||
development: Sviluppo
|
||||
edit_profile: Modifica profilo
|
||||
export: Esporta impostazioni
|
||||
followers: Seguaci autorizzati
|
||||
import: Importa
|
||||
migrate: Migrazione dell'account
|
||||
notifications: Notifiche
|
||||
|
@ -607,18 +607,6 @@ ja:
|
||||
title: フィルター
|
||||
new:
|
||||
title: 新規フィルターを追加
|
||||
followers:
|
||||
domain: ドメイン
|
||||
explanation_html: あなたの投稿のプライバシーを確保したい場合、誰があなたをフォローしているのかを把握している必要があります。 <strong>プライベート投稿は、あなたのフォロワーがいる全てのサーバーに配信されます</strong>。 フォロワーのサーバーの管理者やソフトウェアがあなたのプライバシーを尊重してくれるかどうか怪しい場合は、そのフォロワーを削除した方がよいかもしれません。
|
||||
followers_count: フォロワー数
|
||||
lock_link: 承認制アカウントにする
|
||||
purge: フォロワーから削除する
|
||||
success:
|
||||
one: 1個のドメインからソフトブロックするフォロワーを処理中...
|
||||
other: "%{count} 個のドメインからソフトブロックするフォロワーを処理中..."
|
||||
true_privacy_html: "<strong>プライバシーの保護はエンドツーエンドの暗号化でのみ実現可能</strong>であることに留意ください。"
|
||||
unlocked_warning_html: 誰でもあなたをフォローすることができ、フォロワー限定の投稿をすぐに見ることができます。フォローする人を限定したい場合は%{lock_link}に設定してください。
|
||||
unlocked_warning_title: このアカウントは承認制アカウントに設定されていません
|
||||
footer:
|
||||
developers: 開発者向け
|
||||
more: さらに…
|
||||
@ -820,7 +808,6 @@ ja:
|
||||
edit_profile: プロフィールを編集
|
||||
export: データのエクスポート
|
||||
featured_tags: 注目のハッシュタグ
|
||||
followers: 信頼済みのサーバー
|
||||
import: データのインポート
|
||||
migrate: アカウントの引っ越し
|
||||
notifications: 通知
|
||||
|
@ -496,18 +496,6 @@ ka:
|
||||
title: ფილტრები
|
||||
new:
|
||||
title: ახალი ფილტრის დამატება
|
||||
followers:
|
||||
domain: დომენი
|
||||
explanation_html: თუ გსურთ უზრუნველყოთ თქვენი სტატუსების კონფიდენციალურობა, უნდა იცოდეთ თუ ვინ მოგყვებათ. <strong>კერძო სტატუსები მიეწოდება ყველა ინსტანციას, სადაც გყავთ მიმდევრები</strong>. შესაძლოა გსურდეთ განიხილოთ ისინი და ამოშალოთ მიმდევრები თუ არ ენდობით თქვენი კონფიდენციალურობის პატივისცემას სტაფისა თუ პროგრამისგან იმ ინსტანციებში.
|
||||
followers_count: მიმდევრების რაოდენობა
|
||||
lock_link: თქვენი ანგარიშის ჩაკეტვა
|
||||
purge: მიმდევრებიდან ამოშლა
|
||||
success:
|
||||
one: მიმდევრების სოფტ-ბლოკირების პროცესი ერთი დომენზე...
|
||||
other: მიმდევრების სოფტ-ბლოკირების პროცესი %{count} დომენზე...
|
||||
true_privacy_html: გთხოვთ გაითვალისწინეთ, <strong>ჭეშმარიტი კონფიდენციალურობა მიღწევადია მხოლოდ ენდ-თუ-ენდ შიფრაციით</strong>.
|
||||
unlocked_warning_html: ყველას შეუძლია გამოგყვეთ, რომ უცბად იხილოს თქვენი სტატუსები. %{lock_link} რომ შეძლოთ განიხილოთ და უარყოთ მიმდევრები.
|
||||
unlocked_warning_title: თქვენი ანგარიში არაა ჩაკეტილი
|
||||
footer:
|
||||
developers: დეველოპერები
|
||||
more: მეტი…
|
||||
@ -677,7 +665,6 @@ ka:
|
||||
development: დეველოპმენტი
|
||||
edit_profile: პროფილის ცვლილება
|
||||
export: მონაცემის ექსპორტი
|
||||
followers: ავტორიზირებული მიმდევრები
|
||||
import: იმპორტი
|
||||
migrate: ანგარიშის მიგრაცია
|
||||
notifications: შეტყობინებები
|
||||
|
@ -593,18 +593,6 @@ kk:
|
||||
title: Фильтрлер
|
||||
new:
|
||||
title: Жаңа фильтр қосу
|
||||
followers:
|
||||
domain: Домен
|
||||
explanation_html: Егер сіз жазбаларыңыздың құпиялылығын қамтамасыз еткіңіз келсе, сізді кім іздейтінін білуіңіз керек. <strong> Сіздің жазбаларыңыз оқырмандарыңыз бар барлық серверлерге жеткізіледі </strong>. Оларды оқырмандарыңызға және админдерге немесе осы серверлердің бағдарламалық жасақтамасына жауапты қызметкерлерге сенбесеңіз, оқырмандарыңызды алып тастауыңызға болады.
|
||||
followers_count: Оқырман саны
|
||||
lock_link: Аккаунтыңызды құлыптау
|
||||
purge: Оқырмандар тізімінен шығару
|
||||
success:
|
||||
one: Бір доменнен оқырмандарды бұғаттау барысында...
|
||||
other: "%{count} доменнен оқырмандарды бұғаттау барысында..."
|
||||
true_privacy_html: Ұмытпаңыз, <strong>нақты құпиялылықты шифрлаудан соң ғана қол жеткізуге болатындығын ескеріңіз.</strong>.
|
||||
unlocked_warning_html: Кез келген адам жазбаларыңызды оқу үшін сізге жазыла алады. Жазылушыларды қарап, қабылдамау үшін %{lock_link}.
|
||||
unlocked_warning_title: Аккаунтыңыз қазір құлыпталды
|
||||
footer:
|
||||
developers: Жасаушылар
|
||||
more: Тағы…
|
||||
@ -796,7 +784,6 @@ kk:
|
||||
edit_profile: Профиль өңдеу
|
||||
export: Экспорт уақыты
|
||||
featured_tags: Таңдаулы хэштегтер
|
||||
followers: Авторизацияланған оқырмандар
|
||||
import: Импорт
|
||||
migrate: Аккаунт көшіру
|
||||
notifications: Ескертпелер
|
||||
|
@ -595,18 +595,6 @@ ko:
|
||||
title: 필터
|
||||
new:
|
||||
title: 필터 추가
|
||||
followers:
|
||||
domain: 도메인
|
||||
explanation_html: 프라이버시를 확보하고 싶은 경우, 누가 여러분을 팔로우 하고 있는지 파악해둘 필요가 있습니다. <strong>프라이빗 포스팅은 여러분의 팔로워가 소속하는 모든 서버로 배달됩니다</strong>. 팔로워가 소속된 서버 관리자나 소프트웨어가 여러분의 프라이버시를 존중하고 있는지 잘 모를 경우, 그 팔로워를 삭제하는 것이 좋을 수도 있습니다.
|
||||
followers_count: 팔로워 수
|
||||
lock_link: 비공개 계정
|
||||
purge: 팔로워에서 삭제
|
||||
success:
|
||||
one: 1개 도메인에서 팔로워를 soft-block 처리 중...
|
||||
other: "%{count}개 도메인에서 팔로워를 soft-block 처리 중..."
|
||||
true_privacy_html: "<strong>프라이버시 보호는 End-to-End 암호화로만 이루어 질 수 있다는 것에 유의</strong>해 주십시오."
|
||||
unlocked_warning_html: 누구든 여러분을 팔로우 할 수 있으며, 여러분의 프라이빗 투고를 볼 수 있습니다. 팔로우 할 수 있는 사람을 제한하고 싶은 경우 %{lock_link}에서 설정해 주십시오.
|
||||
unlocked_warning_title: 이 계정은 비공개로 설정되어 있지 않습니다
|
||||
footer:
|
||||
developers: 개발자
|
||||
more: 더 보기…
|
||||
@ -809,7 +797,6 @@ ko:
|
||||
edit_profile: 프로필 편집
|
||||
export: 데이터 내보내기
|
||||
featured_tags: 추천 해시태그
|
||||
followers: 신뢰 중인 인스턴스
|
||||
import: 데이터 가져오기
|
||||
migrate: 계정 이동
|
||||
notifications: 알림
|
||||
|
@ -602,19 +602,6 @@ lt:
|
||||
title: Filtrai
|
||||
new:
|
||||
title: Pridėti naują filtrą
|
||||
followers:
|
||||
domain: Domenas
|
||||
explanation_html: Jeigu norite garantuoti savo statusų privatumą, turite žinoti, kas jus seka. <strong>Jūsų privatūs statusai yra pristatyti visiems serveriams, kur jūs turite sekėju</strong>. Galbūt jūs norite juos peržiūrėti ir panaikinti sekėjus, kuriais nepasitikite.
|
||||
followers_count: Sekėjų skaičius
|
||||
lock_link: Užrakinti savo paskyrą
|
||||
purge: Panaikint iš sekėju
|
||||
success:
|
||||
few: Švelnaus sekėjų blokavimo procedūroje iš %{count} domenų...
|
||||
one: Švelnaus sekėjų blokavimo procedūroje iš vieno domeno...
|
||||
other: Švelnaus sekėjų blokavimo procedūroje iš %{count} domenų...
|
||||
true_privacy_html: Prašau prisiminti, kad <strong> tikras privatumas gali būti pasiekamas tik su end-to-end užsifravimu</strong>.
|
||||
unlocked_warning_html: Visi, kurie nori matyti Jūsų privatų statusą, gali jus sekti. %{lock_link} kad galėtumėte peržiurėti ir pašalinti sekėjus.
|
||||
unlocked_warning_title: Jūsų paskyra neužrakinta
|
||||
footer:
|
||||
developers: Programuotojai
|
||||
more: Daugiau…
|
||||
@ -810,7 +797,6 @@ lt:
|
||||
edit_profile: Keisti profilį
|
||||
export: Informacijos eksportas
|
||||
featured_tags: Rodomi saitažodžiai(#)
|
||||
followers: Autorizuoti sekėjai
|
||||
import: Importuoti
|
||||
migrate: Paskyros migracija
|
||||
notifications: Pranešimai
|
||||
|
@ -317,10 +317,6 @@ ms:
|
||||
exports:
|
||||
archive_takeout:
|
||||
in_progress: Mengkompil arkib anda...
|
||||
followers:
|
||||
success:
|
||||
one: Dalam proses menyekat-lembut pengikut daripada satu domain...
|
||||
other: Dalam proses menyekat-lembut pengikut daripada %{count} domain...
|
||||
notification_mailer:
|
||||
digest:
|
||||
title: Ketika anda tiada di sini...
|
||||
|
@ -593,18 +593,6 @@ nl:
|
||||
title: Filters
|
||||
new:
|
||||
title: Nieuw filter toevoegen
|
||||
followers:
|
||||
domain: Domein
|
||||
explanation_html: Wanneer je de privacy van jouw toots wilt garanderen, moet je goed weten wie jouw volgers zijn. <strong>Toots die alleen aan jouw volgers zijn gericht, worden aan de Mastodonservers van jouw volgers afgeleverd.</strong> Daarom wil je ze misschien controleren en desnoods volgers verwijderen die zich op een Mastodonserver bevinden die jij niet vertrouwd. Bijvoorbeeld omdat de beheerder(s) of de software van zo'n server jouw privacy niet respecteert.
|
||||
followers_count: Aantal volgers
|
||||
lock_link: Maak jouw account besloten
|
||||
purge: Volgers verwijderen
|
||||
success:
|
||||
one: Bezig om volgers van één domein te verwijderen...
|
||||
other: Bezig om volgers van %{count} domeinen te verwijderen...
|
||||
true_privacy_html: Hou er wel rekening mee dat <strong>echte privacy alleen gegarandeerd kan worden met behulp van end-to-end-encryptie</strong>.
|
||||
unlocked_warning_html: Iedereen kan jou volgen en daarmee meteen toots zien die je alleen aan jouw volgers hebt gericht. %{lock_link} om volgers te kunnen beoordelen en desnoods te weigeren.
|
||||
unlocked_warning_title: Jouw account is niet besloten
|
||||
footer:
|
||||
developers: Ontwikkelaars
|
||||
more: Meer…
|
||||
@ -797,7 +785,6 @@ nl:
|
||||
edit_profile: Profiel bewerken
|
||||
export: Exporteren
|
||||
featured_tags: Uitgelichte hashtags
|
||||
followers: Geautoriseerde volgers
|
||||
import: Importeren
|
||||
migrate: Accountmigratie
|
||||
notifications: Meldingen
|
||||
|
@ -374,18 +374,6 @@
|
||||
follows: Du følger
|
||||
mutes: Du demper
|
||||
storage: Medialagring
|
||||
followers:
|
||||
domain: Domene
|
||||
explanation_html: Hvis du vil styre hvem som ser statusene dine, må du være klar over hvem som følger deg. <strong>Dine private statuser leveres til alle instanser der du har følgere</strong>. Du bør kanskje se over dem, og fjerne følgere hvis du ikke stoler på at ditt privatliv vil bli respektert av staben eller programvaren på de instansene.
|
||||
followers_count: Antall følgere
|
||||
lock_link: Lås kontoen din
|
||||
purge: Fjern fra følgere
|
||||
success:
|
||||
one: I ferd med å mykblokkere følgere fra ett domene...
|
||||
other: I ferd med å mykblokkere følgere fra %{count} domener...
|
||||
true_privacy_html: Merk deg at <strong>virkelig privatliv kun kan oppnås med ende-til-ende-kryptering</strong>.
|
||||
unlocked_warning_html: Alle kan følge deg for å umiddelbart se dine private statuser. %{lock_link} for å kunne se over og avvise følgere.
|
||||
unlocked_warning_title: Din konto er ikke låst
|
||||
generic:
|
||||
changes_saved_msg: Vellykket lagring av endringer!
|
||||
save_changes: Lagre endringer
|
||||
@ -542,7 +530,6 @@
|
||||
development: Utvikling
|
||||
edit_profile: Endre profil
|
||||
export: Dataeksport
|
||||
followers: Godkjente følgere
|
||||
import: Importér
|
||||
migrate: Kontomigrering
|
||||
notifications: Varslinger
|
||||
|