Merge branch 'master' into develop

This commit is contained in:
ByteHamster 2024-12-29 16:19:49 +01:00
commit fe7d13f53c
27 changed files with 409 additions and 139 deletions

View File

@ -12,8 +12,8 @@ android {
// Version code schema:
// "1.2.3-beta4" -> 1020304
// "1.2.3" -> 1020395
versionCode 3060002
versionName "3.6.0-beta2"
versionCode 3060195
versionName "3.6.1"
javaCompileOptions {
annotationProcessorOptions {

View File

@ -103,7 +103,8 @@ public class EpisodeMultiSelectActionHandler {
private void deleteChecked(List<FeedItem> items) {
int countHasMedia = 0;
for (FeedItem feedItem : items) {
if (feedItem.hasMedia() && feedItem.getMedia().isDownloaded()) {
if ((feedItem.hasMedia() && feedItem.getMedia().isDownloaded())
|| feedItem.getFeed().isLocalFeed()) {
countHasMedia++;
DBWriter.deleteFeedMediaOfItem(activity, feedItem.getMedia());
}

View File

@ -60,8 +60,8 @@ public class FeedItemMenuHandler {
boolean canSkip = false;
boolean canRemoveFromQueue = false;
boolean canAddToQueue = false;
boolean canVisitWebsite = selectedItems.size() == 1;
boolean canShare = selectedItems.size() == 1;
boolean canVisitWebsite = false;
boolean canShare = false;
boolean canRemoveFromInbox = false;
boolean canMarkPlayed = false;
boolean canMarkUnplayed = false;
@ -70,7 +70,7 @@ public class FeedItemMenuHandler {
boolean canDownload = false;
boolean canAddFavorite = false;
boolean canRemoveFavorite = false;
boolean canShowTranscript = selectedItems.size() == 1;
boolean canShowTranscript = false;
for (FeedItem item : selectedItems) {
boolean hasMedia = item.getMedia() != null;
@ -83,7 +83,7 @@ public class FeedItemMenuHandler {
canMarkPlayed |= !item.isPlayed();
canMarkUnplayed |= item.isPlayed();
canResetPosition |= hasMedia && item.getMedia().getPosition() != 0;
canDelete |= hasMedia && item.getMedia().isDownloaded();
canDelete |= (hasMedia && item.getMedia().isDownloaded()) || item.getFeed().isLocalFeed();
canDownload |= hasMedia && !item.getMedia().isDownloaded() && !item.getFeed().isLocalFeed();
canAddFavorite |= !item.isTagged(FeedItem.TAG_FAVORITE);
canRemoveFavorite |= item.isTagged(FeedItem.TAG_FAVORITE);

View File

@ -145,7 +145,7 @@ public class SearchFragment extends Fragment implements EpisodeItemListAdapter.O
floatingSelectMenu = layout.findViewById(R.id.floatingSelectMenu);
recyclerView.setRecycledViewPool(((MainActivity) getActivity()).getRecycledViewPool());
registerForContextMenu(recyclerView);
adapter = new EpisodeItemListAdapter((MainActivity) getActivity()) {
adapter = new EpisodeItemListAdapter(getActivity()) {
@Override
public void onCreateContextMenu(ContextMenu menu, View v, ContextMenu.ContextMenuInfo menuInfo) {
super.onCreateContextMenu(menu, v, menuInfo);
@ -154,6 +154,14 @@ public class SearchFragment extends Fragment implements EpisodeItemListAdapter.O
}
MenuItemUtils.setOnClickListeners(menu, SearchFragment.this::onContextItemSelected);
}
@Override
protected void onSelectedItemsUpdated() {
super.onSelectedItemsUpdated();
FeedItemMenuHandler.onPrepareMenu(floatingSelectMenu.getMenu(), getSelectedItems(),
R.id.add_to_queue_item, R.id.remove_inbox_item);
floatingSelectMenu.updateItemVisibility();
}
};
adapter.setOnSelectModeListener(this);
recyclerView.setAdapter(adapter);

@ -1 +1 @@
Subproject commit e8300fc071743d1bf0ce30853d8b6174de561119
Subproject commit b952d03fe9a3c2aaaf2a705701c69ccdead78c03

View File

@ -55,6 +55,7 @@
android:id="@+id/socialMessageText"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:maxLines="7"
android:text="@string/share_dialog_for_social"
style="@style/TextAppearance.Material3.BodyMedium" />

View File

@ -15,6 +15,7 @@ import androidx.core.content.ContextCompat;
import androidx.core.util.Pair;
import androidx.work.Worker;
import androidx.work.WorkerParameters;
import de.danoeh.antennapod.event.FeedUpdateRunningEvent;
import de.danoeh.antennapod.event.MessageEvent;
import de.danoeh.antennapod.event.SyncServiceEvent;
import de.danoeh.antennapod.model.feed.Feed;
@ -77,6 +78,7 @@ public class SyncService extends Worker {
try {
activeSyncProvider.login();
syncSubscriptions(activeSyncProvider);
waitForDownloadServiceCompleted();
if (someFeedWasNotRefreshedYet()) {
// Note that this service might get called several times before the FeedUpdate completes
Log.d(TAG, "Found new subscriptions. Need to refresh them before syncing episode actions");
@ -110,9 +112,25 @@ public class SyncService extends Worker {
}
}
private void waitForDownloadServiceCompleted() {
EventBus.getDefault().postSticky(new SyncServiceEvent(R.string.sync_status_wait_for_downloads));
try {
while (true) {
FeedUpdateRunningEvent event = EventBus.getDefault().getStickyEvent(FeedUpdateRunningEvent.class);
if (event == null || !event.isFeedUpdateRunning) {
return;
}
//noinspection BusyWait
Thread.sleep(1000);
}
} catch (InterruptedException e) {
e.printStackTrace();
}
}
private boolean someFeedWasNotRefreshedYet() {
for (Feed feed : DBReader.getFeedList()) {
if (feed.getLastRefreshAttempt() == 0) {
if (feed.getPreferences().getKeepUpdated() && feed.getLastRefreshAttempt() == 0) {
return true;
}
}

View File

@ -7,6 +7,7 @@ import de.danoeh.antennapod.model.feed.FeedItemFilter;
import de.danoeh.antennapod.model.feed.SortOrder;
import java.util.List;
import java.util.concurrent.ExecutionException;
public class NonSubscribedFeedsCleaner {
private static final String TAG = "NonSubscrFeedsCleaner";
@ -19,10 +20,17 @@ public class NonSubscribedFeedsCleaner {
if (feed.getState() != Feed.STATE_NOT_SUBSCRIBED) {
continue;
}
DBReader.getFeedItemList(feed, FeedItemFilter.unfiltered(), SortOrder.DATE_NEW_OLD, 0, Integer.MAX_VALUE);
DBReader.getFeedItemList(feed, new FeedItemFilter(FeedItemFilter.INCLUDE_NOT_SUBSCRIBED),
SortOrder.DATE_NEW_OLD, 0, Integer.MAX_VALUE);
DBReader.loadAdditionalFeedItemListData(feed.getItems());
if (shouldDelete(feed)) {
Log.d(TAG, "Deleting unsubscribed feed " + feed.getTitle());
DBWriter.deleteFeed(context, feed.getId());
try {
DBWriter.deleteFeed(context, feed.getId()).get();
} catch (ExecutionException | InterruptedException e) {
e.printStackTrace();
return;
}
}
feed.setItems(null); // Let it be garbage collected
}

View File

@ -1,16 +1,24 @@
package de.danoeh.antennapod.storage.database;
import android.content.Context;
import androidx.test.platform.app.InstrumentationRegistry;
import de.danoeh.antennapod.model.feed.Feed;
import de.danoeh.antennapod.model.feed.FeedItem;
import de.danoeh.antennapod.model.feed.FeedMedia;
import de.danoeh.antennapod.net.download.serviceinterface.DownloadServiceInterface;
import de.danoeh.antennapod.net.download.serviceinterface.DownloadServiceInterfaceStub;
import de.danoeh.antennapod.storage.preferences.PlaybackPreferences;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.robolectric.RobolectricTestRunner;
import java.util.ArrayList;
import java.util.Date;
import java.util.List;
import java.util.concurrent.ExecutionException;
import java.util.concurrent.TimeUnit;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertFalse;
import static org.junit.Assert.assertTrue;
@ -106,6 +114,40 @@ public class NonSubscribedFeedsCleanerTest {
assertFalse(NonSubscribedFeedsCleaner.shouldDelete(feed));
}
@Test
public void integrationTest() throws ExecutionException, InterruptedException {
final Context context = InstrumentationRegistry.getInstrumentation().getContext();
final long longAgo = System.currentTimeMillis() - TimeUnit.MILLISECONDS.convert(200, TimeUnit.DAYS);
// Initialize database
PlaybackPreferences.init(context);
DownloadServiceInterface.setImpl(new DownloadServiceInterfaceStub());
PodDBAdapter.init(context);
PodDBAdapter.deleteDatabase();
PodDBAdapter adapter = PodDBAdapter.getInstance();
adapter.open();
adapter.close();
final Feed subscribedFeed = createFeed();
final Feed nonSubscribedFeed = createFeed();
nonSubscribedFeed.setState(Feed.STATE_NOT_SUBSCRIBED);
nonSubscribedFeed.setLastRefreshAttempt(longAgo);
final Feed nonSubscribedFeedFavorite = createFeed();
nonSubscribedFeedFavorite.setState(Feed.STATE_NOT_SUBSCRIBED);
nonSubscribedFeedFavorite.setLastRefreshAttempt(longAgo);
nonSubscribedFeedFavorite.getItems().add(createItem(nonSubscribedFeedFavorite));
DBWriter.setCompleteFeed(subscribedFeed, nonSubscribedFeedFavorite, nonSubscribedFeed).get();
DBWriter.addFavoriteItem(nonSubscribedFeedFavorite.getItems().get(0)).get();
NonSubscribedFeedsCleaner.deleteOldNonSubscribedFeeds(context);
List<Feed> feeds = DBReader.getFeedList();
assertEquals(2, feeds.size());
assertEquals(subscribedFeed.getId(), feeds.get(0).getId());
assertEquals(nonSubscribedFeedFavorite.getId(), feeds.get(1).getId());
}
private Feed createFeed() {
Feed feed = new Feed(0, null, "title", "http://example.com", "This is the description",
"http://example.com/payment", "Daniel", "en", null, "http://example.com/feed",

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">افتح الإعدادات</string>
<string name="downloads_log_label">سجل التنزيلات</string>
<string name="subscriptions_label">الاشتراكات</string>
<string name="subscriptions_list_label">لائحة الاشتراكات</string>
<string name="subscriptions_list_label">لائحة الاشتراكات (فقط في الدرج)</string>
<string name="cancel_download_label">ألغِ التنزيل</string>
<string name="playback_history_label">سجل التشغيل</string>
<string name="episode_cache_full_title">ذاكرة تخزين الحلقات ممتلئة</string>

View File

@ -783,4 +783,19 @@
<string name="shortcut_subscription_label">Drecera a la subscripció</string>
<string name="shortcut_select_subscription">Selecciona subscripció</string>
<string name="add_shortcut">Afegeix drecera</string>
<string name="home_no_recent_unplayed_episodes_text">Ja heu reproduït tots els episodis recents. Cap sorpresa per aquí ;)</string>
<string name="home_new_empty_text">Els episodis nous apareixeran aquí. Llavors podreu decidir si us interessen.</string>
<string name="home_downloads_empty_text">Podeu baixar qualsevol episodi per escoltar-lo sense connexió.</string>
<string name="section_shown">Mostrat</string>
<plurals name="episode_cleanup_hours_after_listening">
<item quantity="one">%d hora després d\'acabar</item>
<item quantity="many">%d hores després d\'acabar</item>
<item quantity="other">%d hores després d\'acabar</item>
</plurals>
<plurals name="total_size_downloaded_podcasts">
<item quantity="one">Mida total d\'%d episodi al dispositiu</item>
<item quantity="many">Mida total de %d episodis al dispositiu</item>
<item quantity="other">Mida total de %d episodis al dispositiu</item>
</plurals>
<string name="home_continue_empty_text">Podeu afegir episodis baixant-los o mantenint premut i seleccionant «Afegeix a la cua».</string>
</resources>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Åbn indstillinger</string>
<string name="downloads_log_label">Overførselslog</string>
<string name="subscriptions_label">Abonnementer</string>
<string name="subscriptions_list_label">Abonnementsliste</string>
<string name="subscriptions_list_label">Abonnementsliste (kun sidemenu)</string>
<string name="cancel_download_label">Annullér overførsel</string>
<string name="playback_history_label">Afspilningshistorik</string>
<string name="episode_cache_full_title">Mellemlageret for afsnit er fuldt</string>
@ -115,7 +115,7 @@
<string name="feed_volume_boost_heavy">Kraftig forstærkning</string>
<string name="feed_auto_download_always">Altid</string>
<string name="feed_auto_download_never">Aldrig</string>
<string name="feed_new_episodes_action_add_to_inbox">Tilføj til indbakke</string>
<string name="feed_new_episodes_action_add_to_inbox">Føj til indbakke</string>
<string name="feed_new_episodes_action_add_to_queue">Føj til kø</string>
<string name="feed_new_episodes_action_nothing">Ingenting</string>
<string name="episode_cleanup_never">Aldrig</string>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Άνοιγμα ρυθμίσεων</string>
<string name="downloads_log_label">Αρχείο καταγραφής λήψεων</string>
<string name="subscriptions_label">Συνδρομές</string>
<string name="subscriptions_list_label">Λίστα συνδρομών</string>
<string name="subscriptions_list_label">Λίστα συνδρομών (μόνο στο πλαϊνό μενού)</string>
<string name="cancel_download_label">Ακύρωση λήψης</string>
<string name="playback_history_label">Ιστορικό αναπαραγωγής</string>
<string name="episode_cache_full_title">Η κρυφή μνήμη του επεισοδίου είναι γεμάτη</string>
@ -785,4 +785,10 @@
<string name="home_downloads_empty_text">Μπορείς να κατεβάσεις οποιοδήποτε επεισόδια και να το ακούσεις εκτός σύνδεσης.</string>
<string name="section_shown">Εμφανιζόμενα</string>
<string name="home_new_empty_text">Τα νέα επεισόδια θα εμφανίζονται εδώ. Μετά, μπορείς να αποφασίσεις αν ενδιαφέρεσαι για αυτά.</string>
<string name="feed_delete_confirmation_msg_batch">Παρακαλώ επιβεβαιώστε ότι θέλετε να αφαιρέσετε τα επιλεγμένα podcasts, ΌΛΑ τα επεισόδια τους (συμπεριλαμβανομένων των επεισοδίων που έχουν ληφθεί), το ιστορικό αναπαραγωγής και τις στατιστικές τους.</string>
<string name="feed_delete_confirmation_msg">Παρακαλώ επιβεβαιώστε ότι θέλετε να διαγράψετε το podcast \"%1$s\", ΌΛΑ τα επεισόδια του (συμπεριλαμβανομένων των επεισοδίων που έχουν ληφθεί), το ιστορικό αναπαραγωγής και τις στατιστικές του.</string>
<plurals name="total_size_downloaded_podcasts">
<item quantity="one">Σύνολο %d του επεισοδίου είναι αποθηκευμένο στη συσκευή</item>
<item quantity="other">Σύνολο %d των επεισοδίων είναι αποθηκευμένα στη συσκευή</item>
</plurals>
</resources>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Abrir ajustes</string>
<string name="downloads_log_label">Registro de descargas</string>
<string name="subscriptions_label">Suscripciones</string>
<string name="subscriptions_list_label">Lista de suscripciones</string>
<string name="subscriptions_list_label">Lista de suscripciones (solo en el menú lateral)</string>
<string name="cancel_download_label">Cancelar descarga</string>
<string name="playback_history_label">Historial de reproducciones</string>
<string name="episode_cache_full_title">Caché de episodios llena</string>

View File

@ -829,7 +829,7 @@
<string name="sync_status_wait_for_downloads">En attente de la mise à jour des abonnements…</string>
<string name="statistics_episodes_downloaded">sur l\'appareil</string>
<string name="nextcloud_login_error_generic">Impossible de se connecter à votre Nextcloud.\n\n- Vérifiez votre connexion réseau.\n- Confirmez que vous utilisez la bonne adresse de serveur.\n- Assurez-vous que le plugin gpoddersync pour Nextcloud est bien installé.</string>
<string name="statistics_episodes_started">commencés</string>
<string name="statistics_episodes_started">lancés</string>
<string name="statistics_episodes_total">total</string>
<string name="statistics_episodes_space">d\'espace occupé</string>
<string name="statistics_release_next">prochain épisode (estimation)</string>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Ir aos axustes</string>
<string name="downloads_log_label">Rexistro de descargas</string>
<string name="subscriptions_label">Subscricións</string>
<string name="subscriptions_list_label">Lista de subscricións</string>
<string name="subscriptions_list_label">Lista de subscricións (só menú lateral)</string>
<string name="cancel_download_label">Cancelar descarga</string>
<string name="playback_history_label">Historial de reprodución</string>
<string name="episode_cache_full_title">Caché de episodios chea</string>
@ -48,7 +48,7 @@
<!--Home fragment-->
<string name="home_surprise_title">Sorpréndete</string>
<string name="home_classics_title">Mira os teus clásicos</string>
<string name="home_continue_title">Segue escoitando</string>
<string name="home_continue_title">Continúa a escoita</string>
<string name="home_new_title">Olla as novidades</string>
<string name="home_downloads_title">Xestiona as descargas</string>
<string name="home_welcome_title">Benvida a AntennaPod!</string>
@ -89,7 +89,7 @@
<string name="yes">Si</string>
<string name="no">Non</string>
<string name="reset">Restablecer</string>
<string name="global_default">Valor por defecto xeral</string>
<string name="global_default">Predeterminado xeral</string>
<string name="url_label">URL</string>
<string name="support_funding_label">Axuda</string>
<string name="support_podcast">Axuda a este podcast</string>
@ -181,7 +181,7 @@
<string name="add_tag">Engadir etiqueta</string>
<string name="rename_tag_label">Cambiar nome etiqueta</string>
<string name="confirm_mobile_feed_refresh_dialog_message">A actualización utilizando datos do móbil está desactiva nos axustes.\n\nQueres actualizar igualmente?</string>
<string name="confirm_mobile_feed_refresh_dialog_message_vpn">A túa VPN compórtase como unha rede móbil (conexión medida). A actualización dos podcast sobre redes móbiles está desactivada nos axustes.\n\nQueres actualizar actualmente? Se queres solucionar este problema, contacta coas desenvolvedoras da túa app VPN</string>
<string name="confirm_mobile_feed_refresh_dialog_message_vpn">A túa VPN compórtase como unha rede móbil (conexión medida). A actualización dos podcast sobre redes móbiles está desactivada nos axustes.\n\nQueres actualizar actualmente? Se queres solucionar este problema, contacta coas desenvolvedoras da túa app VPN.</string>
<!--actions on feeditems-->
<string name="download_label">Descargar</string>
<plurals name="downloading_batch_label">
@ -225,7 +225,7 @@
<item quantity="other">%d episodios elimnados da cola.</item>
</plurals>
<plurals name="removed_from_inbox_batch_label">
<item quantity="one">%d episodio eliminado da caixa de entrada</item>
<item quantity="one">%d episodio eliminado das novidades.</item>
<item quantity="other">%d episodios eliminados das novidades.</item>
</plurals>
<string name="add_to_favorite_label">Engadir a favoritos</string>
@ -349,7 +349,7 @@
<string name="interruptions">Interrupcións</string>
<string name="playback_control">Control de reprodución</string>
<string name="reassign_hardware_buttons">Reasignar botóns físicos</string>
<string name="preference_search_hint">Busca....</string>
<string name="preference_search_hint">Busca</string>
<string name="preference_search_no_results">Sen resultados</string>
<string name="preference_search_clear_history">Eliminar historial</string>
<string name="pref_episode_cleanup_title">Eliminar antes da descarga automática</string>
@ -445,7 +445,7 @@
<string name="pref_rewind">Tempo de salto ao retroceder</string>
<string name="pref_rewind_sum">Personaliza o número de segundos que se retrocede na reprodución cando se preme o botón retroceso</string>
<string name="pref_expandNotify_title">Alta prioridade nas notificacións</string>
<string name="pref_expandNotify_sum">Isto expande as notificacións para mostrar os botóns de reprodución</string>
<string name="pref_expandNotify_sum">Isto expande as notificacións para mostrar os botóns de reprodución.</string>
<string name="pref_persistNotify_title">Controis persistentes de reprodución</string>
<string name="pref_persistNotify_sum">Manter a notificación e os controis de reprodución na pantalla de bloqueo cando está detida a reprodución</string>
<string name="pref_compact_notification_buttons_dialog_error_exact">Tes que escoller exactamente dous elementos</string>
@ -466,15 +466,15 @@
<string name="copied_to_clipboard">Copiado ó portapapeis</string>
<string name="pref_proxy_title">Proxy</string>
<string name="pref_proxy_sum">Establecer un proxy para a rede</string>
<string name="pref_no_browser_found">Non se atopou un navegador web</string>
<string name="pref_no_browser_found">Non se atopou un navegador web.</string>
<string name="pref_enqueue_downloaded_title">Pór na cola os descargados</string>
<string name="pref_enqueue_downloaded_summary">Engadir os episodios descargados á cola</string>
<string name="pref_skip_silence_title">Omitir silencio no audio</string>
<string name="behavior">Comportamento</string>
<string name="pref_default_page">Páxina por defecto</string>
<string name="pref_default_page">Páxina predeterminada</string>
<string name="pref_default_page_sum">Pantalla que se mostra cando inicias AntennaPod</string>
<string name="pref_back_button_opens_drawer">O botón Atrás abre o panel</string>
<string name="pref_back_button_opens_drawer_summary">Ao premer o botón atrás na páxina por defecto abre o panel de navegación</string>
<string name="pref_back_button_opens_drawer_summary">Ao premer no botón atrás na páxina predeterminada abre o panel de navegación</string>
<string name="remember_last_page">Lembrar última páxina</string>
<string name="pref_delete_removes_from_queue_title">Eliminar quita da cola</string>
<string name="pref_delete_removes_from_queue_sum">Eliminar automáticamente un episodio da cola cando se borra</string>
@ -511,11 +511,11 @@
<string name="no_results_for_query">Non hai resultados para \"%1$s\"</string>
<string name="search_online">Busca en liña</string>
<!--Synchronization-->
<string name="sync_status_started">Comezou a sincr.</string>
<string name="sync_status_episodes_upload">Subindo cambios nos episodios...</string>
<string name="sync_status_episodes_download">Descargando cambios nos episodios...</string>
<string name="sync_status_upload_played">Subindo estado de reprodución...</string>
<string name="sync_status_subscriptions">Sincronizando subscricións...</string>
<string name="sync_status_started">Está sincronizando</string>
<string name="sync_status_episodes_upload">Subindo cambios nos episodios</string>
<string name="sync_status_episodes_download">Descargando cambios nos episodios</string>
<string name="sync_status_upload_played">Subindo estado de reprodución</string>
<string name="sync_status_subscriptions">Sincronizando subscricións</string>
<string name="sync_status_success">Sincronización correcta</string>
<string name="sync_status_error">Fallou a sincronización</string>
<!--import and export-->
@ -542,7 +542,7 @@
<string name="automatic_database_export_error">Erro ao realizar a copia de apoio automática</string>
<string name="database_import_label">Importar base de datos</string>
<string name="database_import_warning">Ao importar a base de datos substituirás todas as subscricións actuais e historial de reprodución. Deberías exportar a base de datos actual como copia de apoio. Desexas substituíla?</string>
<string name="please_wait">Agarda...</string>
<string name="please_wait">Agarda</string>
<string name="export_error_label">Fallo ao exportar</string>
<string name="export_success_title">Exportado con éxito</string>
<string name="opml_import_ask_read_permission">Precísase acceso ao almacenamento externo para ler o ficheiro OPML</string>
@ -604,10 +604,10 @@
<string name="gpodnetauth_device_name_default">AntennaPod en %1$s</string>
<string name="gpodnetauth_existing_devices">Dispositivos existentes</string>
<string name="gpodnetauth_create_device">Crear dispositivo</string>
<string name="gpodnetauth_finish_descr">Parabéns! A túa conta gpodder.net está conectada ao dispositivo. AntennaPod poderá agora sincronizar automaticamente as túas subscricións no dispositivo na conta de gpodder.net</string>
<string name="gpodnetauth_finish_descr">Parabéns! A túa conta gpodder.net está conectada ao dispositivo. AntennaPod poderá agora sincronizar automaticamente as túas subscricións no dispositivo na conta de gpodder.net.</string>
<string name="gpodnetauth_finish_butsyncnow">Iniciar a sincronización</string>
<string name="pref_gpodnet_setlogin_information_title">Cambiar a información de conexión</string>
<string name="pref_gpodnet_setlogin_information_sum">Cambiar as credenciais de conexión da túa conta gpodder.net</string>
<string name="pref_gpodnet_setlogin_information_sum">Cambiar as credenciais de conexión da túa conta gpodder.net.</string>
<string name="synchronization_sync_changes_title">Sincronizar agora</string>
<string name="synchronization_sync_summary">Sincroniza os cambios nas subscricións e estado dos episodios</string>
<string name="synchronization_full_sync_title">Forzar sincronización completa</string>
@ -624,7 +624,7 @@
<string name="choose_data_directory">Elixe cartafol de datos</string>
<string name="choose_data_directory_message">Elixe o cartafol base para os datos. AntennaPod creará os subdirectorios que precise.</string>
<string name="choose_data_directory_available_space">%1$s de %2$s libre</string>
<string name="pref_pausePlaybackForFocusLoss_sum">Pausar a reprodución en lugar de baixar o volume cando outra aplicación quere reproducir un son.</string>
<string name="pref_pausePlaybackForFocusLoss_sum">Pausar a reprodución en lugar de baixar o volume cando outra aplicación quere reproducir un son</string>
<string name="pref_pausePlaybackForFocusLoss_title">Pausa para interrupcións</string>
<!--Rating dialog-->
<string name="rating_tagline">Desde %1$s, reproduciches %2$s%3$d%4$s horas de podcasts.</string>
@ -694,9 +694,9 @@
<string name="release_schedule_saturday">Sáb</string>
<string name="release_schedule_sunday">Dom</string>
<!--AntennaPodSP-->
<string name="sp_apps_importing_feeds_msg">Importando as subscricións desde aplicacións de propósito único...</string>
<string name="sp_apps_importing_feeds_msg">Importando as subscricións desde aplicacións de propósito único</string>
<!--Add podcast fragment-->
<string name="search_podcast_hint">Buscar podcast...</string>
<string name="search_podcast_hint">Buscar podcast</string>
<string name="search_itunes_label">Buscar en Apple Podcasts</string>
<string name="search_podcastindex_label">Buscar en Podcast Index</string>
<string name="search_fyyd_label">Buscar en fyyd</string>
@ -746,7 +746,7 @@
<string name="port_label">Porto</string>
<string name="optional_hint">(Optativo)</string>
<string name="proxy_test_label">Proba</string>
<string name="proxy_checking">Comprobando...</string>
<string name="proxy_checking">Comprobando</string>
<string name="proxy_test_successful">Proba exitosa</string>
<string name="proxy_test_failed">Fallo na proba</string>
<string name="proxy_host_empty_error">Servidor non pode quedar baleiro</string>

View File

@ -2,7 +2,7 @@
<resources xmlns:tools="http://schemas.android.com/tools">
<!--Activity and fragment titles-->
<string name="feed_update_receiver_name">Feliratkozások frissítése</string>
<string name="feeds_label">Podcastok</string>
<string name="feeds_label">Podcastek</string>
<string name="statistics_label">Statisztika</string>
<string name="add_feed_label">Podcast hozzáadása</string>
<string name="episodes_label">Epizódok</string>
@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Beállítások megnyitása</string>
<string name="downloads_log_label">Letöltési napló</string>
<string name="subscriptions_label">Feliratkozások</string>
<string name="subscriptions_list_label">Feliratkozások listája</string>
<string name="subscriptions_list_label">Feliratkozások listája (csak az oldalmenüben)</string>
<string name="cancel_download_label">Letöltés megszakítása</string>
<string name="playback_history_label">Lejátszási előzmények</string>
<string name="episode_cache_full_title">Az epizódok tárhelye megtelt</string>
@ -52,7 +52,7 @@
<string name="home_new_title">Nézze meg az újdonságokat</string>
<string name="home_downloads_title">Letöltések kezelése</string>
<string name="home_welcome_title">Üdvözli az AntennaPod!</string>
<string name="home_welcome_text">Még nem iratkozott fel egy podcastra sem. Nyissa meg az oldalsó menüt és adjon hozzá egy podcastot.</string>
<string name="home_welcome_text">Még nem iratkozott fel egy podcastre sem. Nyissa meg az oldalsó menüt és adjon hozzá egy podcastet.</string>
<string name="notification_permission_denied">Ön megtagadta az engedélyt.</string>
<string name="configure_home">Kezdőképernyő beállítása</string>
<string name="section_hidden">Rejtett</string>
@ -98,7 +98,7 @@
<string name="error_msg_prefix">Hiba történt:</string>
<string name="refresh_label">Frissítés</string>
<string name="chapters_label">Fejezetek</string>
<string name="no_chapters_label">Nincsenek fejezetek.</string>
<string name="no_chapters_label">Nincsenek fejezetek</string>
<string name="chapter_duration">Hossz: %1$s</string>
<string name="description_label">Leírás</string>
<string name="shownotes_label">Adásnapló</string>
@ -107,7 +107,7 @@
<string name="retry_label">Újra</string>
<string name="auto_download_label">Hozzáadás az automatikus letöltésekhez</string>
<string name="feed_volume_adapdation">Hangerő igazítása</string>
<string name="feed_volume_adaptation_summary">Az ebbe a podcastba tartozó epizódok hangerejének növelése vagy csökkentése: %1$s</string>
<string name="feed_volume_adaptation_summary">Az ebbe a podcastbe tartozó epizódok hangerejének növelése vagy csökkentése: %1$s</string>
<string name="feed_volume_reduction_off">Nincs igazítás</string>
<string name="feed_volume_reduction_light">Enyhe igazítás</string>
<string name="feed_volume_reduction_heavy">Erős igazítás</string>
@ -121,7 +121,7 @@
<string name="feed_new_episodes_action_nothing">Semmi</string>
<string name="episode_cleanup_never">Soha</string>
<string name="episode_cleanup_except_favorite_removal">Ha nincs felvéve a kedvencek közé</string>
<string name="episode_cleanup_queue_removal">Ha nincs sorbaállítva</string>
<string name="episode_cleanup_queue_removal">Ha nincs sorba állítva</string>
<string name="episode_cleanup_after_listening">Befejezés után</string>
<plurals name="num_selected_label">
<item quantity="one">%1$d/%2$d kiválasztva</item>
@ -162,7 +162,7 @@
<string name="select_all_below">Az összes alatta lévő kiválasztása</string>
<string name="filtered_label">Szűrt</string>
<string name="refresh_failed_msg">A legutóbbi frissítés sikertelen. Koppintson a részletek megtekintéséhez.</string>
<string name="open_podcast">Podcastok megnyitása</string>
<string name="open_podcast">Podcastek megnyitása</string>
<string name="please_wait_for_data">Kis türelmet, míg az adatok betöltődnek</string>
<string name="updates_disabled_label">Frissítések letiltva</string>
<plurals name="updated_feeds_batch_label">
@ -173,7 +173,7 @@
<string name="add_tag">Címke hozzáadása</string>
<string name="rename_tag_label">Címke átnevezése</string>
<string name="confirm_mobile_feed_refresh_dialog_message">A mobil adatkapcsolaton történő podcastfrissítés ki van kapcsolva a beállításokban.\n\nMindenképp frissít?</string>
<string name="confirm_mobile_feed_refresh_dialog_message_vpn">A VPN-alkalmazása mobilhálózatnak (forgalomdíjas kapcsolatnak) álcázza magát. A podcastok mobil adatkapcsolaton keresztül történő frissítése le van tiltva a beállításokban.\n\nMindenképp frissíti? Ha szeretné megoldani ezt a problémát, akkor lépjen kapcsolatba a VPN-alkalmazás üzemeltetőivel.</string>
<string name="confirm_mobile_feed_refresh_dialog_message_vpn">A VPN-alkalmazása mobilhálózatnak (forgalomdíjas kapcsolatnak) álcázza magát. A podcastek mobil adatkapcsolaton keresztül történő frissítése le van tiltva a beállításokban.\n\nMindenképp frissíti? Ha szeretné megoldani ezt a problémát, akkor lépjen kapcsolatba a VPN-alkalmazás üzemeltetőivel.</string>
<!--actions on feeditems-->
<string name="download_label">Letöltés</string>
<plurals name="downloading_batch_label">
@ -238,7 +238,7 @@
<string name="download_error_error_unknown">Ismeretlen hiba</string>
<string name="download_error_parser_exception">A podcast kiszolgálója hibás podcastcsatornát küldött.</string>
<string name="download_error_unsupported_type">Nem támogatott csatornatípus</string>
<string name="download_error_unsupported_type_html">A podcast kiszolgálója egy weblapot küldött, nem podcastot.</string>
<string name="download_error_unsupported_type_html">A podcast kiszolgálója egy weblapot küldött, nem podcastet.</string>
<string name="download_error_not_found">A podcast kiszolgálója nem tudja hogy találja meg a fájlt. Lehet, hogy törölték.</string>
<string name="download_error_connection_error">Kapcsolódási hiba</string>
<string name="download_error_no_connection">Nincs hálózati kapcsolat</string>
@ -257,12 +257,12 @@
<item quantity="one">%d letöltés van hátra</item>
<item quantity="other">%d letöltés van hátra</item>
</plurals>
<string name="download_notification_title_feeds">Podcastok frissítése</string>
<string name="download_notification_title_feeds">Podcastek frissítése</string>
<string name="download_notification_title_episodes">Epizódok letöltése</string>
<string name="download_log_title_unknown">Ismeretlen cím</string>
<string name="download_type_feed">Csatorna</string>
<string name="download_type_media">Médiafájl</string>
<string name="no_feed_url_podcast_found_by_search">A javasolt podcastnek nem volt RSS-hivatkozása, az AntennaPod talált egy podcastet, amely lehet, hogy egyezik.</string>
<string name="no_feed_url_podcast_found_by_search">A javasolt podcastnek nem volt RSS-hivatkozása, az AntennaPod talált egy podcastet, amely lehet, hogy egyezik</string>
<string name="authentication_notification_title">Hitelesítés szükséges</string>
<string name="confirm_mobile_download_dialog_title">Mobilos letöltés megerősítése</string>
<string name="confirm_mobile_download_dialog_message">A mobilos adatkapcsolaton történő letöltés le van tiltva a beállításokban. Az AntennaPod később automatikusan letöltheti az epizódot, amikor a Wi-Fi elérhető lesz.</string>
@ -274,7 +274,7 @@
<string name="confirm_mobile_streaming_button_always">Mindig</string>
<string name="confirm_mobile_streaming_button_once">Egyszer</string>
<!--Mediaplayer messages-->
<string name="playback_error_generic"><![CDATA[A médiafájl nem játszható le.\n\n- Próbálja törölni, és újból letölteni az epizódot.\n- Ellenőrizze a hálózati kapcsolatát, és győződjön meg arról, hogy se VPN, se bejelentkezési oldal nem blokkolja a hozzáférését.\n- Próbálja hosszan megnyomni és megosztani a „Médiacímet” a webböngészőjével, hogy megnézze, ott működik-e. Ha nem, lépjen kapcsolatba a podcast készítőivel.]]></string>
<string name="playback_error_generic">A médiafájl nem játszható le.\n\n- Próbálja törölni, és újból letölteni az epizódot.\n- Ellenőrizze a hálózati kapcsolatát, és győződjön meg arról, hogy se VPN, se bejelentkezési oldal nem blokkolja a hozzáférését.\n- Próbálja hosszan megnyomni és megosztani a „Médiacímet” a webböngészőjével, hogy megnézze, ott működik-e. Ha nem, lépjen kapcsolatba a podcast készítőivel.</string>
<string name="no_media_playing_label">Nincs médialejátszás</string>
<string name="unknown_media_key">AntennaPod Ismeretlen médiabillentyű: %1$d</string>
<string name="error_file_not_found">A fájl nem található</string>
@ -283,7 +283,7 @@
<string name="lock_queue">Lejátszási sor zárolása</string>
<string name="queue_locked">Lejátszási sor zárolva</string>
<string name="queue_unlocked">Lejátszási sor feloldva</string>
<string name="queue_lock_warning">Ha zárolja a sort, akkor többé nem seperheti ki vagy rendezheti át az epizódokat</string>
<string name="queue_lock_warning">Ha zárolja a sort, akkor többé nem seperheti ki vagy rendezheti át az epizódokat.</string>
<string name="checkbox_do_not_show_again">Ne mutassa újra</string>
<string name="clear_queue_label">Lejátszási sor kiürítése</string>
<string name="undo">Visszavonás</string>
@ -313,7 +313,7 @@
<string name="no_history_head_label">Nincsenek előzmények</string>
<string name="no_history_label">Ha meghallgat egy epizódot, meg fog itt jelenni.</string>
<string name="no_all_episodes_head_label">Nincsenek epizódok</string>
<string name="no_all_episodes_label">Ha hozzáad egy podcastot, az epizódok itt fognak megjelenni.</string>
<string name="no_all_episodes_label">Ha hozzáad egy podcastet, az epizódok itt fognak megjelenni.</string>
<string name="no_all_episodes_filtered_label">Próbálja meg törölni a szűrőt, hogy több epizódot lásson.</string>
<string name="no_inbox_head_label">Nincsenek beérkezett epizódok</string>
<string name="no_inbox_label">Amikor új epizódok érkeznek, akkor itt fognak megjelenni. Azután eldöntheti, hogy érdeklik-e vagy sem.</string>
@ -332,9 +332,9 @@
<string name="playback_control">Lejátszásvezérlés</string>
<string name="reassign_hardware_buttons">Hardvergomb-társítások átrendezése</string>
<string name="preference_search_hint">Keresés…</string>
<string name="preference_search_no_results">Nincsenek találatok</string>
<string name="preference_search_no_results">Nincs találat</string>
<string name="preference_search_clear_history">Napló törlése</string>
<string name="pref_episode_cleanup_summary">Azon epizódok, melyek törölhetők, ha az Automatikus letöltésnek helyre van szüksége az új epizódok miatt.</string>
<string name="pref_episode_cleanup_summary">Azon epizódok, melyek törölhetők, ha az Automatikus letöltésnek helyre van szüksége az új epizódok miatt</string>
<string name="pref_pauseOnDisconnect_sum">Lejátszás szüneteltetése fejhallgató vagy bluetooth leválasztásakor</string>
<string name="pref_unpauseOnHeadsetReconnect_sum">Lejátszás folytatása a fejhallgatók újracsatlakoztatásakor</string>
<string name="pref_unpauseOnBluetoothReconnect_sum">Lejátszás folytatása a bluetooth újracsatlakozásakor</string>
@ -359,7 +359,7 @@
<string name="playback_pref_sum">Fejhallgató-vezérlők, léptetési időközök, lejátszási sor</string>
<string name="downloads_pref">Letöltések</string>
<string name="downloads_pref_sum">Frissítési intervallum, mobil adatkapcsolat, automatikus letöltés, automatikus törlés</string>
<string name="feed_refresh_title">Podcastok frissítése</string>
<string name="feed_refresh_title">Podcastek frissítése</string>
<string name="feed_refresh_sum">Adjon meg egy intervallumot vagy egy adott időpontot az új epizódok automatikus kereséséhez</string>
<string name="feed_refresh_never">Soha</string>
<string name="feed_every_hour">Óránként</string>
@ -407,7 +407,7 @@
<string name="pref_playback_speed_sum">A változó sebességű lejátszáshoz elérhető sebességek testreszabása</string>
<string name="pref_feed_playback_speed_sum">A podcast epizódjainak indításakor használandó lejátszási sebesség</string>
<string name="pref_feed_skip">Automatikus kihagyás</string>
<string name="pref_feed_skip_sum">Bevezetők és lezárások kihagyása</string>
<string name="pref_feed_skip_sum">Bevezetők és lezárások kihagyása.</string>
<string name="pref_feed_skip_ending">Utolsó másodpercek átugrása</string>
<string name="pref_feed_skip_intro">Első másodpercek átugrása</string>
<string name="pref_feed_skip_ending_toast">Utolsó %d másodperc kihagyva</string>
@ -446,7 +446,7 @@
<string name="pref_default_page">Alapértelmezett oldal</string>
<string name="pref_default_page_sum">Az AntennaPod indításakor megnyitott képernyő</string>
<string name="pref_back_button_opens_drawer">A vissza gomb kinyitja a fiókot</string>
<string name="pref_back_button_opens_drawer_summary">A vissza gomb az alapértelmezett képernyőn történő megnyomása kinyitja a navigációs fiókot.</string>
<string name="pref_back_button_opens_drawer_summary">A vissza gomb az alapértelmezett képernyőn történő megnyomása kinyitja a navigációs fiókot</string>
<string name="remember_last_page">Legutóbbi oldal megjegyzése</string>
<string name="pref_delete_removes_from_queue_title">A törlés eltávolítja a sorból</string>
<string name="pref_delete_removes_from_queue_sum">Törléskor az epizód automatikus eltávolítása a sorból</string>
@ -459,7 +459,7 @@
<string name="not_kept_updated">Nincs frissítve tartva</string>
<string name="new_episode_notification_enabled">Értesítés engedélyezve</string>
<string name="new_episode_notification_disabled">Értesítés letiltva</string>
<string name="pref_feed_settings_dialog_msg">A beállítás minden podcastnál egyedi. A podcast lapját megnyitva módosíthatja.</string>
<string name="pref_feed_settings_dialog_msg">A beállítás minden podcastnél egyedi. A podcast lapját megnyitva módosíthatja.</string>
<string name="pref_contribute">Közreműködés</string>
<string name="pref_new_episodes_action_title">Új epizódok művelete</string>
<string name="pref_new_episodes_action_sum">Teendő az új epizódok esetén</string>
@ -467,7 +467,7 @@
<string name="about_pref">Névjegy</string>
<string name="antennapod_version">AntennaPod verzió</string>
<string name="contributors">Közreműködők</string>
<string name="contributors_summary">Mindenki, aki segített az AntennaPod még jobbá tételében kóddal, fordítással vagy a felhasználók segítésével a fórumon.</string>
<string name="contributors_summary">Mindenki segíthet az AntennaPod még jobbá tételében kóddal, fordítással vagy a felhasználók segítésével a fórumon</string>
<string name="developers">Fejlesztők</string>
<string name="translators">Fordítók</string>
<string name="special_thanks">Külön köszönet</string>
@ -475,7 +475,7 @@
<string name="licenses">Licencek</string>
<string name="licenses_summary">Az AntennaPod más remek szoftvereket használ</string>
<!--Search-->
<string name="search_status_no_results">Nincsenek találatok</string>
<string name="search_status_no_results">Nincs találat</string>
<string name="type_to_search">Írjon ide a kereséshez</string>
<string name="search_label">Keresés</string>
<string name="no_results_for_query">Nincs találat a következőre: „%1$s”</string>
@ -509,7 +509,7 @@
<string name="database_export_label">Adatbázis exportálása</string>
<string name="automatic_database_export_label">Automatikus adatbázis-exportálás</string>
<string name="automatic_database_export_summary">Készítsen biztonsági mentést az AntennaPod adatbázisáról 3 naponta. Csak az 5 legfrissebbet tartsa meg.</string>
<string name="automatic_database_export_error">Hiba az adatbázis automatikus biztonsági mentése során.</string>
<string name="automatic_database_export_error">Hiba az adatbázis automatikus biztonsági mentése során</string>
<string name="database_import_label">Adatbázis importálása</string>
<string name="database_import_warning">Az adatbázis importálása lecseréli a jelenlegi feliratkozásait és lejátszási előzményeit. Célszerű biztonsági mentésként exportálni a jelenlegi adatbázist. Biztos, hogy lecseréli?</string>
<string name="please_wait">Várjon…</string>
@ -539,7 +539,7 @@
<string name="sleep_timer_enabled_label">Alvási időzítő bekapcsolva</string>
<!--Synchronisation-->
<string name="synchronization_choose_title">Válasszon szinkronizálási szolgáltatót</string>
<string name="synchronization_summary_unchoosen">Több szolgáltató közül választhat, melyekkel szinkronizálhatja a feliratkozásait és az epizódok lejátszási állapotait.</string>
<string name="synchronization_summary_unchoosen">Több szolgáltató közül választhat, melyekkel szinkronizálhatja a feliratkozásait és az epizódok lejátszási állapotait</string>
<string name="dialog_choose_sync_service_title">Válasszon szinkronizálási szolgáltatót</string>
<string name="gpodnet_description">A gpodder.net egy nyílt forráskódú podcast szinkronizációs szolgáltatás, amelyet a saját kiszolgálójára telepíthet. A gpodder.net független az AntennaPod projekttől.</string>
<string name="synchronization_summary_nextcloud">A Gpoddersync egy nyílt forráskódú nextcloudos alkalmazás, amelyet könnyedén telepíthet a saját kiszolgálójára. Az alkalmazás független az AntennaPod projekttől.</string>
@ -567,7 +567,7 @@
<string name="synchronization_full_sync_title">Teljes szinkronizáció kényszerítése</string>
<string name="synchronization_force_sync_summary">Az összes feliratkozás és epizódállapot újraszinkronizálása</string>
<string name="synchronization_logout">Kijelentkezés</string>
<string name="synchronization_login_status"><![CDATA[Bejelentkezve mint <i>%1$s</i>, ekkor: <i>%2$s</i>. <br/><br/>Ha kijelentkezett, akkor újra kiválaszthatja a szinkronizációs szolgáltatóját]]></string>
<string name="synchronization_login_status">Bejelentkezve mint %1$s, ekkor: %2$s.\n\nHa kijelentkezett, akkor újra kiválaszthatja a szinkronizációs szolgáltatóját.</string>
<string name="pref_synchronization_logout_toast">Kijelentkezés sikeres</string>
<string name="gpodnetsync_error_title">gpodder.net szinkronizálási hiba</string>
<string name="gpodnetsync_error_descr">"Hiba történt a szinkronizálás során: "</string>
@ -580,10 +580,10 @@
<string name="pref_pausePlaybackForFocusLoss_sum">Lejátszás szüneteltetése a hangerő csökkentése helyett, ha egy másik alkalmazás akar hangot lejátszani</string>
<string name="pref_pausePlaybackForFocusLoss_title">Megszakítások esetén szüneteltetés</string>
<!--Rating dialog-->
<string name="rating_tagline">%1$s óta %2$s%3$d%4$sórányi podcastot hallgatott.</string>
<string name="rating_tagline">%1$s óta %2$s%3$d%4$s órányi podcastet hallgatott.</string>
<string name="rating_contribute_label">Csatlakozna? Akár a fordításba, a támogatásba, a dizájnba vagy a kódolásba szállna be, örömmel látjuk!</string>
<string name="rating_contribute_button">Fedezze fel, hogyan működhet közre</string>
<string name="rating_rate">Értékelje az AntennaPodot.</string>
<string name="rating_rate">Az AntennaPod értékelése</string>
<string name="rating_later">Később</string>
<!--Online feed view-->
<string name="subscribe_label">Feliratkozás</string>
@ -608,7 +608,7 @@
<string name="add_preset">Előbeállítás hozzáadása</string>
<!--Feed settings/information screen-->
<string name="authentication_label">Hitelesítés</string>
<string name="authentication_descr">A felhasználónév és jelszó módosítása ennél a podcastnál és az epizódoknál.</string>
<string name="authentication_descr">A felhasználónév és jelszó módosítása ennél a podcastnél és az epizódoknál.</string>
<string name="feed_tags_label">Címkék</string>
<string name="feed_tags_summary">Módosítja a podcast címkéit, hogy segítsen a feliratkozásai rendszerezésében</string>
<string name="feed_folders_include_root">A podcast megjelenítése a fő listában</string>
@ -621,7 +621,7 @@
<string name="include_terms">Csak a lenti kifejezések egyikét tartalmazó epizódok belevétele</string>
<string name="exclude_episodes_shorter_than">Az ennél rövidebb epizódok kizárása:</string>
<string name="keep_updated">Frissítve tartás</string>
<string name="keep_updated_summary">Vegye bele ezt a podcastot is az összes podcast (automatikus) frissítésébe</string>
<string name="keep_updated_summary">A podcast belevétele az összes podcast (automatikus) frissítésébe</string>
<string name="auto_download_disabled_globally">Az automatikus letöltés ki van kapcsolva a fő AntennaPod beállításokban</string>
<string name="statistics_expected_next_episode_any_day">Pár napon belül</string>
<string name="statistics_expected_next_episode_unknown">Ismeretlen</string>
@ -638,7 +638,7 @@
<string name="release_schedule_thursday">cs.</string>
<string name="release_schedule_friday">p.</string>
<string name="release_schedule_saturday">szo.</string>
<string name="release_schedule_sunday">vas.</string>
<string name="release_schedule_sunday">v.</string>
<!--AntennaPodSP-->
<string name="sp_apps_importing_feeds_msg">Feliratkozások importálása az egycélú alkalmazásokból…</string>
<!--Add podcast fragment-->
@ -714,7 +714,7 @@
<string name="notification_channel_sync_error">Szinkronizálás sikertelen</string>
<string name="notification_channel_sync_error_description">Megjelenik, ha a gpodder szinkronizálás sikertelen.</string>
<string name="notification_channel_new_episode">Új epizód</string>
<string name="notification_channel_new_episode_description">Megjelenik, ha a podcastnak új epizódja van, ha az értesítések engedélyezettek</string>
<string name="notification_channel_new_episode_description">Megjelenik, ha a podcastnek új epizódja van, és ha az értesítések engedélyezettek</string>
<!--Widget settings-->
<string name="widget_settings">Modul beállítások</string>
<string name="widget_create_button">Modul létrehozása</string>
@ -726,4 +726,93 @@
<string name="shortcut_subscription_label">Feliratkozás indítója</string>
<string name="shortcut_select_subscription">Feliratkozás kiválasztása</string>
<string name="add_shortcut">Indító hozzáadása</string>
<string name="pref_show_subscription_title">Címek megjelenítése</string>
<plurals name="episode_cleanup_days_after_listening">
<item quantity="one">%d nappal a befejezés után</item>
<item quantity="other">%d nappal a befejezés után</item>
</plurals>
<string name="episode_information">Epizódinformációk</string>
<string name="preview_episodes">Epizódok előnézete</string>
<plurals name="deleted_multi_episode_batch_label">
<item quantity="one">%d letöltött epizód törölve.</item>
<item quantity="other">%d letöltött epizód törölve.</item>
</plurals>
<plurals name="episode_cleanup_hours_after_listening">
<item quantity="one">%d órával a befejezés után</item>
<item quantity="other">%d órával a befejezés után</item>
</plurals>
<string name="pref_nav_drawer_items_title">Navigáció testreszabása</string>
<string name="download_completed_talkback">A(z) %1$s letöltése befejeződött</string>
<string name="statistics_years_barchart_description">Havi lejátszás</string>
<string name="feed_delete_confirmation_local_msg">Erősítse meg, hogy eltávolítja a(z) „%1$s” podcastet, az előzményeivel és a statisztákáival. A helyi forrásmappában lévő fájlok nem lesznek törölve.</string>
<string name="show_transcript">Leirat megjelenítése</string>
<string name="transcript">Leirat</string>
<string name="null_value_podcast_error">A hivatkozás, amelyre koppintott, nem tartalmaz érvényes podcastwebcímet. Ellenőrizze a hivatkozást és próbálja újra, vagy keressen rá kézileg a podcastre.</string>
<string name="clear_queue_confirmation_msg">Erősítse meg, hogy törli az ÖSSZES epizódot a lejátszási sorból.</string>
<string name="pref_episode_cleanup_title">Törlés az automatikus letöltés előtt</string>
<string name="button_action_fast_forward">Előretekerés</string>
<string name="pref_auto_delete_playback_sum">Epizód törlése a lejátszás végeztével</string>
<string name="pref_fast_forward_sum">Az előrefelé ugrás hossza másodpercben, amikor az előretekerés gombra kattint</string>
<plurals name="time_seconds_quantified">
<item quantity="one">%d másodperc</item>
<item quantity="other">%d másodperc</item>
</plurals>
<string name="home_no_recent_unplayed_episodes_text">Már lejátszott minden friss epizódot. Nincs itt semmi meglepő :)</string>
<string name="home_new_empty_text">Az új epizódok itt fognak megjelenni. Azután eldöntheti, hogy érdeklik-e.</string>
<string name="home_downloads_empty_text">Bármely epizódot letölthet, és meghallgathatja offline.</string>
<string name="section_shown">Megjelenítve</string>
<string name="delete_downloads_played">Lejátszottak törlése</string>
<string name="bottom_navigation">Alsó navigáció</string>
<string name="statistics_episodes_total">összesen</string>
<string name="statistics_episodes_started">elindítva</string>
<string name="statistics_episodes_played">lejátszva</string>
<string name="statistics_episodes_downloaded">letöltve</string>
<string name="feed_delete_confirmation_msg">Erősítse meg, hogy törli a(z) „%1$s” podcastet, az ÖSSZES epizóddal (beleértve a letöltött epizódokat is), előzménnyel és a statisztákáival.</string>
<string name="feed_delete_confirmation_msg_batch">Erősítse meg, hogy eltávolítja a kiválasztott podcastet, az ÖSSZES epizóddal (beleértve a letöltött epizódokat is), előzménnyel és statisztákáival.</string>
<string name="multi_select_started_talkback">A többszörös kiválasztási műveletek lent jelennek meg</string>
<string name="delete_downloads_played_confirmation">Erősítse meg, hogy törli az összes lejátszott letöltést.</string>
<string name="transcript_follow">Hang követése</string>
<string name="no_transcript_label">Nincs leirat</string>
<string name="mobile_download_notice">Letöltés mobil-adatkapcsolaton keresztül a következő %d percben</string>
<string name="theming">Téma</string>
<string name="pref_auto_delete_playback_title">Törlés lejátszás után</string>
<string name="pref_auto_delete_title">Automatikus törlés</string>
<string name="pref_auto_delete_sum">Epizódok törlése lejátszás után, vagy ha az automatikus letöltésnek helyre van szüksége</string>
<string name="bottom_navigation_summary">Béta funkció: Érje el a legfontosabb képernyőket bárhonnan, egyetlen kattintással</string>
<string name="pref_nav_drawer_items_sum">A navigációs fiókban vagy az alsó navigációs sávban megjelenő elemek testreszabása</string>
<string name="pref_episode_cache_title">Epizódkorlát</string>
<string name="pref_episode_cache_summary">Az automatikus letöltés leáll, ha eléri ezt a számot</string>
<string name="pref_fast_forward">Előretekerés mértéke</string>
<string name="sync_status_wait_for_downloads">Várakozás a feliratkozások frissítésére…</string>
<plurals name="time_hours_quantified">
<item quantity="one">%d óra</item>
<item quantity="other">%d óra</item>
</plurals>
<string name="choose_data_directory_message">Válassza ki a adatmappája gyökerét. Az AntennaPod létre fogja hozni a megfelelő alkönyvtárakat.</string>
<string name="rating_volunteers_label">Az AntennaPodot önkéntesek fejlesztik a szabadidejükben. Ossza meg a munkájuk iránti elismerését azzal, hogy jó értékelést hagy.</string>
<string name="state_deleted_not_subscribed">Még nem iratkozott fel erre a podcastre. Iratkozzon fel ingyen, hogy könnyebben megtalálja, és megtartsa az előzményeket.</string>
<string name="fast_forward_label">Előretekerés</string>
<string name="download_started_talkback">A(z) %1$s letöltése elindult</string>
<string name="statistics_episodes_space">hely lefoglalva</string>
<string name="statistics_release_schedule">kiadási ütemterv</string>
<string name="statistics_release_next">következő epizód (becslés)</string>
<string name="statistics_view_all">Összes podcast »</string>
<string name="edit_url_confirmation_msg">Az RSS-cím könnyen elronthatja a lejátszási állapotot és a podcast epizódlistáját. NEM javasoljuk a megváltoztatását, és NEM biztosítunk támogatást, ha valami nem sikerül. Ez nem vonható vissza. A hibás feliratkozás NEM javítható meg a visszaírásával. A folytatás előtt biztonsági mentést javaslunk.</string>
<string name="discover_more">Továbbiak felfedezése »</string>
<string name="subscription_display_list">Lista</string>
<string name="home_continue_empty_text">További epizódokat úgy adhat hozzá, hogy letölti őket, vagy hosszan lenyomja őket, és kiválasztja a „Hozzáadás a lejátszási sorhoz” lehetőséget.</string>
<plurals name="total_size_downloaded_podcasts">
<item quantity="one">%d epizód teljes mérete az eszközön</item>
<item quantity="other">%d epizód teljes mérete az eszközön</item>
</plurals>
<plurals name="time_minutes_quantified">
<item quantity="one">%d perc</item>
<item quantity="other">%d perc</item>
</plurals>
<string name="episode_download_failed">Az epizód letöltése sikertelen</string>
<plurals name="time_days_quantified">
<item quantity="one">%d nap</item>
<item quantity="other">%d nap</item>
</plurals>
<string name="nextcloud_login_error_generic">Nem sikerült bejelentkezni a Nextcloudba.\n\n- Ellenőrizze a hálózati kapcsolatot.\n- Győződjön meg róla, hogy a helyes kiszolgálócímet használja.\n- Bizonyosodjon meg róla, ha a gpoddersync Nextcloud-bővítmény telepítve van.</string>
</resources>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Apri Impostazioni</string>
<string name="downloads_log_label">Registro dei download</string>
<string name="subscriptions_label">Iscrizioni</string>
<string name="subscriptions_list_label">Lista iscrizioni</string>
<string name="subscriptions_list_label">Lista iscrizioni (solo menù laterale)</string>
<string name="cancel_download_label">Annulla download</string>
<string name="playback_history_label">Cronologia riproduzioni</string>
<string name="episode_cache_full_title">Cache degli episodi piena</string>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">פתיחת הגדרות</string>
<string name="downloads_log_label">יומן הורדות</string>
<string name="subscriptions_label">הסכתים</string>
<string name="subscriptions_list_label">רשימת מינויים</string>
<string name="subscriptions_list_label">רשימת מינויים (תפריט צד בלבד)</string>
<string name="cancel_download_label">ביטול הורדה</string>
<string name="playback_history_label">היסטוריית נגינה</string>
<string name="episode_cache_full_title">מטמון הפרקים מלא</string>

View File

@ -217,6 +217,8 @@
<string name="download_running">ダウンロード実行中</string>
<string name="download_error_details">詳細</string>
<string name="download_log_details_message">%1$s \n\n技術的な理由: \n%2$s \n\nファイル URL:\n%3$s</string>
<string name="download_error_retrying">\"%1$s\" のダウンロードに失敗しました。後ほど再度ダウンロードを試みます。</string>
<string name="download_error_not_retrying">\"%1$s\" のダウンロードに失敗しました。</string>
<string name="download_error_tap_for_details">タップして詳細を表示します。</string>
<string name="download_error_device_not_found">ストレージ デバイスが見つかりません</string>
<string name="download_error_insufficient_space">デバイスに十分な空きスペースがありません。</string>
@ -463,6 +465,7 @@
<string name="search_status_no_results">見つかりませんでした</string>
<string name="type_to_search">検索ワードを入力してください</string>
<string name="search_label">検索</string>
<string name="no_results_for_query">\"%1$s\" の結果は見つかりませんでした</string>
<string name="search_online">オンラインで検索</string>
<!--Synchronization-->
<string name="sync_status_started">同期開始</string>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Åpne innstillinger</string>
<string name="downloads_log_label">Nedlastingslogg</string>
<string name="subscriptions_label">Abonnementer</string>
<string name="subscriptions_list_label">Abonnementliste</string>
<string name="subscriptions_list_label">Abonnementliste (kun sidemeny)</string>
<string name="cancel_download_label">Avbryt nedlastingen</string>
<string name="playback_history_label">Avspillingshistorikk</string>
<string name="episode_cache_full_title">Hurtigbuffer for episoder er full</string>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Abrir as configurações</string>
<string name="downloads_log_label">Registro de downloads</string>
<string name="subscriptions_label">Assinaturas</string>
<string name="subscriptions_list_label">Lista de assinaturas</string>
<string name="subscriptions_list_label">Lista de assinaturas (menu lateral apenas)</string>
<string name="cancel_download_label">Cancelar download</string>
<string name="playback_history_label">Histórico de reprodução</string>
<string name="episode_cache_full_title">Cache de episódios cheio</string>
@ -199,12 +199,12 @@
</plurals>
<string name="play_label">Reproduzir</string>
<string name="pause_label">Pausar</string>
<string name="stream_label">Stream</string>
<string name="stream_label">Tocar por streaming</string>
<string name="delete_label">Excluir</string>
<plurals name="deleted_multi_episode_batch_label">
<item quantity="one">%d episódio baixado excluído.</item>
<item quantity="many">%d episódios baixados excluídos.</item>
<item quantity="other">%d episódios baixados excluídos</item>
<item quantity="other">%d episódios baixados excluídos.</item>
</plurals>
<string name="remove_inbox_label">Remover da caixa de entrada</string>
<string name="removed_inbox_label">Removido da caixa de entrada</string>
@ -270,7 +270,7 @@
<string name="download_error_parser_exception">O servidor de hospedagem do podcast enviou um feed defeituoso.</string>
<string name="download_error_unsupported_type">Tipo de feed não suportado</string>
<string name="download_error_unsupported_type_html">O servidor de hospedagem do podcast enviou uma página web e não um podcast.</string>
<string name="download_error_not_found">O servidor de hospedagem do podcast não conseguiu encontrar o arquivo. Ele pode ter sido excluído.</string>
<string name="download_error_not_found">O servidor que hospeda o podcast não consegue encontrar o arquivo. Ele pode ter sido excluído.</string>
<string name="download_error_connection_error">Erro na conexão</string>
<string name="download_error_no_connection">Nenhuma conexão de rede</string>
<string name="download_error_unknown_host">Não foi possível encontrar o servidor. Verifique se o endereço foi digitado corretamente e se você tem uma conexão ativa com a Internet.</string>
@ -306,7 +306,7 @@
<string name="confirm_mobile_streaming_button_always">Sempre</string>
<string name="confirm_mobile_streaming_button_once">Uma vez</string>
<!--Mediaplayer messages-->
<string name="playback_error_generic"><![CDATA[Não foi possível reproduzir o arquivo de mídia.\n\n- Tente excluir e baixar novamente o episódio.\n- Verifique sua conexão de rede e certifique-se de que nenhuma VPN ou página de login esteja bloqueando o acesso.\n- Tente pressionar longamente e compartilhar o \"Endereço de mídia\" com seu navegador para ver se ele pode ser reproduzido lá. Caso contrário, entre em contato com os criadores do podcast.]]></string>
<string name="playback_error_generic">Não foi possível reproduzir o arquivo de mídia.\n\n- Tente excluir e baixar novamente o episódio.\n- Verifique sua conexão de rede e certifique-se de que não haja VPN ou página de login bloqueando o acesso.\n- Tente pressionar longamente e compartilhar o \\\"Endereço de mídia\\\" com seu navegador Web para ver se consegue reproduzi-lo lá. Caso contrário, entre em contato com os criadores do podcast.</string>
<string name="no_media_playing_label">Nenhuma mídia em reprodução</string>
<string name="unknown_media_key">AntennaPod - Chave de mídia desconhecida: %1$d</string>
<string name="error_file_not_found">Arquivo não encontrado</string>
@ -330,10 +330,10 @@
<string name="random">Aleatório</string>
<string name="smart_shuffle">Embaralhamento inteligente</string>
<string name="size">Tamanho</string>
<string name="clear_queue_confirmation_msg">Por favor, confirme que você deseja remover TODOS os episódios da fila.</string>
<string name="clear_queue_confirmation_msg">Confirme que deseja remover TODOS os episódios da fila.</string>
<string name="time_left_label">"Tempo restante: "</string>
<!--Variable Speed-->
<string name="speed_presets">Presets</string>
<string name="speed_presets">Velocidades predefinidas</string>
<string name="preset_already_exists">%1$.2fx foi salvo com um preset.</string>
<!--Empty list labels-->
<string name="no_items_header_label">Nenhum episódio na fila</string>
@ -365,7 +365,7 @@
<string name="interruptions">Interrupções</string>
<string name="playback_control">Controle de reprodução</string>
<string name="reassign_hardware_buttons">Reassociar os botões físicos</string>
<string name="preference_search_hint">Procurar...</string>
<string name="preference_search_hint">Procurar</string>
<string name="preference_search_no_results">Nenhum resultado</string>
<string name="preference_search_clear_history">Limpar histórico</string>
<string name="pref_episode_cleanup_title">Excluir antes de baixar automaticamente</string>
@ -388,7 +388,7 @@
<string name="pref_auto_delete_sum">Exclui os episódios após a reprodução ou quando o download automático necessitar de espaço</string>
<string name="pref_auto_local_delete_title">Exclusão automática das pastas locais</string>
<string name="pref_auto_local_delete_sum">Incluir pastas locais na funcionalidade de exclusão automática</string>
<string name="pref_auto_local_delete_dialog_body">Observe que, para pastas locais, isso removerá episódios do AntennaPod e excluirá seus arquivos de mídia do armazenamento interno. Eles não poderão ser baixados novamente pelo AntennaPod. Deseja ativar a exclusão automática?</string>
<string name="pref_auto_local_delete_dialog_body">Observe que, para pastas locais, isso removerá os episódios do AntennaPod e excluirá seus arquivos de mídia do armazenamento do dispositivo. Eles não poderão ser baixados novamente pelo AntennaPod. Habilitar exclusão automática?</string>
<string name="pref_smart_mark_as_played_sum">Marcar episódios como reproduzidos mesmo que ainda restem alguns segundos de reprodução</string>
<string name="pref_smart_mark_as_played_title">Marcação inteligente quando reproduzido</string>
<string name="pref_skip_keeps_episodes_sum">Mantém os episódios quando eles forem pulados</string>
@ -421,7 +421,7 @@
<string name="pref_mobileUpdate_images">Imagens de capa</string>
<string name="pref_mobileUpdate_auto_download">Download automático</string>
<string name="pref_mobileUpdate_episode_download">Download de episódios</string>
<string name="pref_mobileUpdate_streaming">Streaming</string>
<string name="pref_mobileUpdate_streaming">Tocar sem guardar arquivo</string>
<string name="user_interface_label">Interface do usuário</string>
<string name="user_interface_sum">Aparência, assinaturas, tela de bloqueio</string>
<string name="pref_black_theme_title">Preto total</string>
@ -446,7 +446,7 @@
<string name="pref_theme_title_light">Claro</string>
<string name="pref_theme_title_dark">Escuro</string>
<string name="pref_episode_cache_unlimited">Ilimitado</string>
<string name="pref_playback_speed_sum">Personalize as velocidades disponíveis para reprodução de áudio.</string>
<string name="pref_playback_speed_sum">Personalizar as velocidades disponíveis na reprodução com velocidade variável</string>
<string name="pref_feed_playback_speed_sum">A velocidade a ser usada ao iniciar a reprodução de áudio para episódios neste podcast</string>
<string name="pref_feed_skip">Pular automaticamente</string>
<string name="pref_feed_skip_sum">Pule as introduções e os créditos finais.</string>
@ -493,7 +493,7 @@
<string name="pref_back_button_opens_drawer_summary">Abre o menu de navegação ao pressionar o botão voltar na página inicial</string>
<string name="remember_last_page">Lembrar a última página</string>
<string name="pref_delete_removes_from_queue_title">Excluir os removidos da fila</string>
<string name="pref_delete_removes_from_queue_sum">Remove automaticamente um episódio da fila quando ele é excluído.</string>
<string name="pref_delete_removes_from_queue_sum">Remover automaticamente um episódio da fila quando ele for excluído</string>
<string name="pref_filter_feed_title">Filtro de assinaturas</string>
<string name="pref_filter_feed_sum">Filtra suas assinaturas no menu de navegação e na tela de assinaturas</string>
<string name="subscriptions_counter_greater_zero">Contador maior que zero</string>
@ -528,10 +528,10 @@
<string name="search_online">Pesquisar online</string>
<!--Synchronization-->
<string name="sync_status_started">Sincronização iniciada</string>
<string name="sync_status_episodes_upload">Enviando alterações de episódio...</string>
<string name="sync_status_episodes_upload">Enviando alterações de episódio</string>
<string name="sync_status_episodes_download">Baixando alterações de episódio…</string>
<string name="sync_status_upload_played">Enviando status de reprodução...</string>
<string name="sync_status_subscriptions">Sincronizando assinaturas...</string>
<string name="sync_status_upload_played">Enviando situação da reprodução…</string>
<string name="sync_status_subscriptions">Sincronizando assinaturas</string>
<string name="sync_status_success">Sincronização bem sucedida</string>
<string name="sync_status_error">Falha na sincronização</string>
<!--import and export-->
@ -546,7 +546,7 @@
<string name="database_import_summary">Importa o banco de dados AntennaPod de outro dispositivo</string>
<string name="opml_import_label">Importação de OPML</string>
<string name="opml_add_podcast_label">Importar lista de podcasts (OPML)</string>
<string name="opml_reader_error">Ocorreu um erro durante a leitura do arquivo. Certifique-se de que selecionou um arquivo OPML e que o mesmo seja válido.</string>
<string name="opml_reader_error">Ocorreu um erro durante a leitura do arquivo. Certifique-se de ter realmente selecionado um arquivo OPML e que ele seja válido.</string>
<string name="opml_import_error_no_file">Nenhum arquivo selecionado!</string>
<string name="select_all_label">Selecionar todos</string>
<string name="deselect_all_label">Remover seleção</string>
@ -558,7 +558,7 @@
<string name="automatic_database_export_error">Ocorreu um erro durante o backup automático de banco de dados</string>
<string name="database_import_label">Importação do banco de dados</string>
<string name="database_import_warning">A importação de um banco de dados substituirá todas as suas assinaturas atuais e histórico de reprodução. Você deve exportar seu banco de dados atual como um backup. Você quer substituir?</string>
<string name="please_wait">Por favor aguarde...</string>
<string name="please_wait">Aguarde…</string>
<string name="export_error_label">Erro na exportação</string>
<string name="export_success_title">Exportado com sucesso</string>
<string name="opml_import_ask_read_permission">É necessário acesso ao armazenamento externo para ler o arquivo OPML</string>
@ -627,13 +627,13 @@
<string name="gpodnetauth_finish_descr">Parabéns! Sua conta gpodder.net agora está conectada ao seu dispositivo. O AntennaPod irá, daqui em diante, sincronizar automaticamente assinaturas do seu dispositivo com sua conta gpodder.net.</string>
<string name="gpodnetauth_finish_butsyncnow">Iniciar sincronização agora</string>
<string name="pref_gpodnet_setlogin_information_title">Alterar informações de login</string>
<string name="pref_gpodnet_setlogin_information_sum">Alterar informações de login da sua conta gpodder.net</string>
<string name="pref_gpodnet_setlogin_information_sum">Modificar dados de autenticação da sua conta gpodder.net.</string>
<string name="synchronization_sync_changes_title">Sincronizar agora</string>
<string name="synchronization_sync_summary">Sincroniza as assinaturas e as alterações na situação dos episódios</string>
<string name="synchronization_full_sync_title">Forçar sincronização completa</string>
<string name="synchronization_force_sync_summary">Sincronize novamente todas as assinaturas e a situação dos episódios</string>
<string name="synchronization_logout">Encerrar sessão</string>
<string name="synchronization_login_status"><![CDATA[Autenticado como <i>%1$s</i> em <i>%2$s</i>. <br/><br/>Você pode escolher seu serviço de sincronização novamente assim que encerrar a sessão]]></string>
<string name="synchronization_login_status">Autenticado como %1$s em %2$s.\n\nSerá possível escolher novamente o serviço de sincronização após ter encerrado a sessão.</string>
<string name="pref_synchronization_logout_toast">A sessão foi encerrada com sucesso</string>
<string name="gpodnetsync_error_title">gpodder.net: erro de sincronização</string>
<string name="gpodnetsync_error_descr">"Ocorreu um erro durante a sincronização: "</string>
@ -714,9 +714,9 @@
<string name="release_schedule_saturday">sáb</string>
<string name="release_schedule_sunday">dom</string>
<!--AntennaPodSP-->
<string name="sp_apps_importing_feeds_msg">Importando assinaturas de aplicativos de finalidade única...</string>
<string name="sp_apps_importing_feeds_msg">Importando assinaturas a partir de aplicativos de propósito específico…</string>
<!--Add podcast fragment-->
<string name="search_podcast_hint">Procurar podcast...</string>
<string name="search_podcast_hint">Procurar podcast</string>
<string name="search_itunes_label">Pesquisar no Apple Podcasts</string>
<string name="search_podcastindex_label">Pesquisar no Podcast Index</string>
<string name="search_fyyd_label">Pesquisar em fyyd</string>
@ -751,10 +751,10 @@
<string name="filename">Nome do arquivo</string>
<!--Share episode dialog-->
<string name="share_playback_position_dialog_label">Incluir a posição da reprodução</string>
<string name="share_dialog_episode_website_label">Webpage do episódio</string>
<string name="share_dialog_episode_website_label">Página do episódio</string>
<string name="share_dialog_for_social">Mensagem social</string>
<string name="share_dialog_media_address">Endereço da mídia</string>
<string name="share_dialog_media_file_label">Arquivo de media</string>
<string name="share_dialog_media_file_label">Arquivo de mídia</string>
<string name="share_starting_position_label">Iniciando em</string>
<!--Audio controls-->
<string name="audio_controls">Controles de áudio</string>
@ -766,7 +766,7 @@
<string name="port_label">Porta</string>
<string name="optional_hint">(Opcional)</string>
<string name="proxy_test_label">Testar</string>
<string name="proxy_checking">Verificando...</string>
<string name="proxy_checking">Verificando</string>
<string name="proxy_test_successful">Teste realizado com sucesso</string>
<string name="proxy_test_failed">Falha no teste</string>
<string name="proxy_host_empty_error">O servidor não pode estar em branco</string>
@ -795,11 +795,44 @@
<string name="widget_create_button">Criar widget</string>
<string name="widget_opacity">Opacidade</string>
<!--On-Demand configuration-->
<string name="on_demand_config_setting_changed">Configuração atualizada com sucesso</string>
<string name="on_demand_config_setting_changed">Definição atualizada com sucesso.</string>
<string name="on_demand_config_stream_text">Parece que você faz muito stream. Quer que as listas de episódios mostrem botões de stream?</string>
<string name="on_demand_config_download_text">Parece que você faz muitos downloads. Quer que as listas de episódios mostrem botões de download?</string>
<string name="shortcut_subscription_label">Atalho da assinatura</string>
<string name="shortcut_select_subscription">Selecione a assinatura</string>
<string name="add_shortcut">Adicionar atalho</string>
<string name="home_no_recent_unplayed_episodes_text">Você já reproduziu todos os episódios recentes. Nada para se surpreender aqui ;)</string>
<string name="sync_status_wait_for_downloads">Aguardando atualização das assinaturas…</string>
<string name="statistics_episodes_space">espaço ocupado</string>
<string name="statistics_release_schedule">programação dos episódios</string>
<string name="statistics_release_next">próximo episódio (estimativa)</string>
<string name="feed_delete_confirmation_msg">Confirme que deseja excluir o podcast \"%1$s\", TODOS seus episódios (inclusive os baixados), seu histórico de reprodução e suas estatísticas.</string>
<string name="feed_delete_confirmation_msg_batch">Confirme que deseja excluir os podcasts selecionados, TODOS seus episódios (inclusive os baixados), o histórico de reprodução e suas estatísticas.</string>
<string name="pref_nav_drawer_items_title">Personalizar a navegação</string>
<string name="statistics_view_all">Todos os podcasts »</string>
<string name="discover_more">Descobrir mais »</string>
<string name="home_continue_empty_text">Para adicionar episódios, mande baixá-los ou pressione longamente sobre eles e selecione \"Adicionar à fila\".</string>
<string name="home_downloads_empty_text">Pode baixar qualquer episódio para ouvir sem precisar de conexão.</string>
<string name="section_shown">Exibidos</string>
<string name="delete_downloads_played">Excluir escutados</string>
<string name="delete_downloads_played_confirmation">Confirme que deseja excluir tudo que foi baixado e já ouvido.</string>
<string name="bottom_navigation">Navegação inferior</string>
<string name="bottom_navigation_summary">Funcionalidade beta: acessar as telas mais importantes a partir de qualquer lugar com apenas um toque</string>
<string name="nextcloud_login_error_generic">Não foi possível entrar na sua Nextcloud.\n\n- Confira sua conexão à rede.\n- Confirme que esteja usando o endereço correto do servidor.\n- Tenha certeza de que o plugin gpoddersync esteja instalado na Nextcloud.</string>
<string name="statistics_episodes_total">total</string>
<string name="statistics_episodes_started">iniciados</string>
<string name="statistics_episodes_played">tocadas</string>
<string name="statistics_episodes_downloaded">baixados</string>
<string name="statistics_years_barchart_description">Tempo escutado por mês</string>
<string name="feed_delete_confirmation_local_msg">Confirme que deseja excluir o podcast \"%1$s\", seu histórico de reprodução e suas estatísticas. Os arquivos na pasta local de origem não serão removidos.</string>
<string name="home_new_empty_text">Novos episódios aparecerão aqui. Poderá então decidir se eles são do seu interesse.</string>
<string name="null_value_podcast_error">A ligação apontada não contém URL de podcast válido. Verifique a ligação e tente novamente, ou procure manualmente pelo podcast.</string>
<string name="pref_nav_drawer_items_sum">Mudar os elementos que aparecem na caixa de navegação ou na barra inferior</string>
<string name="mobile_download_notice">Baixando por meio de conexão móvel de dados pelos próximos %d minutos</string>
<string name="episode_download_failed">Erro ao baixar o episódio</string>
<plurals name="total_size_downloaded_podcasts">
<item quantity="one">Tamanho total de %d episódio no dispositivo</item>
<item quantity="many">Tamanho total de %d episódios no dispositivo</item>
<item quantity="other">Tamanho total dos %d episódios no dispositivo</item>
</plurals>
</resources>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Abrir definições</string>
<string name="downloads_log_label">Registo de descargas</string>
<string name="subscriptions_label">Subscrições</string>
<string name="subscriptions_list_label">Lista de subscrições</string>
<string name="subscriptions_list_label">Lista de assinaturas (apenas menu lateral)</string>
<string name="cancel_download_label">Cancelar descarga</string>
<string name="playback_history_label">Histórico de reprodução</string>
<string name="episode_cache_full_title">Cache de episódios cheia</string>
@ -306,7 +306,7 @@
<string name="confirm_mobile_streaming_button_always">Sempre</string>
<string name="confirm_mobile_streaming_button_once">Uma vez</string>
<!--Mediaplayer messages-->
<string name="playback_error_generic">Não foi possível reproduzir o ficheiro.\n\n- Experimente eliminar o episódio e descarregar novamente.\n- Verifique a sua ligação de rede e certifique-se se existe uma VPN ou página de acesso que esteja a impedir a emissão.\n- Toque longo no episódio e aceda ao \\\"Endereço multimédia\\\" no navegador web, para se certificar de que o episódio pode ser reproduzido.\n\nSe nada disto funcionar, contacte os criadores do podcast.</string>
<string name="playback_error_generic">O arquivo de mídia não pôde ser reproduzido.\n\n- Tente excluir e baixar novamente o episódio.\n- Verifique sua conexão de rede e certifique-se de que nenhuma VPN ou página de login esteja bloqueando o acesso.\n- Tente manter pressionado e compartilhar o \"Endereço de mídia\" em seu navegador para ver se ele pode ser reproduzido lá. Caso contrário, entre em contato com os criadores do podcast.</string>
<string name="no_media_playing_label">Nada em reprodução</string>
<string name="unknown_media_key">Tecla multimédia desconhecida: %1$d</string>
<string name="error_file_not_found">Ficheiro não encontrado</string>
@ -330,7 +330,7 @@
<string name="random">Aleatório</string>
<string name="smart_shuffle">Mistura inteligente</string>
<string name="size">Tamanho</string>
<string name="clear_queue_confirmation_msg">Tem a certeza de que pretende remover todos os episódios da fila?</string>
<string name="clear_queue_confirmation_msg">Confirme que deseja remover TODOS os episódios da fila.</string>
<string name="time_left_label">"Tempo restante: "</string>
<!--Variable Speed-->
<string name="speed_presets">Pré-definidas</string>
@ -431,7 +431,7 @@
<string name="pref_nav_drawer_feed_order_title">Ordem de subscrições</string>
<string name="pref_nav_drawer_feed_order_sum">Alterar ordem das subscrições</string>
<string name="pref_nav_drawer_feed_counter_title">Contador de subscrições</string>
<string name="pref_nav_drawer_feed_counter_sum">Alterar informação mostrada no contador de subscrições. Também afeta as subscrições se a \'Ordem de subscrição\' estiver definida como \'Contador\'</string>
<string name="pref_nav_drawer_feed_counter_sum">Altere as informações exibidas pelo contador de assinaturas. Também afeta a classificação de assinaturas se \'Pedido de assinatura\' estiver definido como \'Contador\'.</string>
<string name="pref_automatic_download_title">Descarga automática</string>
<string name="pref_automatic_download_sum">Configurar descarga automática de episódios</string>
<string name="pref_automatic_download_on_battery_title">Descarregar se não estiver a carregar</string>
@ -449,7 +449,7 @@
<string name="pref_playback_speed_sum">Personalizar disponibilidade das velocidades variáveis de reprodução</string>
<string name="pref_feed_playback_speed_sum">Velocidade utilizada para a reprodução áudio dos episódios deste podcast</string>
<string name="pref_feed_skip">Ignorar automaticamente</string>
<string name="pref_feed_skip_sum">Ignorar introduções e créditos finais</string>
<string name="pref_feed_skip_sum">Pule as introduções e os créditos finais.</string>
<string name="pref_feed_skip_ending">Ignorar os últimos</string>
<string name="pref_feed_skip_intro">Ignorar os primeiros</string>
<string name="pref_feed_skip_ending_toast">Últimos %d segundos ignorados</string>
@ -633,7 +633,7 @@
<string name="synchronization_full_sync_title">Impor sincronização total</string>
<string name="synchronization_force_sync_summary">Voltar a sincronizar todas as subscrições e o estado de reprodução</string>
<string name="synchronization_logout">Terminar sessão</string>
<string name="synchronization_login_status"><![CDATA[Iniciou sessão como <i>%1$s</i> em <i>%2$s</i>. <br/><br/>Se quiser, pode escolher outro serviço de sincronização assim quer terminar a sessão]]></string>
<string name="synchronization_login_status">Conectado como %1$s em %2$s.\n\nVocê pode escolher seu provedor de sincronização novamente depois de sair.</string>
<string name="pref_synchronization_logout_toast">Sessão terminada com sucesso</string>
<string name="gpodnetsync_error_title">Erro de sincronização gpodder.net</string>
<string name="gpodnetsync_error_descr">"Ocorreu um erro ao sincronizar: "</string>
@ -817,7 +817,7 @@
<string name="statistics_view_all">Todos os podcasts »</string>
<string name="discover_more">Descobrir mais »</string>
<string name="statistics_release_schedule">agendamento</string>
<string name="nextcloud_login_error_generic"><![CDATA[Não foi possível iniciar sessão no servidor Nextcloud.\n\n- Verifique a sua ligação de rede.\n- Confirme se introduziu o endereço correto.\n- Certifique-se de que o plugin "gpoddersync Nextcloud" está instalado.]]></string>
<string name="nextcloud_login_error_generic">Não é possível fazer login em seu Nextcloud.\n\n- Verifique sua conexão de rede.\n- Confirme se você está usando o endereço de servidor correto.\n- Certifique-se de que o plugin gpoddersync Nextcloud esteja instalado.</string>
<string name="feed_delete_confirmation_msg_batch">Confirma que pretende remover os podcasts selecionados? Irá eliminar todos os episódios (incluindo os descarregados), histórico de reprodução e as suas estatísticas.</string>
<string name="null_value_podcast_error">A ligação não contém um URL válido como podcast. Analise a ligação e tente novamente ou, em alternativa pesquise manualmente.</string>
<string name="pref_nav_drawer_items_title">Personalizar navegação</string>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Открыть настройки</string>
<string name="downloads_log_label">Журнал загрузок</string>
<string name="subscriptions_label">Подписки</string>
<string name="subscriptions_list_label">Перечень подписок</string>
<string name="subscriptions_list_label">Перечень подписок (только в боковом меню)</string>
<string name="cancel_download_label">Отменить загрузку</string>
<string name="playback_history_label">История</string>
<string name="episode_cache_full_title">Кэш выпусков заполнен</string>
@ -195,7 +195,7 @@
<string name="add_tag">Добавить метку</string>
<string name="rename_tag_label">Изменить метку</string>
<string name="confirm_mobile_feed_refresh_dialog_message">Обновление подкастов через мобильное соединение отключено в настройках.\n\nВы действительно хотите обновить подкасты?</string>
<string name="confirm_mobile_feed_refresh_dialog_message_vpn">Приложение VPN имитирует соединение через мобильную сеть (с ограничением трафика). Обновление подкастов через мобильное соединение отключено в настройках. Всё равно желаете обновить? Чтобы устранить эту проблему, свяжитесь с авторами вашего приложения VPN.</string>
<string name="confirm_mobile_feed_refresh_dialog_message_vpn">Приложение VPN имитирует соединение через мобильную сеть (с ограничением трафика). Обновление подкастов через мобильное соединение отключено в настройках\nВсё равно желаете обновить? Чтобы устранить эту проблему, свяжитесь с авторами вашего приложения VPN.</string>
<!--actions on feeditems-->
<string name="download_label">Загрузить</string>
<plurals name="downloading_batch_label">
@ -819,4 +819,10 @@
<string name="shortcut_subscription_label">Ярлык подписки</string>
<string name="shortcut_select_subscription">Выбрать подписку</string>
<string name="add_shortcut">Добавить ярлык</string>
<string name="home_downloads_empty_text">Вы можете скачать любой эпизод, чтобы слушать его в оффлайн-режиме.</string>
<string name="feed_delete_confirmation_msg">Пожалуйста, подтвердите, что вы хотите удалить подкаст «%1$s», ВСЕ его эпизоды (включая загруженные эпизоды), историю воспроизведения и статистику.</string>
<string name="feed_delete_confirmation_msg_batch">Пожалуйста, подтвердите, что вы хотите удалить выбранные подкасты, ВСЕ эпизоды (включая загруженные эпизоды), историю воспроизведения и статистику.</string>
<string name="feed_delete_confirmation_local_msg">Пожалуйста, подтвердите, что вы хотите удалить подкаст «%1$s», историю его воспроизведения и статистику. Файлы в локальной исходной папке удалены не будут.</string>
<string name="home_no_recent_unplayed_episodes_text">Вы уже прослушали все недавние эпизоды. Никаких сюрпризов ;)</string>
<string name="home_continue_empty_text">Вы можете добавлять эпизоды, загружая их или «Добавить в очередь» через долгое нажатие.</string>
</resources>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Aberi sa cunfiguratzione</string>
<string name="downloads_log_label">Iscàrriga informe</string>
<string name="subscriptions_label">Sutiscritziones</string>
<string name="subscriptions_list_label">Lista de sutiscritziones</string>
<string name="subscriptions_list_label">Lista de sutiscritziones (menù laterale ebbia)</string>
<string name="cancel_download_label">Annulla s\'iscarrigamentu</string>
<string name="playback_history_label">Cronologia de riprodutziones</string>
<string name="episode_cache_full_title">Sa memòria temporànea de is episòdios est prena</string>
@ -94,7 +94,7 @@
<string name="support_funding_label">Agiudu</string>
<string name="support_podcast">Agiuda a custu podcast</string>
<string name="error_label">Errore</string>
<string name="error_msg_prefix">Nc\'est istadu un\'errore</string>
<string name="error_msg_prefix">Nch\'est istadu un\'errore:</string>
<string name="refresh_label">Atualiza</string>
<string name="chapters_label">Capìtulos</string>
<string name="no_chapters_label">Nissunu capìtulu</string>
@ -131,7 +131,7 @@
<item quantity="other">%d dies a pustis de s\'agabbu</item>
</plurals>
<plurals name="num_selected_label">
<item quantity="one">%1$d/%2$d seletzionados</item>
<item quantity="one">%1$d/%2$d seletzionadu</item>
<item quantity="other">%1$d/%2$d seletzionados</item>
</plurals>
<plurals name="num_episodes">
@ -139,7 +139,7 @@
<item quantity="other">%d episòdios</item>
</plurals>
<string name="episode_notification">Notìficas de episòdios</string>
<string name="episode_notification_summary">Ammustra una notìfica cando bèngiat publicadu un\'episòdiu nou</string>
<string name="episode_notification_summary">Ammustra una notìfica cando siat publicadu un\'episòdiu nou.</string>
<plurals name="new_episode_notification_message">
<item quantity="one">%2$s at publicadu un\'episòdiu nou</item>
<item quantity="other">%2$s at publicadu %1$d episòdios noos</item>
@ -248,8 +248,8 @@
<string name="download_error_retrying">Errore in s\'iscarrigamentu de \"%1$s\". S\'at a torrare a proare luego.</string>
<string name="download_error_not_retrying">Errore in s\'iscarrigamentu de \"%1$s\".</string>
<string name="download_error_tap_for_details">Toca pro bìdere is detàllios.</string>
<string name="download_error_device_not_found">No s\'est agatadu su dispositivu de archiviatzione.</string>
<string name="download_error_insufficient_space">Non nc\'at ispàtziu bastante in su dispositivu tuo.</string>
<string name="download_error_device_not_found">No s\'est agatadu su dispositivu de archiviatzione</string>
<string name="download_error_insufficient_space">Non nch\'at ispàtziu bastante in su dispositivu tuo.</string>
<string name="download_error_http_data_error">Errore de datos HTTP</string>
<string name="download_error_error_unknown">Errore disconnotu</string>
<string name="download_error_parser_exception">Su serbidore de su podcast at imbiadu unu feed de podcast chi no est vàlidu.</string>
@ -263,9 +263,9 @@
<string name="download_error_file_type_type">Errore de tipu de archìviu</string>
<string name="download_error_forbidden">Su serbidore de su podcast non rispondet.</string>
<string name="download_canceled_msg">Iscarrigamentu annulladu</string>
<string name="download_error_wrong_size">Sa connessione cun su serbidore est istada pèrdida prima chi s\'iscarrigamentu esseret cumpletu.</string>
<string name="download_error_wrong_size">Sa connessione cun su serbidore est istada pèrdida prima chi s\'iscarrigamentu esseret cumpletu</string>
<string name="download_error_blocked">S\'iscarrigamentu est istadu blocadu dae un\'àtera aplicatzione in su dispositivu tuo (comente un VPN o unu blocadore de publitzidade).</string>
<string name="download_error_certificate">Impossìbile istabilire una connessione sicura. Custu podet bòlere nàrrere chi un\'àtera aplicatzione in su dispositivu tuo (comente un VPN o un blocadore de publitzidade) at blocadu s\'iscarrigamentu, o chi nc\'est unu problema cun is tzertificados de su serbidore.</string>
<string name="download_error_certificate">Impossìbile istabilire una connessione sicura. Custu podet bòlere nàrrere chi un\'àtera aplicatzione in su dispositivu tuo (comente un VPN o un blocadore de publitzidade) at blocadu s\'iscarrigamentu, o chi nch\'est unu problema cun is tzertificados de su serbidore.</string>
<string name="download_error_io_error">Errore IO</string>
<string name="download_error_request_error">Errore in sa rechesta</string>
<string name="download_error_db_access">Errore de atzessu a sa base de datos</string>
@ -278,7 +278,7 @@
<string name="download_log_title_unknown">Tìtulu disconnotu</string>
<string name="download_type_feed">Canale</string>
<string name="download_type_media">Archìviu multimediale</string>
<string name="no_feed_url_podcast_found_by_search">Su podcast sugeridu non tenet unu ligòngiu RSS, ma AntennaPod at agatadu unu podcast chi podet corrispòndere.</string>
<string name="no_feed_url_podcast_found_by_search">Su podcast sugeridu non tenet unu ligòngiu RSS, ma AntennaPod at agatadu unu podcast chi podet corrispòndere</string>
<string name="authentication_notification_title">Autenticatzione netzessària</string>
<string name="confirm_mobile_download_dialog_title">Cunfirma s\'iscarrigamentu mòbile</string>
<string name="confirm_mobile_download_dialog_message">S\'iscarrigamentu cun datos mòbiles est disativadu in sa cunfiguratzione. AntennaPod podet iscarrigare s\'episòdiu luego in automàticu cando su Wi-Fi siat a disponimentu.</string>
@ -421,7 +421,7 @@
<string name="pref_automatic_download_on_battery_title">Iscàrriga cando su dispositivu non siat in càrriga</string>
<string name="pref_automatic_download_on_battery_sum">Permite s\'iscarrigamentu automàticu cando sa bateria no est in càrriga</string>
<string name="pref_episode_cache_title">Lìmite de episòdios</string>
<string name="pref_episode_cache_summary">S\'iscarrigamentu in automàticu at a èssere suspesu cando custu nùmeru at a èssere lòmpidu.</string>
<string name="pref_episode_cache_summary">S\'iscarrigamentu in automàticu at a èssere suspesu cando custu nùmeru at a èssere lòmpidu</string>
<string name="pref_episode_cover_title">Imprea sa cobertina de s\'episòdiu</string>
<string name="pref_episode_cover_summary">Imprea in is listas is cobertinas ispetzìficas de is episòdios cando siant a disponimentu. Si custa optzione no est ativa, s\'aplicatzione at a impreare semper s\'immàgine de cobertina de su podcast.</string>
<string name="pref_show_remain_time_title">Ammustra su tempus chi mancat</string>
@ -433,9 +433,9 @@
<string name="pref_playback_speed_sum">Personaliza is valores de is controllos de sa lestresa de riprodutzione</string>
<string name="pref_feed_playback_speed_sum">Sa lestresa de impreare cando cumintzat sa riprodutzione de àudio pro is episòdios de custu podcast</string>
<string name="pref_feed_skip">Omissione in automàticu</string>
<string name="pref_feed_skip_sum">Omite introdutziones e crèditos finales</string>
<string name="pref_feed_skip_ending">Durada de is omissiones finales:</string>
<string name="pref_feed_skip_intro">Durada de is omissiones initziales:</string>
<string name="pref_feed_skip_sum">Omite introdutziones e crèditos finales.</string>
<string name="pref_feed_skip_ending">Brinca is ùrtimos</string>
<string name="pref_feed_skip_intro">Brinca is primos</string>
<string name="pref_feed_skip_ending_toast">Ùrtimos %d segundos omìtidos</string>
<string name="pref_feed_skip_intro_toast">Primu %d segundos omìtidos</string>
<string name="pref_playback_time_respects_speed_title">Acontza s\'informatzione de su cuntenutu multimediale a sa lestresa de riprodutzione</string>
@ -512,10 +512,10 @@
<string name="search_online">Chirca in lìnia</string>
<!--Synchronization-->
<string name="sync_status_started">Sincronizatzione aviada</string>
<string name="sync_status_episodes_upload">Carrighende modìficas de s\'episòdiu...</string>
<string name="sync_status_episodes_download">Iscarrighende modìficas de s\'episòdiu...</string>
<string name="sync_status_upload_played">Carrighende s\'istadu de riprodutzione...</string>
<string name="sync_status_subscriptions">Sincronizende sutiscritziones...</string>
<string name="sync_status_episodes_upload">Carrighende modìficas de s\'episòdiu</string>
<string name="sync_status_episodes_download">Iscarrighende modìficas de s\'episòdiu</string>
<string name="sync_status_upload_played">Carrighende s\'istadu de riprodutzione</string>
<string name="sync_status_subscriptions">Sincronizende sutiscritziones</string>
<string name="sync_status_success">Sincronizatzione cumpletada</string>
<string name="sync_status_error">Errore in sa sincronizatzione</string>
<!--import and export-->
@ -542,7 +542,7 @@
<string name="automatic_database_export_error">Errore in sa còpia de seguresa automàtica de sa base de datos</string>
<string name="database_import_label">Importatzione de base de datos</string>
<string name="database_import_warning">S\'importatzione de una base de datos at a sostituire is sutiscritziones tuas atuales e sa cronologia de riprodutziones. Dias dèpere esportare sa base de datos tua atuale comente còpia de seguresa. Boles sighire cun sa sostitutzione?</string>
<string name="please_wait">Abeta...</string>
<string name="please_wait">Abeta</string>
<string name="export_error_label">Errore de esportatzione</string>
<string name="export_success_title">Esportatzione cumpletada</string>
<string name="opml_import_ask_read_permission">Sa letura de s\'archìviu OPML rechedet atzessu a s\'archiviatzione esterna</string>
@ -595,7 +595,7 @@
<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 no sunt critografados.</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>
@ -613,7 +613,7 @@
<string name="synchronization_full_sync_title">Fortza una sincronizatzione cumpleta</string>
<string name="synchronization_force_sync_summary">Torra a sincronizare totu is sutiscritziones e is istados de is episòdios</string>
<string name="synchronization_logout">Essi</string>
<string name="synchronization_login_status"><![CDATA[Identificadu comente <i>%1$s</i> in <i>%2$s</i>. <br/><br/>Podes torrare a seberare unu frunidore de sincronizatziones una borta disconnètidu]]></string>
<string name="synchronization_login_status">Identificadu comente %1$s in %2$s.\n\nPodes torrare a seberare unu frunidore de sincronizatziones una borta disconnètidu.</string>
<string name="pref_synchronization_logout_toast">Essida cumpletada</string>
<string name="gpodnetsync_error_title">errore de sincronizatzione cun gpodder.net</string>
<string name="gpodnetsync_error_descr">"Errore in sa sincronizatzione: "</string>
@ -694,16 +694,16 @@
<string name="release_schedule_saturday">sàb</string>
<string name="release_schedule_sunday">dom</string>
<!--AntennaPodSP-->
<string name="sp_apps_importing_feeds_msg">Importende iscritziones dae aplicatziones de iscopu ùnicu...</string>
<string name="sp_apps_importing_feeds_msg">Importende sutiscritziones dae aplicatziones de iscopu ùnicu…</string>
<!--Add podcast fragment-->
<string name="search_podcast_hint">Chirca unu podcast...</string>
<string name="search_podcast_hint">Chirca unu podcast</string>
<string name="search_itunes_label">Chirca in Apple Podcasts</string>
<string name="search_podcastindex_label">Chirca in Podcast Index</string>
<string name="search_fyyd_label">Chirca in fyyd</string>
<string name="add_podcast_by_url">Agiunghe podcasts dae s\'indiritzu RSS</string>
<string name="discover">Iscoberi</string>
<string name="discover_hide">Cua</string>
<string name="discover_is_hidden">As seberadu de cuare is cussìgios</string>
<string name="discover_is_hidden">As seberadu de cuare is cussìgios.</string>
<string name="discover_powered_by_itunes">Cussìgios dae Apple Podcasts</string>
<string name="discover_confirm">Ammustra cussìgios</string>
<string name="search_powered_by">Resurtados dae %1$s</string>
@ -746,11 +746,11 @@
<string name="port_label">Ghenna</string>
<string name="optional_hint">(Optzionale)</string>
<string name="proxy_test_label">Proa</string>
<string name="proxy_checking">Verifichende...</string>
<string name="proxy_checking">Verifichende</string>
<string name="proxy_test_successful">Test curretu</string>
<string name="proxy_test_failed">Test faddidu</string>
<string name="proxy_host_empty_error">S\'osteriàrgiu non podet èssere bòidu</string>
<string name="proxy_host_invalid_error">S\'osteriàrgiu no est un\'indiritzu o domìniu IP vàlidu.</string>
<string name="proxy_host_invalid_error">S\'osteriàrgiu no est un\'indiritzu o domìniu IP vàlidu</string>
<string name="proxy_port_invalid_error">Ghenna non vàlida</string>
<!--Subscriptions fragment-->
<string name="subscription_num_columns">Nùmeru de colunnas</string>
@ -761,7 +761,7 @@
<string name="notification_channel_user_action">Atzione rechesta</string>
<string name="notification_channel_user_action_description">Ammustradu cando est rechesta un\'atzione dae parte tua, pro esempru depes insertare una crae.</string>
<string name="notification_channel_downloading">Iscarrighende</string>
<string name="notification_channel_downloading_description">Ammustradu cando nc\'at un\'iscarrigamentu in cursu.</string>
<string name="notification_channel_downloading_description">Ammustradu cando nch\'at un\'iscarrigamentu in cursu.</string>
<string name="notification_channel_playing">In riprodutzione immoe</string>
<string name="notification_channel_playing_description">Permitit de controllare sa riprodutzione. Custa est sa notìfica printzipale chi est ammustrada durante sa riprodutzione de is podcasts.</string>
<string name="notification_channel_download_error">Errore in s\'iscarrigamentu</string>
@ -769,7 +769,7 @@
<string name="notification_channel_sync_error">Errore in sa sincronizatzione</string>
<string name="notification_channel_sync_error_description">Ammustradu cando sa sincronizatzione de gpodder resurtat in errore.</string>
<string name="notification_channel_new_episode">Episòdiu nou</string>
<string name="notification_channel_new_episode_description">Ammustradu cando s\'agatat un\'episòdiu de unu podcast, semper chi is notìficas siant ativadas.</string>
<string name="notification_channel_new_episode_description">Ammustradu cando s\'agatat un\'episòdiu de unu podcast, semper chi is notìficas siant ativadas</string>
<!--Widget settings-->
<string name="widget_settings">Cunfiguratziones de trastos</string>
<string name="widget_create_button">Crea unu trastu</string>
@ -781,4 +781,37 @@
<string name="shortcut_subscription_label">Curtzadòrgiu a sa sutiscritzione</string>
<string name="shortcut_select_subscription">Seletziona una sutiscritzione</string>
<string name="add_shortcut">Agiunghe collegamentu curtzu</string>
<string name="statistics_years_barchart_description">Tempus de riprodutzione a su mese</string>
<string name="pref_nav_drawer_items_title">Personaliza sa navigatzione</string>
<string name="sync_status_wait_for_downloads">Abetende s\'atualizatzione de is sutiscritziones…</string>
<string name="feed_delete_confirmation_msg_batch">Cunfirma chi boles cantzellare is podcast seletzionados, TOTU is episòdios (incluidos cussos iscarrigados), sa cronologia de riprodutzione e is istatìsticas.</string>
<string name="feed_delete_confirmation_local_msg">Cunfirma chi boles cantzellare su podcast \"%1$s\", sa cronologia de riprodutzione e is istatìsticas. Is archìvios in sa cartella de orìgine locale no ant a èssere cantzellados.</string>
<string name="pref_nav_drawer_items_sum">Modifica cale elementos ant a èssere visualizados in su pannellu o in sa navigatzione inferiore</string>
<string name="statistics_view_all">Totu is podcasts »</string>
<string name="discover_more">Iscoberi·nde àteros »</string>
<string name="home_no_recent_unplayed_episodes_text">As giai riproduidu totu is episòdios reghentes. Nudda de ite si ispantare inoghe ;)</string>
<string name="home_continue_empty_text">Podes agiùnghere episòdios iscarrighende·ddos o seletzionende \"Agiunghe a sa coa\" cun unu tocu longu in s\'episòdiu.</string>
<string name="home_downloads_empty_text">Podes iscarrigare cale si siat episòdiu pro ddu ascurtare in foras de lìnia.</string>
<string name="home_new_empty_text">Is episòdios noos ant a cumpàrrere inoghe. As a pòdere detzìdere tando si ti interessant.</string>
<string name="section_shown">Ammustrados</string>
<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="mobile_download_notice">Iscarrighende cun connessione de datos mòbiles pro is %d minutos imbenientes</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="statistics_episodes_played">riproduidos</string>
<string name="statistics_episodes_downloaded">iscarrigados</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="statistics_episodes_started">cumintzados</string>
<string name="statistics_episodes_total">totales</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>
<string name="feed_delete_confirmation_msg">Cunfirma chi boles cantzellare su podcast \"%1$s\", TOTU is episòdios suos (incluidos cussos iscarrigados) sa cronologia de riprodutzione e is istatìsticas.</string>
<string name="null_value_podcast_error">Su ligòngiu chi as tocadu non cuntenet nissunu URL de podcast vàlidu. Controlla su ligòngiu e torra·nche a proare, o chirca su podcast a manu.</string>
<string name="episode_download_failed">Faddina in s\'iscarrigamentu de s\'episòdiu</string>
<plurals name="total_size_downloaded_podcasts">
<item quantity="one">Mannària totale de %d episòdiu in su dispositivu</item>
<item quantity="other">Mannària totale de %d episòdios in su dispositivu</item>
</plurals>
</resources>

View File

@ -305,7 +305,7 @@
<string name="confirm_mobile_streaming_button_always">Vždy</string>
<string name="confirm_mobile_streaming_button_once">Teraz</string>
<!--Mediaplayer messages-->
<string name="playback_error_generic"><![CDATA[Mediálny súbor sa nepodarilo prehrať.\n\n- Skúste epizódu zmazať a znova stiahnuť.\n- Skontrolujte svoje sieťové pripojenie a uistite sa, že prístup neblokuje žiadna VPN ani prihlasovacia stránka.\n- Skúste dlho stlačiť a zdieľať „Adresu médií“ vo svojom webovom prehliadači, aby ste zistili, či sa tam dá prehrať. Ak nie, kontaktujte tvorcov podcastov.]]></string>
<string name="playback_error_generic">Mediálny súbor sa nepodarilo prehrať.\n- Skúste epizódu zmazať a znova stiahnuť.\n- Skontrolujte svoje sieťové pripojenie a uistite sa, že prístup neblokuje žiadna VPN ani prihlasovacia stránka.\n- Skúste dlho stlačiť a zdieľať „Adresu médií“ vo svojom webovom prehliadači, aby ste zistili, či sa tam dá prehrať. Ak nie, kontaktujte tvorcov podcastov.</string>
<string name="no_media_playing_label">Neprebieha žiadne prehrávanie</string>
<string name="unknown_media_key">AntennaPod - Neznámy kľúč médií: %1$d</string>
<string name="error_file_not_found">Súbor nenájdený</string>
@ -632,7 +632,7 @@
<string name="synchronization_full_sync_title">Vynútiť plnú synchronizáciu</string>
<string name="synchronization_force_sync_summary">Znovu synchronizovať všetky odbery a stavy epizód</string>
<string name="synchronization_logout">Odhlásiť</string>
<string name="synchronization_login_status"><![CDATA[Prihlásený ako <i>%1$s</i> na <i>%2$s</i>. <br/><br/>Môžete si vybrať Vášho poskytovateľa synchronizácie opäť keď sa odhlásite]]></string>
<string name="synchronization_login_status">Prihlásený ako %1$s na %2$s.\n\nMôžete si vybrať vášho poskytovateľa synchronizácie opäť, keď sa odhlásite.</string>
<string name="pref_synchronization_logout_toast">Odhlásenie bolo úspešné</string>
<string name="gpodnetsync_error_title">chyba synchronizácie s gpodder.net</string>
<string name="gpodnetsync_error_descr">"Počas synchronizácie sa vyskytla chyba: "</string>
@ -824,7 +824,14 @@
<string name="feed_delete_confirmation_msg_batch">Potvrďte, že chcete odstrániť vybraté podcasty, VŠETKY ich epizódy (vrátane stiahnutých epizód), históriu prehrávania a štatistiky.</string>
<string name="discover_more">Objavte viac »</string>
<string name="null_value_podcast_error">Odkaz, na ktorý ste klikli, neobsahuje platnú webovú adresu podcastu. Overte odkaz a skúste to znova, alebo vyhľadajte podcast manuálne.</string>
<string name="nextcloud_login_error_generic"><![CDATA[Nedá sa prihlásiť do vášho Nextcloudu.\n\n- Skontrolujte si sieťové pripojenie.\n- Potvrďte, že používate správnu adresu servera.\n- Uistite sa, že doplnok gpoddersync Nextcloud je nainštalovaný.]]></string>
<string name="nextcloud_login_error_generic">[Nedá sa prihlásiť do vášho Nextcloudu.\n- Skontrolujte si sieťové pripojenie.\n- Potvrďte, že používate správnu adresu servera.\n- Uistite sa, že doplnok gpoddersync Nextcloud je nainštalovaný.</string>
<string name="statistics_view_all">Všetky podcasty »</string>
<string name="episode_download_failed">Sťahovanie epizódy zlyhalo</string>
<string name="statistics_episodes_played">prehratých</string>
<string name="statistics_episodes_started">spustených</string>
<string name="statistics_episodes_space">veľkosť</string>
<string name="statistics_release_schedule">plánované vydanie</string>
<string name="statistics_episodes_total">celkovo</string>
<string name="statistics_episodes_downloaded">stiahnutých</string>
<string name="mobile_download_notice">Sťahovanie cez mobilné pripojenie počas nasledujúcich %d minút</string>
</resources>

View File

@ -15,7 +15,7 @@
<string name="open_autodownload_settings">Öppna inställningar</string>
<string name="downloads_log_label">Nedladdningslogg</string>
<string name="subscriptions_label">Prenumerationer</string>
<string name="subscriptions_list_label">Prenumerationslista</string>
<string name="subscriptions_list_label">Prenumerationslista (sidomeny endast)</string>
<string name="cancel_download_label">Avbryt nedladdning</string>
<string name="playback_history_label">Uppspelningshistorik</string>
<string name="episode_cache_full_title">Avsnittscachen är full</string>