Add batch actions for reports in admin UI

This commit is contained in:
Eugen Rochko 2024-11-09 18:35:48 +01:00
parent bde0f1239a
commit 1d629c1bcd
89 changed files with 338 additions and 487 deletions

View File

@ -2,11 +2,27 @@
module Admin
class ReportsController < BaseController
before_action :set_report, except: [:index]
before_action :set_report, except: [:index, :batch]
def index
authorize :report, :index?
@reports = filtered_reports.page(params[:page])
@form = Form::ReportBatch.new
end
def batch
authorize :report, :index?
@form = Form::ReportBatch.new(form_report_batch_params)
@form.current_account = current_account
@form.action = action_from_button
@form.select_all_matching = params[:select_all_matching]
@form.query = filtered_reports
@form.save
rescue ActionController::ParameterMissing
flash[:alert] = I18n.t('admin.reports.no_report_selected')
ensure
redirect_to admin_reports_path(filter_params)
end
def show
@ -60,5 +76,17 @@ module Admin
def set_report
@report = Report.find(params[:id])
end
def form_report_batch_params
params.require(:form_report_batch).permit(:action, report_ids: [])
end
def action_from_button
if params[:resolve]
'resolve'
elsif params[:assign_to_self]
'assign_to_self'
end
end
end
end

View File

@ -14,13 +14,7 @@ class Api::V1::Admin::ReportsController < Api::BaseController
after_action :verify_authorized
after_action :insert_pagination_headers, only: :index
FILTER_PARAMS = %i(
resolved
account_id
target_account_id
).freeze
PAGINATION_PARAMS = (%i(limit) + FILTER_PARAMS).freeze
PAGINATION_PARAMS = (%i(limit) + ReportFilter::KEYS).freeze
def index
authorize :report, :index?
@ -86,7 +80,13 @@ class Api::V1::Admin::ReportsController < Api::BaseController
end
def filter_params
params.permit(*FILTER_PARAMS)
translated_filter_params.permit(*ReportFilter::KEYS)
end
def translated_filter_params
params.tap do |tmp_params|
tmp_params['status'] = 'resolved' if tmp_params['resolved'].present?
end
end
def next_path

View File

@ -0,0 +1,26 @@
# frozen_string_literal: true
module Admin::ReportsHelper
def admin_reports_category_options
[
[t('admin.reports.categories.spam'), 'spam'],
[t('admin.reports.categories.legal'), 'legal'],
[t('admin.reports.categories.violation'), 'violation'],
[t('admin.reports.categories.other'), 'other'],
]
end
def admin_reports_status_options
[
[t('admin.reports.unresolved'), 'unresolved'],
[t('admin.reports.resolved'), 'resolved'],
]
end
def admin_reports_target_origin_options
[
[t('admin.accounts.location.local'), 'local'],
[t('admin.accounts.location.remote'), 'remote'],
]
end
end

View File

