Merge branch 'master' into develop

This commit is contained in:
ByteHamster
2026-01-01 18:32:50 +01:00
54 changed files with 1412 additions and 688 deletions

File diff suppressed because one or more lines are too long

View File

@ -12,8 +12,8 @@ android {
// Version code schema:
// "1.2.3-beta4" -> 1020304
// "1.2.3" -> 1020395
versionCode 3100395
versionName "3.10.3"
versionCode 3110095
versionName "3.11.0"
javaCompileOptions {
annotationProcessorOptions {

View File

@ -655,13 +655,16 @@ public class MainActivity extends CastEnabledActivity {
public void onEventMainThread(MessageEvent event) {
Log.d(TAG, "onEvent(" + event + ")");
Snackbar snackbar;
if (getBottomSheet().getState() == BottomSheetBehavior.STATE_COLLAPSED) {
if (getBottomSheet().getState() == BottomSheetBehavior.STATE_EXPANDED) {
snackbar = Snackbar.make(findViewById(android.R.id.content), event.message, Snackbar.LENGTH_LONG);
if (findViewById(R.id.bottomNavigationView).getVisibility() == View.VISIBLE) {
snackbar.setAnchorView(findViewById(R.id.bottomNavigationView));
}
} else {
snackbar = Snackbar.make(findViewById(R.id.main_content_view), event.message, Snackbar.LENGTH_LONG);
if (findViewById(R.id.audioplayerFragment).getVisibility() == View.VISIBLE) {
snackbar.setAnchorView(findViewById(R.id.audioplayerFragment));
}
} else {
snackbar = Snackbar.make(findViewById(android.R.id.content), event.message, Snackbar.LENGTH_LONG);
}
snackbar.show();

View File

@ -145,6 +145,11 @@ public class SleepTimerDialog extends BottomSheetDialogFragment {
@Override
public void onItemSelected(AdapterView<?> parent, View view, int position, long id) {
try {
SleepTimerPreferences.setLastTimer(String.valueOf(getSelectedSleepTime()));
} catch (NumberFormatException ignore) {
// Ignore silently and just not save it
}
final SleepTimerType sleepType = SleepTimerType.fromIndex(position);
SleepTimerPreferences.setSleepTimerType(sleepType);
// this callback is called even when the spinner is first initialized
@ -154,12 +159,7 @@ public class SleepTimerDialog extends BottomSheetDialogFragment {
if (isSleepTimerConfiguredForMostOfTheDay()) {
viewBinding.autoEnableCheckbox.setChecked(false);
}
// change suggested value back to default value for sleep type
if (sleepType == SleepTimerType.EPISODES) {
viewBinding.timeEditText.setText(SleepTimerPreferences.DEFAULT_SLEEP_TIMER_EPISODES);
} else {
viewBinding.timeEditText.setText(SleepTimerPreferences.DEFAULT_SLEEP_TIMER_MINUTES);
}
viewBinding.timeEditText.setText(SleepTimerPreferences.lastTimerValue());
}
sleepTimerTypeInitialized = true;
refreshUiState();

View File

@ -1144,6 +1144,7 @@ public class PlaybackService extends MediaBrowserServiceCompat {
}
}
if (mediaType == null) {
EventBus.getDefault().post(new PlayerStatusEvent());
sendNotificationBroadcast(PlaybackServiceInterface.NOTIFICATION_TYPE_PLAYBACK_END, 0);
} else {
sendNotificationBroadcast(PlaybackServiceInterface.NOTIFICATION_TYPE_RELOAD,

View File

@ -1,8 +1,5 @@
#!/usr/bin/env python3
import pycountry
import requests
import configparser
import os
import pycountry, requests, os, glob, subprocess
contributorsFile = open("CONTRIBUTORS.md", "w")
@ -38,51 +35,58 @@ while hasMore:
csvFile.close()
###### Translators #####
config = configparser.ConfigParser()
config.read(os.path.expanduser("~") + '/.transifexrc')
if 'https://www.transifex.com' in config and config['https://www.transifex.com']['username'] == 'api':
TRANSIFEX_TOKEN = config['https://www.transifex.com']['token']
else:
TRANSIFEX_TOKEN = ""
languages = dict()
path = "ui/i18n/src/main/res"
nextPage = 'https://rest.api.transifex.com/team_memberships?filter[organization]=o:antennapod'
while nextPage is not None:
print("Loading " + nextPage)
r = requests.get(nextPage,
headers={'Authorization': 'Bearer ' + TRANSIFEX_TOKEN,
'Accept': 'application/vnd.api+json'})
for item in r.json()['data']:
language = item['relationships']['language']['data']['id']
user = item['relationships']['user']['data']['id']
if not language in languages:
langCode = language.replace('l:', '')
try:
langName = pycountry.languages.lookup(langCode).name
except:
try:
langName = pycountry.languages.lookup(
langCode.split('_')[0]).name + ' (' + langCode + ')'
except:
langName = code
print('\033[91mLanguage code not found:' + langCode + '\033[0m')
languages[language] = {'name': langName, 'translators': []}
languages[language]['translators'].append(user.replace('u:', ''))
nextPage = r.json()['links']['next']
languages = list(languages.values())
languages.sort(key=lambda x : x['name'].lower())
# Map Android codes to display names when pycountry fails or region matters
ANDROID_LANG_FIXES = {
"pt-rbr": "Portuguese (Brazil)",
"pt-rpt": "Portuguese (Portugal)",
"kn-rin": "Kannada (India)",
"zh-rcn": "Chinese (Simplified)",
"zh-rtw": "Chinese (Traditional)",
"in": "Indonesian",
"iw": "Hebrew",
"ji": "Yiddish",
"sw": "Swahili",
"el": "Modern Greek",
}
def lang_name(code):
code = code.lower()
if code in ANDROID_LANG_FIXES:
return ANDROID_LANG_FIXES[code]
norm = code.replace('-r','_')
try:
base = norm.split('_')[0]
name = pycountry.languages.lookup(base).name
return name + (f" ({norm})" if '_' in norm else "")
except:
return code
files = sorted(
glob.glob(f"{path}/values-*/strings.xml"),
key=lambda f: lang_name(f.split("values-")[1].split("/")[0]).lower())
contributorsFile.write('\n\n# Translators\n\n| Language | Translators |\n| :-- | :-- |\n')
csvFile = open("ui/preferences/src/main/assets/translators.csv", "w")
contributorsFile.write('\n\n# Translators\n\n')
contributorsFile.write('| Language | Translators |\n| :-- | :-- |\n')
for language in languages:
translators = sorted(language['translators'], key=str.lower)
langName = language['name']
joinedTranslators = ', '.join(translators).replace(';', '')
contributorsFile.write('| ' + langName + ' | ' + joinedTranslators + ' |\n')
csvFile.write(langName + ';' + joinedTranslators + '\n')
for f in files:
code = f.split("values-")[1].split("/")[0]
hashes = {l.split()[0] for l in subprocess.check_output(["git", "blame", f]).decode().splitlines()}
names = set()
for h in hashes:
for l in subprocess.check_output(["git", "show", h]).decode().splitlines():
if not f"Translator: {code} by" in l:
continue
n = l.split("by",1)[1].split("<")[0].replace('"','').strip()
if n in ("ByteHamster", "Anonymous"):
continue
names.add(n)
translators = ", ".join(sorted(names)) or "Anonymous"
lang = lang_name(code)
contributorsFile.write(f"| {lang} | {translators} |\n")
csvFile.write(f"{lang};{translators}\n")
print(f"{lang}: {translators}")
csvFile.close()
contributorsFile.close()

View File

@ -1,13 +0,0 @@
#!/bin/bash
path=ui/i18n/src/main/res
for filename in $path/values-*/strings.xml; do
code=$(echo "$filename" | sed -e "s#$path/values-##g" | sed -e "s#/.*##g")
translators_all=$(git blame $path/values-$code/strings.xml | cut -d' ' -f 1 | sort | uniq | xargs -n 1 git show | grep "Translator: $code by" | sed -e "s/<.*>//g" | sed -e "s/Translator: $code by//g" | xargs -n 1 | sort | uniq)
translators_filtered=$(printf "$translators_all" | grep -v "ByteHamster" | grep -v "Anonymous")
translators_singleline=$(echo "$translators_filtered" | paste -sd ',')
if [ -z "$translators_singleline" ]; then
translators_singleline="Anonymous"
fi
echo "$code;$translators_singleline"
done

View File

@ -1,4 +1,3 @@
#!/bin/sh
curl -s https://raw.githubusercontent.com/AntennaPod/antennapod.github.io/master/_config.yml | yq -r ".languages[]" > ./ui/common/src/main/assets/website-languages.txt
python ./scripts/createContributors.py

View File

@ -13,7 +13,8 @@ public class SleepTimerPreferences {
private static final String TAG = "SleepTimerPreferences";
public static final String PREF_NAME = "SleepTimerDialog";
private static final String PREF_VALUE = "LastValue";
private static final String PREF_VALUE_MINUTES = "LastValue";
private static final String PREF_VALUE_EPISODES = "LastValueEpisodes";
private static final String PREF_TIMER_TYPE = "sleepTimerType";
private static final String PREF_VIBRATE = "Vibrate";
@ -22,8 +23,6 @@ public class SleepTimerPreferences {
private static final String PREF_AUTO_ENABLE_FROM = "AutoEnableFrom";
private static final String PREF_AUTO_ENABLE_TO = "AutoEnableTo";
public static final String DEFAULT_SLEEP_TIMER_MINUTES = "15";
public static final String DEFAULT_SLEEP_TIMER_EPISODES = "1";
private static final int DEFAULT_TIMER_TYPE = 0;
private static final int DEFAULT_AUTO_ENABLE_FROM = 22;
private static final int DEFAULT_AUTO_ENABLE_TO = 6;
@ -41,11 +40,16 @@ public class SleepTimerPreferences {
}
public static void setLastTimer(String value) {
prefs.edit().putString(PREF_VALUE, value).apply();
prefs.edit().putString(getSleepTimerType() == SleepTimerType.CLOCK
? PREF_VALUE_MINUTES : PREF_VALUE_EPISODES, value).apply();
}
public static String lastTimerValue() {
return prefs.getString(PREF_VALUE, DEFAULT_SLEEP_TIMER_MINUTES);
if (getSleepTimerType() == SleepTimerType.CLOCK) {
return prefs.getString(PREF_VALUE_MINUTES, "15");
} else {
return prefs.getString(PREF_VALUE_EPISODES, "1");
}
}
public static long timerMillisOrEpisodes() {

View File

@ -453,8 +453,6 @@
<string name="pref_smart_mark_as_played_disabled">معطل</string>
<string name="documentation_support">المساعدة والدعم</string>
<string name="visit_user_forum">منتدى المستخدم</string>
<string name="bug_report_title">بلغ عن خطأ بالتطبيق</string>
<string name="open_bug_tracker">إفتح نظام تتبع الأخطاء</string>
<string name="copy_to_clipboard">انسخ للحافظة</string>
<string name="copied_to_clipboard">نسخت للحافظة</string>
<string name="pref_proxy_title">خادم بروكسي</string>

View File

@ -170,8 +170,6 @@
<string name="enqueue_location_front">Al comienzu</string>
<string name="enqueue_location_after_current">Darréu del episodiu actual</string>
<string name="visit_user_forum">Foru de discutiniu</string>
<string name="bug_report_title">Informar d\'un fallu</string>
<string name="open_bug_tracker">Abrir el rastrexador de fallos</string>
<string name="copy_to_clipboard">Copiar al cartafueyu</string>
<string name="copied_to_clipboard">Copióse al cartafueyu</string>
<string name="pref_proxy_title">Proxy</string>

View File

@ -395,8 +395,6 @@
<string name="pref_smart_mark_as_played_disabled">Diweredekaet</string>
<string name="documentation_support">Teuliadur ha skoazell</string>
<string name="visit_user_forum">Forom an implijerien</string>
<string name="bug_report_title">Danevellañ ur beug</string>
<string name="open_bug_tracker">Digeriñ heulier ar beugoù</string>
<string name="copy_to_clipboard">Eilañ er golver</string>
<string name="copied_to_clipboard">Eilet er golver</string>
<string name="pref_proxy_title">Proksi</string>

View File

@ -416,8 +416,6 @@
<string name="pref_smart_mark_as_played_disabled">Desactivat</string>
<string name="documentation_support">Documentació i suport</string>
<string name="visit_user_forum">Fòrum d\'usuaris</string>
<string name="bug_report_title">Informa d\'un bug</string>
<string name="open_bug_tracker">Obri rastrejador de bugs</string>
<string name="copy_to_clipboard">Còpia al porta-retalls</string>
<string name="copied_to_clipboard">Copiat al porta-retalls</string>
<string name="pref_proxy_title">Servidor intermediari</string>

View File

@ -400,8 +400,6 @@
<string name="pref_smart_mark_as_played_disabled">Vypnuto</string>
<string name="documentation_support">Dokumentace &amp; Podpora</string>
<string name="visit_user_forum">Uživatelské fórum</string>
<string name="bug_report_title">Nahlásit chybu</string>
<string name="open_bug_tracker">Otevřít systém pro sledování a hlášení chyb</string>
<string name="copy_to_clipboard">Zkopírovat do schránky</string>
<string name="copied_to_clipboard">Zkopírováno do schránky</string>
<string name="pref_proxy_title">Proxy</string>

View File

@ -417,8 +417,6 @@
<string name="pref_smart_mark_as_played_disabled">Slået fra</string>
<string name="documentation_support">Dokumentation &amp; support</string>
<string name="visit_user_forum">Brugerforum</string>
<string name="bug_report_title">Rapportér fejl i appen</string>
<string name="open_bug_tracker">Åbn programfejlsdatabase</string>
<string name="copy_to_clipboard">Kopier til udklipsholder</string>
<string name="copied_to_clipboard">Kopieret til udklipsholder</string>
<string name="pref_proxy_title">Proxy</string>
@ -884,8 +882,8 @@
<string name="archive_feed_label_noun">Arkiv</string>
<string name="restore_archive_label">Gendan</string>
<string name="remove_archive_feed_label">Slet / arkivér</string>
<string name="feed_delete_explanation_delete">Sletning vil fjerne ALLE afsnit, herunder overførsler, afspilningshistorik og statistik.</string>
<string name="feed_delete_explanation_archive">Arkivering skjuler den fra abonnementslisten og forhindrer, at den modtager opdateringer. Overførsler, statistikker og afspilningsstatus bevares.</string>
<string name="feed_delete_explanation_delete">Sletning fjerner abonnementet, herunder alle dets afsnit, overførsler, afspilningshistorik og statistikker.</string>
<string name="feed_delete_explanation_archive">Arkivering skjuler abonnementet fra listen og stopper med at søge efter nye afsnit. Overførsler, statistik og afspilningsstatus bevares.</string>
<string name="tag_untagged">Uden etikette</string>
<plurals name="mobile_download_notice">
<item quantity="one">Overfører via mobildataforbindelse i det næste %d minut</item>
@ -905,4 +903,40 @@
<item quantity="one">overført</item>
<item quantity="other">overført</item>
</plurals>
<string name="general_expand_button">Udvid</string>
<string name="general_collapse_button">Fold sammen</string>
<string name="archiving_podcast_progress">Arkiverer podcast %1$d af %2$d…</string>
<string name="deleting_podcast_progress">Sletter podcast %1$d af %2$d…</string>
<string name="download_log_details_human_readable_reason_title">Status</string>
<string name="download_log_details_technical_reason_title">Tekniske detaljer</string>
<string name="download_log_details_file_url_title">Fil-URL</string>
<string name="download_log_open_feed">Åbn</string>
<string name="no_following_in_queue">Dette var det sidste afsnit i køen</string>
<string name="episode">Afsnit</string>
<string name="feed">Podcast</string>
<string name="pref_global_default_episode_list_sort_order_title">Standard sorteringsrækfølge</string>
<string name="pref_global_default_episode_list_sort_order_sum">Vælg standardrækkefølgen for afsnit på podcast-skærmen</string>
<string name="report_bug_title">Anmeld fejl</string>
<string name="report_bug_message">Vi er kede af at høre, at noget ikke fungerer. Vi vil meget gerne have din hjælp til at forbedre AntennaPod. Tjek vores forum eller GitHub for at se, om problemet allerede er blevet rapporteret. Hvis ikke, så lad os det vide, og vi vil undersøge det.</string>
<string name="report_bug_device_info_title">Enhed</string>
<string name="report_bug_attrib_app_version">App-version</string>
<string name="report_bug_attrib_android_version">Android-version</string>
<string name="report_bug_attrib_device_name">Enhedsnavn</string>
<string name="report_bug_crash_log_title">Nedbrudslog</string>
<string name="report_bug_crash_log_message">Oprettet: %1$s.</string>
<string name="report_bug_forum_title">Forum</string>
<string name="report_bug_github_title">GitHub</string>
<string name="sleep_timer_episodes_label">afsnit</string>
<string name="sleep_timer_without_continuous_playback">Deaktiver kontinuerlig afspilning</string>
<string name="sleep_timer_without_continuous_playback_change_hours">Ændr timer</string>
<string name="sleep_timer_without_continuous_playback_message">I stedet for altid automatisk at aktivere søvntimeren med et afsnit, skal du i stedet deaktivere \"kontinuerlig afspilning\" i indstillingerne.</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="one">Kontinuerlig afspilning er deaktiveret, og det aktuelle afsnit har kun %1$d minut tilbage</item>
<item quantity="other">Kontinuerlig afspilning er deaktiveret, og det aktuelle afsnit har kun %1$d minutter tilbage</item>
</plurals>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">Kontinuerlig afspilning er deaktiveret i indstillingerne. Stopper altid ved afslutningen af afsnittet.</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="one">Der er kun %1$d afsnit tilbage i din kø</item>
<item quantity="other">Der er kun %1$d afsnit tilbage i din kø</item>
</plurals>
</resources>

View File

@ -231,8 +231,8 @@
<string name="download_error_request_error">Anfragefehler</string>
<string name="download_error_db_access">Datenbank-Zugriffsfehler</string>
<plurals name="downloads_left">
<item quantity="one">%d Download übrig</item>
<item quantity="other">%d Downloads übrig</item>
<item quantity="one">%d Download verbleibend</item>
<item quantity="other">%d Downloads verbleibend</item>
</plurals>
<string name="download_notification_title_feeds">Aktualisiere Podcasts</string>
<string name="download_notification_title_episodes">Lade Episoden herunter</string>
@ -271,12 +271,12 @@
<string name="date">Datum</string>
<string name="duration">Dauer</string>
<string name="episode_title">Episodentitel</string>
<string name="feed_title">Podcast-Name</string>
<string name="feed_title">Podcastname</string>
<string name="random">Zufällig</string>
<string name="smart_shuffle">Schlaues Mischen</string>
<string name="size">Größe</string>
<string name="clear_queue_confirmation_msg">Bitte bestätige, dass du ALLE Episoden aus der Warteschlange entfernen möchtest.</string>
<string name="time_left_label">"Zeit übrig: "</string>
<string name="time_left_label">"Verbleibende Zeit: "</string>
<!--Variable Speed-->
<string name="speed_presets">Voreinstellungen</string>
<string name="preset_already_exists">%1$.2fx ist bereits als Voreinstellung gespeichert.</string>
@ -285,7 +285,7 @@
<string name="no_items_label">Du kannst Episoden hinzufügen, indem du sie herunterlädst oder sie lange antippst und „Zur Warteschlange hinzufügen“ auswählst.</string>
<string name="no_shownotes_label">Episode hat keine Shownotes.</string>
<string name="no_comp_downloads_head_label">Keine heruntergeladenen Episoden</string>
<string name="no_comp_downloads_label">Du kannst Episoden auf der Podcast-Seite herunterladen.</string>
<string name="no_comp_downloads_label">Du kannst Episoden auf der Podcastseite herunterladen.</string>
<string name="no_log_downloads_head_label">Keine Downloadhistorie</string>
<string name="no_log_downloads_label">Die Downloadhistorie erscheint hier, sobald eine Episode heruntergeladen wurde.</string>
<string name="no_history_head_label">Kein Verlauf</string>
@ -334,7 +334,7 @@
<string name="pref_auto_local_delete_title">Automat. Löschen aus lokalen Ordnern</string>
<string name="pref_auto_local_delete_sum">Lokale Ordner in die automatische Löschfunktion einbeziehen</string>
<string name="pref_auto_local_delete_dialog_body">Beachte, dass bei lokalen Ordnern die Episoden aus AntennaPod entfernt und die zugehörigen Mediendateien aus dem Gerätespeicher gelöscht werden. Sie können dann nicht mehr über AntennaPod heruntergeladen werden. Automatisches Löschen aktivieren?</string>
<string name="pref_smart_mark_as_played_sum">Episoden als abgespielt markieren, auch wenn weniger als eine bestimmte Anzahl von Sekunden an Restspielzeit übrig ist</string>
<string name="pref_smart_mark_as_played_sum">Episoden als abgespielt markieren, auch wenn weniger als eine bestimmte Anzahl von Sekunden an Restspielzeit verbleibt</string>
<string name="pref_smart_mark_as_played_title">Intelligentes „als abgespielt markieren“</string>
<string name="pref_skip_keeps_episodes_sum">Episoden behalten, wenn sie übersprungen werden</string>
<string name="pref_skip_keeps_episodes_title">Übersprungene Episoden behalten</string>
@ -359,7 +359,7 @@
<string name="pref_unpauseOnHeadsetReconnect_title">Kopfhörer wieder eingesteckt</string>
<string name="pref_unpauseOnBluetoothReconnect_title">Bluetooth wieder verbunden</string>
<string name="pref_stream_over_download_title">Streaming bevorzugen</string>
<string name="pref_stream_over_download_sum">Stream-Button anstatt Download-Button in Listen anzeigen</string>
<string name="pref_stream_over_download_sum">Streamen- anstatt Download-Button in Listen anzeigen</string>
<string name="pref_mobileUpdate_title">Mobile Aktualisierungen</string>
<string name="pref_mobileUpdate_sum">Auswählen, was über mobile Daten erlaubt sein soll</string>
<string name="pref_mobileUpdate_refresh">Podcasts aktualisieren</string>
@ -406,8 +406,8 @@
<string name="pref_persistNotify_title">Persistente Wiedergabesteuerung</string>
<string name="pref_persistNotify_sum">Bedienelemente in der Benachrichtigungsleiste und auf dem Sperrbildschirm anzeigen, während die Wiedergabe pausiert ist</string>
<string name="pref_compact_notification_buttons_dialog_error_exact">Du musst genau zwei Einträge auswählen</string>
<string name="pref_full_notification_buttons_title">Benachrichtigungs-Buttons einstellen</string>
<string name="pref_full_notification_buttons_sum">Ändere die Buttons von der Wiedergabe-Benachrichtigung</string>
<string name="pref_full_notification_buttons_title">Benachrichtigungsbuttons einstellen</string>
<string name="pref_full_notification_buttons_sum">Ändere die Buttons von der Wiedergabebenachrichtigung</string>
<string name="pref_enqueue_location_title">Position beim Einreihen</string>
<string name="pref_enqueue_location_sum">Episoden hinzufügen: %1$s</string>
<string name="enqueue_location_back">Hinten</string>
@ -417,8 +417,6 @@
<string name="pref_smart_mark_as_played_disabled">Deaktiviert</string>
<string name="documentation_support">Dokumentation und Support</string>
<string name="visit_user_forum">Benutzerforum</string>
<string name="bug_report_title">Fehler melden</string>
<string name="open_bug_tracker">Bug-Tracker öffnen</string>
<string name="copy_to_clipboard">In die Zwischenablage kopieren</string>
<string name="copied_to_clipboard">In die Zwischenablage kopiert</string>
<string name="pref_proxy_title">Proxy</string>
@ -447,7 +445,7 @@
<string name="pref_show_subscription_title">Titel anzeigen</string>
<string name="pref_new_episodes_action_title">Aktion für neue Episoden</string>
<string name="pref_new_episodes_action_sum">Aktion, die ausgeführt wird, wenn neue Episoden erscheinen</string>
<string name="episode_information">Episoden-Information</string>
<string name="episode_information">Episodeninformation</string>
<!--About screen-->
<string name="about_pref">Über</string>
<string name="antennapod_version">AntennaPod-Version</string>
@ -507,7 +505,7 @@
<string name="favorites_export_label">Favoriten exportieren</string>
<string name="favorites_export_summary">Favoriten in einer Datei speichern</string>
<!--Sleep timer-->
<string name="set_sleeptimer_label">Timer einstellen</string>
<string name="set_sleeptimer_label">Schlummerfunktion einstellen</string>
<string name="disable_sleeptimer_label">Schlummerfunktion deaktivieren</string>
<string name="extend_sleep_timer_label">+%d min</string>
<string name="sleep_timer_always">Immer</string>
@ -833,8 +831,8 @@
<string name="pref_automatic_download_queue_title">Warteschlange herunterladen</string>
<string name="pref_automatic_download_queue_description">Automatisches Herunterladen von Episoden in der Warteschlange</string>
<string name="episode_lists">Episodenlisten</string>
<string name="pref_downloads_button_action_title">Vom Download-Bildschirm aus abspielen</string>
<string name="pref_downloads_button_action_sum">Wiedergabe- anstelle des Lösch-Buttons auf dem Download-Bildschirm anzeigen</string>
<string name="pref_downloads_button_action_title">Vom Downloadbildschirm aus abspielen</string>
<string name="pref_downloads_button_action_sum">Wiedergabe- anstelle des Löschen-Buttons auf dem Downloadbildschirm anzeigen</string>
<string name="download_error_unsupported_type_html_manual">Du hast eine Website-Adresse eingegeben, keine Podcast-RSS-Adresse.</string>
<string name="overflow_more">Mehr</string>
<string name="preference_search_clear_input">Leeren</string>
@ -900,9 +898,45 @@
<item quantity="one">%d Abonnement</item>
<item quantity="other">%d Abonnements</item>
</plurals>
<string name="feed_delete_explanation_delete">Durch das Löschen werden ALLE Episoden einschließlich Downloads, Wiedergabeverlauf und Statistiken entfernt.</string>
<string name="feed_delete_explanation_archive">Durch das Archivieren wird es aus der Abonnementliste ausgeblendet und erhält keine Aktualisierungen mehr. Downloads, Statistiken und der Abspielstatus bleiben erhalten.</string>
<string name="feed_delete_explanation_delete">Durch das Löschen wird das Abonnement einschließlich Episoden, Downloads, Wiedergabeverlauf und Statistiken entfernt.</string>
<string name="feed_delete_explanation_archive">Durch das Archivieren wird das Abonnement aus der Liste ausgeblendet und es wird nicht mehr nach neuen Episoden gesucht. Downloads, Statistiken und Abspielstatus bleiben erhalten.</string>
<string name="tag_untagged">Ohne Tags</string>
<string name="no_archive_head_label">Nichts archiviert</string>
<string name="no_archive_label">Du kannst Podcasts über den Hauptbildschirm für Abonnements archivieren.</string>
<string name="general_expand_button">Erweitern</string>
<string name="report_bug_github_title">GitHub</string>
<string name="report_bug_device_info_title">Gerät</string>
<string name="report_bug_attrib_app_version">App-Version</string>
<string name="report_bug_attrib_android_version">Android-Version</string>
<string name="report_bug_attrib_device_name">Gerätename</string>
<string name="report_bug_crash_log_title">Absturzprotokoll</string>
<string name="report_bug_crash_log_message">Erstellt: %1$s.</string>
<string name="report_bug_forum_title">Forum</string>
<string name="report_bug_title">Fehler melden</string>
<string name="general_collapse_button">Einklappen</string>
<string name="archiving_podcast_progress">Podcast %1$d von %2$d wird archiviert </string>
<string name="deleting_podcast_progress">Podcast %1$d von %2$d wird gelöscht </string>
<string name="download_log_details_human_readable_reason_title">Status</string>
<string name="download_log_details_technical_reason_title">Technische Details</string>
<string name="download_log_details_file_url_title">Datei-URL</string>
<string name="download_log_open_feed">Öffnen</string>
<string name="no_following_in_queue">Dies war die letzte Episode in der Warteschlange</string>
<string name="episode">Episode</string>
<string name="feed">Podcast</string>
<string name="pref_global_default_episode_list_sort_order_title">Standardsortierreihenfolge</string>
<string name="pref_global_default_episode_list_sort_order_sum">Die Standardreihenfolge für Episoden auf dem Podcastbildschirm auswählen</string>
<string name="report_bug_message">Es tut uns leid, dass etwas nicht funktioniert. Wir würden uns über deine Hilfe zur Verbesserung von AntennaPod freuen. Bitte schaue in unserem Forum oder auf GitHub nach, ob das Problem bereits gemeldet wurde. Wenn nicht, teile es uns bitte mit, damit wir der Sache nachgehen können.</string>
<string name="sleep_timer_episodes_label">Episoden</string>
<string name="sleep_timer_without_continuous_playback">Kontinuierliche Wiedergabe deaktivieren</string>
<string name="sleep_timer_without_continuous_playback_change_hours">Stunden ändern</string>
<string name="sleep_timer_without_continuous_playback_message">Anstatt die Schlummerfunktion immer automatisch für eine Episode zu aktivieren, deaktiviere bitte stattdessen die „kontinuierliche Wiedergabe“ in den Einstellungen.</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="one">Kontinuierliche Wiedergabe ist deaktiviert und die aktuelle Episode dauert nur noch %1$d Minute</item>
<item quantity="other">Kontinuierliche Wiedergabe ist deaktiviert und die aktuelle Episode dauert nur noch %1$d Minuten</item>
</plurals>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">Kontinuierliche Wiedergabe ist in den Einstellungen deaktiviert. Die Wiedergabe wird immer am Ende der Episode beendet.</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="one">Es ist nur noch %1$d Folge in der Warteschlange vorhanden</item>
<item quantity="other">Es sind nur noch %1$d Folgen in der Warteschlange vorhanden</item>
</plurals>
</resources>

View File

@ -417,8 +417,6 @@
<string name="pref_smart_mark_as_played_disabled">Απενεργοποιημένο</string>
<string name="documentation_support">Εγχειρίδια &amp; υποστήριξη</string>
<string name="visit_user_forum">Φόρουμ χρηστών</string>
<string name="bug_report_title">Αναφορά σφάλματος</string>
<string name="open_bug_tracker">Ανοίξτε τον ιχνηλάτη σφαλμάτων</string>
<string name="copy_to_clipboard">Αντιγραφή στο πρόχειρο</string>
<string name="copied_to_clipboard">Αντιγράφηκε στο πρόχειρο</string>
<string name="pref_proxy_title">Διαμεσολάβηση</string>

View File

@ -426,8 +426,6 @@
<string name="pref_smart_mark_as_played_disabled">Deshabilitado</string>
<string name="documentation_support">Documentación &amp; Asistencia</string>
<string name="visit_user_forum">Foro de usuarios</string>
<string name="bug_report_title">Reportar error</string>
<string name="open_bug_tracker">Abrir bug tracker</string>
<string name="copy_to_clipboard">Copiar al portapapeles</string>
<string name="copied_to_clipboard">Copiado al portapapeles</string>
<string name="pref_proxy_title">Proxy</string>

View File

@ -393,8 +393,6 @@
<string name="pref_smart_mark_as_played_disabled">Välja lülitatud</string>
<string name="documentation_support">Dokumentatsioon &amp; tugi</string>
<string name="visit_user_forum">Kasutajate foorum</string>
<string name="bug_report_title">Raporteeri veast</string>
<string name="open_bug_tracker">Ava vigade loetelu</string>
<string name="copy_to_clipboard">Kopeeri lõikelauale</string>
<string name="copied_to_clipboard">Kopeeritud lõikelauale</string>
<string name="pref_proxy_title">Vaheserver</string>

View File

@ -393,8 +393,6 @@
<string name="pref_smart_mark_as_played_disabled">Desgaitua</string>
<string name="documentation_support">Dokumentazioa eta laguntza</string>
<string name="visit_user_forum">Erabiltzaileen foroa</string>
<string name="bug_report_title">Jakinarazi errorea</string>
<string name="open_bug_tracker">Ireki erroreen bilatzailea</string>
<string name="copy_to_clipboard">Kopiatu arbelean</string>
<string name="copied_to_clipboard">Arbelean kopiatu da</string>
<string name="pref_proxy_title">Proxy</string>

View File

@ -393,8 +393,6 @@
<string name="pref_smart_mark_as_played_disabled">غیرفعال</string>
<string name="documentation_support">مستندات و پشتیبانی</string>
<string name="visit_user_forum">تالار گفتمان کاربر</string>
<string name="bug_report_title">گزارش مشکل</string>
<string name="open_bug_tracker">باز کردن ردیاب اشکال</string>
<string name="copy_to_clipboard">کپی به کلیپ بورد</string>
<string name="copied_to_clipboard">در کلیپ بورد کپی شد</string>
<string name="pref_proxy_title">پروکسی</string>
@ -900,9 +898,45 @@
<string name="archive_feed_label_noun">بایگانی</string>
<string name="restore_archive_label">بازگردانی</string>
<string name="remove_archive_feed_label">حذف یا بایگانی</string>
<string name="feed_delete_explanation_delete">حذف کردن تمامی قسمت‌هایش از جمله بارگیری‌ها، تاریخچهٔ پخش و آمارها را برخواهد داشت.</string>
<string name="feed_delete_explanation_archive">بایگانی کردن از سیاههٔ اشتراک‌ها نهفته و جلوی به‌روز شدنش را خواهد گرفت. بارگیری‌ها، آکارها و وضعیت پخش نگه داشته خواهد شد.</string>
<string name="feed_delete_explanation_delete">حذف کردن اشتراک تمامی قسمت‌ها، بارگیری‌ها، تاریخچهٔ پخش و آمارهایش را برمی‌دارد.</string>
<string name="feed_delete_explanation_archive">بایگانی کردن اشتراک را از سیاهه نهفته و گشتن به دنبال قسمت‌های جدید را متوقّف می‌کند. بارگیری‌ها، آمارها و وضعیت پخش نگه داشته خواهد شد.</string>
<string name="tag_untagged">برچسب نخورده</string>
<string name="no_archive_head_label">هیچ چیزی بایگانی نشده</string>
<string name="no_archive_label">می توانید پادپخش‌ها را از صفحهٔ اشتراک اصلی بایگانی کنید.</string>
<string name="general_expand_button">گسترش</string>
<string name="general_collapse_button">جمع کردن</string>
<string name="download_log_details_human_readable_reason_title">وضعیت</string>
<string name="download_log_open_feed">گشودن</string>
<string name="episode">قسمت</string>
<string name="feed">پادپخش</string>
<string name="report_bug_device_info_title">افزاره</string>
<string name="report_bug_forum_title">انجمن</string>
<string name="report_bug_github_title">گیت‌هاب</string>
<string name="sleep_timer_episodes_label">قسمت</string>
<string name="download_log_details_technical_reason_title">جزییات فنی</string>
<string name="download_log_details_file_url_title">نشانی پرونده</string>
<string name="report_bug_title">گزارش اشکال</string>
<string name="report_bug_attrib_app_version">نگارش کاره</string>
<string name="report_bug_attrib_android_version">نگارش اندروید</string>
<string name="report_bug_attrib_device_name">نام افزاره</string>
<string name="report_bug_crash_log_title">گزارش فروپاشی</string>
<string name="report_bug_crash_log_message">ایجاد شده: %1$s.</string>
<string name="sleep_timer_without_continuous_playback_change_hours">تغییر ساعت‌ها</string>
<string name="pref_global_default_episode_list_sort_order_title">ترتیب چینش پیش‌گزیده</string>
<string name="sleep_timer_without_continuous_playback">از کار انداختن پخش ادامه دار</string>
<string name="archiving_podcast_progress">بایگانی کردن پادپخش %1$d از %2$d…</string>
<string name="deleting_podcast_progress">حذف کردن پادپخش %1$d از %2$d…</string>
<string name="no_following_in_queue">آخرین قسمت در صف بود</string>
<string name="pref_global_default_episode_list_sort_order_sum">گزینش ترتیب پیش‌گزیدهٔ قسمت‌ها روی صفحهٔ پادپخش</string>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">پخش ادامه دار در تنظیمات از کار افتاده. همواره در پایان قسمت‌ها متوقّف می‌شود.</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="one">تنها %1$d قسمت در صفتان مانده</item>
<item quantity="other">تنها %1$d قسمت در صفتان مانده</item>
</plurals>
<string name="report_bug_message">متآسفیم که می‌شنویم چیزی کار نمی‌کند. سپاس از یاریتان در بهبود آنتناپاد. لطفا‌ً انجمن یا گیت‌هابمان را برای بررسی گزارش مشابه دیده و در صورت نبود به ما گزارش دهید تا بررسیش کنیم.</string>
<string name="sleep_timer_without_continuous_playback_message">از کار انداختن «پخش ادامه‌دار» در تنظیمات به‌جای به کار انداختن هربارهٔ زمان‌سنج خواب با یک قسمت.</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="one">پخش ادامه‌دار از کار افتاده و از قسمت کنونی تنها %1$d دقیقه مانده</item>
<item quantity="other">پخش ادامه‌دار از کار افتاده و از قسمت کنونی تنها %1$d دقیقه مانده</item>
</plurals>
</resources>

View File

@ -374,8 +374,6 @@
<string name="pref_smart_mark_as_played_disabled">Poissa käytöstä</string>
<string name="documentation_support">Dokumentaatio ja tuki</string>
<string name="visit_user_forum">Käyttäjäfoorumi</string>
<string name="bug_report_title">Ilmoita virheestä</string>
<string name="open_bug_tracker">Avaa virheseuranta</string>
<string name="copy_to_clipboard">Kopioi leikepöydälle</string>
<string name="copied_to_clipboard">Kopioitiin leikepöydälle</string>
<string name="pref_proxy_title">Proxy</string>

View File

@ -427,8 +427,6 @@
<string name="pref_smart_mark_as_played_disabled">Désactivé</string>
<string name="documentation_support">Documentation &amp; support</string>
<string name="visit_user_forum">Forum des utilisateurs</string>
<string name="bug_report_title">Signaler un bug</string>
<string name="open_bug_tracker">Ouvrir le suivi des bugs</string>
<string name="copy_to_clipboard">Copier dans le presse-papier</string>
<string name="copied_to_clipboard">Copié dans le presse-papier</string>
<string name="pref_proxy_title">Proxy</string>
@ -805,8 +803,8 @@
<string name="echo_queue_title_many">Et vous avez de la réserve pour finir l\'année avec</string>
<plurals name="echo_queue_hours_waiting">
<item quantity="one">heures pour finir votre liste de lecture\nd\'%1$d seul épisode</item>
<item quantity="many">heures finir votre liste de lecture\nde %1$d épisodes</item>
<item quantity="other">heures finir votre liste de lecture\nde %1$d épisodes</item>
<item quantity="many">heures pour finir votre liste de lecture\nde %1$d épisodes</item>
<item quantity="other">heures pour finir votre liste de lecture\nde %1$d épisodes</item>
</plurals>
<string name="echo_queue_hours_clean">C\'est %1$s tous les jours avant que %2$d ne commence.</string>
<string name="echo_queue_hours_normal">C\'est environ %1$s tous les jours avant que %2$d ne commence. Pour arriver à vider votre liste des épisodes vont devoir être sautés.</string>
@ -929,10 +927,48 @@
<string name="archive_feed_label_verb">Archiver</string>
<string name="archive_feed_label_noun">Archives</string>
<string name="remove_archive_feed_label">Supprimer / Archiver</string>
<string name="feed_delete_explanation_delete">Supprimer efface TOUS les épisodes téléchargés, l\'historique de lecture et les statistiques.</string>
<string name="feed_delete_explanation_archive">Archiver cache le podcast de la liste des abonnements et désactive les mises à jour. Les téléchargements, l\'historique de lecture et les statistiques restent disponibles.</string>
<string name="feed_delete_explanation_delete">Supprimer efface le podcast avec tous ses épisodes, ses téléchargements, son historique de lecture et ses statistiques.</string>
<string name="feed_delete_explanation_archive">Archiver cache le podcast de la liste des abonnements et désactive sa mise à jour. Ses téléchargements, son historique de lecture et ses statistiques sont conservés.</string>
<string name="tag_untagged">Sans tag</string>
<string name="restore_archive_label">Désarchiver</string>
<string name="no_archive_head_label">Aucune archive</string>
<string name="no_archive_label">Vous pouvez archiver des podcasts depuis l\'écran des abonnements.</string>
<string name="general_expand_button">Afficher plus</string>
<string name="general_collapse_button">Réduire</string>
<string name="archiving_podcast_progress">Archivage du podcast %1$d sur %2$d…</string>
<string name="deleting_podcast_progress">Suppression du podcast %1$d sur %2$d…</string>
<string name="download_log_details_human_readable_reason_title">Statut</string>
<string name="download_log_details_technical_reason_title">Détails techniques</string>
<string name="download_log_details_file_url_title">Lien du flux</string>
<string name="download_log_open_feed">Ouvrir</string>
<string name="no_following_in_queue">Il s\'agissait du dernier épisode de la liste de lecture</string>
<string name="episode">Épisode</string>
<string name="feed">Podcast</string>
<string name="pref_global_default_episode_list_sort_order_title">Tri par défaut</string>
<string name="pref_global_default_episode_list_sort_order_sum">Choisir le tri par défaut des épisodes dans l\'écran de détail d\'un podcast</string>
<string name="report_bug_title">Signaler un bug</string>
<string name="report_bug_message">Désolé si quelque chose ne marche pas. Nous apprécions votre aide pour améliorer AntennaPod. Vérifier sur notre forum ou GitHub si le problème est déjà connu. Si il ne l\'est pas, faites le nous savoir et nous le prendrons en compte.</string>
<string name="report_bug_device_info_title">Appareil</string>
<string name="report_bug_attrib_app_version">Version de l\'application</string>
<string name="report_bug_attrib_android_version">Version Android</string>
<string name="report_bug_attrib_device_name">Nom de l\'appareil</string>
<string name="report_bug_crash_log_title">Rapport d\'erreur</string>
<string name="report_bug_crash_log_message">Créé : %1$s.</string>
<string name="report_bug_forum_title">Forum</string>
<string name="report_bug_github_title">GitHub</string>
<string name="sleep_timer_episodes_label">épisodes</string>
<string name="sleep_timer_without_continuous_playback">Désactiver la lecture continue</string>
<string name="sleep_timer_without_continuous_playback_change_hours">Changer les heures</string>
<string name="sleep_timer_without_continuous_playback_message">Au lieu de toujours activé le minuteur pour s\'arrêter après un épisode, désactivez la lecture continue dans les préférences.</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="one">La lecture continue est désactivée et il ne reste qu\'%1$d minute pour l\'épisode en cours</item>
<item quantity="many">La lecture continue est désactivée et il ne reste qu\'%1$d minutes pour l\'épisode en cours</item>
<item quantity="other">La lecture continue est désactivée et il ne reste qu\'%1$d minutes pour l\'épisode en cours</item>
</plurals>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">La lecture continue est désactivée dans les préférences. La lecture s\'arrête toujours à la fin d\'un épisode.</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="one">Il reste seulement %1$d épisode dans la liste de lecture</item>
<item quantity="many">Il reste seulement %1$d épisodes dans la liste de lecture</item>
<item quantity="other">Il reste seulement %1$d épisodes dans la liste de lecture</item>
</plurals>
</resources>

View File

@ -417,8 +417,6 @@
<string name="pref_smart_mark_as_played_disabled">Desactivado</string>
<string name="documentation_support">Documentación &amp; axuda</string>
<string name="visit_user_forum">Foro de usuarias</string>
<string name="bug_report_title">Informar de fallo</string>
<string name="open_bug_tracker">Abrir seguimento de fallos</string>
<string name="copy_to_clipboard">Copiar ó portapapeis</string>
<string name="copied_to_clipboard">Copiado ó portapapeis</string>
<string name="pref_proxy_title">Proxy</string>
@ -884,8 +882,8 @@
<string name="archive_feed_label_noun">Arquivo</string>
<string name="restore_archive_label">Restablecer</string>
<string name="remove_archive_feed_label">Eliminar / arquivar</string>
<string name="feed_delete_explanation_delete">Eliminar vas eliminar TODOS os seus episodios incluíndo as descargas, historial de reprodución e estatísticas.</string>
<string name="feed_delete_explanation_archive">Arquivar o podcast no aparecerá na lista de subscricións e non se actualizará. Vanse manter as descargas, estatísticas e estados de reprodución.</string>
<string name="feed_delete_explanation_delete">A eliminación retira a subscrición incluíndo todos os seus episodios, descargas, historial de reprodución e estatísticas.</string>
<string name="feed_delete_explanation_archive">Ao arquivar ocultas a subscrición na lista e deixas de buscar novos episodios. Emporiso, as descargas, estatísticas e historial de reprodución consérvanse.</string>
<string name="tag_untagged">Sen etiquetar</string>
<plurals name="mobile_download_notice">
<item quantity="one">Descargar usando datos do móbil no próximo %d minuto</item>
@ -905,4 +903,40 @@
<item quantity="one">descargado</item>
<item quantity="other">descargados</item>
</plurals>
<string name="general_expand_button">Despregar</string>
<string name="general_collapse_button">Pregar</string>
<string name="archiving_podcast_progress">Arquivando podcast %1$d de %2$d…</string>
<string name="deleting_podcast_progress">Eliminando podcast %1$d de %2$d…</string>
<string name="download_log_details_human_readable_reason_title">Estado</string>
<string name="download_log_details_technical_reason_title">Detalles técnicos</string>
<string name="download_log_details_file_url_title">URL do ficheiro</string>
<string name="download_log_open_feed">Abrir</string>
<string name="no_following_in_queue">Este era o último episodio na cola</string>
<string name="episode">Episodio</string>
<string name="feed">Podcast</string>
<string name="pref_global_default_episode_list_sort_order_title">Orde por defecto</string>
<string name="pref_global_default_episode_list_sort_order_sum">Elixe a orde por defecto para os episodios na pantalla dos podcast</string>
<string name="report_bug_title">Informar dun problema</string>
<string name="report_bug_message">Lamentamos que algo non funcione ben. Agradecemos que nos axudes a mellorar AntennaPod. Mira no foro ou en GitHub se xa alguén informou sobre esta incidencia. Se non é así fáinolo saber e investigaremos o asunto.</string>
<string name="report_bug_device_info_title">Dispositivo</string>
<string name="report_bug_attrib_app_version">Versión da app</string>
<string name="report_bug_attrib_android_version">Versión de Android</string>
<string name="report_bug_attrib_device_name">Nome do dispositivo</string>
<string name="report_bug_crash_log_title">Rexistro do fallo</string>
<string name="report_bug_crash_log_message">Creado: %1$s.</string>
<string name="report_bug_forum_title">Foro</string>
<string name="report_bug_github_title">GitHub</string>
<string name="sleep_timer_episodes_label">episodios</string>
<string name="sleep_timer_without_continuous_playback">Desactivar reprodución contínua</string>
<string name="sleep_timer_without_continuous_playback_change_hours">Cambiar horas</string>
<string name="sleep_timer_without_continuous_playback_message">No lugar de activar sempre o temporizador para un episodio, por favor desactiva «reprodución contínua» nos axustes.</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="one">Está desactivada a reprodución contínua e ao episodio actual só que lle queda %1$d minuto</item>
<item quantity="other">Está desactivada a reprodución contínua e ao episodio actual só que lle quedan %1$d minutos</item>
</plurals>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">A reprodución contínua está desactivada nos axustes. Vaise deter sempre ao finalizar un episodio.</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="one">Só queda %1$d episodio na cola</item>
<item quantity="other">Só quedan %1$d episodios na cola</item>
</plurals>
</resources>

File diff suppressed because it is too large Load Diff

View File

@ -394,8 +394,6 @@
<string name="pref_smart_mark_as_played_disabled">Letiltva</string>
<string name="documentation_support">Dokumentáció és támogatás</string>
<string name="visit_user_forum">Felhasználói fórum</string>
<string name="bug_report_title">Hibajelentés</string>
<string name="open_bug_tracker">Hibakövető megnyitása</string>
<string name="copy_to_clipboard">Másolás vágólapra</string>
<string name="copied_to_clipboard">Vágólapra másolva</string>
<string name="pref_proxy_title">Proxy</string>

View File

@ -295,8 +295,6 @@
<string name="enqueue_location_after_current">Setelah episode saat ini</string>
<string name="pref_smart_mark_as_played_disabled">Dinonaktifkan</string>
<string name="visit_user_forum">Forum Pengguna</string>
<string name="bug_report_title">Laporkan kutu</string>
<string name="open_bug_tracker">Buka pelacak kutu</string>
<string name="copy_to_clipboard">Salin ke papan klip</string>
<string name="copied_to_clipboard">Tersalin ke papan klip</string>
<string name="pref_proxy_title">Proksi</string>

View File

@ -426,8 +426,6 @@
<string name="pref_smart_mark_as_played_disabled">Disabilitato</string>
<string name="documentation_support">Documentazione &amp; supporto</string>
<string name="visit_user_forum">Forum utenti</string>
<string name="bug_report_title">Segnala un problema</string>
<string name="open_bug_tracker">Apri il bug tracker</string>
<string name="copy_to_clipboard">Copia negli appunti</string>
<string name="copied_to_clipboard">Copiato negli appunti</string>
<string name="pref_proxy_title">Proxy</string>
@ -516,7 +514,7 @@
<string name="favorites_export_label">Esporta preferiti</string>
<string name="favorites_export_summary">Esporta preferiti su file</string>
<!--Sleep timer-->
<string name="set_sleeptimer_label">Imposta timer</string>
<string name="set_sleeptimer_label">Imposta timer di spegnimento</string>
<string name="disable_sleeptimer_label">Disabilita il timer di spegnimento</string>
<string name="extend_sleep_timer_label">+%d min</string>
<string name="sleep_timer_always">Sempre</string>
@ -934,4 +932,42 @@
<string name="tag_untagged">Senza tag</string>
<string name="no_archive_label">È possibile archiviare i podcast dalla schermata principale delle iscrizioni.</string>
<string name="no_archive_head_label">Niente archiviato</string>
<string name="general_expand_button">Espandi</string>
<string name="general_collapse_button">Comprimi</string>
<string name="archiving_podcast_progress">Archiviando podcast %1$d di %2$d…</string>
<string name="deleting_podcast_progress">Eliminando podcast %1$d di %2$d…</string>
<string name="download_log_details_human_readable_reason_title">Stato</string>
<string name="download_log_details_technical_reason_title">Dettagli tecnici</string>
<string name="download_log_details_file_url_title">URL del file</string>
<string name="download_log_open_feed">Apri</string>
<string name="no_following_in_queue">Questo era l\'ultimo episodio in coda</string>
<string name="episode">Episodio</string>
<string name="feed">Podcast</string>
<string name="pref_global_default_episode_list_sort_order_title">Criterio di ordinazione predefinito</string>
<string name="pref_global_default_episode_list_sort_order_sum">Scegli il criterio di ordinazione degli episodi predefinito per la schermata del podcast</string>
<string name="report_bug_title">Segnala bug</string>
<string name="report_bug_message">Ci spiace che qualcosa non funzioni a dovere. Saremmo grati che ci aiutassi a migliorare AntennaPod. Controlla se il problema è già stato segnalato sul forum o su GitHub. Se non è questo il caso, faccelo sapere e verificheremo.</string>
<string name="report_bug_device_info_title">Dispositivo</string>
<string name="report_bug_attrib_app_version">Versione dell\'app</string>
<string name="report_bug_attrib_android_version">Versione di Android</string>
<string name="report_bug_attrib_device_name">Nome del dispositivo</string>
<string name="report_bug_crash_log_title">Registro di crash</string>
<string name="report_bug_crash_log_message">Creato: %1$s.</string>
<string name="report_bug_forum_title">Forum</string>
<string name="report_bug_github_title">GitHub</string>
<string name="sleep_timer_episodes_label">episodi</string>
<string name="sleep_timer_without_continuous_playback">Disabilita la riproduzione continua</string>
<string name="sleep_timer_without_continuous_playback_change_hours">Modifica l\'orario</string>
<string name="sleep_timer_without_continuous_playback_message">Anziché abilitare sempre automaticamente il timer di spegnimento con un episodio, disabilita la riproduzione continua nelle impostazioni.</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="one">La riproduzione continua è disabilitata e all\'episodio attuale rimane solo %1$d minuto</item>
<item quantity="many">La riproduzione continua è disabilitata e all\'episodio attuale rimangono solo %1$d di minuti</item>
<item quantity="other">La riproduzione continua è disabilitata e all\'episodio attuale rimangono solo %1$d minuti</item>
</plurals>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">La riproduzione continua è disabilitata nelle impostazioni. La riproduzione si interrompe sempre alla fine di un episodio.</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="one">Rimane solo %1$d episodio nella tua coda</item>
<item quantity="many">Rimangono solo %1$d di episodi nella tua coda</item>
<item quantity="other">Rimangono solo %1$d episodi nella tua coda</item>
</plurals>
</resources>

View File

@ -92,8 +92,8 @@
<string name="error_label">שגיאה</string>
<string name="error_msg_prefix">אירעה שגיאה:</string>
<string name="refresh_label">רענון</string>
<string name="chapters_label">פרקים</string>
<string name="no_chapters_label">אין מקטעים</string>
<string name="chapters_label">קטעים</string>
<string name="no_chapters_label">אין קטעים</string>
<string name="chapter_duration">משך: %1$s</string>
<string name="description_label">תיאור</string>
<string name="shownotes_label">הערות הפרק</string>
@ -426,8 +426,6 @@
<string name="pref_smart_mark_as_played_disabled">מושבת</string>
<string name="documentation_support">תיעוד ותמיכה</string>
<string name="visit_user_forum">פורום המשתמשים</string>
<string name="bug_report_title">דיווח על תקלה</string>
<string name="open_bug_tracker">פתיחת מערכת מעקב התקלות</string>
<string name="copy_to_clipboard">העתקה ללוח הגזירים</string>
<string name="copied_to_clipboard">הועתק ללוח הגזירים</string>
<string name="pref_proxy_title">מתווך</string>
@ -934,4 +932,42 @@
<string name="feed_delete_explanation_archive">העברה לארכיון תסתיר מרשימת המינויים ותפסיק את קבלת העדכונים. הורדות, סטטיסטיקות ומצב הנגינה יישמרו.</string>
<string name="no_archive_head_label">שום דבר לא הועבר לארכיון</string>
<string name="no_archive_label">אפשר להעביר הסכתים לארכיון ממסך המינויים הראשי.</string>
<string name="report_bug_attrib_android_version">גרסת Android</string>
<string name="report_bug_attrib_device_name">שם המכשיר</string>
<string name="report_bug_crash_log_title">יומן קריסה</string>
<string name="report_bug_crash_log_message">יצירה: %1$s.</string>
<string name="report_bug_forum_title">פורום</string>
<string name="report_bug_github_title">GitHub</string>
<string name="general_expand_button">הרחבה</string>
<string name="general_collapse_button">צמצום</string>
<string name="archiving_podcast_progress">הסכת %1$d מתוך %2$d מועבר לארכיון…</string>
<string name="deleting_podcast_progress">הסכת %1$d מתוך %2$d נמחק…</string>
<string name="download_log_details_human_readable_reason_title">מצב</string>
<string name="download_log_details_technical_reason_title">פרטים טכניים</string>
<string name="download_log_details_file_url_title">כתובת הקובץ</string>
<string name="download_log_open_feed">פתיחה</string>
<string name="no_following_in_queue">זה היה הפרק האחרון בתור</string>
<string name="episode">פרק</string>
<string name="feed">הסכת</string>
<string name="pref_global_default_episode_list_sort_order_title">סדר מיון כברירת מחדל</string>
<string name="pref_global_default_episode_list_sort_order_sum">נא לבחור את סדר ברירת המחדל לסידור הפרקים במסך ההסכת</string>
<string name="report_bug_title">דיווח על תקלה</string>
<string name="report_bug_message">מבאס לשמוע שמשהו לא עובד. נשמח לקבל את עזרתך בשיפור אנטנה־פּוֹד. נא לבקר בפורום או ב־GitHub שלנו כדי לראות אם התקלה הזאת כבר דווחה. אם לא, לדווח לנו ואנו נחקור את הנושא.</string>
<string name="report_bug_device_info_title">מכשיר</string>
<string name="report_bug_attrib_app_version">גרסת יישומון</string>
<string name="sleep_timer_episodes_label">פרקים</string>
<string name="sleep_timer_without_continuous_playback">כיבוי נגינה רציפה</string>
<string name="sleep_timer_without_continuous_playback_change_hours">החלפת שעות</string>
<string name="sleep_timer_without_continuous_playback_message">במקום להפעיל את מתזמן השינה על פרק אחד אוטומטית, נא לכבות במקום את „נגינה רציפה” בהגדרות.</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="one">נגינה רציפה כבויה ולפרק הנוכחי נותרה דקה</item>
<item quantity="two">נגינה רציפה כבויה ולפרק הנוכחי נותרו שתי דקות</item>
<item quantity="other">נגינה רציפה כבויה ולפרק הנוכחי נותרו %1$d דקות</item>
</plurals>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">נגינה רציפה כבויה בהגדרות. תמיד לעצור בסוף הפרק.</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="one">נותר רק פרק בתור שלך</item>
<item quantity="two">נותרו רק שני פרקים בתור שלך</item>
<item quantity="other">נותרו רק %1$d פרקים בתור שלך</item>
</plurals>
</resources>

View File

@ -386,8 +386,6 @@
<string name="pref_smart_mark_as_played_disabled">無効</string>
<string name="documentation_support">ドキュメントとサポート</string>
<string name="visit_user_forum">ユーザーフォーラム</string>
<string name="bug_report_title">バグを報告</string>
<string name="open_bug_tracker">バグトラッカーを開く</string>
<string name="copy_to_clipboard">クリップボードにコピー</string>
<string name="copied_to_clipboard">クリップボードにコピーしました</string>
<string name="pref_proxy_title">プロキシ</string>

View File

@ -387,8 +387,6 @@
<string name="pref_smart_mark_as_played_disabled">사용 안 함</string>
<string name="documentation_support">문서 및 지원</string>
<string name="visit_user_forum">사용자 포럼</string>
<string name="bug_report_title">문제점 보고</string>
<string name="open_bug_tracker">버그 추적 사이트 열기</string>
<string name="copy_to_clipboard">클립보드로 복사</string>
<string name="copied_to_clipboard">클립보드에 복사함</string>
<string name="pref_proxy_title">프록시</string>

View File

@ -238,8 +238,6 @@
<string name="enqueue_location_after_current">Po dabartinio epizodo</string>
<string name="pref_smart_mark_as_played_disabled">Išjungtas</string>
<string name="visit_user_forum">Naudotojų forumas</string>
<string name="bug_report_title">Pranešti apie klaidą</string>
<string name="open_bug_tracker">Atverti klaidų sekimo sistemą</string>
<string name="copy_to_clipboard">Kopijuoti į iškarpinę</string>
<string name="copied_to_clipboard">Nukopijuotas į iškarpinę</string>
<string name="pref_proxy_title">Įgaliotasis serveris</string>

View File

@ -393,8 +393,6 @@
<string name="pref_smart_mark_as_played_disabled">Deaktivert</string>
<string name="documentation_support">Dokumentasjon og støtte</string>
<string name="visit_user_forum">Brukerforum</string>
<string name="bug_report_title">Rapporter feil</string>
<string name="open_bug_tracker">Åpne feilsporing</string>
<string name="copy_to_clipboard">Kopier til utklippstavle</string>
<string name="copied_to_clipboard">Kopiert til utklippstavlen</string>
<string name="pref_proxy_title">Mellomtjener</string>

View File

@ -393,8 +393,6 @@
<string name="pref_smart_mark_as_played_disabled">Uitgeschakeld</string>
<string name="documentation_support">Documentatie &amp; hulp</string>
<string name="visit_user_forum">Gebruikersforum</string>
<string name="bug_report_title">Bug melden</string>
<string name="open_bug_tracker">Bugtracker openen</string>
<string name="copy_to_clipboard">Kopiëren naar klembord</string>
<string name="copied_to_clipboard">Gekopieerd naar het klembord</string>
<string name="pref_proxy_title">Proxy</string>

View File

@ -417,8 +417,6 @@
<string name="pref_smart_mark_as_played_disabled">Wyłączone</string>
<string name="documentation_support">Dokumentacja i wsparcie</string>
<string name="visit_user_forum">Forum użytkowników</string>
<string name="bug_report_title">Zgłoś błąd</string>
<string name="open_bug_tracker">Otwórz bugtracker</string>
<string name="copy_to_clipboard">Kopiuj do schowka</string>
<string name="copied_to_clipboard">Skopiowano do schowka</string>
<string name="pref_proxy_title">Proxy</string>
@ -851,7 +849,7 @@
<string name="visit_social_interact_label">Pokaż komentarze</string>
<string name="rss_address">Adres RSS</string>
<string name="feed_new_episodes_action_summary_autodownload">Automatyczne pobieranie zostało włączone. Odcinki zostaną dodane do skrzynki odbiorczej, a następnie, gdy zostaną pobrane, zostaną przeniesione do kolejki.</string>
<string name="echo_queue_title_many">Wiąż masz sporo do zrobienia w tym roku. Masz</string>
<string name="echo_queue_title_many">Wciąż masz sporo do zrobienia w tym roku. Masz</string>
<string name="echo_hoarder_subtitle_medium">Sprawdzone. Nie ma tutaj gromadzenia.</string>
<string name="echo_hoarder_comment_medium">W tym roku obejrzałeś odcinki z %1$d%% Twoich %2$d aktywnych subskrypcji. Może warto znów zobaczyć „%3$s”?</string>
<string name="echo_hoarder_comment_clean">W tym roku obejrzałeś odcinki z %1$d%% swoich %2$d aktywnych subskrypcji. Założymy się, że masz też porządek na biurku!</string>
@ -961,5 +959,5 @@
<string name="statistics_expected_next_episode_any_time">W każdej chwili</string>
<string name="release_schedule_multiple_per_day">Harmonogramy wydań podcastu</string>
<string name="cover_as_background">Okładka jako tło</string>
<string name="echo_thanks_we_are_glad_old">za bycie z nami w tym roku!\n\nTwój pierwszy odcinek w tym roku został odtworzony %1$s. To dla nas zaszczyt służyć Ci od tego czasu.</string>
<string name="echo_thanks_we_are_glad_old">za bycie z nami w tym roku!\n\nTwój pierwszy odcinek został odtworzony %1$s. To dla nas zaszczyt służyć Ci od tego czasu.</string>
</resources>

View File

@ -427,8 +427,6 @@
<string name="pref_smart_mark_as_played_disabled">Desativado</string>
<string name="documentation_support">Documentação &amp; suporte</string>
<string name="visit_user_forum">Fórum de usuários</string>
<string name="bug_report_title">Reportar um bug</string>
<string name="open_bug_tracker">Abrir registro de bugs</string>
<string name="copy_to_clipboard">Copiar para área de transferência</string>
<string name="copied_to_clipboard">Copiado para área de transferência</string>
<string name="pref_proxy_title">Proxy</string>
@ -929,10 +927,48 @@
<string name="archive_feed_label_verb">Arquivar</string>
<string name="archive_feed_label_noun">Arquivo</string>
<string name="restore_archive_label">Restaurar</string>
<string name="feed_delete_explanation_delete">Excluir removerá TODOS os seus episódios, incluindo downloads, histórico de reprodução e estatísticas.</string>
<string name="feed_delete_explanation_archive">Arquivar oculta da lista de inscrições e impedirá que receba atualizações. Downloads, estatísticas and estado de reprodução serão mantidos.</string>
<string name="feed_delete_explanation_delete">Excluir removerá a inscrição incluindo todos os seus episódios, downloads, histórico de reprodução e estatísticas.</string>
<string name="feed_delete_explanation_archive">Arquivar oculta a inscrição da lista e interrompe a busca por novos episódios. Downloads, estatísticas and estado de reprodução são mantidos.</string>
<string name="remove_archive_feed_label">Excluir / arquivo</string>
<string name="tag_untagged">Sem etiquetas</string>
<string name="no_archive_head_label">Nada arquivado</string>
<string name="no_archive_label">Você pode arquivar podcasts a partir da tela principal de inscrições.</string>
<string name="general_expand_button">Expandir</string>
<string name="general_collapse_button">Recolher</string>
<string name="archiving_podcast_progress">Arquivando podcast %1$d de %2$d…</string>
<string name="deleting_podcast_progress">Excluíndo podcast %1$d de %2$d…</string>
<string name="download_log_details_human_readable_reason_title">Status</string>
<string name="download_log_details_technical_reason_title">Detalhes técnicos</string>
<string name="download_log_details_file_url_title">URL do arquivo</string>
<string name="download_log_open_feed">Abrir</string>
<string name="no_following_in_queue">Este foi o último episódio na fila</string>
<string name="episode">Episódio</string>
<string name="feed">Podcast</string>
<string name="pref_global_default_episode_list_sort_order_title">Ordem de listagem padrão</string>
<string name="pref_global_default_episode_list_sort_order_sum">Selecione a ordem padrão para episódios na tela do podcast</string>
<string name="report_bug_title">Reportar um bug</string>
<string name="report_bug_message">Lamentamos saber que algo não está funcionando. Adoraríamos sua ajuda para melhorar o AntennaPod. Verifique em nosso fórum ou GitHub se o problema já foi relatado. Caso contrário, informe-nos e investigaremos.</string>
<string name="report_bug_device_info_title">Dispositivo</string>
<string name="report_bug_attrib_app_version">Versão do aplicativo</string>
<string name="report_bug_attrib_android_version">Versão do Android</string>
<string name="report_bug_attrib_device_name">Nome do Dispositivo</string>
<string name="report_bug_crash_log_title">Registro de falhas</string>
<string name="report_bug_crash_log_message">Criado em: %1$s.</string>
<string name="report_bug_forum_title">Fórum</string>
<string name="report_bug_github_title">GitHub</string>
<string name="sleep_timer_episodes_label">episódios</string>
<string name="sleep_timer_without_continuous_playback">Desativar reprodução contínua</string>
<string name="sleep_timer_without_continuous_playback_change_hours">Alterar horas</string>
<string name="sleep_timer_without_continuous_playback_message">Em vez de habilitar automaticamente o timer de suspensão com um episódio, desative \"reprodução contínua\" nas configurações.</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="one">Reprodução contínua está desativada e o episódio atual possui apenas %1$d minuto restante</item>
<item quantity="many">Reprodução contínua está desativada e o episódio atual possui apenas %1$d minutos restantes</item>
<item quantity="other">Reprodução contínua está desativada e o episódio atual possui apenas %1$d minutos restantes</item>
</plurals>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">Reprodução contínua está desativada nas configurações. Sempre interrompendo ao final do episódio.</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="one">Resta apenas %1$d episódio na sua fila</item>
<item quantity="many">Restam apenas %1$d episódios na sua fila</item>
<item quantity="other">Restam apenas %1$d episódios na sua fila</item>
</plurals>
</resources>

View File

@ -427,8 +427,6 @@
<string name="pref_smart_mark_as_played_disabled">Desativada</string>
<string name="documentation_support">Documentação e ajuda</string>
<string name="visit_user_forum">Fórum de utilizadores</string>
<string name="bug_report_title">Reportar erros</string>
<string name="open_bug_tracker">Abrir rastreador de erros</string>
<string name="copy_to_clipboard">Copiar para a área de transferência</string>
<string name="copied_to_clipboard">Copiado para a área de transferência</string>
<string name="pref_proxy_title">Proxy</string>

View File

@ -416,8 +416,6 @@
<string name="pref_smart_mark_as_played_disabled">Dezactivat</string>
<string name="documentation_support">Documentație &amp; suport</string>
<string name="visit_user_forum">Forumul utilizatorilor</string>
<string name="bug_report_title">Raportează o problemă</string>
<string name="open_bug_tracker">Deschide trackerul de errori</string>
<string name="copy_to_clipboard">Copiază</string>
<string name="copied_to_clipboard">Copiat în clipboard</string>
<string name="pref_proxy_title">Proxy</string>

View File

@ -435,8 +435,6 @@
<string name="pref_smart_mark_as_played_disabled">Отключено</string>
<string name="documentation_support">Документация и поддержка</string>
<string name="visit_user_forum">Форум пользователей</string>
<string name="bug_report_title">Сообщить об ошибке</string>
<string name="open_bug_tracker">Перейти в систему отслеживания ошибок</string>
<string name="copy_to_clipboard">Скопировать в буфер</string>
<string name="copied_to_clipboard">Скопировано в буфер</string>
<string name="pref_proxy_title">Прокси</string>

View File

@ -13,7 +13,7 @@
<string name="downloads_label">Iscarrigamentos</string>
<string name="downloads_log_label">Iscàrriga informe</string>
<string name="subscriptions_label">Sutiscritziones</string>
<string name="subscriptions_list_label">Lista de sutiscritziones (menù laterale ebbia)</string>
<string name="subscriptions_list_label">Lista de sutiscritziones</string>
<string name="cancel_download_label">Annulla s\'iscarrigamentu</string>
<string name="playback_history_label">Cronologia de riprodutziones</string>
<string name="years_statistics_label">Annos</string>
@ -112,8 +112,8 @@
<string name="feed_auto_download_always">Semper</string>
<string name="feed_auto_download_never">Mai</string>
<string name="feed_new_episodes_action_add_to_inbox">Agiunghe a sa cartella de intrada</string>
<string name="feed_new_episodes_action_add_to_queue">Agiunghe a s\'elencu, disativa s\'iscarrigamentu automàticu</string>
<string name="feed_new_episodes_action_nothing">Nudda, disativa s\'iscarrigamentu automàticu</string>
<string name="feed_new_episodes_action_add_to_queue">Agiunghe a s\'elencu</string>
<string name="feed_new_episodes_action_nothing">Nudda</string>
<string name="episode_cleanup_never">Mai</string>
<string name="episode_cleanup_except_favorite_removal">Cando no est in is preferidos</string>
<string name="episode_cleanup_queue_removal">Cando no est in sa lista</string>
@ -154,8 +154,8 @@
<string name="show_info_label">Ammustra informatzione</string>
<string name="show_feed_settings_label">Ammustra sa cunfiguratzione de su podcast</string>
<string name="feed_settings_label">Cunfiguratzione de su podcast</string>
<string name="rename_feed_label">Càmbia su nòmine de su podcast</string>
<string name="remove_feed_label">Boga su podcast</string>
<string name="rename_feed_label">Muda su nòmine</string>
<string name="remove_feed_label">Cantzella</string>
<string name="share_label">Cumpartzi</string>
<string name="share_file_label">Cumpartzi s\'archìviu</string>
<string name="load_complete_feed">Atualiza su podcast intreu</string>
@ -185,8 +185,8 @@
<string name="delete_label">Cantzella</string>
<string name="remove_inbox_label">Boga dae sa cartella de intrada</string>
<string name="toggle_played_label">Cuncàmbia s\'istadu de riprodutzione</string>
<string name="mark_read_no_media_label">Sinnala comente lèghidu</string>
<string name="mark_unread_label_no_media">Sinnala comente non lèghidu</string>
<string name="mark_read_no_media_label">Sinna comente lèghidu</string>
<string name="mark_unread_label_no_media">Sinna comente non lèghidu</string>
<string name="add_to_queue_label">Agiunghe a sa lista</string>
<string name="remove_from_queue_label">Boga dae sa lista</string>
<plurals name="removed_from_inbox_batch_label">
@ -303,8 +303,8 @@
<string name="synchronization_sum">Sincroniza cun àteros dispositivos</string>
<string name="automation">Automatizatzione</string>
<string name="download_pref_details">Detàllios</string>
<string name="import_export_pref">Importatzione/esportatzione</string>
<string name="import_export_search_keywords">còpia de seguresa, recùperu</string>
<string name="import_export_pref">Còpia de seguresa e recùperu</string>
<string name="import_export_search_keywords">importa, importare, importatzione, esporta, esportare, esportatzione, recùperu, riprìstinu, recuperare, ripristinare</string>
<string name="theming">Tema</string>
<string name="external_elements">Elementos esternos</string>
<string name="interruptions">Interrutziones</string>
@ -315,8 +315,8 @@
<string name="preference_search_clear_history">Isbòida sa cronologia</string>
<string name="pref_episode_cleanup_title">Cantzella prima de s\'iscarrigamentu in automàticu</string>
<string name="pref_episode_cleanup_summary">Episòdios chi diant pòdere èssere cantzellados si s\'iscarrigamentu in automàticu tenet bisòngiu de prus ispàtziu pro is episòdios noos</string>
<string name="pref_pauseOnDisconnect_sum">Pone sa riprodutzione in pàusa comente is cùfias o su bluetooth bèngiant disconnètidos</string>
<string name="pref_unpauseOnHeadsetReconnect_sum">Sighi sa riprodutzione comente is cùfias bèngiant connètidas torra</string>
<string name="pref_pauseOnDisconnect_sum">Pone sa riprodutzione in pàusa comente is cùfias o su dispositivu bluetooth siant disconnètidos</string>
<string name="pref_unpauseOnHeadsetReconnect_sum">Sighi sa riprodutzione comente is cùfias siant connètidas torra</string>
<string name="pref_unpauseOnBluetoothReconnect_sum">Sighi sa riprodutzione comente su bluetooth bèngiat connètidu torra</string>
<string name="pref_hardware_forward_button_title">Butone a in antis</string>
<string name="pref_hardware_forward_button_summary">Personaliza su cumportamentu de su butone pro andare in antis</string>
@ -334,11 +334,11 @@
<string name="pref_auto_local_delete_title">Cantzella in automàticu dae is cartellas locales</string>
<string name="pref_auto_local_delete_sum">Include is cartellas locales in sa funtzionalidade de cantzelladura in automàticu</string>
<string name="pref_auto_local_delete_dialog_body">Tene contu chi pro is cartellas in locale custu at a bogare episòdios dae AntennaPod e at a cantzellare is archìvios multimediales chi currispondant dae su dispositivu de archiviatzione. No ant a pòdere èssere torrados a iscarrigare pro mèdiu de AntennaPod. Boles ativare sa cantzelladura automàtica?</string>
<string name="pref_smart_mark_as_played_sum">Sinnala episòdios comente riproduidos fintzas si abarrant ancora prus pagu de una cantidade determinada de segundos</string>
<string name="pref_smart_mark_as_played_sum">Sinna episòdios comente riproduidos fintzas si abarrant ancora prus pagu de una cantidade determinada de segundos</string>
<string name="pref_smart_mark_as_played_title">Sinnalatzione inteligente de episòdios riproduidos</string>
<string name="pref_skip_keeps_episodes_sum">Mantene episòdios brincados</string>
<string name="pref_skip_keeps_episodes_title">Mantene episòdios brincados</string>
<string name="pref_favorite_keeps_episodes_sum">Mantene episòdios sinnalados comente preferidos</string>
<string name="pref_favorite_keeps_episodes_sum">Mantene is episòdios sinnados comente preferidos</string>
<string name="pref_favorite_keeps_episodes_title">Mantene episòdios preferidos</string>
<string name="playback_pref">Riprodutzione</string>
<string name="playback_pref_sum">Controllos cùfias, Omissione de intervallos, Lista</string>
@ -372,7 +372,7 @@
<string name="pref_black_theme_message">Imprea totu nieddu pro su tema iscuru</string>
<string name="pref_tinted_theme_title">Colores dinàmicos</string>
<string name="pref_tinted_theme_message">Adata is colores de s\'aplicatzione de acordu cun s\'isfundu</string>
<string name="pref_nav_drawer_feed_counter_title">Cunfigura su contadore de sutiscritziones</string>
<string name="pref_nav_drawer_feed_counter_title">Contadore</string>
<string name="pref_automatic_download_title">Iscarrigamentu in automàticu</string>
<string name="pref_automatic_download_sum">Cunfigura s\'iscarrigamentu automàticu de episòdios</string>
<string name="pref_automatic_download_on_battery_title">Iscàrriga cando su dispositivu non siat in càrriga</string>
@ -417,8 +417,6 @@
<string name="pref_smart_mark_as_played_disabled">Disativadu</string>
<string name="documentation_support">Documentatzione e agiudu</string>
<string name="visit_user_forum">Forum de utentes</string>
<string name="bug_report_title">Sinnala un\'errore</string>
<string name="open_bug_tracker">Aberi sa sinnalatzione de errores</string>
<string name="copy_to_clipboard">Còpia in punta de billete</string>
<string name="copied_to_clipboard">Copiadu in punta de billete</string>
<string name="pref_proxy_title">Serbidore intermediàriu</string>
@ -486,7 +484,7 @@
<string name="opml_import_label">Importatzione OPML</string>
<string name="opml_add_podcast_label">Importa una lista de podcasts (OPML)</string>
<string name="opml_reader_error">Errore in sa letura de s\'archìviu. Assegura·ti chi siat istadu seletzionadu un\'archìviu OPML e chi s\'archìviu siat bàlidu.</string>
<string name="opml_import_error_no_file">Nissunu archìviu seletzionadu.</string>
<string name="opml_import_error_no_file">Nissunu archìviu seletzionadu!</string>
<string name="select_all_label">Seletziona totu</string>
<string name="deselect_all_label">Deseletziona totu</string>
<string name="opml_export_label">Esportatzione OPML</string>
@ -543,14 +541,14 @@
<string name="synchronization_summary_unchoosen">Podes seberare intre unos cantos frunidores pro sa sincronizatzione de is sutiscritziones e de s\'istadu de riprodutzione</string>
<string name="dialog_choose_sync_service_title">Sèbera unu frunidore de sincronizatzione</string>
<string name="gpodnet_description">Gpodder.net est unu servìtziu de còdighe abertu de sincronizatzione de podcasts chi podes installare in unu serbidore pròpiu. Gpodder.net est indipendente de su progetu AntennaPod.</string>
<string name="synchronization_summary_nextcloud">Gpoddersync est un\'aplicatzione de Nextcloud de còdighe abertu chi podes installare in unu serbidore pròpiu in manera simpre. S\'aplicatzione est indipendente de su progetu AntennaPod.</string>
<string name="synchronization_summary_nextcloud">Gpodder Sync est un\'aplicatzione de Nextcloud de còdighe abertu chi podes installare in unu serbidore pròpiu in manera simpre. Gpodder Sync est indipendente de su progetu AntennaPod.</string>
<string name="synchronization_host_explanation">Podes seletzionare su serbidore tuo de sincronizare. Cando apas identificadu su serbidore de sincronizatzione chi preferis, inserta·nce s\'indiritzu inoghe.</string>
<string name="synchronization_host_label">Indiritzu de su serbidore</string>
<string name="proceed_to_login_butLabel">Sighi a s\'identificatzione</string>
<string name="synchronization_nextcloud_authenticate_browser">Dona atzessu impreende su navigadore web chi tenes abertu e torra a AntennaPod.</string>
<string name="gpodnetauth_login_butLabel">Intra</string>
<string name="synchronization_credentials_explanation">Fruni is credentziales de su contu tuo in su serbidore de sincronizatzione.</string>
<string name="gpodnetauth_encryption_warning">Sa crae e is datos non sunt tzifrados.</string>
<string name="gpodnetauth_encryption_warning">Sa crae e is datos non sunt tzifrados!</string>
<string name="username_label">Nòmine de utente</string>
<string name="password_label">Crae</string>
<string name="synchronization_login_butLabel">Intra</string>
@ -600,7 +598,7 @@
<string name="media_type_video_label">Vìdeu</string>
<string name="status_downloading_label">S\'iscarrigamentu de s\'episòdiu est in cursu</string>
<string name="in_queue_label">In sa lista</string>
<string name="is_favorite_label">Sinnala comente preferidu</string>
<string name="is_favorite_label">Sinna comente preferidu</string>
<string name="is_inbox_label">In sa cartella de intrada</string>
<string name="is_played">Riproduidu</string>
<string name="load_next_page_label">Càrriga sa pàgina imbeniente</string>
@ -618,7 +616,7 @@
<string name="authentication_descr">Modifica su nòmine e sa crae tuos pro custu podcast e is episòdios suos</string>
<string name="feed_tags_label">Etichetas</string>
<string name="feed_tags_summary">Modìfica is etichetas de custu podcast pro organizare mègius is sutiscritziones tuas</string>
<string name="feed_folders_include_root">Ammustra custu podcast in sa lista printzipale</string>
<string name="feed_folders_include_root">Mustra etichetas in pitzus (isceti in sa navigatzione laterale)</string>
<string name="multi_feed_common_tags_info">S\'ammustrant isceti etichetas comunas a totu is sutiscritziones seletzionadas. Is àteras etichetas non sunt modificadas.</string>
<string name="episode_filters_label">Filtru episòdios</string>
<string name="episode_filters_description">Elencu de faeddos impreados pro detzìdere si un\'episòdiu depat èssere incluidu o escluidu in is iscarrigamentos in automàticu</string>
@ -744,8 +742,8 @@
<string name="delete_downloads_played">Cantzella cussos riproduidos</string>
<string name="delete_downloads_played_confirmation">Cunfirma chi boles cantzellare totu is iscarrigamentos riproduidos.</string>
<string name="bottom_navigation">Navigatzione inferiore</string>
<string name="bottom_navigation_summary">Funtzionalidade beta: atzede a is ischermos de prus importu dae onni logu, cun unu tocu isceti</string>
<string name="nextcloud_login_error_generic">Impossìbile atzèdere a su Nextcloud tuo.\n\n- Controlla sa connessione de rete.\n- Cunfirma chi ses impreende s\'indiritzu de su serbidore curretu.\n- Assegura·ti chi su cumplementu gpoddersync Nextcloud est installadu.</string>
<string name="bottom_navigation_summary">Atzede a is ischermos de prus importu dae onni logu, cun unu tocu isceti</string>
<string name="nextcloud_login_error_generic">Impossìbile atzèdere a su Nextcloud tuo.\n\n- Controlla sa connessione de rete.\n- Cunfirma chi ses impreende s\'indiritzu de su serbidore curretu.\n- Assegura·ti chi su cumplementu Gpodder Sync de Nextcloud siat installadu.</string>
<string name="statistics_release_schedule">programmatzione de is publicatziones</string>
<string name="statistics_release_next">episòdiu imbeniente (istimadu)</string>
<string name="statistics_episodes_space">ispàtziu ocupadu</string>
@ -779,7 +777,7 @@
</plurals>
<string name="delete_tag_confirmation">Cunfirma chi boles cantzellare s\'eticheta \"%1$s\".</string>
<string name="download_error_unsupported_type_html_manual">S\'indiritzu insertadu est unu situ web, no un\'indiritzu RSS de podcast.</string>
<string name="pref_automatic_download_global_description">Iscàrriga episòdios noos in automàticu. Podet èssere modificadu pro onni podcast.</string>
<string name="pref_automatic_download_global_description">Iscàrriga episòdios in automàticu dae sa cartella de intrada. Podet èssere modificadu pro onni podcast.</string>
<string name="pref_downloads_button_action_sum">Mustra su butone de riprodutzione imbetzes de cussu de cantzelladura in s\'ischermu de is iscarrigamentos</string>
<string name="statistics_time_total">totale</string>
<string name="statistics_time_played">riproduidu</string>
@ -806,7 +804,7 @@
<string name="echo_thanks_we_are_glad_new">de nos àere seberadu ocannu!\n\nSiat chi benes dae un\'àtera aplicatzione o chi semus sa prima aventura tua in contu de podcast, est unu praghere chi sias inoghe!</string>
<string name="echo_thanks_large">Gràtzias</string>
<string name="echo_share">Su %d miu in podcast. #AntennaPodEcho</string>
<string name="echo_thanks_now_favorite">Immoe, castiemus pagu pagu is podcast preferidos tuos…</string>
<string name="echo_thanks_now_favorite">Immoe, castiemus pagu pagu is podcasts preferidos tuos…</string>
<string name="echo_share_heading">Is podcast preferidos mios</string>
<string name="pref_downloads_button_action_title">Riprodui dae s\'ischermu de is iscarrigamentos</string>
<string name="pref_automatic_download_queue_title">Iscarrigamentu agiuntu a s\'elencu</string>
@ -822,4 +820,123 @@
<string name="echo_hours_this_year">Ocannu as riproduidu</string>
<string name="echo_hoarder_subtitle_medium">Càstia: nudda de cumuladu inoghe.</string>
<string name="echo_hoarder_comment_hoarder">Is nùmeros no isbàlliant, comente si narat. E, bidu chi ocannu as riproduidu isceti su %1$d%% de is %2$d sutiscritziones ativas tuas, podet èssere chi tengiamus resone.</string>
<string name="general_expand_button">Ismànnia</string>
<string name="general_collapse_button">Mìnima</string>
<string name="feed_new_episodes_action_summary_autodownload">Iscarrigamentu automàticu ativadu. Is episòdios sunt agiuntos a sa cartella de intrada e pustis mòvidos a s\'elencu una borta iscarrigados.</string>
<plurals name="num_subscriptions">
<item quantity="one">%d sutiscritzione</item>
<item quantity="other">%d sutiscritziones</item>
</plurals>
<string name="archive_feed_label_verb">Archìvia</string>
<string name="archive_feed_label_noun">Archìviu</string>
<string name="restore_archive_label">Recùpera</string>
<string name="remove_archive_feed_label">Cantzella / archìvia</string>
<string name="deleting_podcast_progress">Cantzellende podcast %1$d de %2$d…</string>
<string name="reset_playback_position_label">Ripristina sa positzione de riprodutzione</string>
<string name="no_items_selected_message">Nissunu elementu seletzionadu</string>
<string name="delete_local_feed_confirmation_dialog_message">A cantzellare un\'episòdiu ddu bogat dae AntennaPod e cantzellat s\'archìviu multimediale dae s\'ispàtziu de archiviatzione de su dispositivu. Non podet èssere torradu a iscarrigare pro mèdiu de AntennaPod.</string>
<string name="download_log_details_human_readable_reason_title">Istadu</string>
<string name="download_log_details_technical_reason_title">Caraterìsticas tècnicas</string>
<string name="download_log_details_file_url_title">URL de s\'archìviu</string>
<string name="download_log_open_feed">Aberi</string>
<plurals name="mobile_download_notice">
<item quantity="one">Iscarrigamentu in cursu cun connessione de datos mòbiles durante su minutu imbeniente</item>
<item quantity="other">Iscarrigamentu in cursu cun connessione de datos mòbiles durante is %d minutos imbenientes</item>
</plurals>
<string name="already_downloaded">S\'episòdiu est giai iscarrigadu</string>
<string name="no_following_in_queue">Custu fiat s\'ùrtimu episòdiu in s\'elencu</string>
<plurals name="move_to_top_message">
<item quantity="one">Episòdiu tramudadu a su cumintzu.</item>
<item quantity="other">%d episòdios tramudados a su cumintzu.</item>
</plurals>
<plurals name="move_to_bottom_message">
<item quantity="one">Episòdiu tramudadu a s\'agabbu.</item>
<item quantity="other">%d episòdios tramudados a s\'agabbu.</item>
</plurals>
<string name="episode">Episòdiu</string>
<string name="feed">Podcast</string>
<string name="no_queue_items_inbox_has_items_label">Nissunu episòdiu in s\'elencu, però nch\'at episòdios noos chi t\'abetant!</string>
<string name="no_queue_items_inbox_has_items_button_label">Bae a sa cartella de intrada</string>
<string name="no_archive_head_label">Nudda archiviadu</string>
<string name="no_archive_label">Est possìbile a archiviare is podcasts dae s\'ischermu printzipale de is sutiscritziones.</string>
<string name="pref_global_default_episode_list_sort_order_title">Critèriu de assentadura predefinidu</string>
<string name="pref_global_default_episode_list_sort_order_sum">Sèbera su critèriu predefinidu pro s\'assentadura de is episòdios dae s\'ischermu de su podcast</string>
<string name="report_bug_title">Sinnala una faddina</string>
<string name="report_bug_message">Nos dispraghet chi calicuna cosa non siat funtzionende comente si depet. Ti torramus gràtzias de s\'agiudu tuo pro megiorare AntennaPod. Controlla si sa faddina est istada giai sinnalada in su fòrum nostru o in GitHub. Si nono, faghe·nos ischire e amus a controllare.</string>
<string name="report_bug_device_info_title">Dispositivu</string>
<string name="report_bug_attrib_app_version">Versione de s\'app</string>
<string name="report_bug_attrib_android_version">Versione de Android</string>
<string name="report_bug_attrib_device_name">Nòmine de su dispositivu</string>
<string name="report_bug_crash_log_title">Registru de faddinas</string>
<string name="report_bug_crash_log_message">Creada: %1$s.</string>
<string name="report_bug_forum_title">Fòrum</string>
<string name="report_bug_github_title">GitHub</string>
<string name="sleep_timer_episodes_label">episòdios</string>
<string name="sleep_timer_without_continuous_playback">Disativa sa riprodutzione continuada</string>
<string name="sleep_timer_without_continuous_playback_change_hours">Modifica s\'oràriu</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="one">Sa riprodutzione continuada est disativada e a s\'episòdiu atuale abarrat isceti unu minutu</item>
<item quantity="other">Sa riprodutzione continuada est disativada e a s\'episòdiu atuale abarrant isceti %1$d minutos</item>
</plurals>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">Sa riprodutzione continuada est disativada in is cunfiguratziones. Sa riprodutzione si firmat semper a s\'agabbu de un\'episòdiu.</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="one">Abarrat isceti un\'episòdiu in s\'elencu</item>
<item quantity="other">Abarrant isceti %1$d episòdios in s\'elencu</item>
</plurals>
<string name="tag_all">Totus</string>
<string name="tag_untagged">Chene etichetas</string>
<string name="auto_download_inbox_category">Iscàrriga in automàticu is episòdios dae sa cartella de intrada</string>
<plurals name="statistics_episodes_started">
<item quantity="one">cumintzadu</item>
<item quantity="other">cumintzados</item>
</plurals>
<plurals name="statistics_episodes_total">
<item quantity="one">totale</item>
<item quantity="other">totales</item>
</plurals>
<plurals name="statistics_episodes_downloaded">
<item quantity="one">iscarrigadu</item>
<item quantity="other">iscarrigados</item>
</plurals>
<string name="statistics_expected_next_episode_any_time">In cale si siat momentu</string>
<string name="release_schedule_multiple_per_day">prus bortas a sa die</string>
<string name="rss_address">Indiritzu RSS</string>
<string name="feed_delete_explanation_delete">Sa cantzelladura annullat sa sutiscritzione, includende totu is episòdios, is iscarrigamentos, sa cronologia de riprodutzione e is istatìsticas.</string>
<string name="feed_delete_explanation_archive">S\'archiviatzione cuat sa sutiscritzione dae sa lista e tzessat de chircare episòdios noos. Si cunservant is iscarrigamentos, is istatìsticas e s\'istadu de riprodutzione.</string>
<string name="archiving_podcast_progress">Archiviatzione in cursu de %1$d podcast de %2$d…</string>
<string name="please_wait_before_refreshing">Abeta unu pagu in antis de torrare a atualizare is podcasts.</string>
<plurals name="downloading_episodes_message">
<item quantity="one">Iscarrigamentu in cursu de un\'episòdiu.</item>
<item quantity="other">Iscarrigamentu in cursu de %d episòdios.</item>
</plurals>
<plurals name="deleted_episode_message">
<item quantity="one">%d episòdiu iscarrigadu cantzelladu.</item>
<item quantity="other">%d episòdios iscarrigados cantzellados.</item>
</plurals>
<string name="removed_from_inbox_message">Cantzelladu dae sa cartella de intrada</string>
<string name="mark_as_played_label">Sinna comente riproduidu</string>
<string name="play_this_to_seek_position_message">Pro brincare a una positzione ispetzìfica, depes riproduire s\'episòdiu</string>
<plurals name="marked_as_played_message">
<item quantity="one">Un\'episòdiu sinnadu comente riproduidu.</item>
<item quantity="other">%d episòdios sinnados comente riproduidos.</item>
</plurals>
<string name="mark_as_unplayed_label">Sinna comente non riproduidu</string>
<plurals name="marked_as_unplayed_message">
<item quantity="one">Un\'episòdiu sinnadu comente non riproduidu.</item>
<item quantity="other">%d episòdios sinnados comente non riproduidos.</item>
</plurals>
<plurals name="added_to_queue_message">
<item quantity="one">Un\'episòdiu agiuntu a s\'elencu.</item>
<item quantity="other">%d episòdios agiuntos a s\'elencu.</item>
</plurals>
<plurals name="removed_from_queue_message">
<item quantity="one">Un\'episòdiu bogadu dae s\'elencu.</item>
<item quantity="other">%d episòdios bogados dae s\'elencu.</item>
</plurals>
<string name="transcript_follow_audio_label">Sighi s\'àudio</string>
<string name="visit_social_interact_label">Mustra is cummentos</string>
<string name="visit_social_interact_confirm_dialog_title">Ses essende dae AntennaPod</string>
<string name="visit_social_interact_confirm_dialog_message">Assegura·ti chi su situ web «%1$s» siat fidadu.</string>
<string name="sleep_timer_without_continuous_playback_message">Imbetzes de ativare semper in automàticu su temporizadore de istudada cun un\'episòdiu, disativa sa riprodutzione continuada in is cunfiguratziones.</string>
<string name="cover_as_background">Coberta comente isfundu</string>
</resources>

View File

@ -427,8 +427,6 @@
<string name="pref_smart_mark_as_played_disabled">Vypnuté</string>
<string name="documentation_support">Dokumentácia a podpora</string>
<string name="visit_user_forum">Užívateľské fórum</string>
<string name="bug_report_title">Nahlásiť chybu</string>
<string name="open_bug_tracker">Otvoriť systém pre sledovanie a hlásenie chýb</string>
<string name="copy_to_clipboard">Skopírovať do schránky</string>
<string name="copied_to_clipboard">Skopírované do schránky</string>
<string name="pref_proxy_title">Proxy</string>
@ -903,8 +901,8 @@
<string name="archive_feed_label_noun">Archív</string>
<string name="restore_archive_label">Obnoviť</string>
<string name="remove_archive_feed_label">Odstrániť/archivovať</string>
<string name="feed_delete_explanation_delete">Odstránením sa zmažú VŠETKY epizódy vrátane stiahnutých súborov, histórie prehrávania a štatistík.</string>
<string name="feed_delete_explanation_archive">Archivovaním sa skryje zoznam odberov a nebudete dostávať aktualizácie. Stiahnuté súbory, štatistiky a stav prehrávania zostanú.</string>
<string name="feed_delete_explanation_delete">Odstránenie zmaže odber vrátane všetkých jeho epizód, stiahnutých súborov, histórie prehrávania a štatistík.</string>
<string name="feed_delete_explanation_archive">Archivácia skryje odber zo zoznamu a zastaví vyhľadávanie nových epizód. Stiahnuté súbory, štatistiky a stav prehrávania zostanú.</string>
<plurals name="marked_as_played_message">
<item quantity="one">%d epizóda označená ako prehraná.</item>
<item quantity="few">%d epizódy označené ako prehrané.</item>
@ -942,4 +940,7 @@
<item quantity="many">stiahnutých</item>
<item quantity="other">stiahnutých</item>
</plurals>
<string name="archiving_podcast_progress">Archivovanie podcastu %1$d z %2$d…</string>
<string name="general_collapse_button">Zbaliť</string>
<string name="general_expand_button">Rozbaliť</string>
</resources>

View File

@ -397,8 +397,6 @@
<string name="pref_smart_mark_as_played_disabled">Onemogočeno</string>
<string name="documentation_support">Dokumentacija in podpora</string>
<string name="visit_user_forum">Uporabniški forum</string>
<string name="bug_report_title">Prijavi hrošča</string>
<string name="open_bug_tracker">Odprite sledilnik hroščev</string>
<string name="copy_to_clipboard">Kopiraj v odložišče</string>
<string name="copied_to_clipboard">Kopirano v odložišče</string>
<string name="pref_proxy_title">Proxy</string>

View File

@ -307,8 +307,6 @@
<string name="pref_smart_mark_as_played_disabled">Онемогућено</string>
<string name="documentation_support">Документација и подршка</string>
<string name="visit_user_forum">Кориснички форум</string>
<string name="bug_report_title">Пријави грешку</string>
<string name="open_bug_tracker">Отвори пратиоца грешака</string>
<string name="copy_to_clipboard">Копирај у привремену меморију</string>
<string name="copied_to_clipboard">Копирано у привремену меморију</string>
<string name="pref_proxy_title">Прокси</string>

View File

@ -417,8 +417,6 @@
<string name="pref_smart_mark_as_played_disabled">Avaktiverad</string>
<string name="documentation_support">Dokumentation &amp; support</string>
<string name="visit_user_forum">Användarforum</string>
<string name="bug_report_title">Rapportera bugg</string>
<string name="open_bug_tracker">Öppna buggtrackern</string>
<string name="copy_to_clipboard">Kopiera till urklipp</string>
<string name="copied_to_clipboard">Kopierat till urklipp</string>
<string name="pref_proxy_title">Proxy</string>

View File

@ -417,8 +417,6 @@
<string name="pref_smart_mark_as_played_disabled">Devre dışı</string>
<string name="documentation_support">Dökümantasyon &amp; destek</string>
<string name="visit_user_forum">Kullanıcı forumu</string>
<string name="bug_report_title">Hata bildir</string>
<string name="open_bug_tracker">Hata bildirimi takibi aç</string>
<string name="copy_to_clipboard">Kopyala</string>
<string name="copied_to_clipboard">Kopyaladı</string>
<string name="pref_proxy_title">Proxy</string>
@ -834,7 +832,7 @@
<string name="echo_hoarder_comment_hoarder">Rakamlar yalan söylemez derler. Ve bu yıl %2$d aktif aboneliğinin yalnızca %1$d%% oynatıldı, yani muhtemelen haklıyız.</string>
<string name="echo_hoarder_subtitle_medium">Kontrol edildi. Burada istifçilik yok.</string>
<string name="echo_thanks_we_are_glad_old">bu yılı bizimle geçirdiğin için!\n\nBizimle ilk bölümünü %1$s tarihinde oynattın. O günden beri sana hizmet etmek bir onurdu.</string>
<string name="echo_thanks_large">Teşellürler</string>
<string name="echo_thanks_large">Teşekkürler</string>
<string name="echo_thanks_now_favorite">Şimdi en sevdiğin podcastlere bir göz atalım…</string>
<string name="echo_share_heading">En sevdiğim podcastler</string>
<string name="echo_share">Podcastlerde %d yılım. #AntennaPodEcho</string>

View File

@ -48,7 +48,6 @@
<string name="preference_search_clear_history">Тарихны чистарту</string>
<string name="feed_refresh_never">Беркайчан да</string>
<string name="pref_episode_cache_unlimited">Чикләүсез</string>
<string name="bug_report_title">Хата турында хәбәр итү</string>
<string name="copy_to_clipboard">Алмашу буферына күчереп алу</string>
<string name="copied_to_clipboard">Алмашу буферына күчермәләнде</string>
<string name="pref_proxy_title">Прокси</string>

View File

@ -435,8 +435,6 @@
<string name="pref_smart_mark_as_played_disabled">Вимкнено</string>
<string name="documentation_support">Документація та підтримка</string>
<string name="visit_user_forum">Форум користувачів</string>
<string name="bug_report_title">Повідомити про помилку</string>
<string name="open_bug_tracker">Відкрити трекер помилок</string>
<string name="copy_to_clipboard">Копіювати</string>
<string name="copied_to_clipboard">Скопійовано</string>
<string name="pref_proxy_title">Проксі</string>
@ -934,8 +932,8 @@
<string name="archive_feed_label_noun">Архів</string>
<string name="restore_archive_label">Відновити</string>
<string name="remove_archive_feed_label">Видалити / архівувати</string>
<string name="feed_delete_explanation_delete">Видалення призведе до вилучення ВСІХ епізодів, включаючи завантаження, історію відтворення та статистику.</string>
<string name="feed_delete_explanation_archive">Архівування приховає його зі списку підписок і запобігатиме отриманню оновлень. Завантаження, статистика та стан відтворення зберігаються.</string>
<string name="feed_delete_explanation_delete">Видалення видаляє підписку, включаючи всі її епізоди, завантаження, історію відтворення та статистику.</string>
<string name="feed_delete_explanation_archive">Архівування приховує підписку зі списку та припиняє пошук нових епізодів. Завантаження, статистика та стан відтворення зберігаються.</string>
<string name="tag_untagged">Без тегів</string>
<plurals name="mobile_download_notice">
<item quantity="one">Завантаження через мобільне з’єднання даних протягом наступної %d хвилина</item>
@ -963,4 +961,44 @@
<item quantity="many">завантаженні</item>
<item quantity="other">завантаженні</item>
</plurals>
<string name="general_expand_button">Розгорнути</string>
<string name="general_collapse_button">Згорнути</string>
<string name="archiving_podcast_progress">Архівування подкасту %1$d з %2$d…</string>
<string name="deleting_podcast_progress">Видалення подкасту %1$d з %2$d…</string>
<string name="download_log_details_human_readable_reason_title">Статус</string>
<string name="download_log_details_technical_reason_title">Технічні деталі</string>
<string name="download_log_details_file_url_title">URL-адреса файлу</string>
<string name="download_log_open_feed">Відкрити</string>
<string name="no_following_in_queue">Це був останній епізод у черзі</string>
<string name="episode">Епізод</string>
<string name="feed">Подкаст</string>
<string name="pref_global_default_episode_list_sort_order_title">Порядок сортування за замовчуванням</string>
<string name="pref_global_default_episode_list_sort_order_sum">Виберіть порядок епізодів за замовчуванням на екрані подкастів</string>
<string name="report_bug_title">Повідомити про помилку</string>
<string name="report_bug_message">Шкода, що щось не працює. Ми будемо раді вашій допомозі у покращенні AntennaPod. Будь ласка, перевірте наш форум або GitHub, щоб дізнатися, чи про цю проблему вже повідомлялося. Якщо ні, повідомте нас, і ми розглянемо це питання.</string>
<string name="report_bug_device_info_title">Пристрій</string>
<string name="report_bug_attrib_app_version">Версія програми</string>
<string name="report_bug_attrib_android_version">Версія для Android</string>
<string name="report_bug_attrib_device_name">Назва Пристрою</string>
<string name="report_bug_crash_log_title">Журнал аварійного завершення роботи</string>
<string name="report_bug_crash_log_message">Створено: %1$s.</string>
<string name="report_bug_forum_title">Форум</string>
<string name="report_bug_github_title">GitHub</string>
<string name="sleep_timer_episodes_label">епізоди</string>
<string name="sleep_timer_without_continuous_playback">Вимкнути безперервне відтворення</string>
<string name="sleep_timer_without_continuous_playback_change_hours">Змінити години</string>
<string name="sleep_timer_without_continuous_playback_message">Замість того, щоб завжди автоматично вмикати таймер сну з одним епізодом, будь ласка, вимкніть \"безперервне відтворення\" в налаштуваннях.</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="one">Безперервне відтворення вимкнено, і до кінця поточного епізоду залишилося лише %1$d хвилина</item>
<item quantity="few">Безперервне відтворення вимкнено, і до кінця поточного епізоду залишилося лише %1$d хвилини</item>
<item quantity="many">Безперервне відтворення вимкнено, і до кінця поточного епізоду залишилося лише %1$d хвилин</item>
<item quantity="other">Безперервне відтворення вимкнено, і до кінця поточного епізоду залишилося лише %1$d хвилин</item>
</plurals>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">Безперервне відтворення вимкнено в налаштуваннях. Завжди зупиняється в кінці епізоду.</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="one">У вашій черзі залишився лише %1$d епізод</item>
<item quantity="few">У вашій черзі залишилося лише %1$d епізодів</item>
<item quantity="many">У вашій черзі залишилося лише %1$d епізод</item>
<item quantity="other">У вашій черзі залишилося лише %1$d епізод</item>
</plurals>
</resources>

View File

@ -345,7 +345,7 @@
<string name="feed_every_12_hours">每 12 小时</string>
<string name="feed_every_24_hours">每 1 天</string>
<string name="feed_every_72_hours">每 3 天</string>
<string name="pref_followQueue_title">续播放</string>
<string name="pref_followQueue_title">续播放</string>
<string name="pref_pauseOnHeadsetDisconnect_title">耳机或蓝牙断开</string>
<string name="pref_unpauseOnHeadsetReconnect_title">耳机重连</string>
<string name="pref_unpauseOnBluetoothReconnect_title">蓝牙重连</string>
@ -408,8 +408,6 @@
<string name="pref_smart_mark_as_played_disabled">已禁用</string>
<string name="documentation_support">文档和支持</string>
<string name="visit_user_forum">用户论坛</string>
<string name="bug_report_title">报告错误</string>
<string name="open_bug_tracker">打开错误跟踪器</string>
<string name="copy_to_clipboard">复制到剪贴板</string>
<string name="copied_to_clipboard">已复制到剪贴板</string>
<string name="pref_proxy_title">代理</string>
@ -417,7 +415,7 @@
<string name="pref_no_browser_found">未找到网络浏览器。</string>
<string name="pref_enqueue_downloaded_title">添加已下载单集到队列</string>
<string name="pref_enqueue_downloaded_summary">将已下载单集添加到队列</string>
<string name="pref_skip_silence_title">跳过静音部分</string>
<string name="pref_skip_silence_title">跳过音频中的无声片段</string>
<string name="behavior">行为</string>
<string name="pref_default_page">默认页面</string>
<string name="pref_default_page_sum">启动 AntennaPod 时打开的页面</string>
@ -448,8 +446,8 @@
<string name="translators">译者</string>
<string name="special_thanks">特别感谢</string>
<string name="privacy_policy">隐私政策</string>
<string name="licenses">许可</string>
<string name="licenses_summary">AntennaPod使用其他伟大的软件</string>
<string name="licenses">许可</string>
<string name="licenses_summary">AntennaPod使用其他优秀的软件</string>
<!--Search-->
<string name="search_status_no_results">未找到任何结果</string>
<string name="type_to_search">输入要搜索的查询</string>
@ -568,7 +566,7 @@
<string name="pref_pausePlaybackForFocusLoss_sum">当其他应用想要播放声音时,暂停播放而非降低音量</string>
<string name="pref_pausePlaybackForFocusLoss_title">中断暂停</string>
<!--Rating dialog-->
<string name="rating_tagline">自 %1$s 以来,你累计播放的播客节目时长达 %2$s %3$d %4$s 小时。</string>
<string name="rating_tagline">自 %1$s 起,您累计播放 %2$s%3$d%4$s 小时的播客</string>
<string name="rating_contribute_label">想加入吗?无论你是要翻译、支持、设计还是写代码,我们都欢迎!</string>
<string name="rating_contribute_button">如何作出贡献</string>
<string name="rating_volunteers_label">AntennaPod 由志愿者在闲暇时间开发。留下好评分享您的感激之情。</string>
@ -774,22 +772,22 @@
<string name="statistics_time_played">已播放</string>
<string name="notification_channel_refreshing">正在刷新播客</string>
<string name="notification_channel_refreshing_description">检查新单集时显示。</string>
<string name="echo_home_header">纵览该</string>
<string name="echo_home_header">度回顾</string>
<string name="echo_home_subtitle">过去一年您最常收听的播客和统计数据。这些数据仅在您的手机上。</string>
<string name="echo_intro_your_year">你的播客</string>
<string name="echo_intro_in_podcasts">年度数据</string>
<string name="echo_intro_your_year">您的</string>
<string name="echo_intro_in_podcasts">播客年度报告</string>
<string name="echo_hours_this_year">这一年您播放了</string>
<plurals name="echo_hours_podcasts">
<item quantity="other">小时的单集\n来自 %1$d 个播客</item>
</plurals>
<string name="echo_intro_locally">私密地在你的手机上生成</string>
<string name="echo_queue_title_clean">已经准备好开始崭新的一年。你</string>
<string name="echo_queue_title_many">今年仍有相当多的节目没听过。你</string>
<string name="echo_intro_locally">本报告在您的手机上私密生成</string>
<string name="echo_queue_title_clean">已经准备好开启全新一年的收听计划。您</string>
<string name="echo_queue_title_many">今年还有很多内容待收听。您</string>
<plurals name="echo_queue_hours_waiting">
<item quantity="other">小时的播客音频在队列中待收听,\n这些音频来自 %1$d 个单集</item>
<item quantity="other">小时内容在队列中待收听,\n这些内容来自 %1$d 个单集</item>
</plurals>
<string name="echo_queue_hours_normal">这相当于大约每天 %1$s直到 %2$d 开始。如果您跳过几个单集便可无负担地开启新一年。</string>
<string name="echo_queue_hours_much">这相当于大约每天 %1$s %2$d 开始。等等,我没看错吧?</string>
<string name="echo_queue_hours_normal">这相当于每天收听约 %1$s直到 %2$d 即可听完。如果您跳过几个单集便可开启新一年的收听计划</string>
<string name="echo_queue_hours_much">这相当于每天收听约 %1$s %2$d 即可听完。等等,我没看错吧?</string>
<string name="echo_listened_after_title">我们已经对单集何时发布以及您何时听完它们进行了一些分析。看看我们的结论?</string>
<string name="echo_listened_after_comment_easy">您悠闲自得,不慌不忙</string>
<string name="echo_listened_after_time">您通常在一个单集发布 %1$s 后听完它。</string>
@ -806,7 +804,7 @@
<string name="echo_thanks_now_favorite">现在,让我们看看您收藏的播客…</string>
<string name="echo_share_heading">我收藏的播客</string>
<string name="echo_share">我的 %d 年播客之旅回顾。#AntennaPodEcho</string>
<string name="echo_queue_hours_clean">这相当于每天约 %1$s %2$d 开始</string>
<string name="echo_queue_hours_clean">这相当于每天收听约 %1$s %2$d 即可听完</string>
<string name="echo_hoarder_comment_hoarder">数字不撒谎。考虑到今年您的 %2$d 个活动订阅中仅 %1$d%% 已播放,我们的结论或许是对的。</string>
<string name="overflow_more">更多</string>
<string name="preference_search_clear_input">清除</string>
@ -864,8 +862,42 @@
<string name="restore_archive_label">恢复</string>
<string name="remove_archive_feed_label">删除/归档</string>
<string name="tag_untagged">无标签</string>
<string name="feed_delete_explanation_delete">删除操作移除所有单集,包括下载内容、播放记录和统计数据。</string>
<string name="feed_delete_explanation_archive">归档操作会将其从订阅列表中隐藏并避免获取更新。下载内容、统计数据和播放状态将保留。</string>
<string name="feed_delete_explanation_delete">删除操作移除订阅,包括所有单集下载内容、播放记录和统计数据。</string>
<string name="feed_delete_explanation_archive">归档操作会将订阅列表中隐藏并停止查找新单集。下载内容、统计数据和播放状态将保留。</string>
<string name="no_archive_head_label">无归档内容</string>
<string name="no_archive_label">您可以从主订阅屏幕归档播客。</string>
<string name="general_expand_button">展开</string>
<string name="general_collapse_button">收起</string>
<string name="archiving_podcast_progress">正在归档第 %1$d 个播客,共 %2$d 个…</string>
<string name="deleting_podcast_progress">正在删除第 %1$d 个播客,共 %2$d 个…</string>
<string name="download_log_details_human_readable_reason_title">状态</string>
<string name="download_log_details_technical_reason_title">技术详情</string>
<string name="download_log_details_file_url_title">文件 URL</string>
<string name="download_log_open_feed">打开</string>
<string name="no_following_in_queue">这是队列中的最后一个单集</string>
<string name="episode">单集</string>
<string name="feed">播客</string>
<string name="pref_global_default_episode_list_sort_order_title">默认排序</string>
<string name="pref_global_default_episode_list_sort_order_sum">选择播客页面单集的默认排序</string>
<string name="report_bug_title">报告错误</string>
<string name="report_bug_message">很抱歉您遇到了问题。我们非常希望您能帮助我们改进 AntennaPod。请查看我们的论坛或 GitHub看看是否已经有人报告过该问题。如果没有请告诉我们我们会进行调查。</string>
<string name="report_bug_device_info_title">设备</string>
<string name="report_bug_attrib_app_version">应用版本</string>
<string name="report_bug_attrib_android_version">Android 版本</string>
<string name="report_bug_attrib_device_name">设备名称</string>
<string name="report_bug_crash_log_title">崩溃日志</string>
<string name="report_bug_crash_log_message">已创建:%1$s。</string>
<string name="report_bug_forum_title">论坛</string>
<string name="report_bug_github_title">GitHub</string>
<string name="sleep_timer_episodes_label">单集</string>
<string name="sleep_timer_without_continuous_playback">禁用连续播放</string>
<string name="sleep_timer_without_continuous_playback_change_hours">更改小时数</string>
<string name="sleep_timer_without_continuous_playback_message">请在设置中禁用“连续播放”,而非播放单集时始终自动启用睡眠定时器。</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="other">连续播放已禁用,当前单集仅剩 %1$d 分钟</item>
</plurals>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">设置中已禁用连续播放功能。始终在单集结束后自动停止播放。</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="other">您的队列中仅剩 %1$d 个单集</item>
</plurals>
</resources>

View File

@ -408,8 +408,6 @@
<string name="pref_smart_mark_as_played_disabled">停用</string>
<string name="documentation_support">文件與支援資訊</string>
<string name="visit_user_forum">使用者論壇</string>
<string name="bug_report_title">回報錯誤</string>
<string name="open_bug_tracker">開啟錯誤追蹤</string>
<string name="copy_to_clipboard">複製到剪貼簿</string>
<string name="copied_to_clipboard">已複製到剪貼簿</string>
<string name="pref_proxy_title">代理伺服器</string>
@ -876,4 +874,38 @@
<string name="cover_as_background">封面作為背景</string>
<string name="no_archive_head_label">無封存內容</string>
<string name="no_archive_label">你可以在主要的訂閱頁面中封存 Podcast 節目。</string>
<string name="general_expand_button">展開</string>
<string name="general_collapse_button">收合</string>
<string name="archiving_podcast_progress">正在歸檔第 %1$d 個 Podcast共 %2$d 個…</string>
<string name="deleting_podcast_progress">正在刪除第 %1$d 個 Podcast共 %2$d 個…</string>
<string name="download_log_details_human_readable_reason_title">狀態</string>
<string name="download_log_details_technical_reason_title">技術細節</string>
<string name="download_log_details_file_url_title">檔案 URL</string>
<string name="download_log_open_feed">打開</string>
<string name="no_following_in_queue">這是清單中的最後一集</string>
<string name="episode">單集</string>
<string name="feed">Podcast</string>
<string name="pref_global_default_episode_list_sort_order_title">預設排序</string>
<string name="pref_global_default_episode_list_sort_order_sum">選擇 Podcast 頁面單集的預設順序</string>
<string name="report_bug_title">回報錯誤</string>
<string name="report_bug_message">很遺憾聽到有些功能無法正常運作,我們希望能得到您的幫助來改進 AntennaPod。請查看我們的論壇或 GitHub看看該問題是否已經被回報如果沒有請告訴我們以進行後續調查。</string>
<string name="report_bug_device_info_title">裝置</string>
<string name="report_bug_attrib_app_version">應用版本</string>
<string name="report_bug_attrib_android_version">Android 版本</string>
<string name="report_bug_attrib_device_name">裝置名稱</string>
<string name="report_bug_crash_log_title">崩潰紀錄</string>
<string name="report_bug_crash_log_message">已建立:%1$s。</string>
<string name="report_bug_forum_title">論壇</string>
<string name="report_bug_github_title">GitHub</string>
<string name="sleep_timer_episodes_label">單集</string>
<string name="sleep_timer_without_continuous_playback">停用連續播放</string>
<string name="sleep_timer_without_continuous_playback_change_hours">更改小時數</string>
<string name="sleep_timer_without_continuous_playback_message">不想一律自動開啟一集節目的睡眠定時器,您可在設定中停用「連續播放」。</string>
<plurals name="timer_exceeds_remaining_time_while_continuous_playback_disabled">
<item quantity="other">連續播放已停用,目前的單集僅剩下 %1$d 分鐘</item>
</plurals>
<string name="multiple_sleep_episodes_while_continuous_playback_disabled">設定中已停用連續播放功能,每集結束時將停止播放。</string>
<plurals name="episodes_sleep_timer_exceeds_queue">
<item quantity="other">您的清單中僅剩下 %1$d 集</item>
</plurals>
</resources>

View File

@ -213,8 +213,8 @@
<string name="remove_feed_label">Delete</string>
<string name="share_label">Share</string>
<string name="share_file_label">Share file</string>
<string name="feed_delete_explanation_delete">Deleting will remove ALL its episodes including downloads, playback history, and statistics.</string>
<string name="feed_delete_explanation_archive">Archiving will hide it from the subscription list and avoid it getting updates. Downloads, statistics and playback state are kept.</string>
<string name="feed_delete_explanation_delete">Deleting removes the subscription including all its episodes, downloads, playback history, and statistics.</string>
<string name="feed_delete_explanation_archive">Archiving hides the subscription from the list and stops looking for new episodes. Downloads, statistics and playback state are kept.</string>
<string name="archiving_podcast_progress">Archiving podcast %1$d of %2$d…</string>
<string name="restoring_podcast_progress">Restoring podcast %1$d of %2$d…</string>
<string name="deleting_podcast_progress">Deleting podcast %1$d of %2$d…</string>

View File

@ -13,12 +13,12 @@ keunes;11229646;Maintainer
shortspider;5712543;Contributor
spacecowboy;223655;Contributor
flxholle;36813904;Contributor
weblate;1607653;Contributor
patheticpat;16046;Contributor
brad;1614;Contributor
Cj-Malone;10121513;Contributor
maxbechtold;9162198;Contributor
flofriday;21206831;Contributor
weblate;1607653;Contributor
gaul;848247;Contributor
qkolj;6667105;Contributor
pachecosf;46357909;Contributor
@ -32,34 +32,37 @@ xgouchet;818706;Contributor
mueller-ma;22525368;Contributor
ueen;5067479;Contributor
peakvalleytech;65185819;Contributor
vbh;56578479;Contributor
Slinger;75751;Contributor
TheRealFalcon;153674;Contributor
gitstart;1501599;Contributor
terminalmage;328598;Contributor
jas14;569991;Contributor
udif;809640;Contributor
malockin;12814657;Contributor
gitstart;1501599;Contributor
TheRealFalcon;153674;Contributor
Slinger;75751;Contributor
vbh;56578479;Contributor
jonasburian;15125616;Contributor
two-heart;12869538;Contributor
eblis;540188;Contributor
NWuensche;15856197;Contributor
malockin;12814657;Contributor
udif;809640;Contributor
jas14;569991;Contributor
matejdro;507922;Contributor
ydinath;4193331;Contributor
txtd;7108931;Contributor
orelogo;15976578;Contributor
peschmae0;4450993;Contributor
jatinkumarg;20503830;Contributor
two-heart;12869538;Contributor
dirkmueller;1029152;Contributor
binarytoto;75904760;Contributor
saqura;1935380;Contributor
beijingling;13600573;Contributor
drabux;10663142;Contributor
dethstar;1239177;Contributor
jatinkumarg;20503830;Contributor
peschmae0;4450993;Contributor
orelogo;15976578;Contributor
txtd;7108931;Contributor
ydinath;4193331;Contributor
VishnuSanal;50027064;Contributor
dethstar;1239177;Contributor
drabux;10663142;Contributor
mchelen;30691;Contributor
beijingling;13600573;Contributor
saqura;1935380;Contributor
binarytoto;75904760;Contributor
CedricCabessa;365097;Contributor
jhenninger;197274;Contributor
Xeitor;8825715;Contributor
amanjn38;42531312;Contributor
schasi;5891239;Contributor
loucasal;25279797;Contributor
ligi;111600;Contributor
egsavage;126165;Contributor
@ -67,16 +70,14 @@ dominikfill;45312697;Contributor
cketti;218061;Contributor
MeirAtIMDDE;4421079;Contributor
deandreamatias;21011641;Contributor
hzulla;1705654;Contributor
bibz;5141956;Contributor
eblis;540188;Contributor
hzulla;1705654;Contributor
HaBaLeS;730902;Contributor
JessieVela;33134794;Contributor
volhol;11587858;Contributor
michaelmwhite;28901334;Contributor
twiceyuan;2619800;Contributor
thrillfall;15801468;Contributor
schasi;5891239;Contributor
rezanejati;16049370;Contributor
Mino260806;53614199;Contributor
nereocystis;2257107;Contributor
@ -86,6 +87,7 @@ Nymuxyzo;1729839;Contributor
matdb;48329535;Contributor
connectety;26038710;Contributor
toggles;14695;Contributor
tmatale;28516144;Contributor
SEVENMASTER;170855665;Contributor
hades;45413;Contributor
caoilte;1500358;Contributor
@ -113,17 +115,17 @@ viratkohli1969;42018918;Contributor
moralesg;14352147;Contributor
mr-intj;6268767;Contributor
quails4Eva;16786857;Contributor
schwarzspecht;5207192;Contributor
tamizh143;50977879;Contributor
tmatale;28516144;Contributor
tuxayo;2678215;Contributor
alimemonzx;44647595;Contributor
PtilopsisLeucotis;54054883;Contributor
alimemonzx;44647595;Contributor
dev-darrell;52300159;Contributor
olivoto;15932680;Contributor
jmdouglas;10855634;Contributor
FarzanKh;14272565;Contributor
hannesaa2;18496079;Contributor
dsmith47;14109426;Contributor
hannesaa2;18496079;Contributor
damlayildiz;56313500;Contributor
myslok;2098329;Contributor
jhunnius;9149031;Contributor
@ -138,9 +140,8 @@ mamehacker;16738348;Contributor
soumya9832;105947032;Contributor
skitt;2128935;Contributor
liutng;8223139;Contributor
sonnayasomnambula;7716779;Contributor
sethoscope;534043;Contributor
shantanahardy;26757164;Contributor
cszucko;1810383;Contributor
MrShecks;12517637;Contributor
shombando;42972338;Contributor
Silverwarriorin;46795935;Contributor
IsAvaible;76125864;Contributor
@ -150,11 +151,10 @@ corecode;177979;Contributor
vimsick;20211590;Contributor
Carrajaula;25173082;Contributor
edent;837136;Contributor
guiott67;92053573;Contributor
atrus6;357881;Contributor
tomhense;36423219;Contributor
0x082c8bf1;70177827;Contributor
patrickdemers6;12687723;Contributor
patrickjkennedy;8617261;Contributor
Toover;8531603;Contributor
pganssle;1377457;Contributor
ortylp;470439;Contributor
vil02;65706193;Contributor
@ -169,9 +169,13 @@ SamWhited;512573;Contributor
SebiderSushi;23618858;Contributor
selivan;1208989;Contributor
senventise;32443493;Contributor
sak96;26397224;Contributor
sonnayasomnambula;7716779;Contributor
sethoscope;534043;Contributor
shantanahardy;26757164;Contributor
ffelini;1655758;Contributor
gregoryjtom;32783177;Contributor
jeroenmuller;6893167;Contributor
jmatthew;3881365;Contributor
lightonflux;1377943;Contributor
minusf;3632883;Contributor
hiasr;22374542;Contributor
@ -186,7 +190,6 @@ trevortabaka;1552990;Contributor
viariable;1922102;Contributor
winkelnp;68015877;Contributor
zawad2221;32180355;Contributor
Toover;8531603;Contributor
victorhaggqvist;1887628;Contributor
heyyviv;56256802;Contributor
waylife;3348620;Contributor
@ -203,13 +206,12 @@ cliambrown;17516840;Contributor
e-t-l;40775958;Contributor
fossterer;4236021;Contributor
getgo-nobugs;11187774;Contributor
cszucko;1810383;Contributor
sak96;26397224;Contributor
coezbek;12127567;Contributor
CWftw;1498303;Contributor
danielm5;66779;Contributor
ariedov;958646;Contributor
brettle;118192;Contributor
cdhiraj40;75211982;Contributor
dhruvpatidar359;103873587;Contributor
edwinhere;19705425;Contributor
eirikv;4076243;Contributor
@ -219,6 +221,9 @@ jojoman2;2865861;Contributor
G3sit;37940313;Contributor
gregsimon;371616;Contributor
harshad1;1940940;Contributor
MKryo;67968387;Contributor
IordanisKokk;72551397;Contributor
0x082c8bf1;70177827;Contributor
abhinavg1997;60095795;Contributor
adrns;13379985;Contributor
akshtshrma;145839640;Contributor
@ -235,8 +240,6 @@ calebegg;782920;Contributor
chetan882777;36985543;Contributor
chrissicool;232590;Contributor
britiger;2057760;Contributor
MKryo;67968387;Contributor
mo;7117;Contributor
mdeveloper20;2319126;Contributor
Mchoi8;45410115;Contributor
Gaffen;718125;Contributor
@ -252,7 +255,9 @@ nikhil097;35090769;Contributor
nproth;48482306;Contributor
oliver;2344;Contributor
panoreakontis;206482280;Contributor
IordanisKokk;72551397;Contributor
patrickdemers6;12687723;Contributor
patrickjkennedy;8617261;Contributor
hawjo01;127335637;Contributor
jklippel;8657220;Contributor
jannic;232606;Contributor
Foso;5015532;Contributor
@ -268,3 +273,4 @@ mlasson;5814258;Contributor
schwedenmut;9077622;Contributor
M-arcel;56698158;Contributor
mgborowiec;29843126;Contributor
mo;7117;Contributor

1 ByteHamster 5811634 Maintainer
13 shortspider 5712543 Contributor
14 spacecowboy 223655 Contributor
15 flxholle 36813904 Contributor
16 weblate 1607653 Contributor
17 patheticpat 16046 Contributor
18 brad 1614 Contributor
19 Cj-Malone 10121513 Contributor
20 maxbechtold 9162198 Contributor
21 flofriday 21206831 Contributor
weblate 1607653 Contributor
22 gaul 848247 Contributor
23 qkolj 6667105 Contributor
24 pachecosf 46357909 Contributor
32 mueller-ma 22525368 Contributor
33 ueen 5067479 Contributor
34 peakvalleytech 65185819 Contributor
vbh 56578479 Contributor
Slinger 75751 Contributor
TheRealFalcon 153674 Contributor
gitstart 1501599 Contributor
35 terminalmage 328598 Contributor
36 jas14 gitstart 569991 1501599 Contributor
37 udif TheRealFalcon 809640 153674 Contributor
38 malockin Slinger 12814657 75751 Contributor
39 vbh 56578479 Contributor
40 jonasburian 15125616 Contributor
41 two-heart eblis 12869538 540188 Contributor
42 NWuensche 15856197 Contributor
43 malockin 12814657 Contributor
44 udif 809640 Contributor
45 jas14 569991 Contributor
46 matejdro 507922 Contributor
47 ydinath two-heart 4193331 12869538 Contributor
txtd 7108931 Contributor
orelogo 15976578 Contributor
peschmae0 4450993 Contributor
jatinkumarg 20503830 Contributor
48 dirkmueller 1029152 Contributor
49 binarytoto jatinkumarg 75904760 20503830 Contributor
50 saqura peschmae0 1935380 4450993 Contributor
51 beijingling orelogo 13600573 15976578 Contributor
52 drabux txtd 10663142 7108931 Contributor
53 dethstar ydinath 1239177 4193331 Contributor
54 VishnuSanal 50027064 Contributor
55 dethstar 1239177 Contributor
56 drabux 10663142 Contributor
57 mchelen 30691 Contributor
58 beijingling 13600573 Contributor
59 saqura 1935380 Contributor
60 binarytoto 75904760 Contributor
61 CedricCabessa 365097 Contributor
62 jhenninger 197274 Contributor
63 Xeitor 8825715 Contributor
64 amanjn38 42531312 Contributor
65 schasi 5891239 Contributor
66 loucasal 25279797 Contributor
67 ligi 111600 Contributor
68 egsavage 126165 Contributor
70 cketti 218061 Contributor
71 MeirAtIMDDE 4421079 Contributor
72 deandreamatias 21011641 Contributor
hzulla 1705654 Contributor
73 bibz 5141956 Contributor
74 eblis hzulla 540188 1705654 Contributor
75 HaBaLeS 730902 Contributor
76 JessieVela 33134794 Contributor
77 volhol 11587858 Contributor
78 michaelmwhite 28901334 Contributor
79 twiceyuan 2619800 Contributor
80 thrillfall 15801468 Contributor
schasi 5891239 Contributor
81 rezanejati 16049370 Contributor
82 Mino260806 53614199 Contributor
83 nereocystis 2257107 Contributor
87 matdb 48329535 Contributor
88 connectety 26038710 Contributor
89 toggles 14695 Contributor
90 tmatale 28516144 Contributor
91 SEVENMASTER 170855665 Contributor
92 hades 45413 Contributor
93 caoilte 1500358 Contributor
115 moralesg 14352147 Contributor
116 mr-intj 6268767 Contributor
117 quails4Eva 16786857 Contributor
118 schwarzspecht 5207192 Contributor
119 tamizh143 50977879 Contributor
tmatale 28516144 Contributor
120 tuxayo 2678215 Contributor
alimemonzx 44647595 Contributor
121 PtilopsisLeucotis 54054883 Contributor
122 alimemonzx 44647595 Contributor
123 dev-darrell 52300159 Contributor
124 olivoto 15932680 Contributor
125 jmdouglas 10855634 Contributor
126 FarzanKh 14272565 Contributor
hannesaa2 18496079 Contributor
127 dsmith47 14109426 Contributor
128 hannesaa2 18496079 Contributor
129 damlayildiz 56313500 Contributor
130 myslok 2098329 Contributor
131 jhunnius 9149031 Contributor
140 soumya9832 105947032 Contributor
141 skitt 2128935 Contributor
142 liutng 8223139 Contributor
143 sonnayasomnambula cszucko 7716779 1810383 Contributor
144 sethoscope MrShecks 534043 12517637 Contributor
shantanahardy 26757164 Contributor
145 shombando 42972338 Contributor
146 Silverwarriorin 46795935 Contributor
147 IsAvaible 76125864 Contributor
151 vimsick 20211590 Contributor
152 Carrajaula 25173082 Contributor
153 edent 837136 Contributor
154 guiott67 92053573 Contributor
155 atrus6 357881 Contributor
156 tomhense 36423219 Contributor
157 0x082c8bf1 Toover 70177827 8531603 Contributor
patrickdemers6 12687723 Contributor
patrickjkennedy 8617261 Contributor
158 pganssle 1377457 Contributor
159 ortylp 470439 Contributor
160 vil02 65706193 Contributor
169 SebiderSushi 23618858 Contributor
170 selivan 1208989 Contributor
171 senventise 32443493 Contributor
172 sak96 sonnayasomnambula 26397224 7716779 Contributor
173 sethoscope 534043 Contributor
174 shantanahardy 26757164 Contributor
175 ffelini 1655758 Contributor
176 gregoryjtom 32783177 Contributor
177 jeroenmuller 6893167 Contributor
178 jmatthew 3881365 Contributor
179 lightonflux 1377943 Contributor
180 minusf 3632883 Contributor
181 hiasr 22374542 Contributor
190 viariable 1922102 Contributor
191 winkelnp 68015877 Contributor
192 zawad2221 32180355 Contributor
Toover 8531603 Contributor
193 victorhaggqvist 1887628 Contributor
194 heyyviv 56256802 Contributor
195 waylife 3348620 Contributor
206 e-t-l 40775958 Contributor
207 fossterer 4236021 Contributor
208 getgo-nobugs 11187774 Contributor
209 cszucko sak96 1810383 26397224 Contributor
210 coezbek 12127567 Contributor
211 CWftw 1498303 Contributor
212 danielm5 66779 Contributor
213 ariedov 958646 Contributor
214 brettle 118192 Contributor
cdhiraj40 75211982 Contributor
215 dhruvpatidar359 103873587 Contributor
216 edwinhere 19705425 Contributor
217 eirikv 4076243 Contributor
221 G3sit 37940313 Contributor
222 gregsimon 371616 Contributor
223 harshad1 1940940 Contributor
224 MKryo 67968387 Contributor
225 IordanisKokk 72551397 Contributor
226 0x082c8bf1 70177827 Contributor
227 abhinavg1997 60095795 Contributor
228 adrns 13379985 Contributor
229 akshtshrma 145839640 Contributor
240 chetan882777 36985543 Contributor
241 chrissicool 232590 Contributor
242 britiger 2057760 Contributor
MKryo 67968387 Contributor
mo 7117 Contributor
243 mdeveloper20 2319126 Contributor
244 Mchoi8 45410115 Contributor
245 Gaffen 718125 Contributor
255 nproth 48482306 Contributor
256 oliver 2344 Contributor
257 panoreakontis 206482280 Contributor
258 IordanisKokk patrickdemers6 72551397 12687723 Contributor
259 patrickjkennedy 8617261 Contributor
260 hawjo01 127335637 Contributor
261 jklippel 8657220 Contributor
262 jannic 232606 Contributor
263 Foso 5015532 Contributor
273 schwedenmut 9077622 Contributor
274 M-arcel 56698158 Contributor
275 mgborowiec 29843126 Contributor
276 mo 7117 Contributor

View File

@ -1,53 +1,50 @@
Arabic;abuzar3.khalid, AhmedHll, Ammar99, badarotti, fake4K, HeshamTB, keunes, mars_amn, Mehyar, mh.abdelhay, mhamade, moftasa, Mohamed_Nour, mohmans, MustafaAlgurabi, nabilMaghura, rex07, shubbar, vernandos, zyahya, zydwael
Asturian (ast_ES);enolp, keunes
Azerbaijani;5NOER227O, xxmn77
Basque;a_mento, albaja, Asier_Iturralde_Sarasola, bipoza, gaztainalde, IngrownMink4, keunes, Osoitz, pospolos
Belarusian;Kliazovich
Bengali;chowdhurytasmeehur, laggybird
Breton;Belvar, Eorn, EwenKorr, FlorentTroer, Iriep, keunes, technozuzici
Bulgarian;keunes, ma4ko, mihainov, pavelspr1, ppk89, solusitor, thereef, x7ype
Catalan;and_dapo, arseru, badlop, bluegeekgh, carles.llacer, dsoms, dvd1985, elcamilet, exort12, IvanAmarante, javiercoll, josep2, keunes, Kintu, lambdani, marcmetallextrem, prova, sandandmercury, selmins, xc70
Chinese (zh_CN);135e2, 946676181, aihenry2980, Biacke, brnme, clong289734997, cyril3, Felix2yu, gaohongyuan, Guaidaodl, Huck0, iconteral, jhxie, jxj2zzz79pfp9bpo, JY3, keunes, kyleehee, molisiye, owen8877, RainSlide, RangerNJU, Sak94664, spice2wolf, tupunco, weylinn, whiye.hust, wongsyrone, Xrodo, yangyang, yiqiok
Chinese (zh_TW);bobchao, BWsix, ijliao, keunes, mapobi, MrChimp, Mushiyo, pggdt, sam0090, ymhuang0808
Czech (cs_CZ);anotheranonymoususer, befeleme, Benda, elich, Hanzmeister, jjh, JStrange, kudlav, McLenin666, md.share, PetrC, ShimonH, svetlemodry, Thomaash, Toonlink3000, viotalJiplk
Danish;deusdenton, ERYpTION, Grooty12, JFreak, jhertel, keunes, mikini, petterbejo, SebastianKiwiDk, soelvraeven
Dutch;AleksanderM, boterkoter, daerts, e2jk, fvbommel, keunes, Kleurenregen, mijnheer, oldblue, rwv, twijg, Vistaus, wf0pp0z6, y33per
Estonian;beez276, Eraser, keunes, kristiankalm, mahfiaz, Rots, udutaja
Finnish;Ban3, keunes, ktstmu, Kuutar, noppa, Sahtor, scop, teemue, trantena
French;5moufl, 5NOER227O, AleksanderM, AX.AGD, ayiniho, ChaoticMind, clombion, Cornegidouille, Daremo, e2jk, ebouaziz, keunes, klintom, Kuscoo, lacouture, LouFex, manuelleduc, Matth78, paolovador, petterbejo, PierreLaville, Poussinou, RomainTT, Serge_Thigos, sterylmreep, teamon, Thoscellen
Galician;antiparvos, Raichely, Sirgo
German;23Ba1l598, 5NOER227O, _Er, AleksanderM, axre, ByteHamster, Ceekay, ceving, dadosch, datesastick, Delvo, DerSilly, dpolterauer, elkangaroo, Erc187, F462, f_grubm, femmdi, finsterwalder, FlorianW, forght, hbilke, HolgerJeromin, JMAN, JoeMcFly, jokap, JoniArida, JonOfUs, kalei, keunes, klyneloud, L.D.A., Macusercom, MahdiMoradi, matthias.g, max.wittig, mfietz, Michael_Strecke, mkida, mMuck, muellerma, Nickname, petterbejo, pudeeh, Quiss42, realpixelcode, repat, sadfgdf, Serge_Thigos, teamon, thetrash23, thiesrappen, timo.rohwedder, toaskoas, Tobiasff3200, tomte, Tonne11, ttick, tweimer, VfBFan, Willhelm, ypid
Hebrew (he_IL);amir.dafnyman, E1i9, eldaryiftach, mongoose4004, pinkasey, rellieberman, Yaron
Hindi (hi_IN);Agyat009, akhilbhartiya, itforchange, keunes, mtshmtha, PrestigiousBeat6355, purple.coder, siddhusengar, singhrishi245021, techiethakkar, TheAlphaApp, thelazyoxymoron, viraaajas
Hu;aron.szabo, hurrikan, keunes, lna91, lomapur, marthynw, mc.transifex, meskobalazs, MMate2007, naren93, Remboo
Icelandic;keunes, marthjod
Indonesian;awmpawl, dbrw, justch, keunes, levirs565, liimee, Matyeyev
Italian (it_IT);aalex70, allin, alvami, atilluF, Bonnee, datesastick, dontknowcris, gdonisi, giulia.iuppa, giuseppep, Guybrush88, ilmanzo, juanjom, keunes, lu.por, m.chinni, marco_pag, mat650, micael_27, mircocau, ne0xt8, neonsoftware, niccord, nicolo.tarter, theloca95
Japanese;atsukotominaga, ayiniho, giulia.iuppa, guyze, kenchankunsan, keunes, kirameister, KotaKato, Naofumi, sh3llc4t, shuuji3, tko_cactus, TranslatorG, ubntro, Xrodo
Kannada (kn_IN);chethanhs, chiraag.nataraj, deepu2, itforchange, keunes, thejeshgn, yogi
Ko;changwoo, eshc123, keunes, libliboom, shinwookim
Latin;AleksanderM, dpolterauer, nivaca
Lithuanian;keunes, Rytis, Sharper
Macedonian;krisfremen
Malayalam;joice, keunes, KiranS, rashivkp
Modern Greek (1453-);AnimaRain, antonist, ApostolosKourpadakis, bufetr, Fotispel, Ioannis_D, keunes, OpenContribution, pavlosv, pcguy23
Norwegian Bokmål (nb_NO);abstrakct, ahysing, bablecopherye, corkie, forteller, Gauteweb, halibut, heraldo, jakobkg, Jamiera, keunes, kjetilaardal, Kjodleiken, kongk, sevenmaster, tc5, timbast, TrymSan, ttick
Persian;ahangarha, amiraref, danialbehzadi, ebadi, ebraminio, F7D, hamidrezabayat76, K2latmanesh, keunes, khersi, MahdiMoradi, mmehdishafiee, rezahosseinzadeh, sinamoghaddas, zarinisalman62
Polish (pl_PL);ad.szczepanski, befeleme, ewm, Gadzinisko, hiro2020, Iwangelion, K0RR, kamila.miodek1991, keunes, lomapur, M4SK1N, mandlus, maniexx, Medzik, Mephistofeles, millup, Modymh, portonus, Rakowy_Manaska, scooby250319888, shark103, TheName, tranzystorekk, tyle, xsw22wsx
Portuguese;Blackspirits, emansije, jmelo461, keunes, lecalam, WalkerPt
Portuguese (pt_BR);alexupits, alysonborges, andersonvom, aracnus, arua, bandreghetti, brasileiro, caioau, carlo_valente, castrors, denisdl, diecavallax, fnogcps, gleysonabreu, jmelo461, keunes, lipefire, mbaltar, olivoto, philosp, rafaelff1, ricardo_ramos, rogervezaro, RubeensVinicius, SamWilliam, tepadilha, tschertel, vieira.danilo, Xandefex, ziul123
Romanian (ro_RO);AdrianMirica, andreh, cosminh, eRadical, fuzzmz, Hiumee, keunes, mozartro, ralienpp
Russian (ru_RU);ashed, btimofeev, Duke_Raven, flexagoon, gammja, homocomputeris, IgorPolyakov, jokuskay, keunes, mercutiy, nachoman, null, overmind88, polyblank66, PtilopsisLeucotis, s.chebotar, tepxd, un_logic, Vladryyu, whereisthetea, yako, Пидарасенька
Sardinian;prova
Slovak;ati3, jose1711, keunes, marulinko, McLenin666, real_name, tiborepcek
Slovenian (sl_SI);asovic, filomena.pzn, kaboom, keunes, panter23, TheFireFighter, trus2
Spanish;3argueta3, 5NOER227O, albaja, AleksSyntek, andersonvom, andrespelaezp, arseru, Atreyu94, badlop, CaeM0R, carlos.levy, cartojo, deandreamatias, delthia, devarops, drewski, dvd1985, elcamilet, elojodepajaro, Fitoschido, frandavid100, Gomerick, hard_ware, Ioannis_D, israelem, javiercoll, keunes, kiekie, LatinSuD, leogrignafini, meanderingDot, nacho222, Nickname, nivaca, rafael.osuna, technozuzici, tldevelopbit, tres.14159, vfmatzkin, victorzequeida96, wakutiteo, ziul123
Swahili (macrolanguage);1silvester, joelkanyi, keunes, kmtra
Swedish (sv_SE);aiix, Ainali, bpnilsson, gustavkj, jrosdahl, keunes, lgrothenstam, LinAGKar, martinb3000, nilso, TwoD, victorhggqvst
Tamil;muthuraj5107220
Tatar;seber
Telugu;Chandrika11P11, keunes, veeven
Turkish;AhmedDuran, alianilkocak, alierdogan7, AliGaygisiz, androtuna, archixe, brsata, brtc, efraildokmeegitim, ehocaoglu, Erdy, firatsoygul, ibo90p, kabaqtepeli, keunes, Only1337, overbite, Piryus, samsamsamsam, sismantolga, Slsdem, Sxinar, TZVS, xe1st
Ukrainian (uk_UA);amatra, aserbovets, balaraz, Bergil32, cron, hishak, keunes, koorool, older, paul_sm, sergiyr, voinovich_vyacheslav, zhenya97
Uzbek;Usmon
Vietnamese;abnvolk, bruhwut, keunes, ppanhh
Arabic;ButterflyOfFire, Mehyar, Mehyar Al Shammas, abdelbasset jabrane, الزُّبَير, عمار
Asturian;Hugoren Martinako, Víctor Quirós
Azerbaijani;Mücteba Nesiri, OlliesGudh, Ya Mur
Basque;Eder Etxebarria Rojo
Belarusian;kapatych
Bengali;Anonymous
Breton;AP
Bulgarian;jnbrains
Catalan;Adolfo Jayme Barrientos, Ander Romero, Hugoren Martinako, Ic0n, Ricard Rodríguez
Chinese (Simplified);Sketch6580, hexie, 大王叫我来巡山
Chinese (Traditional);AgFlore, Kerry Lu, Pellaeon Lin, samko5sam
Czech;Martin D, Petr Čech, Vladan Kudláč, ikanakova, multiflexi
Danish;ERYpTION, Jesper Hertel
Dutch;Frits van Bommel
Estonian;Merike Sell, OlliesGudh, rimasx
Finnish;Jaakko Rantamäki, Kalle Kniivilä, Kieli Puoli, Petri Hämäläinen, Ricky Tigg
French;ButterflyOfFire, Matth78
Galician;Hugoren Martinako, Iago, josé m.
German;Ettore Atalan, VfBFan, kalchen6666
Hebrew;Yaron Shahrabani
Hindi;Harshit Sethi, KhubsuratInsaan
Hu;Balázs Attila, Balázs Meskó
Indonesian;Adrien N, Arif Budiman, kharrr69
Italian;Champ0999, Giovanni Donisi, Luca
Japanese;Shuuji TAKAHASHI (shuuji3)
Kannada (India);Anonymous
Ko;DY
Lithuanian;Marija Grineviciute, kalchen6666
Macedonian;AND, Kristijan \Fremen\ Velkovski
Malayalam;Nikhil Krishnakumar
Modern Greek;GiannosOB, korni, Λευτέρης Τ.
Norwegian Bokmål;EdoAug, Kjetil Sørlund
Persian;Alireza Rashidi, Danial Behzadi
Polish;Anita Aaa, Antoni Jurczyk, Eryk Michalak, Koen, M8nk, Marcin P, MattSolo451, NameDividedBy5, drpt, przmkg
Portuguese;Filipe Mota (BlackSpirits), Hugoren Martinako, Sérgio Marques, ssantos
Portuguese (Brazil);Andre Bastos, Daltux, Felipe.Plattek, Murcielago, OlliesGudh, Willian Soares Batista
Romanian;Gabriel Preda, Mozart Michael
Russian;George Bogdanoff, Igor, Maksim_220 Кабанов, Yurt Page, homocomputeris
Sardinian;Adrià Martín
Serbian;NEXI
Slovak;Jakub Dugovič, Martin, Tibor Blažko
Slovenian;Kaboom
Spanish;Adolfo Jayme Barrientos, Alex G, CJ Montero, Hugoren Martinako, Iago, Isaí Moreno Mendoza, LordTenebrous, Lorenzio, Tagomago, gallegonovato
Swahili;Anonymous
Swedish;Joel A, bittin1ddc447d824349b2, opExe
Tatar;Anonymous
Telugu;Anonymous
Turkish;Abdullah Bagyapan, Bora Atıcı, Muhammed Harun SÜZGEÇ, Oğuz Ersen, Sxi, polarwood, İsmail Şevik
Ukrainian;Ada Melentyeva, Andrii Serbovets, Danylo Lystopadov, Максим Горпиніч
Vietnamese;Flowerlywind

1 Arabic abuzar3.khalid, AhmedHll, Ammar99, badarotti, fake4K, HeshamTB, keunes, mars_amn, Mehyar, mh.abdelhay, mhamade, moftasa, Mohamed_Nour, mohmans, MustafaAlgurabi, nabilMaghura, rex07, shubbar, vernandos, zyahya, zydwael ButterflyOfFire, Mehyar, Mehyar Al Shammas, abdelbasset jabrane, الزُّبَير, عمار
2 Asturian (ast_ES) Asturian enolp, keunes Hugoren Martinako, Víctor Quirós
3 Azerbaijani 5NOER227O, xxmn77 Mücteba Nesiri, OlliesGudh, Ya Mur
4 Basque a_mento, albaja, Asier_Iturralde_Sarasola, bipoza, gaztainalde, IngrownMink4, keunes, Osoitz, pospolos Eder Etxebarria Rojo
5 Belarusian Kliazovich kapatych
6 Bengali chowdhurytasmeehur, laggybird Anonymous
7 Breton Belvar, Eorn, EwenKorr, FlorentTroer, Iriep, keunes, technozuzici AP
8 Bulgarian keunes, ma4ko, mihainov, pavelspr1, ppk89, solusitor, thereef, x7ype jnbrains
9 Catalan and_dapo, arseru, badlop, bluegeekgh, carles.llacer, dsoms, dvd1985, elcamilet, exort12, IvanAmarante, javiercoll, josep2, keunes, Kintu, lambdani, marcmetallextrem, prova, sandandmercury, selmins, xc70 Adolfo Jayme Barrientos, Ander Romero, Hugoren Martinako, Ic0n, Ricard Rodríguez
10 Chinese (zh_CN) Chinese (Simplified) 135e2, 946676181, aihenry2980, Biacke, brnme, clong289734997, cyril3, Felix2yu, gaohongyuan, Guaidaodl, Huck0, iconteral, jhxie, jxj2zzz79pfp9bpo, JY3, keunes, kyleehee, molisiye, owen8877, RainSlide, RangerNJU, Sak94664, spice2wolf, tupunco, weylinn, whiye.hust, wongsyrone, Xrodo, yangyang, yiqiok Sketch6580, hexie, 大王叫我来巡山
11 Chinese (zh_TW) Chinese (Traditional) bobchao, BWsix, ijliao, keunes, mapobi, MrChimp, Mushiyo, pggdt, sam0090, ymhuang0808 AgFlore, Kerry Lu, Pellaeon Lin, samko5sam
12 Czech (cs_CZ) Czech anotheranonymoususer, befeleme, Benda, elich, Hanzmeister, jjh, JStrange, kudlav, McLenin666, md.share, PetrC, ShimonH, svetlemodry, Thomaash, Toonlink3000, viotalJiplk Martin D, Petr Čech, Vladan Kudláč, ikanakova, multiflexi
13 Danish deusdenton, ERYpTION, Grooty12, JFreak, jhertel, keunes, mikini, petterbejo, SebastianKiwiDk, soelvraeven ERYpTION, Jesper Hertel
14 Dutch AleksanderM, boterkoter, daerts, e2jk, fvbommel, keunes, Kleurenregen, mijnheer, oldblue, rwv, twijg, Vistaus, wf0pp0z6, y33per Frits van Bommel
15 Estonian beez276, Eraser, keunes, kristiankalm, mahfiaz, Rots, udutaja Merike Sell, OlliesGudh, rimasx
16 Finnish Ban3, keunes, ktstmu, Kuutar, noppa, Sahtor, scop, teemue, trantena Jaakko Rantamäki, Kalle Kniivilä, Kieli Puoli, Petri Hämäläinen, Ricky Tigg
17 French 5moufl, 5NOER227O, AleksanderM, AX.AGD, ayiniho, ChaoticMind, clombion, Cornegidouille, Daremo, e2jk, ebouaziz, keunes, klintom, Kuscoo, lacouture, LouFex, manuelleduc, Matth78, paolovador, petterbejo, PierreLaville, Poussinou, RomainTT, Serge_Thigos, sterylmreep, teamon, Thoscellen ButterflyOfFire, Matth78
18 Galician antiparvos, Raichely, Sirgo Hugoren Martinako, Iago, josé m.
19 German 23Ba1l598, 5NOER227O, _Er, AleksanderM, axre, ByteHamster, Ceekay, ceving, dadosch, datesastick, Delvo, DerSilly, dpolterauer, elkangaroo, Erc187, F462, f_grubm, femmdi, finsterwalder, FlorianW, forght, hbilke, HolgerJeromin, JMAN, JoeMcFly, jokap, JoniArida, JonOfUs, kalei, keunes, klyneloud, L.D.A., Macusercom, MahdiMoradi, matthias.g, max.wittig, mfietz, Michael_Strecke, mkida, mMuck, muellerma, Nickname, petterbejo, pudeeh, Quiss42, realpixelcode, repat, sadfgdf, Serge_Thigos, teamon, thetrash23, thiesrappen, timo.rohwedder, toaskoas, Tobiasff3200, tomte, Tonne11, ttick, tweimer, VfBFan, Willhelm, ypid Ettore Atalan, VfBFan, kalchen6666
20 Hebrew (he_IL) Hebrew amir.dafnyman, E1i9, eldaryiftach, mongoose4004, pinkasey, rellieberman, Yaron Yaron Shahrabani
21 Hindi (hi_IN) Hindi Agyat009, akhilbhartiya, itforchange, keunes, mtshmtha, PrestigiousBeat6355, purple.coder, siddhusengar, singhrishi245021, techiethakkar, TheAlphaApp, thelazyoxymoron, viraaajas Harshit Sethi, KhubsuratInsaan
22 Hu aron.szabo, hurrikan, keunes, lna91, lomapur, marthynw, mc.transifex, meskobalazs, MMate2007, naren93, Remboo Balázs Attila, Balázs Meskó
23 Icelandic Indonesian keunes, marthjod Adrien N, Arif Budiman, kharrr69
24 Indonesian Italian awmpawl, dbrw, justch, keunes, levirs565, liimee, Matyeyev Champ0999, Giovanni Donisi, Luca
25 Italian (it_IT) Japanese aalex70, allin, alvami, atilluF, Bonnee, datesastick, dontknowcris, gdonisi, giulia.iuppa, giuseppep, Guybrush88, ilmanzo, juanjom, keunes, lu.por, m.chinni, marco_pag, mat650, micael_27, mircocau, ne0xt8, neonsoftware, niccord, nicolo.tarter, theloca95 Shuuji TAKAHASHI (shuuji3)
26 Japanese Kannada (India) atsukotominaga, ayiniho, giulia.iuppa, guyze, kenchankunsan, keunes, kirameister, KotaKato, Naofumi, sh3llc4t, shuuji3, tko_cactus, TranslatorG, ubntro, Xrodo Anonymous
27 Kannada (kn_IN) Ko chethanhs, chiraag.nataraj, deepu2, itforchange, keunes, thejeshgn, yogi DY
28 Ko Lithuanian changwoo, eshc123, keunes, libliboom, shinwookim Marija Grineviciute, kalchen6666
29 Latin Macedonian AleksanderM, dpolterauer, nivaca AND, Kristijan \Fremen\ Velkovski
30 Lithuanian Malayalam keunes, Rytis, Sharper Nikhil Krishnakumar
31 Macedonian Modern Greek krisfremen GiannosOB, korni, Λευτέρης Τ.
32 Malayalam Norwegian Bokmål joice, keunes, KiranS, rashivkp EdoAug, Kjetil Sørlund
33 Modern Greek (1453-) Persian AnimaRain, antonist, ApostolosKourpadakis, bufetr, Fotispel, Ioannis_D, keunes, OpenContribution, pavlosv, pcguy23 Alireza Rashidi, Danial Behzadi
34 Norwegian Bokmål (nb_NO) Polish abstrakct, ahysing, bablecopherye, corkie, forteller, Gauteweb, halibut, heraldo, jakobkg, Jamiera, keunes, kjetilaardal, Kjodleiken, kongk, sevenmaster, tc5, timbast, TrymSan, ttick Anita Aaa, Antoni Jurczyk, Eryk Michalak, Koen, M8nk, Marcin P, MattSolo451, NameDividedBy5, drpt, przmkg
35 Persian Portuguese ahangarha, amiraref, danialbehzadi, ebadi, ebraminio, F7D, hamidrezabayat76, K2latmanesh, keunes, khersi, MahdiMoradi, mmehdishafiee, rezahosseinzadeh, sinamoghaddas, zarinisalman62 Filipe Mota (BlackSpirits), Hugoren Martinako, Sérgio Marques, ssantos
36 Polish (pl_PL) Portuguese (Brazil) ad.szczepanski, befeleme, ewm, Gadzinisko, hiro2020, Iwangelion, K0RR, kamila.miodek1991, keunes, lomapur, M4SK1N, mandlus, maniexx, Medzik, Mephistofeles, millup, Modymh, portonus, Rakowy_Manaska, scooby250319888, shark103, TheName, tranzystorekk, tyle, xsw22wsx Andre Bastos, Daltux, Felipe.Plattek, Murcielago, OlliesGudh, Willian Soares Batista
37 Portuguese Romanian Blackspirits, emansije, jmelo461, keunes, lecalam, WalkerPt Gabriel Preda, Mozart Michael
38 Portuguese (pt_BR) Russian alexupits, alysonborges, andersonvom, aracnus, arua, bandreghetti, brasileiro, caioau, carlo_valente, castrors, denisdl, diecavallax, fnogcps, gleysonabreu, jmelo461, keunes, lipefire, mbaltar, olivoto, philosp, rafaelff1, ricardo_ramos, rogervezaro, RubeensVinicius, SamWilliam, tepadilha, tschertel, vieira.danilo, Xandefex, ziul123 George Bogdanoff, Igor, Maksim_220 Кабанов, Yurt Page, homocomputeris
39 Romanian (ro_RO) Sardinian AdrianMirica, andreh, cosminh, eRadical, fuzzmz, Hiumee, keunes, mozartro, ralienpp Adrià Martín
40 Russian (ru_RU) Serbian ashed, btimofeev, Duke_Raven, flexagoon, gammja, homocomputeris, IgorPolyakov, jokuskay, keunes, mercutiy, nachoman, null, overmind88, polyblank66, PtilopsisLeucotis, s.chebotar, tepxd, un_logic, Vladryyu, whereisthetea, yako, Пидарасенька NEXI
41 Sardinian Slovak prova Jakub Dugovič, Martin, Tibor Blažko
42 Slovak Slovenian ati3, jose1711, keunes, marulinko, McLenin666, real_name, tiborepcek Kaboom
43 Slovenian (sl_SI) Spanish asovic, filomena.pzn, kaboom, keunes, panter23, TheFireFighter, trus2 Adolfo Jayme Barrientos, Alex G, CJ Montero, Hugoren Martinako, Iago, Isaí Moreno Mendoza, LordTenebrous, Lorenzio, Tagomago, gallegonovato
44 Spanish Swahili 3argueta3, 5NOER227O, albaja, AleksSyntek, andersonvom, andrespelaezp, arseru, Atreyu94, badlop, CaeM0R, carlos.levy, cartojo, deandreamatias, delthia, devarops, drewski, dvd1985, elcamilet, elojodepajaro, Fitoschido, frandavid100, Gomerick, hard_ware, Ioannis_D, israelem, javiercoll, keunes, kiekie, LatinSuD, leogrignafini, meanderingDot, nacho222, Nickname, nivaca, rafael.osuna, technozuzici, tldevelopbit, tres.14159, vfmatzkin, victorzequeida96, wakutiteo, ziul123 Anonymous
45 Swahili (macrolanguage) Swedish 1silvester, joelkanyi, keunes, kmtra Joel A, bittin1ddc447d824349b2, opExe
46 Swedish (sv_SE) Tatar aiix, Ainali, bpnilsson, gustavkj, jrosdahl, keunes, lgrothenstam, LinAGKar, martinb3000, nilso, TwoD, victorhggqvst Anonymous
47 Tamil Telugu muthuraj5107220 Anonymous
48 Tatar Turkish seber Abdullah Bagyapan, Bora Atıcı, Muhammed Harun SÜZGEÇ, Oğuz Ersen, Sxi, polarwood, İsmail Şevik
49 Telugu Ukrainian Chandrika11P11, keunes, veeven Ada Melentyeva, Andrii Serbovets, Danylo Lystopadov, Максим Горпиніч
50 Turkish Vietnamese AhmedDuran, alianilkocak, alierdogan7, AliGaygisiz, androtuna, archixe, brsata, brtc, efraildokmeegitim, ehocaoglu, Erdy, firatsoygul, ibo90p, kabaqtepeli, keunes, Only1337, overbite, Piryus, samsamsamsam, sismantolga, Slsdem, Sxinar, TZVS, xe1st Flowerlywind
Ukrainian (uk_UA) amatra, aserbovets, balaraz, Bergil32, cron, hishak, keunes, koorool, older, paul_sm, sergiyr, voinovich_vyacheslav, zhenya97
Uzbek Usmon
Vietnamese abnvolk, bruhwut, keunes, ppanhh

View File

@ -66,6 +66,7 @@
<SwitchPreferenceCompat
android:title="@string/bottom_navigation"
android:summary="@string/bottom_navigation_summary"
android:defaultValue="true"
android:key="prefBottomNavigation" />
<Preference
android:key="prefHiddenDrawerItems"