@ -480,7 +480,7 @@ body,
.filters {
display: flex;
flex-wrap: wrap;
gap: 40px;
gap: 0 24px;
.filter-subset {
flex: 0 0 auto;
@ -860,16 +860,13 @@ a.name-tag,
}
.report-card {
background: var(--background-color);
border: 1px solid var(--background-border-color);
border-radius: 4px;
margin-bottom: 20px;
&__profile {
display: flex;
justify-content: space-between;
align-items: center;
padding: 15px;
border: 1px solid var(--background-border-color);
border-top: 0;
.account {
padding: 0;
@ -904,48 +901,64 @@ a.name-tag,
}
}
&__summary {
&__item {
display: flex;
justify-content: flex-start;
border-top: 1px solid var(--background-border-color);
&__item {
display: flex;
justify-content: flex-start;
line-height: 20px;
gap: 16px;
&__reported-by,
&__assigned {
padding: 15px;
flex: 0 0 auto;
box-sizing: border-box;
width: 150px;
color: $darker-text-color;
@media (width < 600px) {
gap: 8px;
flex-direction: column;
}
&,
.username {
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
}
&__assigned {
flex: 0 0 auto;
box-sizing: border-box;
width: 150px;
color: $dark-text-color;
text-align: end;
.name-tag {
margin: 0 2px;
}
&__content {
flex: 1 1 auto;
max-width: calc(100% - 300px);
&__icon {
margin-inline-end: 4px;
font-weight: 500;
}
@media (width < 600px) {
text-align: start;
width: auto;
}
&__content a {
display: block;
box-sizing: border-box;
width: 100%;
padding: 15px;
text-decoration: none;
color: $darker-text-color;
&,
.username {
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
}
}
&:hover {
color: $highlight-text-color;
&__content {
display: block;
flex: 1 1 auto;
min-width: 0;
text-decoration: none;
color: $darker-text-color;
white-space: nowrap;
text-overflow: ellipsis;
overflow: hidden;
strong {
font-weight: 600;
}
&:hover {
color: $highlight-text-color;
}
&__meta {
color: $dark-text-color;
@media (width < 600px) {
color: $darker-text-color;
}
}
}
@ -1731,6 +1744,9 @@ a.sparkline {
float: right;
a {
display: inline-flex;
align-items: center;
gap: 4px;
color: $ui-highlight-color;
text-decoration: none;

View File

@ -0,0 +1,58 @@
# frozen_string_literal: true
class Form::ReportBatch
include ActiveModel::Model
include Authorization
include AccountableConcern
include Payloadable
attr_accessor :report_ids, :action, :current_account,
:select_all_matching, :query
def save
case action
when 'resolve'
resolve!
when 'assign_to_self'
assign_to_self!
end
end
private
def resolve!
reports.each do |report|
resolve_report(report)
end
end
def assign_to_self!
reports.each do |report|
assign_report(report, current_account)
end
end
def reports
if select_all_matching?
query
else
Report.where(id: report_ids)
end
end
def resolve_report(report)
authorize(report, :update?)
report.resolve!(current_account)
log_action(:resolve, report)
end
def assign_report(report, account)
authorize(report, :update?)
report.update!(assigned_account_id: account.id)
log_action(:assigned_to_self, report)
end
def select_all_matching?
select_all_matching == '1'
end
end

View File

@ -2,11 +2,13 @@
class ReportFilter
KEYS = %i(
resolved
status
account_id
target_account_id
by_target_domain
by_domain
target_origin
category
).freeze
attr_reader :params
@ -19,7 +21,7 @@ class ReportFilter
scope = Report.unresolved
relevant_params.each do |key, value|
scope = scope.merge scope_for(key, value)
scope = scope.merge scope_for(key, value.to_s.strip) if value.present?
end
scope
@ -41,8 +43,12 @@ class ReportFilter
case key.to_sym
when :by_target_domain
Report.where(target_account: Account.where(domain: value))
when :resolved
Report.resolved
when :by_domain
Report.where(account: Account.where(domain: value))
when :status
status_scope(value)
when :category
Report.where(category: value)
when :account_id
Report.where(account_id: value)
when :target_account_id
@ -55,13 +61,22 @@ class ReportFilter
end
def target_origin_scope(value)
case value.to_sym
when :local
case value
when 'local'
Report.where(target_account: Account.local)
when :remote
when 'remote'
Report.where(target_account: Account.remote)
else
raise Mastodon::InvalidParameterError, "Unknown value: #{value}"
end
end
def status_scope(value)
case value
when 'resolved'
Report.resolved
else
Report.unresolved
end
end
end

View File

@ -0,0 +1,54 @@
- target_account = report.first.target_account
.batch-table__group.report-card
.report-card__profile
= account_link_to target_account, '', path: admin_account_path(target_account.id)
.report-card__profile__stats
= link_to t('admin.reports.account.notes', count: target_account.targeted_moderation_notes.count), admin_account_path(target_account.id)
%br/
- if target_account.suspended?
%span.red= t('admin.accounts.suspended')
- elsif target_account.silenced?
%span.red= t('admin.accounts.silenced')
- elsif target_account.user&.disabled?
%span.red= t('admin.accounts.disabled')
- else
%span.neutral= t('admin.accounts.no_limits_imposed')
- report.each do |report|
.batch-table__row
%label.batch-table__row__select.batch-checkbox
= f.check_box :report_ids, { multiple: true, include_hidden: false }, report.id
.batch-table__row__content
.report-card__item
= link_to admin_report_path(report), class: 'report-card__item__content' do
.one-line
%strong>= t(report.category, scope: 'admin.reports.categories')
\:
= report.comment.presence || t('admin.reports.comment.none')
.report-card__item__content__meta
%strong= t('admin.reports.report', id: report.id)
·
- if report.account.instance_actor?
= t('admin.reports.reported_by_someone_from_html', name: content_tag(:strong, site_hostname))
- elsif report.account.local?
= t('admin.reports.reported_by_html', name: content_tag(:strong, report.account.acct))
- else
= t('admin.reports.reported_by_someone_from_html', name: content_tag(:strong, report.account.domain))
·
= t('admin.reports.attached_statuses', count: report.status_ids.size)
·
= t('admin.reports.attached_media_attachments', count: report.media_attachments_count)
- if report.forwarded?
·
= t('admin.reports.forwarded_to', domain: target_account.domain)
.report-card__item__assigned
%time.time-ago{ datetime: report.created_at.iso8601, title: l(report.created_at) }= l report.created_at
%br/
- if report.action_taken?
= t('admin.reports.action_taken_by_html', name: admin_account_link_to(report.action_taken_by_account))
- elsif report.assigned_account.present?
= t('admin.reports.assigned_to_html', name: admin_account_link_to(report.assigned_account))
- else
= t('admin.reports.unassigned')

View File

@ -1,80 +1,68 @@
- content_for :page_title do
= t('admin.reports.title')
.filters
.filter-subset
%strong= t('admin.reports.status')
%ul
%li= filter_link_to t('admin.reports.unresolved'), resolved: nil
%li= filter_link_to t('admin.reports.resolved'), resolved: '1'
.filter-subset
%strong= t('admin.reports.target_origin')
%ul
%li= filter_link_to t('admin.accounts.location.all'), target_origin: nil
%li= filter_link_to t('admin.accounts.location.local'), target_origin: 'local'
%li= filter_link_to t('admin.accounts.location.remote'), target_origin: 'remote'
= form_with url: admin_reports_url, method: :get, class: :simple_form do |form|
.fields-group
- ReportFilter::KEYS.each do |key|
= form.hidden_field key, value: params[key] if params[key].present?
- %i(by_target_domain).each do |key|
.input.string.optional
= form.text_field key,
value: params[key],
.filters
.filter-subset.filter-subset--with-select
%strong= t('admin.reports.status')
.input.select.optional
= form.select :status,
options_for_select(admin_reports_status_options, params[:status])
.filter-subset.filter-subset--with-select
%strong= t('admin.reports.category')
.input.select.optional
= form.select :category,
options_for_select(admin_reports_category_options, params[:category]),
prompt: I18n.t('generic.all')
.filter-subset.filter-subset--with-select
%strong= t('admin.reports.target_origin')
.input.select.optional
= form.select :target_origin,
options_for_select(admin_reports_target_origin_options, params[:target_origin]),
prompt: t('admin.accounts.location.all')
.filter-subset.filter-subset--with-select
%strong= t('admin.reports.origin')
.input.select.optional
= form.text_field :by_domain,
value: params[:by_domain],
class: 'string optional',
placeholder: I18n.t("admin.reports.#{key}")
placeholder: 'example.com'
.actions
%button.button= t('admin.accounts.search')
= link_to t('admin.accounts.reset'), admin_reports_path, class: 'button negative'
= form_with model: @form, url: batch_admin_reports_path do |f|
= hidden_field_tag :page, params[:page] || 1
= hidden_field_tag :select_all_matching, '0'
- @reports.group_by(&:target_account_id).each_value do |reports|
- target_account = reports.first.target_account
.report-card
.report-card__profile
= account_link_to target_account, '', path: admin_account_path(target_account.id)
.report-card__profile__stats
= link_to t('admin.reports.account.notes', count: target_account.targeted_moderation_notes.count), admin_account_path(target_account.id)
%br/
- if target_account.suspended?
%span.red= t('admin.accounts.suspended')
- elsif target_account.silenced?
%span.red= t('admin.accounts.silenced')
- elsif target_account.user&.disabled?
%span.red= t('admin.accounts.disabled')
- else
%span.neutral= t('admin.accounts.no_limits_imposed')
.report-card__summary
- reports.each do |report|
.report-card__summary__item
.report-card__summary__item__reported-by
- if report.account.instance_actor?
= site_hostname
- elsif report.account.local?
= admin_account_link_to report.account
- else
= report.account.domain
.report-card__summary__item__content
= link_to admin_report_path(report) do
.one-line= report.comment.presence || t('admin.reports.comment.none')
- ReportFilter::KEYS.each do |key|
= hidden_field_tag key, params[key] if params[key].present?
%span.report-card__summary__item__content__icon{ title: t('admin.accounts.statuses') }
= material_symbol('comment')
= report.status_ids.size
.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
- if can?(:update, :report)
= f.button safe_join([material_symbol('person'), t('admin.reports.assign_to_self')]),
class: 'table-action-link',
data: { confirm: t('admin.reports.are_you_sure') },
name: :assign_to_self,
type: :submit
= f.button safe_join([material_symbol('done'), t('admin.reports.mark_as_resolved')]),
class: 'table-action-link',
data: { confirm: t('admin.reports.are_you_sure') },
name: :resolve,
type: :submit
- if @reports.total_count > @reports.size
.batch-table__select-all
.not-selected.active
%span= t('generic.all_items_on_page_selected_html', count: @reports.size)
%button{ type: 'button' }= t('generic.select_all_matching_items', count: @reports.total_count)
.selected
%span= t('generic.all_matching_items_selected_html', count: @reports.total_count)
%button{ type: 'button' }= t('generic.deselect')
.batch-table__body
- if @reports.empty?
= nothing_here 'nothing-here--under-tabs'
- else
= render partial: 'report', collection: @reports.group_by(&:target_account_id).values, locals: { f: f }
%span.report-card__summary__item__content__icon{ title: t('admin.accounts.media_attachments') }
= material_symbol('photo_camera')
= report.media_attachments_count
- if report.forwarded?
·
= t('admin.reports.forwarded_to', domain: target_account.domain)
.report-card__summary__item__assigned
- if report.assigned_account.present?
= admin_account_link_to report.assigned_account
- else
\-
= paginate @reports

View File

@ -60,6 +60,8 @@ ignore_unused:
- 'admin.action_logs.actions.*'
- 'admin.reports.summary.action_preambles.*'
- 'admin.reports.summary.actions.*'
- 'admin.reports.actions_description_remote_html'
- 'admin.reports.actions_description_html'
- 'admin_mailer.new_appeal.actions.*'
- 'statuses.attached.*'
- 'move_handler.carry_{mutes,blocks}_over_text'

View File

@ -554,7 +554,6 @@ an:
are_you_sure: Yes seguro?
assign_to_self: Asignar-me-la
assigned: Moderador asignau
by_target_domain: Dominio d'a cuenta denunciada
category: Categoría
category_description_html: La razón per la quala se reportó esta cuenta u conteniu será citada en as comunicacions con a cuenta denunciada
comment:
@ -576,11 +575,8 @@ an:
placeholder: Especificar qué accions s'han preso u qualsequier atra novedat respective a esta denuncia...
title: Notas
notes_description_html: Veyer y deixar notas a atros moderadors y a lo tuyo yo futuro
quick_actions_description_html: 'Prene una acción rapida u desplaza-te enta baixo pa veyer lo conteniu denunciau:'
remote_user_placeholder: l'usuario remoto de %{instance}
reopen: Reubrir denuncia
report: 'Denunciar #%{id}'
reported_account: Cuenta denunciada
reported_by: Denunciau per
resolved: Resuelto
resolved_msg: La denuncia s'ha resuelto correctament!
@ -592,7 +588,6 @@ an:
title: Reportes
unassign: Desasignar
unresolved: No resuelto
updated_at: Actualizau
view_profile: Veyer perfil
roles:
add_new: Anyadir rol

View File

@ -626,7 +626,6 @@ ar:
are_you_sure: هل أنت متأكد ؟
assign_to_self: اسنده لي
assigned: المشرف المُسنَد
by_target_domain: نطاق الحساب المبلّغ عنه
cancel: إلغاء
category: الفئة
category_description_html: سيشار إلى سبب الإبلاغ عن هذا الحساب و/أو المحتوى في الاتصال بالحساب المبلغ عنه
@ -653,11 +652,8 @@ ar:
title: الملاحظات
notes_description_html: عرض الملاحظات وتركها للمشرفين الآخرين ولنفسك في المستقبل
processed_msg: 'تمت معالجة التقرير #%{id} بنجاح'
quick_actions_description_html: 'قم بإجراء سريع أو التمرير للأسفل لرؤية المحتوى المبلغ عنه:'
remote_user_placeholder: المستخدم البعيد من %{instance}
reopen: إعادة فتح الشكوى
report: 'الشكوى #%{id}'
reported_account: حساب مُبلّغ عنه
reported_by: أبلغ عنه من طرف
resolved: معالجة
resolved_msg: تمت معالجة الشكوى بنجاح!
@ -687,7 +683,6 @@ ar:
unassign: إلغاء تعيين
unknown_action_msg: 'إجراء غير معروف: %{action}'
unresolved: غير معالجة
updated_at: محدث
view_profile: اعرض الصفحة التعريفية
roles:
add_new: إضافة دور

View File

@ -254,7 +254,6 @@ ast:
create_and_unresolve: Volver abrir con una nota
delete: Desaniciar
title: Notes
quick_actions_description_html: 'Toma una aición rápida o baxa pa ver el conteníu del que s''informó:'
report: 'Informe #%{id}'
reported_by: Perfil qu'informó
resolved: Resolvióse

View File

@ -632,7 +632,6 @@ be:
are_you_sure: Вы ўпэўнены?
assign_to_self: Прызначыць мне
assigned: Прызначаны мадэратар
by_target_domain: Дамен уліковага запісу, на які падаецца скарга
cancel: Скасаваць
category: Катэгорыя
category_description_html: Прычына паведамлення аб гэтым уліковым запісе і/або кантэнце будзе згадана ў сувязі з уліковым запісам, на які пададзена скарга
@ -659,11 +658,8 @@ be:
title: Нататкі
notes_description_html: Праглядвайце і пакідайце нататкі іншым мадэратарам і сабе ў будучыні
processed_msg: 'Скарга #%{id} паспяхова апрацавана'
quick_actions_description_html: 'Выканайце хуткае дзеянне або пракруціце ўніз, каб убачыць змесціва, на якое пададзена скарга:'
remote_user_placeholder: аддалены карыстальнік з %{instance}
reopen: Пераадкрыць скаргу
report: 'Скарга #%{id}'
reported_account: Уліковы запіс парушальніка
reported_by: Адпраўнік скаргі
reported_with_application: Паведамлена праз праграму
resolved: Вырашана
@ -695,7 +691,6 @@ be:
unassign: Скінуць
unknown_action_msg: 'Невядомае дзеянне: %{action}'
unresolved: Нявырашаныя
updated_at: Абноўлена
view_profile: Паглядзець профіль
roles:
add_new: Дадаць ролю

View File

@ -583,7 +583,6 @@ bg:
are_you_sure: Сигурни ли сте?
assign_to_self: Назначаване на мен
assigned: Назначен модератор
by_target_domain: Домейн на докладвания акаунт
cancel: Отказ
category: Категория
category_description_html: Причината, поради която акаунтът и/или съдържанието е докладвано ще се цитира в комуникацията с докладвания акаунт
@ -610,11 +609,8 @@ bg:
title: Бележки
notes_description_html: Прегледайте и оставете бележки за други модератори и за вас самите след време
processed_msg: Доклад №%{id} успешно обработен
quick_actions_description_html: 'Предприемете бързо действие или превъртете надолу, за да видите докладваното съдържание:'
remote_user_placeholder: отдалеченият потребител от %{instance}
reopen: Отваряне пак на доклад
report: 'Докладване на #%{id}'
reported_account: Докладван акаунт
reported_by: Докладвано от
reported_with_application: Докладвано с приложението
resolved: Разрешено
@ -645,7 +641,6 @@ bg:
unassign: Освобождаване
unknown_action_msg: 'Незнайно деяние: %{action}'
unresolved: Неразрешено
updated_at: Обновено
view_profile: Преглед на профила
roles:
add_new: Добавяне на роля

View File

@ -224,7 +224,6 @@ br:
status: Statud
title: Disklêriadennoù
unresolved: Andiskoulmet
updated_at: Nevesaet
roles:
categories:
devops: DevOps

View File

@ -613,7 +613,6 @@ ca:
are_you_sure: Segur?
assign_to_self: Assigna'm
assigned: Moderador assignat
by_target_domain: Domini del compte denunciat
cancel: Cancel·la
category: Categoria
category_description_html: El motiu pel qual aquest compte o contingut ha estat denunciat se citarà en la comunicació amb el compte denunciat
@ -640,11 +639,8 @@ ca:
title: Notes
notes_description_html: Mira i deixa notes als altres moderadors i a tu mateix
processed_msg: 'L''informe #%{id} ha estat processat amb èxit'
quick_actions_description_html: 'Pren una acció ràpida o desplaça''t avall per a veure el contingut denunciat:'
remote_user_placeholder: l'usuari remot des de %{instance}
reopen: Reobre l'informe
report: 'Informe #%{id}'
reported_account: Compte denunciat
reported_by: Denunciat per
reported_with_application: Reportat amb l'aplicació
resolved: Resolt
@ -676,7 +672,6 @@ ca:
unassign: Elimina l'assignació
unknown_action_msg: 'Acció desconeguda: %{action}'
unresolved: No resolt
updated_at: Actualitzat
view_profile: Veure perfil
roles:
add_new: Afegir rol

View File

@ -451,7 +451,6 @@ ckb:
are_you_sure: دڵنیای?
assign_to_self: دیاریکردن بۆ من
assigned: بەڕێوەبەری بەرپرس
by_target_domain: دۆمەینی هەژمارەی گوزارشتدراو
category: جۆر
category_description_html: هۆکاری ڕاپۆرتکردنی ئەم ئەکاونتە و/یان ناوەڕۆکە لە پەیوەندی لەگەڵ ئەکاونتی ڕاپۆرتکراودا ئاماژەی پێدەکرێت
comment:
@ -473,11 +472,8 @@ ckb:
placeholder: باسی ئەو کردارانە بکە کە ئەنجام دراون، یان هەر نوێکردنەوەیەکی پەیوەندیداری ت...
title: تێبینی
notes_description_html: بینین و تێبینی بۆ بەڕێوەبەرانی تر و خودی داهاتووتان بەجێبهێڵە
quick_actions_description_html: 'کارێکی خێرا ئەنجام بدە یان بچۆرە خوارەوە بۆ بینینی ناوەڕۆکی ڕاپۆرتکراو:'
remote_user_placeholder: بەکارهێنەری دوور لە %{instance}
reopen: دووبارە کردنەوەی گوزارشت
report: 'گوزارشت #%{id}'
reported_account: گوزارشتی هەژمارە
reported_by: گوزارشت لە لایەن
resolved: چارەسەرکرا
resolved_msg: گوزارشتکردن بە سەرکەوتوویی چارەسەر کرا!
@ -489,7 +485,6 @@ ckb:
title: گوزارشتکرا
unassign: دیارینەکراوە
unresolved: چارەسەر نەکراوە
updated_at: نوێکرایەوە
view_profile: نیشاندانی پڕۆفایل
rules:
add_new: یاسا زیاد بکە

View File

@ -409,7 +409,6 @@ co:
are_you_sure: Site sicuru·a?
assign_to_self: Assignallu à mè
assigned: Muderatore assignatu
by_target_domain: Duminiu di u contu signalatu
comment:
none: Nisunu
created_at: Palisatu
@ -423,9 +422,7 @@ co:
create_and_unresolve: Riapre cù una nota
delete: Toglie
placeholder: Per parlà di lazzione pigliate, o altre messe à ghjornu nantà u signalamentu…
reopen: Riapre u signalamentu
report: 'Signalamente #%{id}'
reported_account: Contu palisatu
reported_by: Palisatu da
resolved: Scioltu è chjosu
resolved_msg: Signalamentu scioltu!
@ -434,7 +431,6 @@ co:
title: Signalamenti
unassign: Disassignà
unresolved: Micca sciolti
updated_at: Messi à ghjornu
rules:
add_new: Aghjunghje regula
delete: Sguassà

View File

@ -606,7 +606,6 @@ cs:
are_you_sure: Jste si jisti?
assign_to_self: Přidělit ke mně
assigned: Přiřazený moderátor
by_target_domain: Doména nahlášeného účtu
cancel: Zrušit
category: Kategorie
category_description_html: Důvod nahlášení tohoto účtu a/nebo obsahu bude uveden v komunikaci s nahlášeným účtem
@ -633,11 +632,8 @@ cs:
title: Poznámky
notes_description_html: Zobrazit a zanechat poznámky pro ostatní moderátory i sebe v budoucnu
processed_msg: Nahlášení č.%{id} bylo úspěšně zpracováno
quick_actions_description_html: 'Proveďte rychlou akci nebo skrolujte dolů pro nahlášený obsah:'
remote_user_placeholder: vzdálený uživatel z %{instance}
reopen: Znovu otevřít hlášení
report: 'Hlášení #%{id}'
reported_account: Nahlášený účet
reported_by: Nahlášeno uživatelem
reported_with_application: Nahlášeno aplikací
resolved: Vyřešeno
@ -668,7 +664,6 @@ cs:
unassign: Odebrat
unknown_action_msg: 'Neznámá akce: %{action}'
unresolved: Nevyřešeno
updated_at: Aktualizováno
view_profile: Zobrazit profil
roles:
add_new: Přidat roli

View File

@ -661,7 +661,6 @@ cy:
are_you_sure: Ydych chi'n siŵr?
assign_to_self: Neilltuo i mi
assigned: Cymedrolwr wedi'i neilltuo
by_target_domain: Parth y cyfrif a adroddwyd
cancel: Canslo
category: Categori
category_description_html: Bydd y rheswm dros adrodd am y cyfrif a/neur cynnwys hwn yn cael ei ddyfynnu wrth gyfathrebu âr cyfrif a adroddwyd
@ -688,11 +687,8 @@ cy:
title: Nodiadau
notes_description_html: Gweld a gadael nodiadau i gymedrolwyr eraill a chi eich hun yn y dyfodol
processed_msg: 'Adroddiad ar #%{id} wedi''i brosesu''n llwyddiannus'
quick_actions_description_html: 'Cymerwch gamau cyflym neu sgroliwch i lawr i weld cynnwys yr adroddwyd amdano:'
remote_user_placeholder: y defnyddiwr pell o %{instance}
reopen: Ailagor adroddiad
report: 'Adroddiad #%{id}'
reported_account: Cyfrif wedi ei adrodd
reported_by: Adroddwyd gan
reported_with_application: Adroddwyd gydag ap
resolved: Wedi ei ddatrys
@ -724,7 +720,6 @@ cy:
unassign: Dadneilltuo
unknown_action_msg: 'Gweithred anhysbys: %{action}'
unresolved: Heb ei ddatrys
updated_at: Diweddarwyd
view_profile: Gweld proffil
roles:
add_new: Ychwanegu rôl

View File

@ -613,7 +613,6 @@ da:
are_you_sure: Sikker?
assign_to_self: Tildel til mig
assigned: Tildelt moderator
by_target_domain: Anmeldte kontos domæne
cancel: Afbryd
category: Kategori
category_description_html: Årsagen til anmeldelsen af denne konto og/eller indhold refereres i kommunikationen med den anmeldte konto
@ -640,11 +639,8 @@ da:
title: Notater
notes_description_html: Se og skriv notater til andre moderatorer og dit fremtidige jeg
processed_msg: 'Anmeldelse #%{id} er blev behandlet'
quick_actions_description_html: 'Træf en hurtig foranstaltning eller rul ned for at se anmeldt indhold:'
remote_user_placeholder: fjernbrugeren fra %{instance}
reopen: Genåbn anmeldelse
report: 'Anmeldelse #%{id}'
reported_account: Anmeldt konto
reported_by: Anmeldt af
reported_with_application: Rapporteret via applikation
resolved: Løst
@ -676,7 +672,6 @@ da:
unassign: Fjern tildeling
unknown_action_msg: 'Ukendt handling: %{action}'
unresolved: Uløst
updated_at: Opdateret
view_profile: Vis profil
roles:
add_new: Tilføj rolle

View File

@ -613,7 +613,6 @@ de:
are_you_sure: Bist du dir sicher?
assign_to_self: Mir zuweisen
assigned: Zugewiesene*r Moderator*in
by_target_domain: Domain des gemeldeten Kontos
cancel: Abbrechen
category: Kategorie
category_description_html: Der Grund, weshalb dieses Konto und/oder der Inhalt gemeldet worden ist, wird in der Kommunikation mit dem gemeldeten Konto erwähnt
@ -640,11 +639,8 @@ de:
title: Notizen
notes_description_html: Notiz an dich und andere Moderator*innen hinterlassen
processed_msg: Meldung Nr. %{id} erfolgreich bearbeitet
quick_actions_description_html: 'Führe eine schnelle Aktion aus oder scrolle nach unten, um gemeldete Inhalte zu sehen:'
remote_user_placeholder: das externe Profil von %{instance}
reopen: Meldung wieder eröffnen
report: "%{id}. Meldung"
reported_account: Gemeldetes Konto
reported_by: Gemeldet von
reported_with_application: Per App gemeldet
resolved: Geklärt
@ -676,7 +672,6 @@ de:
unassign: Zuweisung aufheben
unknown_action_msg: 'Unbekannte Aktion: %{action}'
unresolved: Ungeklärt
updated_at: Aktualisiert
view_profile: Profil anzeigen
roles:
add_new: Rolle hinzufügen

View File

@ -600,7 +600,6 @@ el:
are_you_sure: Σίγουρα;
assign_to_self: Ανάθεση σε μένα
assigned: Αρμόδιος συντονιστής
by_target_domain: Τομέας του αναφερόμενου λογαριασμού
cancel: Άκυρο
category: Κατηγορία
category_description_html: Ο λόγος για τον οποίο αναφέρθηκε αυτός ο λογαριασμός και/ή το περιεχόμενο θα εσωκλείεται σε επικοινωνία με τον αναφερόμενο λογαριασμό
@ -627,11 +626,8 @@ el:
title: Σημειώσεις
notes_description_html: Δες και άφησε σημειώσεις σε άλλους συντονιστές και στον μελλοντικό εαυτό σου
processed_msg: 'Η αναφορά #%{id} διεκπεραιώθηκε με επιτυχία'
quick_actions_description_html: 'Κάνε μια γρήγορη ενέργεια ή μετακινήσου προς τα κάτω για να δεις το αναφερόμενο περιεχόμενο:'
remote_user_placeholder: ο απομακρυσμένος χρήστης από %{instance}
reopen: Ξανάνοιξε την αναφορά
report: 'Αναφορά #%{id}'
reported_account: Αναφερόμενος λογαριασμός
reported_by: Αναφέρθηκε από
reported_with_application: Αναφέρθηκε με την εφαρμογή
resolved: Επιλύθηκε
@ -662,7 +658,6 @@ el:
unassign: Αναίρεση ανάθεσης
unknown_action_msg: 'Άγνωστη ενέργεια: %{action}'
unresolved: Άλυτη
updated_at: Ενημερωμένη
view_profile: Προβολή προφίλ
roles:
add_new: Προσθήκη ρόλου

View File

@ -612,7 +612,6 @@ en-GB:
are_you_sure: Are you sure?
assign_to_self: Assign to me
assigned: Assigned moderator
by_target_domain: Domain of reported account
cancel: Cancel
category: Category
category_description_html: The reason this account and/or content was reported will be cited in communication with the reported account
@ -639,11 +638,8 @@ en-GB:
title: Notes
notes_description_html: View and leave notes to other moderators and your future self
processed_msg: 'Report #%{id} successfully processed'
quick_actions_description_html: 'Take a quick action or scroll down to see reported content:'
remote_user_placeholder: the remote user from %{instance}
reopen: Reopen report
report: 'Report #%{id}'
reported_account: Reported account
reported_by: Reported by
reported_with_application: Reported with application
resolved: Resolved
@ -675,7 +671,6 @@ en-GB:
unassign: Unassign
unknown_action_msg: 'Unknown action: %{action}'
unresolved: Unresolved
updated_at: Updated
view_profile: View profile
roles:
add_new: Add role

View File

@ -596,6 +596,7 @@ en:
other: "%{count} notes"
action_log: Audit log
action_taken_by: Action taken by
action_taken_by_html: Action taken by %{name}
actions:
delete_description_html: The reported posts will be deleted and a strike will be recorded to help you escalate on future infractions by the same account.
mark_as_sensitive_description_html: The media in the reported posts will be marked as sensitive and a strike will be recorded to help you escalate on future infractions by the same account.
@ -613,8 +614,19 @@ en:
are_you_sure: Are you sure?
assign_to_self: Assign to me
assigned: Assigned moderator
by_target_domain: Domain of reported account
assigned_to_html: Assigned to %{name}
attached_media_attachments:
one: "%{count} media attachment"
other: "%{count} media attachments"
attached_statuses:
one: "%{count} post"
other: "%{count} posts"
cancel: Cancel
categories:
legal: Legal
other: Other
spam: Spam
violation: Rule violation
category: Category
category_description_html: The reason this account and/or content was reported will be cited in communication with the reported account
comment:
@ -631,6 +643,7 @@ en:
mark_as_sensitive: Mark as sensitive
mark_as_unresolved: Mark as unresolved
no_one_assigned: No one
no_report_selected: No reports were changed as none were selected
notes:
create: Add note
create_and_resolve: Resolve with note
@ -639,13 +652,13 @@ en:
placeholder: Describe what actions have been taken, or any other related updates...
title: Notes
notes_description_html: View and leave notes to other moderators and your future self
origin: Origin of report
processed_msg: 'Report #%{id} successfully processed'
quick_actions_description_html: 'Take a quick action or scroll down to see reported content:'
remote_user_placeholder: the remote user from %{instance}
reopen: Reopen report
report: 'Report #%{id}'
reported_account: Reported account
reported_by: Reported by
reported_by_html: By %{name}
reported_by_someone_from_html: By someone from %{name}
reported_with_application: Reported with application
resolved: Resolved
resolved_msg: Report successfully resolved!
@ -674,9 +687,9 @@ en:
target_origin: Origin of reported account
title: Reports
unassign: Unassign
unassigned: Unassigned
unknown_action_msg: 'Unknown action: %{action}'
unresolved: Unresolved
updated_at: Updated
view_profile: View profile
roles:
add_new: Add role

View File

@ -602,7 +602,6 @@ eo:
are_you_sure: Ĉu vi certas?
assign_to_self: Asigni al mi
assigned: Asignita kontrolanto
by_target_domain: Domajno de la signalita konto
cancel: Nuligi
category: Kategorio
category_description_html: La kialo pri ĉi tiuj konto kaj enhavo raportitaj sendotas al la raportita konto
@ -628,11 +627,8 @@ eo:
title: Notoj
notes_description_html: Vidi kaj lasi notojn por aliaj kontrolantoj kaj estonta vi
processed_msg: 'La raporto #%{id} sukcese prilaborita'
quick_actions_description_html: 'Agu au movu malsupre por vidi raportitajn enhavojn:'
remote_user_placeholder: la ekstera uzanto de %{instance}
reopen: Remalfermi signalon
report: 'Signalo #%{id}'
reported_account: Signalita konto
reported_by: Signalita de
reported_with_application: Raportita per aplikaĵo
resolved: Solvitaj
@ -663,7 +659,6 @@ eo:
unassign: Malasigni
unknown_action_msg: 'Nekonata ago: %{action}'
unresolved: Nesolvitaj
updated_at: Ĝisdatigita
view_profile: Vidi profilon
roles:
add_new: Aldoni rolon

View File

@ -613,7 +613,6 @@ es-AR:
are_you_sure: "¿Estás seguro?"
assign_to_self: Asignármela a mí
assigned: Moderador asignado
by_target_domain: Dominio de la cuenta denunciada
cancel: Cancelar
category: Categoría
category_description_html: El motivo por el que se denunció esta cuenta o contenido será citado en las comunicaciones con la cuenta denunciada
@ -640,11 +639,8 @@ es-AR:
title: Notas
notes_description_html: Ver y dejar notas para otros moderadores y como referencia futura
processed_msg: 'Denuncia #%{id}, procesada exitosamente'
quick_actions_description_html: 'Tomá una acción rápida o desplazate hacia abajo para ver el contenido denunciado:'
remote_user_placeholder: el usuario remoto de %{instance}
reopen: Reabrir denuncia
report: 'Denuncia #%{id}'
reported_account: Cuenta denunciada
reported_by: Denunciada por
reported_with_application: Denunciado con aplicación
resolved: Resueltas
@ -676,7 +672,6 @@ es-AR:
unassign: Desasignar
unknown_action_msg: 'Acción desconocida: %{action}'
unresolved: No resueltas
updated_at: Actualizadas
view_profile: Ver perfil
roles:
add_new: Agregar rol

View File

@ -613,7 +613,6 @@ es-MX:
are_you_sure: "¿Estás seguro?"
assign_to_self: Asignármela a mí
assigned: Moderador asignado
by_target_domain: Dominio de la cuenta reportada
cancel: Cancelar
category: Categoría
category_description_html: La razón por la que se reportó esta cuenta o contenido será citada en las comunicaciones con la cuenta reportada
@ -640,11 +639,8 @@ es-MX:
title: Notas
notes_description_html: Ver y dejar notas a otros moderadores y a tu yo futuro
processed_msg: 'La denuncia #%{id} ha sido procesada con éxito'
quick_actions_description_html: 'Toma una acción rápida o desplázate hacia abajo para ver el contenido denunciado:'
remote_user_placeholder: el usuario remoto de %{instance}
reopen: Reabrir denuncia
report: 'Reportar #%{id}'
reported_account: Cuenta reportada
reported_by: Reportado por
reported_with_application: Informado a través de la aplicación
resolved: Resuelto
@ -676,7 +672,6 @@ es-MX:
unassign: Desasignar
unknown_action_msg: 'Acción desconocida: %{action}'
unresolved: No resuelto
updated_at: Actualizado
view_profile: Ver perfil
roles:
add_new: Añadir rol

View File

@ -613,7 +613,6 @@ es:
are_you_sure: "¿Estás seguro?"
assign_to_self: Asignármela a mí
assigned: Moderador asignado
by_target_domain: Dominio de la cuenta reportada
cancel: Cancelar
category: Categoría
category_description_html: La razón por la que se reportó esta cuenta o contenido será citada en las comunicaciones con la cuenta reportada
@ -640,11 +639,8 @@ es:
title: Notas
notes_description_html: Ver y dejar notas a otros moderadores y a tu yo futuro
processed_msg: 'El informe #%{id} ha sido procesado con éxito'
quick_actions_description_html: 'Toma una acción rápida o desplázate hacia abajo para ver el contenido denunciado:'
remote_user_placeholder: el usuario remoto de %{instance}
reopen: Reabrir denuncia
report: 'Reportar #%{id}'
reported_account: Cuenta reportada
reported_by: Reportado por
reported_with_application: Informado a través de la aplicación
resolved: Resuelto
@ -676,7 +672,6 @@ es:
unassign: Desasignar
unknown_action_msg: 'Acción desconocida: %{action}'
unresolved: No resuelto
updated_at: Actualizado
view_profile: Ver perfil
roles:
add_new: Añadir rol

View File

@ -613,7 +613,6 @@ et:
are_you_sure: Oled kindel?
assign_to_self: Määra mulle
assigned: Määratud moderaator
by_target_domain: Teavitatud konto domeen
cancel: Tühista
category: Kategooria
category_description_html: Põhjus, miks sellest kontost ja/või sisust teatati, kaasatakse raporteeritud kontoga suhtlemisel
@ -640,11 +639,8 @@ et:
title: Märkmed
notes_description_html: Märkmete vaatamine ja jätmine teistele moderaatoritele ja tulevikuks endale
processed_msg: 'Raport #%{id} edukalt käsitletud'
quick_actions_description_html: 'Võimalus teha kiire otsus või näha raporteeritud sisu allpool:'
remote_user_placeholder: kaugkasutaja domeenist %{instance}
reopen: Taasava teavitus
report: 'Teavitus #%{id}'
reported_account: Teavitatud kontost
reported_by: Teavitaja
reported_with_application: Raporteeritud rakendusega
resolved: Lahendatud
@ -676,7 +672,6 @@ et:
unassign: Eemalda määramine
unknown_action_msg: 'Tundmatu tegevus: %{action}'
unresolved: Lahendamata
updated_at: Uuendatud
view_profile: Vaata profiili
roles:
add_new: Lisa roll

View File

@ -578,7 +578,6 @@ eu:
are_you_sure: Ziur zaude?
assign_to_self: Esleitu niri
assigned: Esleitutako moderatzailea
by_target_domain: Jakinarazitako kontuaren domeinua
cancel: Utzi
category: Kategoria
category_description_html: Kontu edo/eta eduki hau salatu izanaren arrazoia salatutako kontuarekiko komunikazioan aipatuko da
@ -605,11 +604,8 @@ eu:
title: Oharrak
notes_description_html: Ikusi eta idatzi oharrak beste moderatzaileentzat eta zuretzat etorkizunerako
processed_msg: "#%{id} txostena ongi prozesatu da"
quick_actions_description_html: 'Hartu ekintza azkar bat edo korritu behera salatutako edukia ikusteko:'
remote_user_placeholder: "%{instance} instantziako urruneko erabiltzailea"
reopen: Berrireki salaketa
report: 'Salaketa #%{id}'
reported_account: Salatutako kontua
reported_by: Salatzailea
resolved: Konponduta
resolved_msg: Salaketa ongi konpondu da!
@ -639,7 +635,6 @@ eu:
unassign: Kendu esleipena
unknown_action_msg: 'Ekintza ezezaguna: %{action}'
unresolved: Konpondu gabea
updated_at: Eguneratua
view_profile: Ikusi profila
roles:
add_new: Gehitu rola

View File

@ -584,7 +584,6 @@ fa:
are_you_sure: مطمئنید؟
assign_to_self: به عهدهٔ من بگذار
assigned: مدیر عهده‌دار
by_target_domain: دامنهٔ حساب گزارش‌شده
cancel: لغو
category: دسته
comment:
@ -607,9 +606,7 @@ fa:
placeholder: کارهایی را که در این باره انجام شده، یا هر به‌روزرسانی دیگری را بنویسید...
title: یادداشت‌ها
remote_user_placeholder: کاربر دوردست از %{instance}
reopen: دوباره به جریان بیندازید
report: 'گزارش #%{id}'
reported_account: حساب گزارش‌شده
reported_by: گزارش از طرف
reported_with_application: گزارش شده با برنامه
resolved: حل‌شده
@ -624,7 +621,6 @@ fa:
unassign: پس‌گرفتن مسئولیت
unknown_action_msg: 'کنش ناشناخته: %{action}'
unresolved: حل‌نشده
updated_at: به‌روز شد
view_profile: دیدن نمایه
roles:
add_new: افزودن نقش

View File

@ -613,7 +613,6 @@ fi:
are_you_sure: Oletko varma?
assign_to_self: Ota käsiteltäväkseni
assigned: Määritetty moderaattori
by_target_domain: Raportoidun tilin verkkotunnus
cancel: Peruuta
category: Luokka
category_description_html: Syy siihen, miksi tämä tili ja/tai sisältö raportoitiin, mainitaan ilmoitetun tilin kanssa viestiessä
@ -640,11 +639,8 @@ fi:
title: Muistiinpanot
notes_description_html: Tarkastele ja jätä muistiinpanoja muille moderaattoreille ja itsellesi tulevaisuuteen
processed_msg: Raportin nro %{id} käsittely onnistui
quick_actions_description_html: 'Suorita pikatoiminto tai vieritä alas nähdäksesi raportoitu sisältö:'
remote_user_placeholder: etäkäyttäjä palvelimelta %{instance}
reopen: Avaa raportti uudelleen
report: Raportti nro %{id}
reported_account: Raportoitu tili
reported_by: Raportoinut
reported_with_application: Raportoitu sovelluksella
resolved: Ratkaistu
@ -676,7 +672,6 @@ fi:
unassign: Poista käsittelystä
unknown_action_msg: 'Tuntematon toimi: %{action}'
unresolved: Ratkaisematon
updated_at: Päivitetty
view_profile: Näytä profiili
roles:
add_new: Lisää rooli

View File

@ -613,7 +613,6 @@ fo:
are_you_sure: Er tú vís/ur?
assign_to_self: Tilluta mær
assigned: Tilnevnt umsjónarfólk
by_target_domain: Navnaøki hjá meldaðu kontuni
cancel: Angra
category: Bólkur
category_description_html: Orsøkin, at hendan kontan og/ella tilfarið var melda verður fráboðað í samskifti við meldaðu kontuni
@ -640,11 +639,8 @@ fo:
title: Viðmerkingar
notes_description_html: Vís ella skriva viðmerkingar til onnur umsjónarfólk ella teg sjálva/n í framtíðini
processed_msg: 'Rapportering #%{id} liðugt viðgjørd'
quick_actions_description_html: 'Tak eina skjóta avgerð ella skrulla niðureftir fyri at síggja meldaða innihaldið:'
remote_user_placeholder: fjarbrúkarin frá %{instance}
reopen: Lat melding uppaftur
report: 'Melding #%{id}'
reported_account: Meldað konta
reported_by: Meldað av
reported_with_application: Fráboðað við umsókn
resolved: Loyst
@ -676,7 +672,6 @@ fo:
unassign: Strika tillutan
unknown_action_msg: 'Ókend atgerð: %{action}'
unresolved: Óloyst
updated_at: Dagført
view_profile: Vís vangamynd
roles:
add_new: Legg leiklut afturat

View File

@ -616,7 +616,6 @@ fr-CA:
are_you_sure: Voulez-vous vraiment faire ça ?
assign_to_self: Me lassigner
assigned: Modérateur assigné
by_target_domain: Domaine du compte signalé
cancel: Annuler
category: Catégorie
category_description_html: La raison pour laquelle ce compte et/ou ce contenu a été signalé sera citée dans la communication avec le compte signalé
@ -643,11 +642,8 @@ fr-CA:
title: Remarques
notes_description_html: Voir et laisser des notes aux autres modérateurs et à votre futur moi-même
processed_msg: 'Le signalement #%{id} a été traité avec succès'
quick_actions_description_html: 'Faites une action rapide ou faites défiler vers le bas pour voir le contenu signalé :'
remote_user_placeholder: l'utilisateur·rice distant·e de %{instance}
reopen: Ré-ouvrir le signalement
report: 'Signalement #%{id}'
reported_account: Compte signalé
reported_by: Signalé par
reported_with_application: Signalé avec l'application
resolved: Résolus
@ -679,7 +675,6 @@ fr-CA:
unassign: Dés-assigner
unknown_action_msg: 'Action inconnue : %{action}'
unresolved: Non résolus
updated_at: Mis à jour
view_profile: Voir le profil
roles:
add_new: Ajouter un rôle

View File

@ -616,7 +616,6 @@ fr:
are_you_sure: En êtes-vous sûr ?
assign_to_self: Me lassigner
assigned: Modérateur assigné
by_target_domain: Domaine du compte signalé
cancel: Annuler
category: Catégorie
category_description_html: La raison pour laquelle ce compte et/ou ce contenu a été signalé sera citée dans la communication avec le compte signalé
@ -643,11 +642,8 @@ fr:
title: Remarques
notes_description_html: Voir et laisser des notes aux autres modérateurs et à votre futur moi-même
processed_msg: 'Le signalement #%{id} a été traité avec succès'
quick_actions_description_html: 'Faites une action rapide ou faites défiler vers le bas pour voir le contenu signalé :'
remote_user_placeholder: l'utilisateur·rice distant·e de %{instance}
reopen: Ré-ouvrir le signalement
report: 'Signalement #%{id}'
reported_account: Compte signalé
reported_by: Signalé par
reported_with_application: Signalé avec l'application
resolved: Résolus
@ -679,7 +675,6 @@ fr:
unassign: Dés-assigner
unknown_action_msg: 'Action inconnue : %{action}'
unresolved: Non résolus
updated_at: Mis à jour
view_profile: Voir le profil
roles:
add_new: Ajouter un rôle

View File

@ -613,7 +613,6 @@ fy:
are_you_sure: Binne jo wis?
assign_to_self: Oan my tawize
assigned: Tawizen moderator
by_target_domain: Domein fan rapportearre account
cancel: Annulearje
category: Kategory
category_description_html: De reden wêrom dizze account en/of ynhâld rapportearre waard, wurdt oan it rapportearre account meidield
@ -640,11 +639,8 @@ fy:
title: Opmerkingen
notes_description_html: Besjoch en lit opmerkingen efter foar oare moderatoaren en foar jo takomstige sels
processed_msg: 'Rapprtaazje #%{id} mei sukses ferwurke'
quick_actions_description_html: 'Nim in flugge maatregel of skow nei ûnder om de rapportearre ynhâld te besjen:'
remote_user_placeholder: de eksterne brûker fan %{instance}
reopen: Rapport opnij iepenje
report: 'Rapportaazje #%{id}'
reported_account: Rapportearre account
reported_by: Rapportearre troch
reported_with_application: Mei applikaasje rapportearre
resolved: Oplost
@ -676,7 +672,6 @@ fy:
unassign: Net langer tawize
unknown_action_msg: 'Unbekende aksje: %{action}'
unresolved: Net oplost
updated_at: Bywurke
view_profile: Profyl besjen
roles:
add_new: Rol tafoegje

View File

@ -649,7 +649,6 @@ ga:
are_you_sure: An bhfuil tú cinnte?
assign_to_self: Sann dom
assigned: Modhnóir sannta
by_target_domain: Fearann an chuntais tuairiscithe
cancel: Cealaigh
category: Catagóir
category_description_html: Luafar an chúis ar tuairiscíodh an cuntas seo agus/nó an t-ábhar seo i gcumarsáid leis an gcuntas tuairiscithe
@ -676,11 +675,8 @@ ga:
title: Nótaí
notes_description_html: Féach ar agus fág nótaí do mhodhnóirí eile agus duit féin amach anseo
processed_msg: 'D''éirigh le próiseáil an tuairisc # %{id}'
quick_actions_description_html: 'Déan gníomh tapa nó scrollaigh síos chun ábhar tuairiscithe a fheiceáil:'
remote_user_placeholder: an cianúsáideoir ó %{instance}
reopen: Tuairisc a athoscailt
report: 'Tuairiscigh # %{id}'
reported_account: Cuntas tuairiscithe
reported_by: Tuairiscithe ag
reported_with_application: Tuairiscíodh leis an iarratas
resolved: Réitithe
@ -712,7 +708,6 @@ ga:
unassign: Díshannadh
unknown_action_msg: 'Gníomh anaithnid: %{action}'
unresolved: Gan réiteach
updated_at: Nuashonraithe
view_profile: Féach ar phróifíl
roles:
add_new: Cruthaigh ról

View File

@ -637,7 +637,6 @@ gd:
are_you_sure: A bheil thu cinnteach?
assign_to_self: Iomruin dhomh-sa
assigned: Maor iomruinte
by_target_domain: Àrainn cunntas a ghearain
cancel: Sguir dheth
category: Roinn-seòrsa
category_description_html: Thèid iomradh a thoirt air adhbhar a ghearain mun chunntas/susbaint seo sa chonaltradh leis a chunntas mun a chaidh an gearan a thogail
@ -664,11 +663,8 @@ gd:
title: Nòtaichean
notes_description_html: Seall is sgrìobh nòtaichean do mhaoir eile is dhut fhèin san àm ri teachd
processed_msg: 'Chaidh gearan #%{id} a phròiseasadh'
quick_actions_description_html: 'Gabh gnìomh luath no sgrolaich sìos a dhfhaicinn susbaint a ghearain:'
remote_user_placeholder: cleachdaiche cèin o %{instance}
reopen: Fosgail an gearan a-rithist
report: 'Gearan air #%{id}'
reported_account: Cunntas mun a chaidh a ghearan
reported_by: Chaidh gearan a dhèanamh le
reported_with_application: Chaidh an gearan a dhèanamh le aplacaid
resolved: Air fhuasgladh
@ -700,7 +696,6 @@ gd:
unassign: Dì-iomruin
unknown_action_msg: 'Gnìomh nach aithne dhuinn: %{action}'
unresolved: Gun fhuasgladh
updated_at: Air ùrachadh
view_profile: Seall a phròifil
roles:
add_new: Cuir dreuchd ris

View File

@ -613,7 +613,6 @@ gl:
are_you_sure: Tes certeza?
assign_to_self: Asignarme
assigned: Moderador asignado
by_target_domain: Dominio da conta denunciada
cancel: Cancelar
category: Categoría
category_description_html: A razón para denunciar esta conta ou contido será citada na comunicación coa conta denunciada
@ -640,11 +639,8 @@ gl:
title: Notas
notes_description_html: Ver e deixar unha nota para ti no futuro e outras moderadoras
processed_msg: 'Procesada correctamente a denuncia #%{id}'
quick_actions_description_html: 'Toma unha acción rápida ou desprázate abaixo para ver o contido denunciado:'
remote_user_placeholder: a usuaria remota desde %{instance}
reopen: Reabrir denuncia
report: 'Denuncia #%{id}'
reported_account: Conta denunciada
reported_by: Denunciado por
reported_with_application: Denunciado coa aplicación
resolved: Resolto
@ -676,7 +672,6 @@ gl:
unassign: Non asignar
unknown_action_msg: 'Acción descoñecida: %{action}'
unresolved: Non resolto
updated_at: Actualizado
view_profile: Ver perfil
roles:
add_new: Engadir rol

View File

@ -637,7 +637,6 @@ he:
are_you_sure: 100% על בטוח?
assign_to_self: הקצה אלי
assigned: מנחה מוקצה
by_target_domain: דומיין החשבון המדווח
cancel: ביטול
category: קטגוריה
category_description_html: הסיבה בגללה חשבון זה ו/או תוכנו דווחו תצוטט בתקשורת עם החשבון המדווח
@ -664,11 +663,8 @@ he:
title: הערות
notes_description_html: צפייה והשארת הערות למנחים אחרים או לעצמך העתידי
processed_msg: דיווח %{id} עוּבָּד בהצלחה
quick_actions_description_html: 'נקוט/י פעולה מהירה או גלול/י למטה לצפייה בתוכן המדווח:'
remote_user_placeholder: המשתמש המרוחק מ-%{instance}
reopen: פתיחת דו"ח מחדש
report: 'דווח על #%{id}'
reported_account: חשבון מדווח
reported_by: דווח על ידי
reported_with_application: דיווחים באמצעות יישומון
resolved: פתור
@ -700,7 +696,6 @@ he:
unassign: ביטול הקצאה
unknown_action_msg: 'פעולה לא מוכרת: %{action}'
unresolved: לא פתור
updated_at: עודכן
view_profile: צפה בפרופיל
roles:
add_new: הוספת תפקיד

View File

@ -613,7 +613,6 @@ hu:
are_you_sure: Biztos vagy benne?
assign_to_self: Magamhoz rendelés
assigned: Hozzárendelt moderátor
by_target_domain: A bejelentett fiók domainje
cancel: Mégse
category: Kategória
category_description_html: A fiók vagy tartalom bejelentésének oka a jelentett fiókkal kapcsolatos kommunikációban idézve lesz
@ -640,11 +639,8 @@ hu:
title: Megjegyzések
notes_description_html: Megtekintés, és megjegyzések hagyása más moderátoroknak
processed_msg: 'Bejelentés #%{id} sikeresen feldolgozva'
quick_actions_description_html: 'Hozz egy gyors intézkedést, vagy görgess le a bejelentett tartalomhoz:'
remote_user_placeholder: 'a távoli felhasználó innen: %{instance}'
reopen: Bejelentés újranyitása
report: "#%{id} számú jelentés"
reported_account: Bejelentett fiók
reported_by: 'Jelentette:'
reported_with_application: Alkalmazással bejelentve
resolved: Megoldott
@ -676,7 +672,6 @@ hu:
unassign: Hozzárendelés törlése
unknown_action_msg: 'Ismeretlen művelet: %{action}'
unresolved: Megoldatlan
updated_at: Frissítve
view_profile: Profil megtekintése
roles:
add_new: Szerep hozzáadása

View File

@ -356,16 +356,13 @@ hy:
create: Ավելացնել նշում
delete: Ջնջել
title: Նշում
reopen: Վերաբացել բողոքը
report: 'Բողոք #%{id}'
reported_account: Բողոքարկուած հաշիւ
reported_by: Բողոքարկուած է
resolved: Լուծուած
status: Կարգավիճակ
title: Բողոքներ
unassign: Չնշանակել
unresolved: Չլուծուած
updated_at: Թարմացուած
view_profile: Նայել անձնական էջը
roles:
categories:

View File

@ -613,7 +613,6 @@ ia:
are_you_sure: Es tu secur?
assign_to_self: Assignar a me
assigned: Moderator assignate
by_target_domain: Dominio del conto reportate
cancel: Cancellar
category: Categoria
category_description_html: Le motivo pro le qual iste conto e/o contento ha essite reportate essera citate in le communication con le conto reportate
@ -640,11 +639,8 @@ ia:
title: Notas
notes_description_html: Vider e lassar notas a altere moderatores e a tu ego futur
processed_msg: 'Reporto #%{id} elaborate con successo'
quick_actions_description_html: 'Face un rapide action o rola a basso pro vider le contento reportate:'
remote_user_placeholder: le usator remote ab %{instance}
reopen: Reaperir reporto
report: 'Reporto #%{id}'
reported_account: Conto reportate
reported_by: Reportate per
reported_with_application: Signalate con le application
resolved: Resolvite
@ -676,7 +672,6 @@ ia:
unassign: Disassignar
unknown_action_msg: 'Action incognite: %{action}'
unresolved: Non resolvite
updated_at: Actualisate
view_profile: Vider profilo
roles:
add_new: Adder rolo

View File

@ -546,7 +546,6 @@ id:
are_you_sure: Apakah Anda yakin?
assign_to_self: Tugaskan kpd saya
assigned: Moderator tertugas
by_target_domain: Domain akun yang dilaporkan
category: Kategori
category_description_html: Alasan akun dan/atau konten ini dilaporkan akan disampaikan saat berkomunikasi dengan akun yang dilaporkan
comment:
@ -568,11 +567,8 @@ id:
placeholder: Jelaskan aksi yang telah dilakukan, atau pembaruan lain yang berhubungan...
title: Catatan
notes_description_html: Lihat dan tinggalkan catatan kepada moderator lain dan Anda di masa depan
quick_actions_description_html: 'Lakukan tindakan cepat atau gulir ke bawah untuk melihat konten yang dilaporkan:'
remote_user_placeholder: pengguna jarak jauh dari %{instance}
reopen: Buka lagi laporan
report: 'Laporkan #%{id}'
reported_account: Akun yang dilaporkan
reported_by: Dilaporkan oleh
resolved: Terseleseikan
resolved_msg: Laporan berhasil diselesaikan!
@ -584,7 +580,6 @@ id:
title: Laporan
unassign: Bebas Tugas
unresolved: Belum Terseleseikan
updated_at: Diperbarui
view_profile: Lihat profil
roles:
add_new: Tambahkan peran

View File

@ -576,7 +576,6 @@ ie:
are_you_sure: Es tu cert?
assign_to_self: Assignar it a me
assigned: Assignat moderator
by_target_domain: Dominia del conto raportat
cancel: Anullar
category: Categorie
category_description_html: Li rason pro quel ti conto e/o contenete esset raportat va esser citat in comunication con li conto raportat
@ -603,11 +602,8 @@ ie:
title: Notas
notes_description_html: Vider e lassar notas a altri moderatores e a tui futuri self
processed_msg: 'Raporte #%{id} successosimen tractat'
quick_actions_description_html: 'Fa un rapid action o ear ad-infra por vider li contenete raportat:'
remote_user_placeholder: li lontan usator de %{instance}
reopen: Reaperter raporte
report: 'Raporte #%{id}'
reported_account: Raportat conto
reported_by: Raportat de
resolved: Soluet
resolved_msg: Raporte successosimen soluet!
@ -637,7 +633,6 @@ ie:
unassign: Ínassignar
unknown_action_msg: 'Ínconosset action: %{action}'
unresolved: Ínresoluet
updated_at: Actualisat
view_profile: Vider profil
roles:
add_new: Adjunter un rol

View File

@ -570,7 +570,6 @@ io:
are_you_sure: Ka vu esas certa?
assign_to_self: Taskigez me
assigned: Taskigita jerero
by_target_domain: Domeno di raportizita konto
cancel: Anulez
category: Kategorio
category_description_html: La motivo ke ca konto e kontenajo raportizesis citesos por komuniko kun raportizita konto
@ -597,11 +596,8 @@ io:
title: Noti
notes_description_html: Videz e pozez noti a altra jereri e vua su en futuro
processed_msg: 'Raporto #%{id} sucesoze traktita'
quick_actions_description_html: 'Agetez o volvez base por vidar raportizita kontenajo:'
remote_user_placeholder: nelokala uzanti de %{instance}
reopen: Riapertez raporto
report: 'Raporto #%{id}'
reported_account: Raportizita konto
reported_by: Raportizesis da
resolved: Rezolvesis
resolved_msg: Raporto sucesoze rezolvesis!
@ -631,7 +627,6 @@ io:
unassign: Detaskigez
unknown_action_msg: 'Nekonocata ago: %{action}'
unresolved: Nerezolvita
updated_at: Novigesis
view_profile: Videz profilo
roles:
add_new: Insertez rolo

View File

@ -613,7 +613,6 @@ is:
are_you_sure: Ertu viss?
assign_to_self: Úthluta mér
assigned: Úthlutaður umsjónarmaður
by_target_domain: Lén kærða notandaaðgangsins
cancel: Hætta við
category: Flokkur
category_description_html: Ástæðan fyrir því að þessi notandaaðgangur og/eða efni hans var kært mun verða tiltekin í samskiptum við kærðan notandaaðgang
@ -640,11 +639,8 @@ is:
title: Minnispunktar
notes_description_html: Skoðaðu og skrifaðu minnispunkta til annarra stjórnenda og sjálfs þín
processed_msg: 'Tókst að meðhöndla kæruna #%{id}'
quick_actions_description_html: 'Beittu flýtiaðgerð eða skrunaðu niður til að skoða kært efni:'
remote_user_placeholder: fjartengda notandann frá %{instance}
reopen: Enduropna kæru
report: 'Kæra #%{id}'
reported_account: Kærður notandaaðgangur
reported_by: Kært af
reported_with_application: Kærði með forritinu
resolved: Leyst
@ -676,7 +672,6 @@ is:
unassign: Aftengja úthlutun
unknown_action_msg: 'Óþekkt aðgerð: %{action}'
unresolved: Óleyst
updated_at: Uppfært
view_profile: Skoða notandasnið
roles:
add_new: Bæta við hlutverki

View File

@ -613,7 +613,6 @@ it:
are_you_sure: Sei sicuro?
assign_to_self: Assegna a me
assigned: Moderatore assegnato
by_target_domain: Dominio dell'account segnalato
cancel: Annulla
category: Categoria
category_description_html: Il motivo per cui questo account e/o contenuto è stato segnalato sarà citato nella comunicazione con l'account segnalato
@ -640,11 +639,8 @@ it:
title: Note
notes_description_html: Visualizza e lascia note ad altri moderatori e al tuo futuro sé
processed_msg: 'Segnalazione #%{id} elaborata correttamente'
quick_actions_description_html: 'Fai un''azione rapida o scorri verso il basso per vedere il contenuto segnalato:'
remote_user_placeholder: l'utente remoto da %{instance}
reopen: Riapri rapporto
report: 'Rapporto #%{id}'
reported_account: Account segnalato
reported_by: Inviato da
reported_with_application: Segnalato con applicazione
resolved: Risolto
@ -676,7 +672,6 @@ it:
unassign: Non assegnare
unknown_action_msg: 'Azione sconosciuta: %{action}'
unresolved: Non risolto
updated_at: Aggiornato
view_profile: Visualizza profilo
roles:
add_new: Aggiungi ruolo

View File

@ -601,7 +601,6 @@ ja:
are_you_sure: 本当に実行しますか?
assign_to_self: 担当になる
assigned: 担当者
by_target_domain: ドメイン
cancel: キャンセル
category: カテゴリー
category_description_html: 選択した理由は通報されたアカウントへの連絡時に引用されます
@ -628,11 +627,8 @@ ja:
title: メモ
notes_description_html: 他のモデレーターと将来の自分にメモを残してください
processed_msg: '通報 #%{id} が正常に処理されました'
quick_actions_description_html: 'クイックアクションを実行するかスクロールして報告された通報を確認してください:'
remote_user_placeholder: "%{instance}からのリモートユーザー"
reopen: 未解決に戻す
report: '通報 #%{id}'
reported_account: 報告対象アカウント
reported_by: 報告者
reported_with_application: 報告に使用されたアプリ
resolved: 解決済み
@ -664,7 +660,6 @@ ja:
unassign: 担当を外す
unknown_action_msg: '不明なアクションです: %{action}'
unresolved: 未解決
updated_at: 更新日時
view_profile: プロフィールを表示
roles:
add_new: ロールを追加

View File

@ -174,9 +174,7 @@ ka:
create_and_unresolve: ხელახალი გახსნა ჩანაწერით
delete: გაუქმება
placeholder: აღწერეთ თუ რა ნაბიჯები უნდა გადაიდგას, ან სხვა დაკავშირებული განახლებები...
reopen: რეპორტის ხელახალი გახსნა
report: 'რეპორტი #%{id}'
reported_account: დარეპორტებული ანგარიში
reported_by: დაარეპორტა
resolved: გადაწყვეტილი
resolved_msg: რეპორტი წარმატებით გადაწყდა!
@ -184,7 +182,6 @@ ka:
title: რეპორტები
unassign: გადაყენება
unresolved: გადაუწყვეტელი
updated_at: განახების დრო
statuses:
back_to_account: უკან ანგარიშის გვერდისკენ
media:

View File

@ -360,14 +360,11 @@ kab:
create_and_unresolve: Alew alday s tamawt
delete: Kkes
title: Tizmilin
reopen: Allus n ulday n uneqqis
report: 'Aneqqis #%{id}'
reported_account: Amiḍan yettumlen
resolved: Fran
status: Addad
title: Ineqqisen
unresolved: Ur yefra ara
updated_at: Yettwaleqqem
view_profile: Wali amaɣnu
roles:
categories:

View File

@ -243,7 +243,6 @@ kk:
are_you_sure: Шынымен бе?
assign_to_self: Мені тағайындау
assigned: Модератор тағайындау
by_target_domain: Шағымдалған аккаунт домені
comment:
none: Ештеңе
created_at: Шағым тасталды
@ -255,9 +254,7 @@ kk:
create_and_unresolve: Жазба қосып қайта аш
delete: Өшіру
placeholder: Қандай әрекеттер жасалғанын немесе қандай да бір қатысты әрекеттерді сипаттаңыз ...
reopen: Шағымды қайта аш
report: 'Шағым #%{id}'
reported_account: Шағымдалған аккаунт
reported_by: Шағым тастаушы
resolved: Қайта шешілді
resolved_msg: Шағым қайтадан шешілді!
@ -265,7 +262,6 @@ kk:
title: Шағымдар
unassign: Қайтып алу
unresolved: Шешілмеген
updated_at: Жаңартылды
settings:
domain_blocks:
all: Бәріне

View File

@ -603,7 +603,6 @@ ko:
are_you_sure: 확실합니까?
assign_to_self: 나에게 할당하기
assigned: 할당된 중재자
by_target_domain: 신고된 계정의 도메인
cancel: 취소
category: 카테고리
category_description_html: 이 계정 또는 게시물이 신고된 이유는 신고된 계정과의 의사소통 과정에 인용됩니다
@ -630,11 +629,8 @@ ko:
title: 참고사항
notes_description_html: 확인하고 다른 중재자나 미래의 자신을 위해 기록을 작성합니다
processed_msg: '신고 #%{id}가 정상적으로 처리되었습니다'
quick_actions_description_html: '빠른 조치를 취하거나 아래로 스크롤해서 신고된 콘텐츠를 확인하세요:'
remote_user_placeholder: "%{instance}의 리모트 사용자"
reopen: 신고 재검토
report: '신고 #%{id}'
reported_account: 신고 대상 계정
reported_by: 신고자
reported_with_application: 신고에 사용된 앱
resolved: 해결
@ -666,7 +662,6 @@ ko:
unassign: 할당 해제
unknown_action_msg: '알 수 없는 액션: %{action}'
unresolved: 미해결
updated_at: 업데이트 시각
view_profile: 프로필 보기
roles:
add_new: 역할 추가

View File

@ -553,7 +553,6 @@ ku:
are_you_sure: Gelo tu bawerî?
assign_to_self: Bo min diyar bike
assigned: Çavdêrê diyarkirî
by_target_domain: Navperê ya ajimêrê ragihandî
category: Beş
category_description_html: Sedema ku ev ajimêr û/an jî naverok hate ragihandin wê di pêwendiya bi ajimêrê ragihandinê de werê diyarkirin
comment:
@ -575,11 +574,8 @@ ku:
placeholder: Bide nasîn ka çi çalakî hatine kirin, an jî heman rojanekirinên din ên têkildar...
title: Nîşe
notes_description_html: Nîşeyan ji çavdêrên din û ji xwe re di pêşerojê de bibîne û bihêle
quick_actions_description_html: 'Ji bo dîtina naveroka ragihandî çalakiyeke bilez bavêje an jî li jêr bigere:'
remote_user_placeholder: bikarhênerê ji dûr ve ji %{instance}
reopen: Ragihandina ji nû ve veke
report: "@%{id} Ragihîne"
reported_account: Ajimêra ragihandî
reported_by: Ragihandî ji aliyê
resolved: Çareserkirî
resolved_msg: Ragihandin bi awayekî serkeftî hate çareserkirin!
@ -591,7 +587,6 @@ ku:
title: Ragihandinên
unassign: Diyar neke
unresolved: Neçareserkirî
updated_at: Rojanekirî
view_profile: Profîlê nîşan bide
roles:
add_new: Rolê tevlî bike

View File

@ -605,7 +605,6 @@ lad:
are_you_sure: Estas siguro?
assign_to_self: Asinyamela a mi
assigned: Moderador asinyado
by_target_domain: Domeno del kuento raportado
cancel: Anula
category: Kategoria
category_description_html: La razon por la ke se raporto este kuento o kontenido sera mensyonada en las komuniksayones kon el kuento raportado
@ -632,11 +631,8 @@ lad:
title: Notas
notes_description_html: Ve i desha notas a otros moderadores i a tu yo futuro
processed_msg: 'Raporto #%{id} prosesado kon sukseso'
quick_actions_description_html: 'Toma una aksion rapida o metete abasho para ver el kontenido denunsiado:'
remote_user_placeholder: el utilizador remoto de %{instance}
reopen: Reavre denunsia
report: 'Raporta #%{id}'
reported_account: Kuento raportado
reported_by: Raportado por
resolved: Rezolvido
resolved_msg: Tienes rezolvido la denunsia djustamente!
@ -666,7 +662,6 @@ lad:
unassign: Dezasinya
unknown_action_msg: 'Aksyon no konesida: %{action}'
unresolved: No rezolvido
updated_at: Aktualizado
view_profile: Ve profil
roles:
add_new: Adjusta rolo

View File

@ -519,9 +519,7 @@ lt:
delete: Ištrinti
placeholder: Apibūdink, kokių veiksmų imtasi arba kitokie atnaujinimai..
notes_description_html: Peržiūrėk ir palik pastabas kitiems prižiūrėtojams ir savo būsimam aš
reopen: Atidaryti skundą
report: 'Skundas #%{id}'
reported_account: Reportuota paskyra
reported_by: Skundas sukurtas
reported_with_application: Pranešta su programėle
resolved: Išspręsta
@ -530,7 +528,6 @@ lt:
title: Skundai
unassign: Nepriskirti
unresolved: Neišspręsti
updated_at: Atnaujinti
roles:
categories:
invites: Kvietimai

View File

@ -611,7 +611,6 @@ lv:
are_you_sure: Vai esi pārliecināts?
assign_to_self: Piešķirt man
assigned: Piešķirtais moderators
by_target_domain: Ziņotā konta domēns
cancel: Atcelt
category: Kategorija
category_description_html: Iemesls kāpēc šis konts un / vai saturs tika ziņots, tiks minēts saziņā ar paziņoto kontu
@ -638,11 +637,8 @@ lv:
title: Piezīmes
notes_description_html: Skati un atstāj piezīmes citiem moderatoriem un sev nākotnei
processed_msg: 'Pārskats #%{id} veiksmīgi apstrādāts'
quick_actions_description_html: 'Veic ātro darbību vai ritini uz leju, lai skatītu saturu, par kuru ziņots:'
remote_user_placeholder: attālais lietotājs no %{instance}
reopen: Atkārtoti atvērt ziņojumu
report: 'Ziņojums #%{id}'
reported_account: Ziņotais konts
reported_by: Ziņoja
reported_with_application: Ziņots no lietotnes
resolved: Atrisināts
@ -673,7 +669,6 @@ lv:
unassign: Atsaukt
unknown_action_msg: 'Nezināms konts: %{action}'
unresolved: Neatrisinātie
updated_at: Atjaunināts
view_profile: Skatīt profilu
roles:
add_new: Pievienot lomu

View File

@ -560,7 +560,6 @@ ms:
are_you_sure: Adakah anda pasti?
assign_to_self: Menugaskan kepada saya
assigned: Penyederhana yang ditugaskan
by_target_domain: Domain bagi akaun yang dilaporkan
cancel: Batal
category: Kumpulan
category_description_html: Sebab akaun dan/atau kandungan ini dilaporkan akan disebut dalam komunikasi dengan akaun yang dilaporkan
@ -586,11 +585,8 @@ ms:
title: Catatan
notes_description_html: Lihat dan tinggalkan nota kepada moderator lain dan diri masa depan anda
processed_msg: 'Laporan #%{id} berjaya diproses'
quick_actions_description_html: 'Ambil tindakan pantas atau tatal ke bawah untuk melihat kandungan yang dilaporkan:'
remote_user_placeholder: pengguna jauh dari %{instance}
reopen: Buka semula laporan
report: 'Laporan #%{id}'
reported_account: Akaun yang dilaporkan
reported_by: Dilaporkan oleh
resolved: Diselesaikan
resolved_msg: Laporan berjaya diselesaikan!
@ -620,7 +616,6 @@ ms:
unassign: Nyahtugaskan
unknown_action_msg: 'Tindakan tidak diketahui: %{action}'
unresolved: Nyahselesaikan
updated_at: Dikemaskini
view_profile: Lihat profil
roles:
add_new: Tambah peranan

View File

@ -560,7 +560,6 @@ my:
are_you_sure: သေချာပါသလား။
assign_to_self: ကျွန်ုပ်ကို တာဝန်ပေးရန်
assigned: စိစစ်သူကို တာဝန်ပေးရန်
by_target_domain: တိုင်ကြားထားသော အကောင့်၏ ဒိုမိန်း
cancel: ပယ်ဖျက်မည်
category: အမျိုးအစား
category_description_html: ဤအကောင့်နှင့်/သို့မဟုတ် အကြောင်းအရာကို အစီရင်ခံထားသည့် အကြောင်းရင်းကို အစီရင်ခံထားသည့်အကောင့်နှင့် ဆက်သွယ်မှုတွင် ကိုးကားပါမည်။
@ -586,11 +585,8 @@ my:
title: မှတ်စုများ
notes_description_html: အခြားစိစစ်သူများနှင့် ကိုယ်တိုင်အတွက် မှတ်စုများ ထားခဲ့ပါ
processed_msg: 'အကြောင်းကြားမှု #%{id} ကို ဆောင်ရွက်ပြီးပါပြီ'
quick_actions_description_html: တိုင်ကြားထားသောအကြောင်းအရာများကြည့်ရှုရန်အတွက် လုပ်ဆောင်ချက်တစ်ခု ဆောင်ရွက်ပါ သို့မဟုတ် Scroll ဆွဲ၍ ကြည့်ပါ -
remote_user_placeholder: "%{instance} မှ အဝေးကနေအသုံးပြုသူ"
reopen: အစီရင်ခံစာပြန်ဖွင့်ရန်
report: "#%{id} အစီရင်ခံရန်"
reported_account: တိုင်ကြားထားသောအကောင့်
reported_by: မှ တိုင်ကြားထားသည်
resolved: ဖြေရှင်းပြီးပါပြီ
resolved_msg: မှတ်တမ်းကို ဖြေရှင်းပြီးပါပြီ။
@ -620,7 +616,6 @@ my:
unassign: တာဝန်မှဖြုတ်ရန်
unknown_action_msg: အမည်မသိလုပ်ဆောင်ချက်- %{action}
unresolved: မဖြေရှင်းရသေးပါ
updated_at: ပြင်ဆင်ပြီးပါပြီ
view_profile: ပရိုဖိုင်ကြည့်ရန်
roles:
add_new: အခန်းကဏ္ဍထည့်ပါ

View File

@ -613,7 +613,6 @@ nl:
are_you_sure: Weet je het zeker?
assign_to_self: Aan mij toewijzen
assigned: Toegewezen moderator
by_target_domain: Domein van gerapporteerde account
cancel: Annuleren
category: Category
category_description_html: De reden waarom dit account en/of inhoud werd gerapporteerd wordt aan het gerapporteerde account medegedeeld
@ -640,11 +639,8 @@ nl:
title: Opmerkingen
notes_description_html: Bekijk en laat opmerkingen achter voor andere moderatoren en voor jouw toekomstige zelf
processed_msg: 'Rapportage #%{id} succesvol afgehandeld'
quick_actions_description_html: 'Neem een snelle maatregel of scroll naar beneden om de gerapporteerde inhoud te bekijken:'
remote_user_placeholder: de externe gebruiker van %{instance}
reopen: Rapportage heropenen
report: 'Rapportage #%{id}'
reported_account: Gerapporteerde account
reported_by: Gerapporteerd door
reported_with_application: Gerapporteerd met applicatie
resolved: Opgelost
@ -676,7 +672,6 @@ nl:
unassign: Niet langer toewijzen
unknown_action_msg: 'Onbekende actie: %{action}'
unresolved: Onopgelost
updated_at: Bijgewerkt
view_profile: Profiel bekijken
roles:
add_new: Rol toevoegen

View File

@ -613,7 +613,6 @@ nn:
are_you_sure: Er du sikker?
assign_to_self: Tilegn til meg
assigned: Tilsett moderator
by_target_domain: Domenet av rapportert bruker
cancel: Avbryt
category: Kategori
category_description_html: Årsaka til at kontoen og/eller innhaldet vart rapportert vil bli inkludert i kommunikasjonen med den rapporterte kontoen
@ -640,11 +639,8 @@ nn:
title: Merknad
notes_description_html: Sjå og skriv merknadar til andre moderatorar og ditt framtidige sjølv
processed_msg: 'Du har handsama rapport #%{id}'
quick_actions_description_html: 'Utfør ei handling eller bla ned for å sjå det rapporterte innhaldet:'
remote_user_placeholder: den eksterne brukaren frå %{instance}
reopen: Opn rapport igjen
report: 'Rapporter #%{id}'
reported_account: Rapportert konto
reported_by: Rapportert av
reported_with_application: Rapportert med app
resolved: Oppløyst
@ -676,7 +672,6 @@ nn:
unassign: Avset
unknown_action_msg: 'Ukjend handling: %{action}'
unresolved: Uløyst
updated_at: Oppdatert
view_profile: Vis profil
roles:
add_new: Legg til rolle

View File

@ -574,7 +574,6 @@
are_you_sure: Er du sikker?
assign_to_self: Tilegn til meg
assigned: Tilegnet moderator
by_target_domain: Domenet av rapportert bruker
cancel: Avbryt
category: Kategori
category_description_html: Årsaken til at denne kontoen og/eller innholdet er blitt rapportert vil bli henvist i forbindelse med den rapporterte kontoen
@ -601,11 +600,8 @@
title: Notater
notes_description_html: Se og skriv notater til andre moderatorer og deg selv i fremtiden
processed_msg: 'Rapport #%{id} er behandlet'
quick_actions_description_html: 'Ta en rask handling eller bla ned for å se rapportert innhold:'
remote_user_placeholder: ekstern bruker fra %{instance}
reopen: Gjenåpne rapporten
report: 'Rapporter #%{id}'
reported_account: Rapportert konto
reported_by: Rapportert av
resolved: Løst
resolved_msg: Rapport løst!
@ -635,7 +631,6 @@
unassign: Fjern tilegning
unknown_action_msg: 'Ukjent handling: %{action}'
unresolved: Uløst
updated_at: Oppdatert
view_profile: Vis profil
roles:
add_new: Legg til rolle

View File

@ -343,7 +343,6 @@ oc:
are_you_sure: Es segur?
assign_to_self: Me lassignar
assigned: Moderador assignat
by_target_domain: Domeni del compte senhalat
category: Categoria
comment:
none: Pas cap
@ -356,9 +355,7 @@ oc:
create_and_unresolve: Tornar dobrir amb una nòta
delete: Escafar
placeholder: Explicatz las accions que son estadas menadas o quicòm de ligat al senhalament…
reopen: Tornar dobrir lo rapòrt
report: 'Senhalament #%{id}'
reported_account: Compte senhalat
reported_by: Senhalat per
resolved: Resolgut
resolved_msg: Rapòrt corrèctament resolgut!
@ -366,7 +363,6 @@ oc:
title: Senhalament
unassign: Levar
unresolved: Pas resolgut
updated_at: Actualizat
view_profile: Veire lo perfil
rules:
title: Règlas del servidor

View File

@ -637,7 +637,6 @@ pl:
are_you_sure: Czy na pewno?
assign_to_self: Przypisz do siebie
assigned: Przypisany moderator
by_target_domain: Domena zgłaszanego konta
cancel: Anuluj
category: Kategoria
category_description_html: Powód, dla którego to konto i/lub zawartość zostały zgłoszone, będzie cytowany w komunikacji ze zgłoszonym kontem
@ -664,11 +663,8 @@ pl:
title: Notatki
notes_description_html: Przeglądaj i zostaw notatki innym moderatorom i sobie samemu
processed_msg: 'Zgłoszenie #%{id} zostało pomyślnie przetworzone'
quick_actions_description_html: 'Wykonaj szybkie działanie lub przewiń w dół, aby zobaczyć zgłoszoną zawartość:'
remote_user_placeholder: zdalny użytkownik z %{instance}
reopen: Otwórz ponownie
report: 'Zgłoszenie #%{id}'
reported_account: Zgłoszone konto
reported_by: Zgłaszający
reported_with_application: Zareportowano przez aplikację
resolved: Rozwiązane
@ -700,7 +696,6 @@ pl:
unassign: Cofnij przypisanie
unknown_action_msg: 'Nieznane działanie: %{action}'
unresolved: Nierozwiązane
updated_at: Zaktualizowano
view_profile: Wyświetl profil
roles:
add_new: Dodaj rolę

View File

@ -613,7 +613,6 @@ pt-BR:
are_you_sure: Você tem certeza?
assign_to_self: Atribuir para si
assigned: Moderador responsável
by_target_domain: Domínio da conta denunciada
cancel: Cancelar
category: Categoria
category_description_html: O motivo pelo qual esta conta e/ou conteúdo foi denunciado será citado na comunicação com a conta denunciada
@ -640,11 +639,8 @@ pt-BR:
title: Notas
notes_description_html: Visualize e deixe anotações para outros moderadores e para você mesmo no futuro
processed_msg: 'Relatório #%{id} processado com sucesso'
quick_actions_description_html: 'Tome uma ação rápida ou role para baixo para ver o conteúdo denunciado:'
remote_user_placeholder: o usuário remoto de %{instance}
reopen: Reabrir denúncia
report: 'Denúncia #%{id}'
reported_account: Conta denunciada
reported_by: Denunciada por
reported_with_application: Denunciado pelo aplicativo
resolved: Resolvido
@ -676,7 +672,6 @@ pt-BR:
unassign: Desatribuir
unknown_action_msg: 'Ação desconhecida: %{action}'
unresolved: Não resolvido
updated_at: Atualizado
view_profile: Ver perfil
roles:
add_new: Adicionar cargo

View File

@ -612,7 +612,6 @@ pt-PT:
are_you_sure: Tem a certeza?
assign_to_self: Atribuída a mim
assigned: Atribuída ao moderador
by_target_domain: Domínio da conta denunciada
cancel: Cancelar
category: Categorização
category_description_html: A razão pela qual esta conta e/ou conteúdo foi denunciado será citada na comunicação com a conta denunciada
@ -639,11 +638,8 @@ pt-PT:
title: Notas
notes_description_html: Visualize e deixe anotações para outros moderadores e para si próprio no futuro
processed_msg: 'Relatório #%{id} processado com sucesso'
quick_actions_description_html: 'Tome uma ação rápida ou deslize para baixo para ver o conteúdo denunciado:'
remote_user_placeholder: o utilizador remoto de %{instance}
reopen: Reabrir denúncia
report: 'Denúncia #%{id}'
reported_account: Conta denunciada
reported_by: Denunciado por
reported_with_application: Reportado com a aplicação
resolved: Resolvido
@ -675,7 +671,6 @@ pt-PT:
unassign: Não atribuir
unknown_action_msg: 'Ação desconhecida: %{action}'
unresolved: Por resolver
updated_at: Atualizado
view_profile: Ver perfil
roles:
add_new: Adicionar função

View File

@ -376,9 +376,7 @@ ro:
create_and_unresolve: Redeschide cu o notă
delete: Șterge
title: Note
reopen: Redeschide raportarea
report: Raportare №%{id}
reported_account: Contul raportat
reported_by: Raportat de către
resolved: Rezolvată
resolved_msg: Raportare rezolvată cu succes!
@ -390,7 +388,6 @@ ro:
title: Raportări
unassign: Anulează alocarea
unresolved: Cu rezolvare anulată
updated_at: Actualizată
view_profile: Vezi profilul
roles:
add_new: Adaugă un rol

View File

@ -637,7 +637,6 @@ ru:
are_you_sure: Вы уверены?
assign_to_self: Назначить себе
assigned: Назначенный модератор
by_target_domain: Домен объекта жалобы
cancel: Отменить
category: Категория
category_description_html: Причина, по которой были доложены этот пользователь или содержимое, будет указана при коммуникации с фигурирующим в жалобе пользователем
@ -664,11 +663,8 @@ ru:
title: Примечания
notes_description_html: Просмотрите или оставьте примечания для остальных модераторов и себя в будущем
processed_msg: 'Жалоба #%{id} успешно обработана'
quick_actions_description_html: 'Выберите действие или прокрутите вниз, чтобы увидеть контент с жалобой:'
remote_user_placeholder: удаленный пользователь из %{instance}
reopen: Переоткрыть жалобу
report: Жалоба №%{id}
reported_account: Учётная запись нарушителя
reported_by: Отправитель жалобы
reported_with_application: Сообщается с приложением
resolved: Решённые
@ -700,7 +696,6 @@ ru:
unassign: Снять назначение
unknown_action_msg: 'Неизвестное действие: %{action}'
unresolved: Нерешённые
updated_at: Обновлена
view_profile: Открыть профиль
roles:
add_new: Добавить роль

View File

@ -478,7 +478,6 @@ sc:
are_you_sure: Seguru?
assign_to_self: Assigna a mie
assigned: Moderatzione assignada
by_target_domain: Domìniu de su contu signaladu
cancel: Annulla
category: Categoria
comment:
@ -499,9 +498,7 @@ sc:
delete: Cantzella
placeholder: Descrie is atziones chi as pigadu o cale si siat àtera atualizatzione de importu...
title: Notas
reopen: Torra a abèrrere s'informe
report: 'Informe #%{id}'
reported_account: Contu sinnaladu
reported_by: Sinnaladu dae
resolved: Isòrvidu
resolved_msg: Informe isòrvidu.
@ -510,7 +507,6 @@ sc:
title: Informes
unassign: Boga s'assignatzione
unresolved: No isòrvidu
updated_at: Atualizadu
view_profile: Visualiza profilu
roles:
assigned_users:

View File

@ -549,7 +549,6 @@ sco:
are_you_sure: Ye sure?
assign_to_self: Assign tae me
assigned: Assignt moderator
by_target_domain: Domain o clyped on accoont
category: Caitegory
category_description_html: The raison thit this accoont an/or content wis clyped on wull be cited in communication wi the clyped on accoont
comment:
@ -571,11 +570,8 @@ sco:
placeholder: Describe whit actions hae been taen, or onie ither relatit updates...
title: Notes
notes_description_html: View an lea notes tae ither moderators an yer future sel
quick_actions_description_html: 'Tak a quick action or scrow doon fir tae see clyped on content:'
remote_user_placeholder: the remote uiser fae %{instance}
reopen: Reopen clype
report: 'Clype #%{id}'
reported_account: Clyped on accoont
reported_by: Clyped on bi
resolved: Resolvt
resolved_msg: Clype successfully resolvt!
@ -587,7 +583,6 @@ sco:
title: Clypes
unassign: Unassign
unresolved: No resolvt
updated_at: Updatit
view_profile: Luik at profile
roles:
add_new: Add role

View File

@ -486,7 +486,6 @@ si:
add_to_report: වාර්තා කිරීමට තවත් එක් කරන්න
are_you_sure: ඔබට විශ්වාසද?
assign_to_self: මට පවරන්න
by_target_domain: වාර්තා කළ ගිණුමෙහි වසම
cancel: අවලංගු
category: ප්‍රවර්ගය
category_description_html: මෙම ගිණුම සහ/හෝ අන්තර්ගතය වාර්තා කළ හේතුව වාර්තා කළ ගිණුම සමඟ සන්නිවේදනයේ සඳහන් කරනු ඇත
@ -508,11 +507,8 @@ si:
delete: මකන්න
placeholder: ගෙන ඇති ක්‍රියාමාර්ග, හෝ වෙනත් අදාළ යාවත්කාලීන විස්තර කරන්න...
title: සටහන්
quick_actions_description_html: 'වාර්තා කළ අන්තර්ගතය බැලීමට ඉක්මන් ක්‍රියාමාර්ගයක් ගන්න හෝ පහළට අනුචලනය කරන්න:'
remote_user_placeholder: "%{instance}සිට දුරස්ථ පරිශීලකයා"
reopen: වාර්තාව නැවත අරින්න
report: "@%{id} වාර්තා කරන්න"
reported_account: වාර්තා කළ ගිණුම
reported_by: විසින් වාර්තා
resolved: විසඳා ඇත
resolved_msg: වාර්තාව සාර්ථකව විසඳා ඇත!
@ -525,7 +521,6 @@ si:
unassign: පැවරීම ඉවත් කරන්න
unknown_action_msg: 'නොදන්නා ක්‍රියාමාර්ගයකි: %{action}'
unresolved: නොවිසඳී ඇත
updated_at: යාවත්කාලීන කරන ලදී
view_profile: පැතිකඩ බලන්න
roles:
categories:

View File

@ -530,7 +530,6 @@ sk:
are_you_sure: Si si istý/á?
assign_to_self: Priraď sebe
assigned: Priradený moderátor
by_target_domain: Doména nahláseného účtu
cancel: Zruš
category: Kategória
comment:
@ -553,9 +552,7 @@ sk:
placeholder: Opíš aké opatrenia boli urobené, alebo akékoľvek iné súvisiace aktualizácie…
title: Poznámky
remote_user_placeholder: vzdialený užívateľ z %{instance}
reopen: Znovu otvor report
report: 'Nahlásiť #%{id}'
reported_account: Nahlásený účet
reported_by: Nahlásené užívateľom
resolved: Vyriešené
resolved_msg: Hlásenie úspešne vyriešené!
@ -574,7 +571,6 @@ sk:
unassign: Odober
unknown_action_msg: 'Neznáma akcia: %{action}'
unresolved: Nevyriešené
updated_at: Aktualizované
view_profile: Zobraz profil
roles:
add_new: Pridaj postavenie

View File

@ -629,7 +629,6 @@ sl:
are_you_sure: Ali ste prepričani?
assign_to_self: Dodeli meni
assigned: Dodeljen moderator
by_target_domain: Domena prijavljenega računa
cancel: Prekliči
category: Kategorija
category_description_html: Razlog, zakaj je ta račun in/ali vsebina prijavljena, bo naveden v komunikaciji z računom iz prijave
@ -656,11 +655,8 @@ sl:
title: Zapiski
notes_description_html: Pokaži in pusti opombe drugim moderatorjem in sebi v prihodnosti
processed_msg: 'Prijava #%{id} uspešno obdelana'
quick_actions_description_html: 'Opravite hitro dejanje ali podrsajte navzdol, da si ogledate prijavljeno vsebino:'
remote_user_placeholder: oddaljeni uporabnik iz %{instance}
reopen: Ponovno odpri prijavo
report: 'Prijavi #%{id}'
reported_account: Prijavljeni račun
reported_by: Prijavil/a
reported_with_application: Prijavljeno s programom
resolved: Razrešeni
@ -692,7 +688,6 @@ sl:
unassign: Odstopljeni
unknown_action_msg: 'Neznano dejanje: %{action}'
unresolved: Nerešeni
updated_at: Posodobljeni
view_profile: Pokaži profil
roles:
add_new: Dodaj vlogo

View File

@ -612,7 +612,6 @@ sq:
are_you_sure: A jeni i sigurt?
assign_to_self: Caktojani vetes
assigned: Iu caktua moderator
by_target_domain: Përkatësi e llogarisë së raportuar
cancel: Anuloje
category: Kategori
category_description_html: Arsyeja pse kjo llogari dhe/ose lëndë raportohet do të citohet te komunikimi me llogarinë e raportuar
@ -639,11 +638,8 @@ sq:
title: Shënime
notes_description_html: Shihni dhe lini shënime për moderatorët e tjerë dhe për veten në të ardhmen
processed_msg: 'Raportimi #%{id} u përpunua me sukses'
quick_actions_description_html: 'Kryeni një veprim të shpejtë, ose rrëshqitni poshtë për të parë lëndën e raportuar:'
remote_user_placeholder: përdoruesi i largët prej %{instance}
reopen: Rihape raportimin
report: 'Raportim #%{id}'
reported_account: Llogari e raportuar
reported_by: Raportuar nga
resolved: I zgjidhur
resolved_msg: Raportimi u zgjidh me sukses!
@ -674,7 +670,6 @@ sq:
unassign: Hiqja
unknown_action_msg: 'Veprim i panjohur: %{action}'
unresolved: Të pazgjidhur
updated_at: U përditësua më
view_profile: Shihni profilin
roles:
add_new: Shtoni rol

View File

@ -590,7 +590,6 @@ sr-Latn:
are_you_sure: Da li ste sigurni?
assign_to_self: Dodeli meni
assigned: Dodeljeni moderator
by_target_domain: Domen prijavljenog naloga
cancel: Otkaži
category: Kategorija
category_description_html: Razlog zbog kog je ovaj nalog i/ili sadržaj prijavljen će biti obrazložen u komunikaciji sa prijavljenim nalogom
@ -617,11 +616,8 @@ sr-Latn:
title: Beleške
notes_description_html: Pročitajte i ostavite napomene drugim moderatorima i sebi u budućnosti
processed_msg: 'Prijava #%{id} uspešno obrađena'
quick_actions_description_html: 'Preduzmite brzu radnju ili se spustite niže da biste videli prijavljeni sadržaj:'
remote_user_placeholder: udaljeni korisnik sa %{instance}
reopen: Otvori prijavu ponovo
report: 'Prijava #%{id}'
reported_account: Prijavljeni nalog
reported_by: Prijavio
resolved: Rešena
resolved_msg: Prijava uspešno razrešena!
@ -651,7 +647,6 @@ sr-Latn:
unassign: Ukloni dodelu
unknown_action_msg: 'Nepoznata radnja: %{action}'
unresolved: Nerešene
updated_at: Ažurirana
view_profile: Pogledaj profil
roles:
add_new: Dodaj ulogu

View File

@ -620,7 +620,6 @@ sr:
are_you_sure: Да ли сте сигурни?
assign_to_self: Додели мени
assigned: Додељени модератор
by_target_domain: Домен пријављеног налога
cancel: Откажи
category: Категорија
category_description_html: Разлог због ког је овај налог и/или садржај пријављен ће бити образложен у комуникацији са пријављеним налогом
@ -647,11 +646,8 @@ sr:
title: Белешке
notes_description_html: Прочитајте и оставите напомене другим модераторима и себи у будућности
processed_msg: 'Пријава #%{id} успешно обрађена'
quick_actions_description_html: 'Предузмите брзу радњу или се спустите ниже да бисте видели пријављени садржај:'
remote_user_placeholder: удаљени корисник са %{instance}
reopen: Отвори пријаву поново
report: 'Пријава #%{id}'
reported_account: Пријављени налог
reported_by: Пријавио
resolved: Решена
resolved_msg: Пријава успешно разрешена!
@ -681,7 +677,6 @@ sr:
unassign: Уклони доделу
unknown_action_msg: 'Непозната радња: %{action}'
unresolved: Нерешене
updated_at: Ажурирана
view_profile: Погледај профил
roles:
add_new: Додај улогу

View File

@ -613,7 +613,6 @@ sv:
are_you_sure: Är du säker?
assign_to_self: Tilldela till mig
assigned: Tilldelad moderator
by_target_domain: Domän för rapporterat konto
cancel: Avbryt
category: Kategori
category_description_html: Anledningen till att kontot och/eller innehållet rapporterades kommer att visas i kommunikation med det rapporterade kontot
@ -640,11 +639,8 @@ sv:
title: Anteckningar
notes_description_html: Visa och lämna anteckningar till andra moderatorer och ditt framtida jag
processed_msg: 'Rapporten #%{id} har behandlats'
quick_actions_description_html: 'Ta en snabb åtgärd eller bläddra ner för att se rapporterat innehåll:'
remote_user_placeholder: fjärranvändaren från %{instance}
reopen: Återuppta anmälan
report: 'Rapport #%{id}'
reported_account: Anmält konto
reported_by: Anmäld av
reported_with_application: Rapporterat med applikation
resolved: Löst
@ -676,7 +672,6 @@ sv:
unassign: Otilldela
unknown_action_msg: 'Okänd åtgärd: %{action}'
unresolved: Olösta
updated_at: Uppdaterad
view_profile: Visa profil
roles:
add_new: Lägg till roll

View File

@ -601,7 +601,6 @@ th:
are_you_sure: คุณแน่ใจหรือไม่?
assign_to_self: มอบหมายให้ฉัน
assigned: ผู้กลั่นกรองที่ได้รับมอบหมาย
by_target_domain: โดเมนของบัญชีที่ได้รับการรายงาน
cancel: ยกเลิก
category: หมวดหมู่
category_description_html: จะอ้างถึงเหตุผลที่บัญชีและ/หรือเนื้อหานี้ได้รับการรายงานในการสื่อสารกับบัญชีที่ได้รับการรายงาน
@ -628,11 +627,8 @@ th:
title: หมายเหตุ
notes_description_html: ดูและฝากหมายเหตุถึงผู้กลั่นกรองอื่น ๆ และตัวคุณเองในอนาคต
processed_msg: 'ประมวลผลรายงาน #%{id} สำเร็จ'
quick_actions_description_html: 'ดำเนินการอย่างรวดเร็วหรือเลื่อนลงเพื่อดูเนื้อหาที่รายงาน:'
remote_user_placeholder: ผู้ใช้ระยะไกลจาก %{instance}
reopen: เปิดรายงานใหม่
report: 'รายงาน #%{id}'
reported_account: บัญชีที่ได้รับการรายงาน
reported_by: รายงานโดย
reported_with_application: รายงานด้วยแอปพลิเคชัน
resolved: แก้ปัญหาแล้ว
@ -664,7 +660,6 @@ th:
unassign: เลิกมอบหมาย
unknown_action_msg: 'การกระทำที่ไม่รู้จัก: %{action}'
unresolved: ยังไม่ได้แก้ปัญหา
updated_at: อัปเดตเมื่อ
view_profile: ดูโปรไฟล์
roles:
add_new: เพิ่มบทบาท

View File

@ -613,7 +613,6 @@ tr:
are_you_sure: Emin misiniz?
assign_to_self: Bana ata
assigned: Atanan moderatör
by_target_domain: Şikayet edilen hesabın alan adı
cancel: İptal et
category: Kategori
category_description_html: Bu hesap ve/veya içeriğin bildirilme gerekçesi, bildirilen hesapla iletişimde alıntılanacaktır
@ -640,11 +639,8 @@ tr:
title: Notlar
notes_description_html: Kendiniz ve diğer moderatörler için not bırakın veya notları görüntüleyin
processed_msg: "#%{id} Bildirimi başarıyla işlendi"
quick_actions_description_html: 'Hemen bir şey yapın veya bildirilen içeriği görmek için aşağı kaydırın:'
remote_user_placeholder: "%{instance}'dan uzak kullanıcı"
reopen: Şikayeti tekrar aç
report: 'Şikayet #%{id}'
reported_account: Şikayet edilen hesap
reported_by: Şikayet eden
reported_with_application: Uygulamayla bildirildi
resolved: Giderildi
@ -676,7 +672,6 @@ tr:
unassign: Atamayı geri al
unknown_action_msg: 'Bilinmeyen eylem: %{action}'
unresolved: Giderilmedi
updated_at: Güncellendi
view_profile: Profili görüntüle
roles:
add_new: Rol ekle

View File

@ -223,12 +223,10 @@ tt:
create: Язу кушу
delete: Бетерү
title: Искәрмәләр
reopen: Шикаятьне яңадан ачу
report: 'Шикаять #%{id}'
resolved_msg: Шикаять уңышлы чишелде!
status: Халәт
unresolved: Танылмаган
updated_at: Яңартылды
view_profile: Профильне ачу
roles:
assigned_users:

View File

@ -637,7 +637,6 @@ uk:
are_you_sure: Ви впевнені?
assign_to_self: Призначити мені
assigned: Призначений модератор
by_target_domain: Домен облікового запису, на який скаржаться
cancel: Скасувати
category: Категорія
category_description_html: Причина скарги на цей обліковий запис та/або вміст, яку буде вказано у звіті
@ -664,11 +663,8 @@ uk:
title: Примітки
notes_description_html: Переглядайте та залишайте примітки для інших модераторів та для себе на майбутнє
processed_msg: 'Звіт #%{id} успішно оброблено'
quick_actions_description_html: 'Виберіть швидку дію або гортайте вниз, щоб побачити матеріал, на який надійшла скарга:'
remote_user_placeholder: віддалений користувач із %{instance}
reopen: Перевідкрити скаргу
report: 'Скарга #%{id}'
reported_account: Обліковий запис порушника
reported_by: Відправник скарги
reported_with_application: Повідомлено через застосунок
resolved: Вирішено
@ -700,7 +696,6 @@ uk:
unassign: Зняти призначення
unknown_action_msg: 'Невідома дія: %{action}'
unresolved: Невирішені
updated_at: Оновлені
view_profile: Переглянути профіль
roles:
add_new: Додати роль

View File

@ -601,7 +601,6 @@ vi:
are_you_sure: Bạn có chắc không?
assign_to_self: Giao cho tôi
assigned: Người xử lý
by_target_domain: Tên tài khoản bị báo cáo
cancel: Hủy bỏ
category: Phân loại
category_description_html: Lý do tài khoản hoặc nội dung này bị báo cáo sẽ được trích dẫn khi giao tiếp với họ
@ -628,11 +627,8 @@ vi:
title: Lưu ý
notes_description_html: Xem và để lại lưu ý cho các kiểm duyệt viên khác
processed_msg: 'Báo cáo #%{id} đã được xử lý thành công'
quick_actions_description_html: 'Kiểm duyệt nhanh hoặc kéo xuống để xem nội dung bị báo cáo:'
remote_user_placeholder: người ở %{instance}
reopen: Mở lại báo cáo
report: 'Báo cáo #%{id}'
reported_account: Tài khoản bị báo cáo
reported_by: Báo cáo bởi
reported_with_application: Báo cáo bằng ứng dụng
resolved: Đã xong
@ -664,7 +660,6 @@ vi:
unassign: Bỏ qua
unknown_action_msg: 'Hành động chưa biết: %{action}'
unresolved: Chờ xử lý
updated_at: Cập nhật lúc
view_profile: Xem trang
roles:
add_new: Thêm vai trò

View File

@ -601,7 +601,6 @@ zh-CN:
are_you_sure: 你确定吗?
assign_to_self: 接管
assigned: 已接管的监察员
by_target_domain: 被举报账户的域名
cancel: 取消
category: 类别
category_description_html: 在与被举报账户的通信时,将引用该账号和/或内容被举报的原因
@ -628,11 +627,8 @@ zh-CN:
title: 备注
notes_description_html: 查看备注或向其他监察员留言
processed_msg: '举报 #%{id} 处理成功'
quick_actions_description_html: 快捷选择操作或向下滚动以查看举报内容:
remote_user_placeholder: 来自 %{instance} 的远程实例用户
reopen: 重开举报
report: '举报 #%{id}'
reported_account: 举报用户
reported_by: 举报人
reported_with_application: 举报人使用的应用
resolved: 已处理
@ -664,7 +660,6 @@ zh-CN:
unassign: 取消接管
unknown_action_msg: 未知操作:%{action}
unresolved: 未处理
updated_at: 更新时间
view_profile: 查看资料
roles:
add_new: 添加角色

View File

@ -564,7 +564,6 @@ zh-HK:
are_you_sure: 你確認嗎?
assign_to_self: 指派給自己
assigned: 指派版主
by_target_domain: 被舉報帳號的域名
cancel: 取消
category: 分類
category_description_html: 此帳號及/或內容被檢舉的原因,將會被引用在與被檢舉帳號的通訊中。
@ -591,11 +590,8 @@ zh-HK:
title: 筆記
notes_description_html: 查看並給其他管理員和日後的自己留下筆記
processed_msg: '已成功處理檢舉報告 #%{id}'
quick_actions_description_html: 採取快捷操作或向下捲動以查看檢舉內容:
remote_user_placeholder: 來自 %{instance} 的遠端使用者
reopen: 重開舉報個案
report: '舉報 #%{id}'
reported_account: 舉報用戶
reported_by: 舉報者
resolved: 已處理
resolved_msg: 舉報個案已被處理!
@ -625,7 +621,6 @@ zh-HK:
unassign: 取消指派
unknown_action_msg: 未知的動作:%{action}
unresolved: 未處理
updated_at: 更新
view_profile: 查看個人檔案
roles:
add_new: 新增身份

View File

@ -601,7 +601,6 @@ zh-TW:
are_you_sure: 您確定嗎?
assign_to_self: 指派給自己
assigned: 指派站務
by_target_domain: 檢舉帳號之網域
cancel: 取消
category: 分類
category_description_html: 此帳號及/或被檢舉內容之原因將被引用於檢舉帳號通知中
@ -628,11 +627,8 @@ zh-TW:
title: 備註
notes_description_html: 檢視及留下些給其他管理員與未來的自己的備註
processed_msg: '檢舉報告 #%{id} 已被成功處理'
quick_actions_description_html: 採取一個快速行動,或者下捲以檢視檢舉內容:
remote_user_placeholder: 來自 %{instance} 之遠端使用者
reopen: 重開檢舉
report: '檢舉 #%{id}'
reported_account: 被檢舉使用者
reported_by: 檢舉人
reported_with_application: 透過應用程式檢舉
resolved: 已解決
@ -664,7 +660,6 @@ zh-TW:
unassign: 取消指派
unknown_action_msg: 未知的動作:%{action}
unresolved: 未解決
updated_at: 更新
view_profile: 檢視個人檔案頁面
roles:
add_new: 新增角色

View File

@ -97,6 +97,10 @@ namespace :admin do
end
end
collection do
post :batch
end
member do
post :assign_to_self
post :unassign

View File

@ -28,7 +28,7 @@ RSpec.describe Admin::ReportsController do
specified = Fabricate(:report, action_taken_at: Time.now.utc, comment: 'First report')
other = Fabricate(:report, action_taken_at: nil, comment: 'Second report')
get :index, params: { resolved: '1' }
get :index, params: { status: 'resolved' }
expect(response).to have_http_status(200)
expect(response.body)

View File

@ -21,7 +21,7 @@ RSpec.describe ReportFilter do
describe 'with valid params' do
it 'combines filters on Report' do
filter = described_class.new(account_id: '123', resolved: true, target_account_id: '456')
filter = described_class.new(account_id: '123', status: 'resolved', target_account_id: '456')
allow(Report).to receive_messages(where: Report.none, resolved: Report.none)
filter.results