mirror of
https://github.com/FossifyOrg/Gallery.git
synced 2024-11-22 20:48:00 +01:00
commit
6615c956c1
41 changed files with 748 additions and 418 deletions
1
.gitignore
vendored
1
.gitignore
vendored
|
@ -2,7 +2,6 @@
|
|||
*.aab
|
||||
.gradle
|
||||
/local.properties
|
||||
/gradle.properties
|
||||
/.idea/
|
||||
.DS_Store
|
||||
/build
|
||||
|
|
|
@ -1,6 +1,12 @@
|
|||
Changelog
|
||||
==========
|
||||
|
||||
Version 6.6.1 *(2019-03-21)*
|
||||
----------------------------
|
||||
|
||||
* Fixed recognizing of some SD cards
|
||||
* Added some stability and translation improvements
|
||||
|
||||
Version 6.6.0 *(2019-03-10)*
|
||||
----------------------------
|
||||
|
||||
|
|
|
@ -15,8 +15,8 @@ android {
|
|||
applicationId "com.simplemobiletools.gallery.pro"
|
||||
minSdkVersion 21
|
||||
targetSdkVersion 28
|
||||
versionCode 234
|
||||
versionName "6.6.0"
|
||||
versionCode 235
|
||||
versionName "6.6.1"
|
||||
multiDexEnabled true
|
||||
setProperty("archivesBaseName", "gallery")
|
||||
}
|
||||
|
@ -61,7 +61,7 @@ android {
|
|||
}
|
||||
|
||||
dependencies {
|
||||
implementation 'com.simplemobiletools:commons:5.10.8'
|
||||
implementation 'com.simplemobiletools:commons:5.10.19'
|
||||
implementation 'com.theartofdev.edmodo:android-image-cropper:2.8.0'
|
||||
implementation 'androidx.multidex:multidex:2.0.1'
|
||||
implementation 'it.sephiroth.android.exif:library:1.0.1'
|
||||
|
|
|
@ -17,6 +17,7 @@ import android.widget.Toast
|
|||
import androidx.appcompat.widget.SearchView
|
||||
import androidx.core.view.MenuItemCompat
|
||||
import androidx.recyclerview.widget.RecyclerView
|
||||
import com.simplemobiletools.commons.dialogs.ConfirmationDialog
|
||||
import com.simplemobiletools.commons.dialogs.CreateNewFolderDialog
|
||||
import com.simplemobiletools.commons.dialogs.FilePickerDialog
|
||||
import com.simplemobiletools.commons.extensions.*
|
||||
|
@ -392,12 +393,21 @@ class MainActivity : SimpleActivity(), DirectoryOperationsListener {
|
|||
private fun checkOTGPath() {
|
||||
Thread {
|
||||
if (!config.wasOTGHandled && hasPermission(PERMISSION_WRITE_STORAGE) && hasOTGConnected() && config.OTGPath.isEmpty()) {
|
||||
config.wasOTGHandled = true
|
||||
getStorageDirectories().firstOrNull { it.trimEnd('/') != internalStoragePath && it.trimEnd('/') != sdCardPath }?.apply {
|
||||
config.wasOTGHandled = true
|
||||
val otgPath = trimEnd('/')
|
||||
config.OTGPath = otgPath
|
||||
config.addIncludedFolder(otgPath)
|
||||
}
|
||||
|
||||
if (config.OTGPath.isEmpty()) {
|
||||
runOnUiThread {
|
||||
ConfirmationDialog(this, getString(R.string.usb_detected), positive = R.string.ok, negative = 0) {
|
||||
config.wasOTGHandled = true
|
||||
showOTGPermissionDialog()
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}.start()
|
||||
}
|
||||
|
|
|
@ -95,7 +95,7 @@ open class PhotoVideoActivity : SimpleActivity(), ViewPagerFragment.FragmentList
|
|||
|
||||
if (intent.extras?.containsKey(REAL_FILE_PATH) == true) {
|
||||
val realPath = intent.extras!!.getString(REAL_FILE_PATH)
|
||||
if (realPath != null) {
|
||||
if (realPath != null && File(realPath).exists()) {
|
||||
if (realPath.getFilenameFromPath().contains('.') || filename.contains('.')) {
|
||||
sendViewPagerIntent(realPath)
|
||||
finish()
|
||||
|
|
|
@ -716,6 +716,9 @@ fun Context.addPathToDB(path: String) {
|
|||
val videoDuration = if (type == TYPE_VIDEOS) path.getVideoDuration() else 0
|
||||
val medium = Medium(null, path.getFilenameFromPath(), path, path.getParentPath(), System.currentTimeMillis(), System.currentTimeMillis(),
|
||||
File(path).length(), type, videoDuration, false, 0L)
|
||||
galleryDB.MediumDao().insert(medium)
|
||||
try {
|
||||
galleryDB.MediumDao().insert(medium)
|
||||
} catch (ignored: Exception) {
|
||||
}
|
||||
}.start()
|
||||
}
|
||||
|
|
|
@ -347,10 +347,6 @@ class Config(context: Context) : BaseConfig(context) {
|
|||
get() = prefs.getString(LAST_FILEPICKER_PATH, "")
|
||||
set(lastFilepickerPath) = prefs.edit().putString(LAST_FILEPICKER_PATH, lastFilepickerPath).apply()
|
||||
|
||||
var wasOTGHandled: Boolean
|
||||
get() = prefs.getBoolean(WAS_OTG_HANDLED, false)
|
||||
set(wasOTGHandled) = prefs.edit().putBoolean(WAS_OTG_HANDLED, wasOTGHandled).apply()
|
||||
|
||||
var tempSkipDeleteConfirmation: Boolean
|
||||
get() = prefs.getBoolean(TEMP_SKIP_DELETE_CONFIRMATION, false)
|
||||
set(tempSkipDeleteConfirmation) = prefs.edit().putBoolean(TEMP_SKIP_DELETE_CONFIRMATION, tempSkipDeleteConfirmation).apply()
|
||||
|
|
|
@ -50,7 +50,6 @@ const val HIDE_EXTENDED_DETAILS = "hide_extended_details"
|
|||
const val ALLOW_INSTANT_CHANGE = "allow_instant_change"
|
||||
const val WAS_NEW_APP_SHOWN = "was_new_app_shown_clock"
|
||||
const val LAST_FILEPICKER_PATH = "last_filepicker_path"
|
||||
const val WAS_OTG_HANDLED = "was_otg_handled_2"
|
||||
const val TEMP_SKIP_DELETE_CONFIRMATION = "temp_skip_delete_confirmation"
|
||||
const val BOTTOM_ACTIONS = "bottom_actions"
|
||||
const val LAST_VIDEO_PATH = "last_video_path"
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Fixing…</string>
|
||||
<string name="dates_fixed_successfully">Dates fixed successfully</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">فلتر الميديا</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Fixing…</string>
|
||||
<string name="dates_fixed_successfully">Dates fixed successfully</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filter media</string>
|
||||
|
|
|
@ -8,7 +8,7 @@
|
|||
<string name="excluded">(exclòs)</string>
|
||||
<string name="pin_folder">Fixar carpeta</string>
|
||||
<string name="unpin_folder">No fixar carpeta</string>
|
||||
<string name="pin_to_the_top">Ancorar a l\'inici</string>
|
||||
<string name="pin_to_the_top">Ancorar a l’inici</string>
|
||||
<string name="show_all">Mostrar el contingut de totes les carpetes</string>
|
||||
<string name="all_folders">Tots els mitjans</string>
|
||||
<string name="folder_view">Canviar a vista de carpeta</string>
|
||||
|
@ -32,30 +32,31 @@
|
|||
<string name="fixing">Fixant…</string>
|
||||
<string name="dates_fixed_successfully">Data fixada correctament</string>
|
||||
<string name="share_resized">Comparteix una versió redimensionada</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtre d\'arxius</string>
|
||||
<string name="filter_media">Filtre d’arxius</string>
|
||||
<string name="images">Imatges</string>
|
||||
<string name="videos">Vídeos</string>
|
||||
<string name="gifs">GIFs</string>
|
||||
<string name="raw_images">Imatges RAW</string>
|
||||
<string name="svgs">SVGs</string>
|
||||
<string name="no_media_with_filters">No s\'han tronat arxius amb els filtres seleccionats.</string>
|
||||
<string name="no_media_with_filters">No s’han tronat arxius amb els filtres seleccionats.</string>
|
||||
<string name="change_filters_underlined"><u>Canviar filtres</u></string>
|
||||
|
||||
<!-- Hide / Exclude -->
|
||||
<string name="hide_folder_description">Aquesta funció oculta les carpetes agregant un arxiu \'.nomedia\' dins d\'ella. També ocultarà les subcarpetes. Pots mostrar-les canviant la opció \'Mostrar carpetes ocultes\' als ajustaments. Continuar?</string>
|
||||
<string name="hide_folder_description">Aquesta funció oculta les carpetes agregant un arxiu ’.nomedia’ dins d’ella. També ocultarà les subcarpetes. Pots mostrar-les canviant la opció ’Mostrar carpetes ocultes’ als ajustaments. Continuar?</string>
|
||||
<string name="exclude">Excloure</string>
|
||||
<string name="excluded_folders">Carpetes excloses</string>
|
||||
<string name="manage_excluded_folders">Gestionar carpetes excloses</string>
|
||||
<string name="exclude_folder_description">Això exclou la selecció juntament amb les carpetes, només de Simple Gallery. Pots gestionar les carpetes excloses en els Ajustaments.</string>
|
||||
<string name="exclude_folder_parent">Excloure millor la carpeta superior?</string>
|
||||
<string name="excluded_activity_placeholder">Excloure les carpetes les ocultarà junt amb les seves subcarpetes, però només a Simple Gallery. Seguirant sent visibles a altres aplicacions.\\n\\nSi vols ocultar-les d\'altres aplicacions fes servir la opció Ocultar.</string>
|
||||
<string name="excluded_activity_placeholder">Excloure les carpetes les ocultarà junt amb les seves subcarpetes, però només a Simple Gallery. Seguirant sent visibles a altres aplicacions.\\n\\nSi vols ocultar-les d’altres aplicacions fes servir la opció Ocultar.</string>
|
||||
<string name="remove_all">Eliminar tot</string>
|
||||
<string name="remove_all_description">Eliminar totes les carpetes de la llista d\'excloses? Això no eliminarà les carpetes.</string>
|
||||
<string name="remove_all_description">Eliminar totes les carpetes de la llista d’excloses? Això no eliminarà les carpetes.</string>
|
||||
<string name="hidden_folders">Carpetes ocultes</string>
|
||||
<string name="manage_hidden_folders">Gestionar carpetes ocultes</string>
|
||||
<string name="hidden_folders_placeholder">Sembla que no tens cap carpeta amb l\'arxiu \".nomedia\".</string>
|
||||
<string name="hidden_folders_placeholder">Sembla que no tens cap carpeta amb l’arxiu \".nomedia\".</string>
|
||||
|
||||
<!-- Include folders -->
|
||||
<string name="include_folders">Carpetes incloses</string>
|
||||
|
@ -79,10 +80,10 @@
|
|||
<string name="invalid_image_path">Ruta de imatge no vàlida</string>
|
||||
<string name="image_editing_failed">Ha fallat la edició de la imatge</string>
|
||||
<string name="edit_image_with">Editar imatge utilitzant:</string>
|
||||
<string name="no_editor_found">No s\'ha trobat cap editor d\'imatges</string>
|
||||
<string name="unknown_file_location">Ubicació de l\'arxiu desconeguda</string>
|
||||
<string name="error_saving_file">No s\'ha pogut sobreescriure l\'arxiu d\'origen</string>
|
||||
<string name="rotate_left">Rotar a l\'esquerra</string>
|
||||
<string name="no_editor_found">No s’ha trobat cap editor d’imatges</string>
|
||||
<string name="unknown_file_location">Ubicació de l’arxiu desconeguda</string>
|
||||
<string name="error_saving_file">No s’ha pogut sobreescriure l’arxiu d’origen</string>
|
||||
<string name="rotate_left">Rotar a l’esquerra</string>
|
||||
<string name="rotate_right">Rotar a la dreta</string>
|
||||
<string name="rotate_one_eighty">Rotar 180º</string>
|
||||
<string name="flip">Girar</string>
|
||||
|
@ -94,12 +95,12 @@
|
|||
<!-- Set wallpaper -->
|
||||
<string name="simple_wallpaper">Fons de pantalla de Simple Gallery</string>
|
||||
<string name="set_as_wallpaper">Establir com a fons de pantalla</string>
|
||||
<string name="set_as_wallpaper_failed">Error a l\'establir com fons de pantalla</string>
|
||||
<string name="set_as_wallpaper_failed">Error a l’establir com fons de pantalla</string>
|
||||
<string name="set_as_wallpaper_with">Establir com fons de pantalla amb:</string>
|
||||
<string name="setting_wallpaper">Establint fons de pantalla…</string>
|
||||
<string name="wallpaper_set_successfully">Fons de pantalla establert correctament</string>
|
||||
<string name="portrait_aspect_ratio">Relació d\'aspecte tipus retrat</string>
|
||||
<string name="landscape_aspect_ratio">Relació d\'aspecte tipus paisatge</string>
|
||||
<string name="portrait_aspect_ratio">Relació d’aspecte tipus retrat</string>
|
||||
<string name="landscape_aspect_ratio">Relació d’aspecte tipus paisatge</string>
|
||||
<string name="home_screen">Pantalla principal</string>
|
||||
<string name="lock_screen">Pantalla de bloqueig</string>
|
||||
<string name="home_and_lock_screen">Pantalla principal i de bloqueig</string>
|
||||
|
@ -114,8 +115,8 @@
|
|||
<string name="use_fade">Utilitza animacions de desaparició</string>
|
||||
<string name="move_backwards">Moure cap enrere</string>
|
||||
<string name="loop_slideshow">Presentació de diapositives</string>
|
||||
<string name="slideshow_ended">S\'ha acabat la presentació de diapositives</string>
|
||||
<string name="no_media_for_slideshow">No s\'han trobat mitjans per a la presentació de diapositives</string>
|
||||
<string name="slideshow_ended">S’ha acabat la presentació de diapositives</string>
|
||||
<string name="no_media_for_slideshow">No s’han trobat mitjans per a la presentació de diapositives</string>
|
||||
<string name="use_crossfade_animation">Utilitzeu animacions creuades</string>
|
||||
|
||||
<!-- View types -->
|
||||
|
@ -132,16 +133,16 @@
|
|||
<string name="by_date_taken">Data de presa</string>
|
||||
<string name="by_file_type">Tipus de fitxer</string>
|
||||
<string name="by_extension">Extensió</string>
|
||||
<string name="grouping_and_sorting">Tingueu en compte que l\'agrupació i la classificació són 2 camps independents</string>
|
||||
<string name="grouping_and_sorting">Tingueu en compte que l’agrupació i la classificació són 2 camps independents</string>
|
||||
|
||||
<!-- Widgets -->
|
||||
<string name="folder_on_widget">Carpeta que es mostra a l\'estri:</string>
|
||||
<string name="folder_on_widget">Carpeta que es mostra a l’estri:</string>
|
||||
<string name="show_folder_name">Mostra el nom de la carpeta</string>
|
||||
|
||||
<!-- Settings -->
|
||||
<string name="autoplay_videos">Reproduir vídeos automàticament</string>
|
||||
<string name="remember_last_video_position">Recordeu la posició de la darrera reproducció de vídeo</string>
|
||||
<string name="toggle_filename">Canviar la visibilitat del nom d\'arxiu</string>
|
||||
<string name="toggle_filename">Canviar la visibilitat del nom d’arxiu</string>
|
||||
<string name="loop_videos">Reproducció continua de vídeos</string>
|
||||
<string name="animate_gifs">Animar les miniatures dels GIFs</string>
|
||||
<string name="max_brightness">Brillantor màxima quan es mostra multimèdia</string>
|
||||
|
@ -150,11 +151,11 @@
|
|||
<string name="screen_rotation_by">Gira els mitjans a pantalla completa segons</string>
|
||||
<string name="screen_rotation_system_setting">Configuració del sistema</string>
|
||||
<string name="screen_rotation_device_rotation">Rotació del dispositiu</string>
|
||||
<string name="screen_rotation_aspect_ratio">Relació d\'aspecte</string>
|
||||
<string name="black_background_at_fullscreen">Fons i barra d\'estat negre als mitjans de pantalla completa</string>
|
||||
<string name="screen_rotation_aspect_ratio">Relació d’aspecte</string>
|
||||
<string name="black_background_at_fullscreen">Fons i barra d’estat negre als mitjans de pantalla completa</string>
|
||||
<string name="scroll_thumbnails_horizontally">Desplaçar miniatures horizontalment</string>
|
||||
<string name="hide_system_ui_at_fullscreen">Ocultar automàticament la interficie de usuari del sistema a pantalla complerta</string>
|
||||
<string name="delete_empty_folders">Eliminar carpetes buides després d\'esborrar el seu contingut</string>
|
||||
<string name="delete_empty_folders">Eliminar carpetes buides després d’esborrar el seu contingut</string>
|
||||
<string name="allow_photo_gestures">Permet controlar la brillantor amb gestos verticals</string>
|
||||
<string name="allow_video_gestures">Permet controlar el volum i la brillantor del vídeo amb gestos verticals</string>
|
||||
<string name="show_media_count">Mostrar el número de mitjans de les carpetes a la vista principal</string>
|
||||
|
@ -163,8 +164,8 @@
|
|||
<string name="one_finger_zoom">Permet fer zoom amb un sol dit a pantalla complerta</string>
|
||||
<string name="allow_instant_change">Permet canviar els mitjans de manera instantània fent clic als costats de la pantalla</string>
|
||||
<string name="allow_deep_zooming_images">Permet imatges de zoom profund</string>
|
||||
<string name="hide_extended_details">Amaga els detalls estesos quan la barra d\'estat està amagada</string>
|
||||
<string name="show_at_bottom">Mostra alguns botons d\'acció a la part inferior de la pantalla</string>
|
||||
<string name="hide_extended_details">Amaga els detalls estesos quan la barra d’estat està amagada</string>
|
||||
<string name="show_at_bottom">Mostra alguns botons d’acció a la part inferior de la pantalla</string>
|
||||
<string name="show_recycle_bin">Mostra la paperera de reciclatge a la pantalla de carpetes</string>
|
||||
<string name="deep_zoomable_images">Imatges ampliades a mida</string>
|
||||
<string name="show_highest_quality">Mostra imatges amb la màxima qualitat possible</string>
|
||||
|
@ -174,7 +175,7 @@
|
|||
<string name="open_videos_on_separate_screen">Obriu sempre vídeos en una pantalla independent amb nous gestos horitzontals</string>
|
||||
<string name="show_notch">Mostra una osca si està disponible</string>
|
||||
<string name="allow_rotating_gestures">Permet girar imatges amb gestos</string>
|
||||
<string name="file_loading_priority">Prioritat de càrrega d\'arxius</string>
|
||||
<string name="file_loading_priority">Prioritat de càrrega d’arxius</string>
|
||||
<string name="speed">Velocitat</string>
|
||||
<string name="compromise">Compromès</string>
|
||||
<string name="avoid_showing_invalid_files">Eviteu mostrar fitxers no vàlids</string>
|
||||
|
@ -193,27 +194,27 @@
|
|||
<!-- FAQ -->
|
||||
<string name="faq_1_title">Com puc fer que Simple Gallery sigui la galeria de dispositius predeterminada?</string>
|
||||
<string name="faq_1_text">Primer heu de trobar la galeria actualment predeterminada a la secció Aplicacions de la configuració del vostre dispositiu, cerqueu un botó que digui alguna cosa semblant a \"Obrir per defecte \", feu-hi clic i seleccioneu \"Esborra valors predeterminats \".
|
||||
La propera vegada que proveu d\'obrir una imatge o un vídeo, haureu de veure un selector d\'aplicació, on podeu seleccionar Simple Galeria i convertir-la en la aplicació predeterminada.</string>
|
||||
<string name="faq_2_title">Vaig bloquejar l\'aplicació amb una contrasenya, però l\'he oblidat. Què puc fer?</string>
|
||||
<string name="faq_2_text">Es pot resoldre de dues maneres. Podeu tornar a instal·lar l\'aplicació o trobar l\'aplicació a la configuració del dispositiu i seleccionar \"Esborrar dades \". Això reiniciarà totes les configuracions, no eliminarà cap fitxer multimèdia.</string>
|
||||
La propera vegada que proveu d’obrir una imatge o un vídeo, haureu de veure un selector d’aplicació, on podeu seleccionar Simple Galeria i convertir-la en la aplicació predeterminada.</string>
|
||||
<string name="faq_2_title">Vaig bloquejar l’aplicació amb una contrasenya, però l’he oblidat. Què puc fer?</string>
|
||||
<string name="faq_2_text">Es pot resoldre de dues maneres. Podeu tornar a instal·lar l’aplicació o trobar l’aplicació a la configuració del dispositiu i seleccionar \"Esborrar dades \". Això reiniciarà totes les configuracions, no eliminarà cap fitxer multimèdia.</string>
|
||||
<string name="faq_3_title">Com puc fer que un àlbum sempre aparegui a la part superior?</string>
|
||||
<string name="faq_3_text">Podeu prémer l\'àlbum desitjat i seleccionar la icona de la xinxeta al menú d\'acció i el fixarà a la part superior. També podeu enganxar diverses carpetes, els elements fixats s\'ordenaran pel mètode de classificació predeterminat.</string>
|
||||
<string name="faq_3_text">Podeu prémer l’àlbum desitjat i seleccionar la icona de la xinxeta al menú d’acció i el fixarà a la part superior. També podeu enganxar diverses carpetes, els elements fixats s’ordenaran pel mètode de classificació predeterminat.</string>
|
||||
<string name="faq_4_title">Com puc fer avançar els vídeos?</string>
|
||||
<string name="faq_4_text">Podeu arrossegar el dit horitzontalment al reproductor de vídeo o fer clic als textos actuals o de màxima duració a prop de la barra de cerca. Això mourà el vídeo ja sigui cap enrere o cap endavant.</string>
|
||||
<string name="faq_5_title">Quina és la diferència entre ocultar i excloure una carpeta?</string>
|
||||
<string name="faq_5_text">Excloure impedeix mostrar la carpeta només a Simple Galery, mentre que Ocultar també amaga la carpeta a altres galeries. Funciona creant un fitxer \". Nomedia \" buit a la carpeta donada, que podeu eliminar amb qualsevol gestor de fitxers.</string>
|
||||
<string name="faq_6_title">Per què apareixen les carpetes amb les portades de la música o adhesius?</string>
|
||||
<string name="faq_6_text">Pot passar que veuràs que apareixen alguns àlbums inusuals. Podeu excloure\'ls fàcilment prement-los i seleccionant Excloure. Al següent diàleg, podeu seleccionar la carpeta principal, és probable que impedeixi que apareguin altres àlbums relacionats.</string>
|
||||
<string name="faq_6_text">Pot passar que veuràs que apareixen alguns àlbums inusuals. Podeu excloure’ls fàcilment prement-los i seleccionant Excloure. Al següent diàleg, podeu seleccionar la carpeta principal, és probable que impedeixi que apareguin altres àlbums relacionats.</string>
|
||||
<string name="faq_7_title">Una carpeta amb imatges no apareix, què puc fer?</string>
|
||||
<string name="faq_7_text">Això pot tenir diversos motius, però resoldre-ho és fàcil. Accediu a Configuració -> Gestiona les carpetes incloses, seleccioneu Més i navegueu fins a la carpeta necessària.</string>
|
||||
<string name="faq_8_title">Què passa si vull veure només algunes carpetes concretes?</string>
|
||||
<string name="faq_8_text">L\'addició d\'una carpeta a les carpetes incloses no exclou automàticament res. El que podeu fer és anar a Configuració -> Gestionar carpetes excloses, excloure la carpeta arrel \"/\" i, a continuació, afegir les carpetes desitjades a Configuració -> Gestionar carpetes incloses.
|
||||
<string name="faq_8_text">L’addició d’una carpeta a les carpetes incloses no exclou automàticament res. El que podeu fer és anar a Configuració -> Gestionar carpetes excloses, excloure la carpeta arrel \"/\" i, a continuació, afegir les carpetes desitjades a Configuració -> Gestionar carpetes incloses.
|
||||
Això farà que només les carpetes seleccionades siguin visibles, ja que tant excloure com incloure són recursius i si una carpeta està exclosa i inclosa, es mostrarà.</string>
|
||||
<string name="faq_10_title">Puc retallar imatges amb aquesta aplicació?</string>
|
||||
<string name="faq_10_text">Sí, pots retallar imatges a l\'editor, arrossegant les cantonades de la imatge. Pots accedir a l\'editor prement una miniatura d\'imatge i seleccionant Edita o seleccionant Edita des de la visualització de pantalla completa.</string>
|
||||
<string name="faq_11_title">Puc agrupar d\'alguna manera les miniatures del fitxer multimèdia?</string>
|
||||
<string name="faq_11_text">Si, només heu d\'utilitzar l\'ítem del menú \"Agrupar per\" mentre es troba a la vista en miniatura. Podeu agrupar fitxers amb diversos criteris, inclòs data de presa. Si utilitzeu la funció \"Mostra el contingut de totes les carpetes\", també podeu agrupar-les per carpetes.</string>
|
||||
<string name="faq_12_title">L\'ordenació per data que de presa no sembla funcionar correctament, com puc solucionar-ho?</string>
|
||||
<string name="faq_10_text">Sí, pots retallar imatges a l’editor, arrossegant les cantonades de la imatge. Pots accedir a l’editor prement una miniatura d’imatge i seleccionant Edita o seleccionant Edita des de la visualització de pantalla completa.</string>
|
||||
<string name="faq_11_title">Puc agrupar d’alguna manera les miniatures del fitxer multimèdia?</string>
|
||||
<string name="faq_11_text">Si, només heu d’utilitzar l’ítem del menú \"Agrupar per\" mentre es troba a la vista en miniatura. Podeu agrupar fitxers amb diversos criteris, inclòs data de presa. Si utilitzeu la funció \"Mostra el contingut de totes les carpetes\", també podeu agrupar-les per carpetes.</string>
|
||||
<string name="faq_12_title">L’ordenació per data que de presa no sembla funcionar correctament, com puc solucionar-ho?</string>
|
||||
<string name="faq_12_text">Probablement, els fitxers es copiïn en un lloc incorrecte. Podeu arreglar-ho si seleccioneu les miniatures del fitxer i seleccioneu \"Fixar data de presa\".</string>
|
||||
<string name="faq_13_title">I see some color banding on the images. How can I improve the quality?</string>
|
||||
<string name="faq_13_text">The current solution for displaying images works fine in the vast majority of cases, but if you want even better image quality, you can enable the \"Show images in the highest possible quality\" at the app settings, in the \"Deep zoomable images\" section.</string>
|
||||
|
@ -222,52 +223,52 @@
|
|||
|
||||
<!-- Strings displayed only on Google Playstore. Optional, but good to have -->
|
||||
<!-- Short description has to have less than 80 chars -->
|
||||
<string name="app_short_description">Offline gallery without ads. Organize, edit, recover and protect photos & videos</string>
|
||||
<string name="app_short_description">Galeria d\'imatges senzilla i sense anuncis</string>
|
||||
<string name="app_long_description">
|
||||
Simple Gallery Pro is a highly customizable offline gallery. Organize & edit your photos, recover deleted files with the recycle bin, protect & hide files and view a huge variety of different photo & video formats including RAW, SVG and much more.
|
||||
Simple Gallery Pro és una galeria fora de línia altament personalitzable. Organitza i edita les teves fotos, recupera fitxers suprimits amb la paperera de reciclatge, protegeix i amaga fitxers, mostra una gran varietat de formats de foto i vídeo incloent RAW, SVG i molt més.
|
||||
|
||||
The app contains no ads and unnecessary permissions. As the app doesn’t require internet access either, your privacy is protected.
|
||||
L’aplicació no conté anuncis ni permisos innecessaris. Com que l’aplicació tampoc no requereix accés a Internet, la vostra privadesa està protegida.
|
||||
|
||||
-------------------------------------------------
|
||||
<b>SIMPLE GALLERY PRO – FEATURES</b>
|
||||
<b>SIMPLE GALLERY PRO - CARACTERÍSTIQUES</b>
|
||||
-------------------------------------------------
|
||||
|
||||
• Offline gallery with no ads or popups
|
||||
• Simple gallery photo editor – crop, rotate, resize, draw, filters & more
|
||||
• No internet access needed, giving you more privacy and security
|
||||
• No unnecessary permissions required
|
||||
• Quickly search images, videos & files
|
||||
• Open & view many different photo and video types (RAW, SVG, panoramic etc)
|
||||
• A variety of intuitive gestures to easily edit & organize files
|
||||
• Lots of ways to filter, group & sort files
|
||||
• Customize the appearance of Simple Gallery Pro
|
||||
• Available in 32 languages
|
||||
• Mark files as favorites for quick access
|
||||
• Protect your photos & videos with a pattern, pin or fingerprint
|
||||
• Use pin, pattern & fingerprint to protect the app launch or specific functions too
|
||||
• Recover deleted photos & videos from the recycle bin
|
||||
• Toggle visibility of files to hide photos & videos
|
||||
• Create a customizable slideshow of your files
|
||||
• View detailed information of your files (resolution, EXIF values etc)
|
||||
• Simple Gallery Pro is open source
|
||||
… and much much more!
|
||||
• Galeria sense connexió sense anuncis ni finestres emergents
|
||||
• Editor de fotos senzilles de la galeria: retalla, gira, canvia de mida, dibuixa, filtra i més
|
||||
• No es necessita accés a Internet, donant-li més privacitat i seguretat
|
||||
• No es necessiten permisos innecessaris
|
||||
• Cerca ràpidament imatges, vídeos i fitxers
|
||||
• Obre i visualitza molts tipus de fotos i de vídeo diferents (RAW, SVG, panoràmiques, etc.)
|
||||
• Una varietat de gestos intuïtius per editar fàcilment i organitzar els fitxers
|
||||
• Moltes maneres de filtrar, agrupar, amplificar i ordenar fitxers
|
||||
• Personalitza l’aparença de Simple Gallery Pro
|
||||
• Disponible en 32 idiomes
|
||||
• Marca els fitxers com a preferits per accedir ràpidament
|
||||
• Protegeix les teves fotos i vídeos amb un patró, pin o empremta digital
|
||||
• Utilitza un pin, patró i empremta digital per protegir també el llançament de l’aplicació o funcions específiques
|
||||
• Recupera fotos i vídeos esborrats de la paperera de reciclatge
|
||||
• Canvia la visibilitat dels fitxers per ocultar fotografies i vídeos
|
||||
• Crea una presentació de diapositives personalitzable dels teus fitxers
|
||||
• Mostra informació detallada dels teus fitxers (resolució, valors EXIF, etc.)
|
||||
• Simple Gallery Pro és de codi obert
|
||||
... i molt més!
|
||||
|
||||
<b>PHOTO GALLERY EDITOR</b>
|
||||
Simple Gallery Pro makes it easy to edit your pictures on the fly. Crop, flip, rotate and resize your pictures. If you’re feeling a little more creative you can add filters and draw on your pictures!
|
||||
<b>EDITOR DE GALERIA DE FOTOS </b>
|
||||
Simple Gallery Pro et permet editar fàcilment les vostres imatges. Retalla, gira, gira i canvia la mida de les teves fotos. Si et sents una mica més creatiu, pots afegir filtres i dibuixar-ne les imatges.
|
||||
|
||||
<b>SUPPORT FOR MANY FILE TYPES</b>
|
||||
Unlike some other gallery viewers & photo organizers, Simple Gallery Pro supports a huge range of different file types including JPEG, PNG, MP4, MKV, RAW, SVG, Panoramic photos, Panoramic videos and many more.
|
||||
<b>SUPORT PER ALTRES TIPUS DE ARXIU </b>
|
||||
A diferència d’altres aplicacions de galeria, Simple Gallery Pro suporta una gran varietat de tipus de fitxers diferents, inclosos JPEG, PNG, MP4, MKV, RAW, SVG, fotos panoràmiques, vídeos panoràmics i molts més.
|
||||
|
||||
<b>HIGHLY CUSTOMIZABLE GALLERY MANAGER</b>
|
||||
From the UI to the function buttons on the bottom toolbar, Simple Gallery Pro is highly customizable and works the way you want it to. No other gallery manager has this kind of flexibility! Thanks to being open source, we’re also available in 32 languages!
|
||||
<b>GESTOR DE GALERIA ALTAMENT PERSONALITZABLE </b>
|
||||
Des de la interfície d’usuari fins als botons de funció de la barra d’eines inferior, Simple Gallery Pro és altament personalitzable i funciona de la manera que desitgis. Cap altre aplicació de galeria té aquest tipus de flexibilitat. Gràcies a ser de codi obert, també estem disponibles en 32 idiomes.
|
||||
|
||||
<b>RECOVER DELETED PHOTOS & VIDEOS</b>
|
||||
Accidentally deleted a precious photo or video? Don’t worry! Simple Gallery Pro features a handy recycle bin where you can recover deleted photos & videos easily.
|
||||
<b>RECUPERES FOTOS I VÍDEOS </b>
|
||||
Has suprimit accidentalment una foto o vídeo precios? No et preocupis! Simple Gallery Pro disposa d’una paperera de reciclatge on podeu recuperar fotos i vídeos eliminats fàcilment.
|
||||
|
||||
<b>PROTECT & HIDE PHOTOS, VIDEOS & FILES</b>
|
||||
Using pin, pattern or your device’s fingerprint scanner you can protect and hide photos, videos & entire albums. You can protect the app itself or place locks on specific functions of the app. For example, you can’t delete a file without a fingerprint scan, helping to protect your files from accidental deletion.
|
||||
<b>PROTEGEIX, OCULTA FOTOS, VÍDEOS I ARXIUS </b>
|
||||
Amb el pin, el patró o l’escàner d’emprenta digital del teu dispositiu, pots protegir i amagar fotografies, vídeos i àlbums sencers. Pots protegir la pròpia aplicació o col·locar panys sobre funcions específiques de l’aplicació. Per exemple, no poder esborrar un fitxer sense una anàlisi d’empremtes digitals, ajudant-vos a protegir els teus fitxers de l’eliminació accidental.
|
||||
|
||||
<b>Check out the full suite of Simple Tools here:</b>
|
||||
<b>Consulteu el conjunt complet d’eines senzilles aquí: </b>
|
||||
https://www.simplemobiletools.com
|
||||
|
||||
<b>Facebook:</b>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Opravuji…</string>
|
||||
<string name="dates_fixed_successfully">Datumy byly úspěšně opraveny</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtr médií</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Fikser…</string>
|
||||
<string name="dates_fixed_successfully">Datoer fikset med succes</string>
|
||||
<string name="share_resized">Del en skaleret version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtrér medier</string>
|
||||
|
|
|
@ -27,11 +27,12 @@
|
|||
<string name="change_orientation">Bildausrichtung ändern</string>
|
||||
<string name="force_portrait">Bildausrichtung im Hochformat</string>
|
||||
<string name="force_landscape">Bildausrichtung im Querformat</string>
|
||||
<string name="use_default_orientation">automatische Bildausrichtung</string>
|
||||
<string name="use_default_orientation">Automatische Bildausrichtung</string>
|
||||
<string name="fix_date_taken">Aufnahmedatum korrigieren</string>
|
||||
<string name="fixing">Korrigiere…</string>
|
||||
<string name="dates_fixed_successfully">Datum erfolgreich korrigiert.</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="share_resized">Teile eine verkleinerte Version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filter</string>
|
||||
|
@ -116,7 +117,7 @@
|
|||
<string name="loop_slideshow">Endlos abspielen</string>
|
||||
<string name="slideshow_ended">Diashow beendet.</string>
|
||||
<string name="no_media_for_slideshow">Keine Medien für Diashow gefunden.</string>
|
||||
<string name="use_crossfade_animation">Use crossfade animations</string>
|
||||
<string name="use_crossfade_animation">Verwende Überblendanimationen</string>
|
||||
|
||||
<!-- View types -->
|
||||
<string name="change_view_type">Darstellung ändern</string>
|
||||
|
@ -132,7 +133,7 @@
|
|||
<string name="by_date_taken">Aufnahmedatum</string>
|
||||
<string name="by_file_type">Dateityp (Bilder/Videos)</string>
|
||||
<string name="by_extension">Dateierweiterung</string>
|
||||
<string name="grouping_and_sorting">Please note that grouping and sorting are 2 independent fields</string>
|
||||
<string name="grouping_and_sorting">Bitte beachte, dass Gruppieren und Sortieren zwei unabhängige Felder sind.</string>
|
||||
|
||||
<!-- Widgets -->
|
||||
<string name="folder_on_widget">Ordner, der auf dem Widget angezeigt wird:</string>
|
||||
|
@ -170,14 +171,14 @@
|
|||
<string name="show_highest_quality">Zeige Bilder in der höchstmöglichen Qualität</string>
|
||||
<string name="show_recycle_bin_last">Zeige den Papierkorb als letztes Element auf dem Hauptbildschirm</string>
|
||||
<string name="allow_down_gesture">Erlaube das Schließen der Vollbildansicht mit einer Abwärtsgeste</string>
|
||||
<string name="allow_one_to_one_zoom">Allow 1:1 zooming in with two double taps</string>
|
||||
<string name="open_videos_on_separate_screen">Always open videos on a separate screen with new horizontal gestures</string>
|
||||
<string name="allow_one_to_one_zoom">Erlaube 1:1 Zoom mit zweimaligem, doppeltem Antippen</string>
|
||||
<string name="open_videos_on_separate_screen">Öffne Videos immer auf einem speraten Bildschirm mit neuen horizontalen Gesten</string>
|
||||
<string name="show_notch">Show a notch if available</string>
|
||||
<string name="allow_rotating_gestures">Allow rotating images with gestures</string>
|
||||
<string name="file_loading_priority">File loading priority</string>
|
||||
<string name="speed">Speed</string>
|
||||
<string name="compromise">Compromise</string>
|
||||
<string name="avoid_showing_invalid_files">Avoid showing invalid files</string>
|
||||
<string name="allow_rotating_gestures">Rotieren von Bildern mit Gesten zulassen</string>
|
||||
<string name="file_loading_priority">Priorität beim Laden von Dateien</string>
|
||||
<string name="speed">Geschwindigkeit</string>
|
||||
<string name="compromise">Kompromiss</string>
|
||||
<string name="avoid_showing_invalid_files">Das Anzeigen von ungültigen Dateien vermeiden</string>
|
||||
|
||||
<!-- Setting sections -->
|
||||
<string name="thumbnails">Thumbnails</string>
|
||||
|
@ -193,17 +194,17 @@
|
|||
<!-- FAQ -->
|
||||
<string name="faq_1_title">Wie kann ich Schlichte Galerie als Standardanwendung auswählen?</string>
|
||||
<string name="faq_1_text">Zunächst musst du unter \"Apps\" in den Geräteeinstellungen die aktuelle Standardgalerie finden. Suche nach einer Bedienfläche wie \"Standardmässig öffnen\", betätige diese und wähle \"Standardeinstellungen löschen\".
|
||||
Das nächste Mal, wenn du ein Bild oder ein Video öffnest, sollte ein Auswahlfenster erscheinen und es möglich sein, Schlichte Gallerie als Standard-App auszuwählen.</string>
|
||||
Das nächste Mal, wenn du ein Bild oder ein Video öffnest, sollte ein Auswahlfenster erscheinen und es möglich sein, Schlichte Galerie als Standard-App auszuwählen.</string>
|
||||
<string name="faq_2_title">Ich habe die App mit einem Passwort geschützt und es vergessen. Was kann ich tun?</string>
|
||||
<string name="faq_2_text">Es gibt zwei Möglichkeiten: Entweder du installierst die App erneut oder du wählst in den Geräteeinstellungen \'Apps\' aus und dann \"Daten löschen\". Alle Einstellungen werden zurückgesetzt, alle Mediendateien bleiben unberührt.</string>
|
||||
<string name="faq_3_title">Wie kann ich ein Album immer zuoberst erscheinen lassen?</string>
|
||||
<string name="faq_3_text">Du kannst lange auf das gewünschte Album drücken und im Aktionsmenü das Stecknadelsymbol auswählen; es wird nun zuoberst angepinnt. Ebenso kannst du mehrere Ordner anpinnen. Angepinnte Objekte werden nach der Standardmethode sortiert.</string>
|
||||
<string name="faq_4_title">Wie kann ich in Videos vor- oder zurückspringen?</string>
|
||||
<string name="faq_4_text">You can either drag your finger horizontally over the video player, or click on the current or max duration texts near the seekbar. That will move the video either backward, or forward.</string>
|
||||
<string name="faq_4_text">Du kannst deinen Finger horizontal über den Videoplayer ziehen oder in der Nähe der Suchleiste auf die aktuelle oder maximale Dauer klicken. Das Video wird so entweder vorwärts oder rückwärts bewegt.</string>
|
||||
<string name="faq_5_title">Was ist der Unterschied zwischen \'Verstecken\' und \'Ausschließen\' eines Ordners?</string>
|
||||
<string name="faq_5_text">\'Ausschließen\' verhindert lediglich, dass der Ordner in Schlichte Galerie angezeigt wird. \'Verstecken\' hingegen versteckt den Ordner auch vor anderen Apps. Dies funktioniert durch das Erstellen einer leeren \".nomedia\"-Datei im betroffenen Ordner, welche du mit jedem Dateimanager wieder löschen kannst.</string>
|
||||
<string name="faq_6_title">Wieso erscheinen Ordner mit Musik-Cover oder Stickers?</string>
|
||||
<string name="faq_6_text">Es kann geschehen, dass manche ungewöhnliche Alben erscheinen. Diese kannst du ausschliessen durch gedrückt halten und Auswählen von Ausschliessen. Im nächsten Dialog kannst du den übergeordneten Ordner auswählen und dadurch sollten die anderen zugehörigen Alben auch nicht auftauchen.</string>
|
||||
<string name="faq_6_text">Es kann geschehen, dass manche ungewöhnliche Alben erscheinen. Diese kannst du ausschließen durch gedrückt halten und Auswählen von Ausschließen. Im nächsten Dialog kannst du den übergeordneten Ordner auswählen und dadurch sollten die anderen zugehörigen Alben auch nicht auftauchen.</string>
|
||||
<string name="faq_7_title">Ein Ordner mit Bildern wird nicht angezeigt. Was kann ich tun?</string>
|
||||
<string name="faq_7_text">Öffne die Galerie-Einstellungen, wähle dort \'Einbezogene Ordner verwalten\', dann das Plus-Zeichen oben rechts und navigiere zum gewünschten Ordner.</string>
|
||||
<string name="faq_8_title">Wie kann ich erreichen, dass nur ein paar definierte Ordner sichtbar sind?</string>
|
||||
|
@ -221,52 +222,52 @@
|
|||
|
||||
<!-- Strings displayed only on Google Playstore. Optional, but good to have -->
|
||||
<!-- Short description has to have less than 80 chars -->
|
||||
<string name="app_short_description">Offline gallery without ads. Organize, edit, recover and protect photos & videos</string>
|
||||
<string name="app_short_description">Galerie ohne Werbung. Ordnen, Bearbeiten und Wiederherstellen von Fotos & Videos</string>
|
||||
<string name="app_long_description">
|
||||
Simple Gallery Pro is a highly customizable offline gallery. Organize & edit your photos, recover deleted files with the recycle bin, protect & hide files and view a huge variety of different photo & video formats including RAW, SVG and much more.
|
||||
Schlichte Galerie Pro ist eine stark individualisierbare Offline Galerie. Ordne & bearbeite deine Fotos, stelle gelöschte Fotos mit Hilfe des Papierkorbs wieder her, schütze & verstecke Dateien und zeige eine Vielzahl von Bilder- & Videoformaten an, unter anderem RAW, SVG und viele mehr.
|
||||
|
||||
The app contains no ads and unnecessary permissions. As the app doesn’t require internet access either, your privacy is protected.
|
||||
Die App enthält keine Werbung und verlangt keine unnötigen Berechtigungen. Da die App auch keinen Internetzugang benötigt, ist deine Privatsphäre geschützt.
|
||||
|
||||
-------------------------------------------------
|
||||
<b>SIMPLE GALLERY PRO – FEATURES</b>
|
||||
<b>SCHLICHTE GALERIE PRO – EIGENSCHAFTEN</b>
|
||||
-------------------------------------------------
|
||||
|
||||
• Offline gallery with no ads or popups
|
||||
• Simple gallery photo editor – crop, rotate, resize, draw, filters & more
|
||||
• No internet access needed, giving you more privacy and security
|
||||
• No unnecessary permissions required
|
||||
• Quickly search images, videos & files
|
||||
• Open & view many different photo and video types (RAW, SVG, panoramic etc)
|
||||
• A variety of intuitive gestures to easily edit & organize files
|
||||
• Lots of ways to filter, group & sort files
|
||||
• Customize the appearance of Simple Gallery Pro
|
||||
• Available in 32 languages
|
||||
• Mark files as favorites for quick access
|
||||
• Protect your photos & videos with a pattern, pin or fingerprint
|
||||
• Use pin, pattern & fingerprint to protect the app launch or specific functions too
|
||||
• Recover deleted photos & videos from the recycle bin
|
||||
• Toggle visibility of files to hide photos & videos
|
||||
• Create a customizable slideshow of your files
|
||||
• View detailed information of your files (resolution, EXIF values etc)
|
||||
• Simple Gallery Pro is open source
|
||||
… and much much more!
|
||||
• Offline Galerie ohne Werbung und Popups
|
||||
• Schlichte Galerie Fotoeditor – Zuschneiden, Drehen, Ändern der Größe, Zeichnen, Filtern & mehr
|
||||
• Kein Internetzugriff benötigt – mehr Privatsphäre und Sicherheit für dich
|
||||
• Keine unnötigen Berechtigungen erforderlich
|
||||
• Suche schnell nach Bildern, Videos & Dateien
|
||||
• Öffne & zeige verschiedene Bild- und Videoformate an (RAW, SVG, Panoramabilder usw.)
|
||||
• Eine Vielzahl von intuitiven Gesten zur einfachen Bearbeitung & Ordnung von Dateien
|
||||
• Viele Möglichkeiten Dateien zu filtern, gruppieren & sortieren
|
||||
• Personalisiere das Erscheinungsbild der Galerie
|
||||
• Verfügbar in 32 Sprachen
|
||||
• Markiere Dateien als Favoriten, um schnell auf diese zuzugreifen
|
||||
• Schütze deine Fotos & Videos mit einem Muster, PIN oder Fingerabdruck
|
||||
• Nutze PIN, Muster & Fingerabruck zum Schutz der gesamten App oder auch bestimmter Funktionen
|
||||
• Stelle gelöschte Bilder & Videos aus dem Papierkorb wieder her
|
||||
• Ändere die Sichtbarkeit von Dateien und Ordnern, um Fotos und Videos zu verstecken
|
||||
• Erstelle eine eigene Diashow deiner Dateien
|
||||
• Zeige detaillierte Informationen deiner Dateien an (Auflösung, EXIF Werte usw.)
|
||||
• Schlichte Galerie Pro ist Open Source
|
||||
… und viele, viele mehr!
|
||||
|
||||
<b>PHOTO GALLERY EDITOR</b>
|
||||
Simple Gallery Pro makes it easy to edit your pictures on the fly. Crop, flip, rotate and resize your pictures. If you’re feeling a little more creative you can add filters and draw on your pictures!
|
||||
<b>FOTO EDITOR</b>
|
||||
Schlichte Galerie Pro macht es schnell und einfach deine Bilder zu bearbeiten. Schneide Bilder zu, drehe sie und ändere die Größe. Wenn du dich etwas kreativer fühlst, kannst du Filter hinzufügen und auf deinen Bildern malen!
|
||||
|
||||
<b>SUPPORT FOR MANY FILE TYPES</b>
|
||||
Unlike some other gallery viewers & photo organizers, Simple Gallery Pro supports a huge range of different file types including JPEG, PNG, MP4, MKV, RAW, SVG, Panoramic photos, Panoramic videos and many more.
|
||||
<b>UNTERSTÜTZUNG FÜR VIELE DATEITYPEEN</b>
|
||||
Im Gegensatz zu einigen anderen Galerien unterstütz Schlichte Galerie Pro eine Vielzahl verschiedener Dateitypen. Unter anderem JPEG, PNG, MP4, MKV, RAW, SVG, Panoramabilder, Panoramavideos und viele mehr.
|
||||
|
||||
<b>HIGHLY CUSTOMIZABLE GALLERY MANAGER</b>
|
||||
From the UI to the function buttons on the bottom toolbar, Simple Gallery Pro is highly customizable and works the way you want it to. No other gallery manager has this kind of flexibility! Thanks to being open source, we’re also available in 32 languages!
|
||||
<b>STARK INDIVIDUALISIERBARE GALERIE</b>
|
||||
Von der Benutzeroberfläche zu den Funktionen in der unteren Symbolleiste, Schlichte Galerie Pro ist stark anpassbar und funktioniert ganz nach deinen Wünschen. Keine Andere Galere verfügt über dieses Maß an Flexibilität. Danke Open Source sind wir in 32 Sprachen verfügbar!
|
||||
|
||||
<b>RECOVER DELETED PHOTOS & VIDEOS</b>
|
||||
Accidentally deleted a precious photo or video? Don’t worry! Simple Gallery Pro features a handy recycle bin where you can recover deleted photos & videos easily.
|
||||
<b>WIEDERHERSTELLUNG GELÖSCHTER FOTOS & VIDEOS</b>
|
||||
Versehentlich ein wertvolles Foto oder Video gelöscht? Keine Sorge! Schlichte Galerie Pro verfügt über einen praktischen Papierkorb, aus dem du gelöschte Bilder & Videos leicht wiederherstellen kannst.
|
||||
|
||||
<b>PROTECT & HIDE PHOTOS, VIDEOS & FILES</b>
|
||||
Using pin, pattern or your device’s fingerprint scanner you can protect and hide photos, videos & entire albums. You can protect the app itself or place locks on specific functions of the app. For example, you can’t delete a file without a fingerprint scan, helping to protect your files from accidental deletion.
|
||||
<b>SCHÜTZE & VERSTECKE FOTOS, VIDEOS & DATEIEN</b>
|
||||
Mit einem PIN, Muster oder dem Fingerabdrucksensor deines Gerätes kannst du Fotos, Videos und komplette Alben verstecken und schützen. Du kannst auch die App selber schützen oder bestimmte Funktionen der App sperren. Beispielsweise kannst du eine Datei nicht ohne Scan des Fingerabdrucks löschen, um deine Dateien vor versehentlichem Löschen zu schützen.
|
||||
|
||||
<b>Check out the full suite of Simple Tools here:</b>
|
||||
<b>Schau dir die vollständige Serie der Schlichten Apps hier an:</b>
|
||||
https://www.simplemobiletools.com
|
||||
|
||||
<b>Facebook:</b>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Διορθώνεται…</string>
|
||||
<string name="dates_fixed_successfully">Η Ημερ. διορθώθηκε με επιτυχία</string>
|
||||
<string name="share_resized">Διαμοιρασμός έκδοσης με αλλαγμένο μέγεθος</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Φιλτράρισμα πολυμέσων</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Fijando…</string>
|
||||
<string name="dates_fixed_successfully">Fecha fijada correctamente</string>
|
||||
<string name="share_resized">Comparte una versión redimensionada</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtro de medios</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Fixing…</string>
|
||||
<string name="dates_fixed_successfully">Dates fixed successfully</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Suodata media</string>
|
||||
|
|
|
@ -2,23 +2,23 @@
|
|||
<resources>
|
||||
<string name="app_name">Simple Gallery</string>
|
||||
<string name="app_launcher_name">Galerie</string>
|
||||
<string name="edit">Édition</string>
|
||||
<string name="open_camera">Démarrer l\'appareil photo</string>
|
||||
<string name="hidden">(masqué)</string>
|
||||
<string name="edit">Modifier</string>
|
||||
<string name="open_camera">Ouvrir l\'appareil photo</string>
|
||||
<string name="hidden">(caché)</string>
|
||||
<string name="excluded">(exclu)</string>
|
||||
<string name="pin_folder">Épingler le dossier</string>
|
||||
<string name="unpin_folder">Désépingler le dossier</string>
|
||||
<string name="pin_to_the_top">Épingler en haut</string>
|
||||
<string name="show_all">Afficher le contenu de tous les dossiers</string>
|
||||
<string name="show_all">Affichage \"Tous les dossiers\"</string>
|
||||
<string name="all_folders">Tous les dossiers</string>
|
||||
<string name="folder_view">Affichage en vue \"Dossier\"</string>
|
||||
<string name="folder_view">Affichage \"Galerie\"</string>
|
||||
<string name="other_folder">Autre dossier</string>
|
||||
<string name="show_on_map">Afficher sur la carte</string>
|
||||
<string name="unknown_location">Position inconnue</string>
|
||||
<string name="increase_column_count">Ajouter une colonne</string>
|
||||
<string name="reduce_column_count">Supprimer une colonne</string>
|
||||
<string name="change_cover_image">Changer l\'image de couverture</string>
|
||||
<string name="select_photo">Sélectionner une photo</string>
|
||||
<string name="change_cover_image">Changer l\'image de vignette</string>
|
||||
<string name="select_photo">Sélectionner une image</string>
|
||||
<string name="use_default">Utiliser par défaut</string>
|
||||
<string name="volume">Volume</string>
|
||||
<string name="brightness">Luminosité</string>
|
||||
|
@ -28,10 +28,11 @@
|
|||
<string name="force_portrait">Forcer la vue portrait</string>
|
||||
<string name="force_landscape">Forcer la vue paysage</string>
|
||||
<string name="use_default_orientation">Utiliser l\'orientation par défaut</string>
|
||||
<string name="fix_date_taken">Corriger la valeur des dates de prise des photos</string>
|
||||
<string name="fixing">Correction en cours....</string>
|
||||
<string name="fix_date_taken">Corriger les dates de prise de vue</string>
|
||||
<string name="fixing">Correction en cours...</string>
|
||||
<string name="dates_fixed_successfully">Dates corrigées</string>
|
||||
<string name="share_resized">Partager une version redimensionnée</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtrer les médias</string>
|
||||
|
@ -44,18 +45,18 @@
|
|||
<string name="change_filters_underlined"><u>Modifier les filtres</u></string>
|
||||
|
||||
<!-- Hide / Exclude -->
|
||||
<string name="hide_folder_description">Cette option masque le dossier en ajoutant un fichier \".nomedia\" à l\'intérieur, cela masquera aussi tous les sous-dossiers. Vous pouvez les voir en appuyant sur le symbole \"Œil\" (permettant l\'affichage) depuis les paramètres. Continuer ?</string>
|
||||
<string name="hide_folder_description">Cette option cache le dossier en y ajoutant un fichier \".nomedia\", cela cachera aussi tous les sous-dossiers. Vous pouvez les voir en appuyant sur le symbole \"Œil\" (permettant l\'affichage) depuis les paramètres. Continuer ?</string>
|
||||
<string name="exclude">Exclure</string>
|
||||
<string name="excluded_folders">Dossiers exclus</string>
|
||||
<string name="manage_excluded_folders">Gérer les dossiers exclus</string>
|
||||
<string name="exclude_folder_description">Cela va exclure la sélection ainsi que ses sous-dossiers depuis Simple Gallery uniquement. Vous pouvez gérer les dossiers exclus depuis les paramètres.</string>
|
||||
<string name="exclude_folder_parent">Exclure un dossier parent ?</string>
|
||||
<string name="excluded_activity_placeholder">Exclure des dossiers les masquera ainsi que leurs sous-dossiers uniquement dans Simple Gallery, ils seront toujours visibles depuis d\'autres applications.\n\nSi vous voulez aussi les masquer ailleurs, utilisez la fonction \"Masquer\".</string>
|
||||
<string name="excluded_activity_placeholder">Exclure des dossiers les cachera ainsi que leurs sous-dossiers uniquement dans Simple Gallery, ils seront toujours visibles depuis d\'autres applications.\n\nSi vous voulez aussi les cacher ailleurs, utilisez la fonction \"Cacher\".</string>
|
||||
<string name="remove_all">Tout supprimer</string>
|
||||
<string name="remove_all_description">Supprimer tous les dossiers de la liste des exclusions ? Cela n\'effacera pas les dossiers.</string>
|
||||
<string name="hidden_folders">Dossiers masqués</string>
|
||||
<string name="manage_hidden_folders">Gérer les dossiers masqués</string>
|
||||
<string name="hidden_folders_placeholder">Il semblerait que vous n\'ayez pas de dossier masqués avec un fichier \".nomedia\".</string>
|
||||
<string name="hidden_folders">Dossiers cachés</string>
|
||||
<string name="manage_hidden_folders">Gérer les dossiers cachés</string>
|
||||
<string name="hidden_folders_placeholder">Il semblerait que vous n\'ayez pas de dossier cachés avec un fichier \".nomedia\".</string>
|
||||
|
||||
<!-- Include folders -->
|
||||
<string name="include_folders">Dossiers ajoutés</string>
|
||||
|
@ -96,7 +97,7 @@
|
|||
<string name="set_as_wallpaper">Définir comme fond d\'écran</string>
|
||||
<string name="set_as_wallpaper_failed">Échec de la définition en tant que fond d\'écran</string>
|
||||
<string name="set_as_wallpaper_with">Définir comme fond d\'écran avec :</string>
|
||||
<string name="setting_wallpaper">Définition du fond d\'écran en cours…</string>
|
||||
<string name="setting_wallpaper">Définition du fond d\'écran en cours...</string>
|
||||
<string name="wallpaper_set_successfully">Fond d\'écran défini</string>
|
||||
<string name="portrait_aspect_ratio">Rapport d\'affichage portrait</string>
|
||||
<string name="landscape_aspect_ratio">Rapport d\'affichage paysage</string>
|
||||
|
@ -107,9 +108,9 @@
|
|||
<!-- Slideshow -->
|
||||
<string name="slideshow">Diaporama</string>
|
||||
<string name="interval">Intervalle (secondes) :</string>
|
||||
<string name="include_photos">Inclure photos</string>
|
||||
<string name="include_videos">Inclure vidéos</string>
|
||||
<string name="include_gifs">Inclure GIFs</string>
|
||||
<string name="include_photos">Inclure les images</string>
|
||||
<string name="include_videos">Inclure les vidéos</string>
|
||||
<string name="include_gifs">Inclure les GIFs</string>
|
||||
<string name="random_order">Ordre aléatoire</string>
|
||||
<string name="use_fade">Utiliser un fondu</string>
|
||||
<string name="move_backwards">Défilement inverse</string>
|
||||
|
@ -122,7 +123,7 @@
|
|||
<string name="change_view_type">Changer de mode d\'affichage</string>
|
||||
<string name="grid">Grille</string>
|
||||
<string name="list">Liste</string>
|
||||
<string name="group_direct_subfolders">Sous-dossiers de groupe direct</string>
|
||||
<string name="group_direct_subfolders">Mode sous-dossiers</string>
|
||||
|
||||
<!-- Grouping at media thumbnails -->
|
||||
<string name="group_by">Grouper par</string>
|
||||
|
@ -132,7 +133,7 @@
|
|||
<string name="by_date_taken">Date de prise de vue</string>
|
||||
<string name="by_file_type">Type de fichier</string>
|
||||
<string name="by_extension">Extension</string>
|
||||
<string name="grouping_and_sorting">Please note that grouping and sorting are 2 independent fields</string>
|
||||
<string name="grouping_and_sorting">Notez que grouper et trier sont 2 modes de tri indépendants</string>
|
||||
|
||||
<!-- Widgets -->
|
||||
<string name="folder_on_widget">Dossier affiché sur le widget :</string>
|
||||
|
@ -140,83 +141,83 @@
|
|||
|
||||
<!-- Settings -->
|
||||
<string name="autoplay_videos">Lecture automatique des vidéos</string>
|
||||
<string name="remember_last_video_position">Mémoriser la dernière position de lecture vidéo</string>
|
||||
<string name="remember_last_video_position">Mémoriser la position de lecture des vidéos</string>
|
||||
<string name="toggle_filename">Permuter la visibilité des noms de fichier</string>
|
||||
<string name="loop_videos">Lecture en boucle des vidéos</string>
|
||||
<string name="animate_gifs">GIFs animés sur les miniatures</string>
|
||||
<string name="animate_gifs">Animer le GIFs dans les miniatures</string>
|
||||
<string name="max_brightness">Luminosité maximale</string>
|
||||
<string name="crop_thumbnails">Recadrer les miniatures en carrés</string>
|
||||
<string name="show_thumbnail_video_duration">Montrer la durée de la vidéo</string>
|
||||
<string name="screen_rotation_by">Pivoter l\'affichage selon</string>
|
||||
<string name="show_thumbnail_video_duration">Afficher la durée des vidéos</string>
|
||||
<string name="screen_rotation_by">Orientation de l\'affichage</string>
|
||||
<string name="screen_rotation_system_setting">Paramètres système</string>
|
||||
<string name="screen_rotation_device_rotation">Rotation de l\'appareil</string>
|
||||
<string name="screen_rotation_aspect_ratio">Rapport d\'affichage</string>
|
||||
<string name="black_background_at_fullscreen">Arrière-plan et barre d\'état noirs</string>
|
||||
<string name="scroll_thumbnails_horizontally">Défilement des miniatures horizontalement</string>
|
||||
<string name="scroll_thumbnails_horizontally">Défiler les miniatures horizontalement</string>
|
||||
<string name="hide_system_ui_at_fullscreen">Masquer automatiquement l\'interface utilisateur</string>
|
||||
<string name="delete_empty_folders">Supprimer les dossiers vides après avoir supprimé leur contenu</string>
|
||||
<string name="allow_photo_gestures">Contrôler la luminosité de la photo avec des gestes verticaux</string>
|
||||
<string name="allow_video_gestures">Contrôler le volume et la luminosité de la vidéo avec des gestes verticaux</string>
|
||||
<string name="allow_photo_gestures">Contrôler la luminosité des images avec des gestes verticaux</string>
|
||||
<string name="allow_video_gestures">Contrôler le volume et la luminosité des vidéos avec des gestes verticaux</string>
|
||||
<string name="show_media_count">Afficher le nombre de fichiers dans les dossiers</string>
|
||||
<string name="show_extended_details">Afficher en surimpression les informations supplémentaires du média en plein écran</string>
|
||||
<string name="manage_extended_details">Gérer les informations supplémentaires</string>
|
||||
<string name="one_finger_zoom">Effectuer le zoom avec un doigt sur une image en plein écran</string>
|
||||
<string name="allow_instant_change">Changement instantané de média en appuyant sur les côtés de l\'écran</string>
|
||||
<string name="one_finger_zoom">Activer les zoom à un doigt sur les images en plein écran</string>
|
||||
<string name="allow_instant_change">Appuyer sur les cotés de l\'écran pour changer instantanément de média</string>
|
||||
<string name="allow_deep_zooming_images">Utiliser le zoom maximal des images</string>
|
||||
<string name="hide_extended_details">Ne pas afficher les informations supplémentaires si la barre d\'état est masquée</string>
|
||||
<string name="hide_extended_details">Cacher les informations supplémentaires si la barre d\'état est masquée</string>
|
||||
<string name="show_at_bottom">Afficher les boutons d\'action</string>
|
||||
<string name="show_recycle_bin">Afficher la corbeille en vue \"Dossier\"</string>
|
||||
<string name="deep_zoomable_images">Niveau de zoom maximal des images</string>
|
||||
<string name="show_highest_quality">Afficher les images avec la meilleur qualité possible</string>
|
||||
<string name="show_recycle_bin_last">Afficher la corbeille en dernière place sur l\'écran principal</string>
|
||||
<string name="allow_down_gesture">Fermeture de la vue plein écran par un geste vers le bas</string>
|
||||
<string name="allow_one_to_one_zoom">Permet d\'effectuer un zoom avant 1:1 avec un double appui</string>
|
||||
<string name="open_videos_on_separate_screen">Ouvrez toujours les vidéos sur un écran séparé avec de nouveaux gestes horizontaux.</string>
|
||||
<string name="show_notch">Afficher un cran si disponible</string>
|
||||
<string name="allow_rotating_gestures">Allow rotating images with gestures</string>
|
||||
<string name="file_loading_priority">File loading priority</string>
|
||||
<string name="speed">Speed</string>
|
||||
<string name="compromise">Compromise</string>
|
||||
<string name="avoid_showing_invalid_files">Avoid showing invalid files</string>
|
||||
<string name="show_recycle_bin_last">Afficher la corbeille en fin de liste sur l\'écran principal</string>
|
||||
<string name="allow_down_gesture">Fermer la vue plein écran par un geste vers le bas</string>
|
||||
<string name="allow_one_to_one_zoom">Permettre un zoom avant 1:1 par double appui</string>
|
||||
<string name="open_videos_on_separate_screen">Ouvrir les vidéos sur un écran séparé avec de nouveaux gestes horizontaux</string>
|
||||
<string name="show_notch">Afficher une encoche si disponible</string>
|
||||
<string name="allow_rotating_gestures">Pivoter les images par gestes</string>
|
||||
<string name="file_loading_priority">Priorité de chargement des fichiers</string>
|
||||
<string name="speed">Rapide</string>
|
||||
<string name="compromise">Compromis</string>
|
||||
<string name="avoid_showing_invalid_files">Eviter l\'affichage de fichiers invalides</string>
|
||||
|
||||
<!-- Setting sections -->
|
||||
<string name="thumbnails">Miniatures</string>
|
||||
<string name="fullscreen_media">Affichage en plein écran</string>
|
||||
<string name="fullscreen_media">Plein écran</string>
|
||||
<string name="extended_details">Détails supplémentaires</string>
|
||||
<string name="bottom_actions">Menu d\'actions sur la bas de l\'écran</string>
|
||||
<string name="bottom_actions">Barre d\'actions</string>
|
||||
|
||||
<!-- Bottom actions -->
|
||||
<string name="manage_bottom_actions">Gérer le menu d\'actions</string>
|
||||
<string name="manage_bottom_actions">Gérer la barre d\'actions</string>
|
||||
<string name="toggle_favorite">Ajouter aux favoris</string>
|
||||
<string name="toggle_file_visibility">Changer la visibilité des fichiers</string>
|
||||
|
||||
<!-- FAQ -->
|
||||
<string name="faq_1_title">Comment faire de Simple Gallery ma galerie par défaut ?</string>
|
||||
<string name="faq_1_text">Il faut dans un premier temps, trouver l\'application \"galerie\" par défaut dans la section \"Applications\" des paramètres de l\'appareil, puis appuyer sur \"Ouvrir par défaut\", et enfin sélectionner \"Réinitialiser les paramètres par défaut\". La prochaine fois que vous ouvrirez une image ou une vidéo, il vous sera proposé de choisir une application, choisissez \"Simple Gallery\" puis \"Toujours\".</string>
|
||||
<string name="faq_1_text">Il faut dans un premier temps, trouver l\'application \"Galerie\" par défaut dans la section \"Applications\" des paramètres de l\'appareil, puis appuyer sur \"Ouvrir par défaut\", et enfin sélectionner \"Réinitialiser les paramètres par défaut\". La prochaine fois que vous ouvrirez une image ou une vidéo, il vous sera proposé de choisir une application, choisissez \"Simple Gallery\" puis \"Toujours\".</string>
|
||||
<string name="faq_2_title">J\'ai verrouillé l\'application avec un mot de passe et je ne m\'en rappelle plus. Que faire ?</string>
|
||||
<string name="faq_2_text">Il y a deux façons de procéder. Soit vous réinstallez l\'application, soit vous recherchez l\'application dans les paramètres de l\'appareil et appuyez sur \"Effacer les données\". Cela va seulement réinitialiser les paramètres de l\'application et ne supprimera pas vos fichiers.</string>
|
||||
<string name="faq_3_title">Comment faire pour qu\'un album soit toujours affiché tout en haut ?</string>
|
||||
<string name="faq_3_text">Vous devez simplement à effectuer un appui prolongé sur l\'album en question et choisir l\'icône \"Épingler\" dans le menu d\'actions. Vous pouvez en épingler plusieurs. Les éléments épinglés seront alors triés selon l\'ordre par défaut.</string>
|
||||
<string name="faq_4_title">Comment avancer rapidement dans les vidéos ?</string>
|
||||
<string name="faq_4_text">Vous pouvez soit faire glisser votre doigt horizontalement sur le lecteur vidéo, soit cliquer sur le texte en cours ou la durée maximale près de la barre de recherche. Cela déplacera la vidéo vers l\'arrière ou vers l\'avant.</string>
|
||||
<string name="faq_5_title">Quelle est la différence entre masquer et exclure un dossier ?</string>
|
||||
<string name="faq_5_text">\"Exclure un dossier\" permet de ne pas l\'afficher uniquement dans Simple Gallery, alors que \"Masquer un dossier\" rend le dossier invisible sur l\'ensemble de l\'appareil, y compris les autres applications de galerie. Dans le dernier cas, un fichier \".nomedia\" est créé dans le dossier masqué, et peut être supprimé avec n\'importe quel explorateur de fichiers.</string>
|
||||
<string name="faq_5_title">Quelle est la différence entre cacher et exclure un dossier ?</string>
|
||||
<string name="faq_5_text">\"Exclure un dossier\" permet de ne pas l\'afficher uniquement dans Simple Gallery, alors que \"Cacher un dossier\" rend le dossier invisible sur l\'ensemble de l\'appareil, y compris les autres applications de galerie. Dans le dernier cas, un fichier \".nomedia\" est créé dans le dossier caché, et peut être supprimé avec n\'importe quel explorateur de fichiers.</string>
|
||||
<string name="faq_6_title">Pourquoi des dossiers avec des pochettes d\'albums musicaux ou des miniatures d\'images sont affichés ?</string>
|
||||
<string name="faq_6_text">Il est possible que des albums qui ne devraient pas être affichés le soient. Vous pouvez les exclure facilement en les sélectionnant par un appui prolongé, puis en choisissant l\'option \"Exclure\", après quoi vous pouvez aussi sélectionner le dossier parent, ce qui devrait éviter l\'apparition d\'albums similaires.</string>
|
||||
<string name="faq_7_title">Un dossier avec des images n\'apparaît pas. Que faire ?</string>
|
||||
<string name="faq_7_text">Cela peut arriver pour de multiples raisons, mais c\'est facile à résoudre. Allez dans \"Paramètres\", puis \"Gérer les dossiers inclus\", appuyez sur \"+\" et sélectionnez le dossier voulu.</string>
|
||||
<string name="faq_7_text">Cela peut arriver pour de multiples raisons, mais c\'est facile à résoudre. Allez dans \"Paramètres\", puis \"Gérer les dossiers ajoutés\", appuyez sur \"+\" et sélectionnez le dossier voulu.</string>
|
||||
<string name="faq_8_title">Comment faire apparaître uniquement certains dossiers ?</string>
|
||||
<string name="faq_8_text">Ajouter un dossier dans les \"Dossiers inclus\" rend visible l\'ensemble du contenu du dossier. Pour exclure certains dossiers, il faut aller dans \"Paramètres\", puis \"Gérer les dossiers exclus\", exclure le dossier racine \"/\", puis ajouter les dossiers souhaités dans \"Paramètres\", puis \"Gérer les dossiers inclus\". Seuls les dossiers sélectionnés seront visibles, du fait que les exclusions et inclusions sont récursives, et si un dossier est à la fois exclus et inclus, il sera affiché.</string>
|
||||
<string name="faq_8_text">Ajouter un dossier dans les \"Dossiers ajoutés\" rend visible l\'ensemble du contenu du dossier. Pour exclure certains dossiers, il faut aller dans \"Paramètres\", puis \"Gérer les dossiers exclus\", exclure le dossier racine \"/\", puis ajouter les dossiers souhaités dans \"Paramètres\", puis \"Gérer les dossiers ajoutés\". Seuls les dossiers sélectionnés seront visibles, du fait que les exclusions et inclusions sont récursives, et si un dossier est à la fois exclus et inclus, il sera affiché.</string>
|
||||
<string name="faq_10_title">Puis-je recadrer des images avec cette application ?</string>
|
||||
<string name="faq_10_text">Oui, vous pouvez recadrer les images dans l\'éditeur en faisant glisser les coins de l\'image. Vous pouvez accéder à l\'éditeur en appuyant longuement sur une vignette d\'image et en sélectionnant \"Modifier\", ou en sélectionnant \"Modifier\" en mode plein écran.</string>
|
||||
<string name="faq_11_title">Puis-je regrouper les miniatures des fichiers multimédias ?</string>
|
||||
<string name="faq_11_text">Bien sûr, il vous suffit d\'utiliser l\'option de menu \"Grouper par\" lorsque vous êtes dans l\'affichage des miniatures. Vous pouvez regrouper les fichiers selon plusieurs critères, y compris la date de prise de vue. Si vous utilisez la fonction \"Afficher le contenu de tous les dossiers\", vous pouvez également les regrouper par dossier.</string>
|
||||
<string name="faq_11_text">Bien sûr, il vous suffit d\'utiliser l\'option de menu \"Grouper par\" lorsque vous êtes dans l\'affichage des miniatures. Vous pouvez regrouper les fichiers selon plusieurs critères, y compris la date de prise de vue. Si vous utilisez la fonction \"Affichage Tous les dossiers\", vous pouvez également les regrouper par dossier.</string>
|
||||
<string name="faq_12_title">Le tri par date de prise de vue ne semble pas fonctionner correctement, comment puis-je le corriger ?</string>
|
||||
<string name="faq_12_text">Il est très probablement causé par les fichiers copiés quelque part. Vous pouvez le corriger en sélectionnant les miniatures du fichier et en sélectionnant \"Corriger la valeur des dates de prise des photos\".</string>
|
||||
<string name="faq_13_title">Je vois des bandes de couleurs sur les images. Comment puis-je améliorer la qualité ?</string>
|
||||
<string name="faq_13_text">La solution actuelle d\'affichage des images fonctionne bien dans la grande majorité des cas, mais si vous voulez une qualité d\'image encore meilleure, vous pouvez activer l\'option \"Afficher les images avec la plus haute qualité possible\" dans la section \"Niveau de zoom maximal des images\" des paramètres de l\'application.</string>
|
||||
<string name="faq_14_title">J\'ai masqué un fichier ou un dossier. Comment puis-je en rétablir l\'affichage ?</string>
|
||||
<string name="faq_14_text">Vous pouvez soit appuyer sur l\'option \"Afficher les fichiers masqués\" du menu de l\'écran principal, ou appuyer sur le bouton \"Afficher les éléments masqués\" dans les paramètres de l\'application. Si vous voulez rétablir leur affichage, effectuez un appui prolongé dessus et appuyez sur le symbole \"Œil\" permettant l\'affichage. Les dossiers sont masqués en ajoutant un fichier \".nomedia\" à leur racine, vous pouvez également supprimer ce fichier avec n\’importe quel explorateur de fichiers.</string>
|
||||
<string name="faq_14_title">J\'ai caché un fichier ou un dossier. Comment puis-je en rétablir l\'affichage ?</string>
|
||||
<string name="faq_14_text">Vous pouvez soit appuyer sur l\'option \"Afficher les fichiers cachés\" du menu de l\'écran principal, ou appuyer sur le bouton \"Afficher les éléments cachés\" dans les paramètres de l\'application. Si vous voulez rétablir leur affichage, effectuez un appui prolongé dessus et appuyez sur le symbole \"Œil\" permettant l\'affichage. Les dossiers sont cachés en ajoutant un fichier \".nomedia\" à leur racine, vous pouvez également supprimer ce fichier avec n\’importe quel explorateur de fichiers.</string>
|
||||
|
||||
<!-- Strings displayed only on Google Playstore. Optional, but good to have -->
|
||||
<!-- Short description has to have less than 80 chars -->
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Fixing…</string>
|
||||
<string name="dates_fixed_successfully">Dates fixed successfully</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtrar medios</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Popravljam…</string>
|
||||
<string name="dates_fixed_successfully">Datumi uspješno popravljeni</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtriranje medija</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Javítás…</string>
|
||||
<string name="dates_fixed_successfully">Sikeres dátum javítás</string>
|
||||
<string name="share_resized">Átméretezett verzió megosztása</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Média szűrő</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Memperbaiki…</string>
|
||||
<string name="dates_fixed_successfully">Tanggal berhasil diperbaiki</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filter media</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Correzione in corso…</string>
|
||||
<string name="dates_fixed_successfully">Date aggiornate correttamente</string>
|
||||
<string name="share_resized">Condividi una versione ridimensionata</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtra i file</string>
|
||||
|
@ -222,52 +223,52 @@
|
|||
|
||||
<!-- Strings displayed only on Google Playstore. Optional, but good to have -->
|
||||
<!-- Short description has to have less than 80 chars -->
|
||||
<string name="app_short_description">Offline gallery without ads. Organize, edit, recover and protect photos & videos</string>
|
||||
<string name="app_short_description">Galleria offline senza pubblicità. Organizza, modifica e proteggi foto e video</string>
|
||||
<string name="app_long_description">
|
||||
Simple Gallery Pro is a highly customizable offline gallery. Organize & edit your photos, recover deleted files with the recycle bin, protect & hide files and view a huge variety of different photo & video formats including RAW, SVG and much more.
|
||||
Semplice Galleria Pro è una galleria offline altamente personalizzabile. Organizza, modifica le tue foto, recupera file con il cestino, progetti e nascondi file e visualizza una grande varietà di formati foto e video, inclusi RAW, SVG e molti altri.
|
||||
|
||||
The app contains no ads and unnecessary permissions. As the app doesn’t require internet access either, your privacy is protected.
|
||||
L\'app non contiene pubblicità o permessi non necessari. L\'app non richiede l\'accesso a Internet, la tua privacy è protetta.
|
||||
|
||||
-------------------------------------------------
|
||||
<b>SIMPLE GALLERY PRO – FEATURES</b>
|
||||
<b>SEMPLICE GALLERIA PRO – FUNZIONALITÀ </b>
|
||||
-------------------------------------------------
|
||||
|
||||
• Offline gallery with no ads or popups
|
||||
• Simple gallery photo editor – crop, rotate, resize, draw, filters & more
|
||||
• No internet access needed, giving you more privacy and security
|
||||
• No unnecessary permissions required
|
||||
• Quickly search images, videos & files
|
||||
• Open & view many different photo and video types (RAW, SVG, panoramic etc)
|
||||
• A variety of intuitive gestures to easily edit & organize files
|
||||
• Lots of ways to filter, group & sort files
|
||||
• Customize the appearance of Simple Gallery Pro
|
||||
• Available in 32 languages
|
||||
• Mark files as favorites for quick access
|
||||
• Protect your photos & videos with a pattern, pin or fingerprint
|
||||
• Use pin, pattern & fingerprint to protect the app launch or specific functions too
|
||||
• Recover deleted photos & videos from the recycle bin
|
||||
• Toggle visibility of files to hide photos & videos
|
||||
• Create a customizable slideshow of your files
|
||||
• View detailed information of your files (resolution, EXIF values etc)
|
||||
• Simple Gallery Pro is open source
|
||||
… and much much more!
|
||||
• Galleria offline senza pubblicità o popup
|
||||
• Semplice editor - ritaglia, ruota, ridimensiona, disegna, filtri e altro
|
||||
• Non è necessario alcun accesso Internet, per la tua privacy e sicurezza
|
||||
• Non sono necessari permessi
|
||||
• Cerca velocemente immagini, video e file
|
||||
• Apri e visualizza diversi tipi di foto e video (RAW, SVG, panoramica etc.)
|
||||
• Una varietà di gesti intuitivi per modificare e organizzare i file
|
||||
• Diversi modi per filtrare, raggruppare e ordinare i file
|
||||
• Personalizza l\'aspetto di Semplice Galleria Pro
|
||||
• Disponibile in 32 lingue
|
||||
• Segna file come preferiti per un accesso veloce
|
||||
• Proteggi le tue foto e video con una sequenza, pin o impronta digitale
|
||||
• Utilizza un pin, una sequenza o un\'impronta digitale per proteggere l\'app o specifiche funzioni
|
||||
• Recupera foto e video eliminati dal cestino
|
||||
• Alterna la visibilità dei file per nascondere foto e video
|
||||
• Crea una presentazione personalizzabile dei propri file
|
||||
• Visualizza informazioni dettagliate dei tuoi file (risoluzione, valori EXIF)
|
||||
• Semplice Galleria Pro è open source
|
||||
… e molto molto altro!
|
||||
|
||||
<b>PHOTO GALLERY EDITOR</b>
|
||||
Simple Gallery Pro makes it easy to edit your pictures on the fly. Crop, flip, rotate and resize your pictures. If you’re feeling a little more creative you can add filters and draw on your pictures!
|
||||
<b>EDITOR DI FOTO</b>
|
||||
Semplice Galleria Pro permette di modificare facilmente le proprie foto al volo. Ritaglia, rovescia e ridimensiona le tue foto. Se ti senti più creativo puoi aggiungere filtri o disegnare sulle tue foto!
|
||||
|
||||
<b>SUPPORT FOR MANY FILE TYPES</b>
|
||||
Unlike some other gallery viewers & photo organizers, Simple Gallery Pro supports a huge range of different file types including JPEG, PNG, MP4, MKV, RAW, SVG, Panoramic photos, Panoramic videos and many more.
|
||||
<b>SUPPORTO PER MOLTI TIPI DI FILE</b>
|
||||
A differenza di altre gallerie e organizzatori di foto, Semplice Galleria Pro supporta una grande gamma di tipi di file differenti: JPEG, PNG, MP4, MKV, RAW, SVG, foto e video panoramici e molto altri.
|
||||
|
||||
<b>HIGHLY CUSTOMIZABLE GALLERY MANAGER</b>
|
||||
From the UI to the function buttons on the bottom toolbar, Simple Gallery Pro is highly customizable and works the way you want it to. No other gallery manager has this kind of flexibility! Thanks to being open source, we’re also available in 32 languages!
|
||||
<b>GESTORE DELLA GALLERIA ALTAMENTE MODIFICABILE</b>
|
||||
Semplice Galleria Pro è altamente personalizzabile e funziona come vuoi te, dall\'interfaccia ai pulsanti di funzione sulla barra degli strumenti. Nessun altro gestore della galleria ha questa tipologia di flessibilità! Grazie all\'essere open source, siamo disponibili in 32 linguaggi!
|
||||
|
||||
<b>RECOVER DELETED PHOTOS & VIDEOS</b>
|
||||
Accidentally deleted a precious photo or video? Don’t worry! Simple Gallery Pro features a handy recycle bin where you can recover deleted photos & videos easily.
|
||||
<b>RECUPERA FOTO E VIDEO ELIMINATI</b>
|
||||
Hai accidentalmente eliminato foto o video preziosi? Non preoccuparti! Semplice Galleria Pro fornisce un comodo cestino dove puoi recuperare foto e video eliminati.
|
||||
|
||||
<b>PROTECT & HIDE PHOTOS, VIDEOS & FILES</b>
|
||||
Using pin, pattern or your device’s fingerprint scanner you can protect and hide photos, videos & entire albums. You can protect the app itself or place locks on specific functions of the app. For example, you can’t delete a file without a fingerprint scan, helping to protect your files from accidental deletion.
|
||||
<b>PROTEGGI E NASCONDI FOTO VIDEO E FILE</b>
|
||||
Utilizzando un pin, una sequenza o la propria impronta digitale puoi proteggere e nascondere foto, video e interi album. Puoi proteggere l\'intera app o bloccare specifiche funzionalità dell\'app. Per esempio, non puoi eliminare un file senza una scansione dell\'impronta, aiuta a proteggere i tuoi file da rimozioni accidentali.
|
||||
|
||||
<b>Check out the full suite of Simple Tools here:</b>
|
||||
<b>Controlla le altre applicazioni qui:</b>
|
||||
https://www.simplemobiletools.com
|
||||
|
||||
<b>Facebook:</b>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">修正中…</string>
|
||||
<string name="dates_fixed_successfully">撮影日が正常に修正されました</string>
|
||||
<string name="share_resized">リサイズした画像を共有</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">表示する形式</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Fixing…</string>
|
||||
<string name="dates_fixed_successfully">Dates fixed successfully</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">미디어 필터 설정</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Fixing…</string>
|
||||
<string name="dates_fixed_successfully">Dates fixed successfully</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtruoti mediją</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Korrigerer…</string>
|
||||
<string name="dates_fixed_successfully">Datoer er korrigerte</string>
|
||||
<string name="share_resized">Del versjon med endret størrelse</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtrer media</string>
|
||||
|
|
|
@ -32,11 +32,12 @@
|
|||
<string name="fixing">Corrigeren…</string>
|
||||
<string name="dates_fixed_successfully">Datums zijn gecorrigeerd</string>
|
||||
<string name="share_resized">Verkleinde versie delen</string>
|
||||
<string name="upgraded_from_free">Het lijkt erop dat dit een upgrade is vanaf de oude gratis versie. Deze oude versie, met de knop \'Upgraden naar Pro\' bovenaan de instellingen, kan nu gedeïnstalleerd worden.\n\nDe items in de prullenbak zullen dan wel worden verwijderd, favorieten en instellingen zullen ook opnieuw moeten worden geconfigureerd.</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Media filteren</string>
|
||||
<string name="images">Afbeeldingen</string>
|
||||
<string name="videos">Video\'s</string>
|
||||
<string name="videos">Video’s</string>
|
||||
<string name="gifs">GIF-bestanden</string>
|
||||
<string name="raw_images">RAW-afbeeldingen</string>
|
||||
<string name="svgs">SVG-vectorafbeeldingen</string>
|
||||
|
@ -44,7 +45,7 @@
|
|||
<string name="change_filters_underlined"><u>Filters aanpassen</u></string>
|
||||
|
||||
<!-- Hide / Exclude -->
|
||||
<string name="hide_folder_description">Deze functie verbergt de map door het bestand \'.nomedia\' toe te voegen. Alle submappen zullen ook worden verborgen. Kies \'Verborgen mappen tonen\' in de instellingen om toch verborgen mappen te kunnen inzien. Doorgaan?</string>
|
||||
<string name="hide_folder_description">Deze functie verbergt de map door het bestand ’.nomedia’ toe te voegen. Alle submappen zullen ook worden verborgen. Kies ’Verborgen mappen tonen’ in de instellingen om toch verborgen mappen te kunnen inzien. Doorgaan?</string>
|
||||
<string name="exclude">Uitsluiten</string>
|
||||
<string name="excluded_folders">Uitgesloten mappen</string>
|
||||
<string name="manage_excluded_folders">Uitgesloten mappen beheren</string>
|
||||
|
@ -108,7 +109,7 @@
|
|||
<string name="slideshow">Diavoorstelling</string>
|
||||
<string name="interval">Interval (seconden):</string>
|
||||
<string name="include_photos">Afbeeldingen weergeven</string>
|
||||
<string name="include_videos">Video\'s weergeven</string>
|
||||
<string name="include_videos">Video’s weergeven</string>
|
||||
<string name="include_gifs">GIF-bestanden weergeven</string>
|
||||
<string name="random_order">Willekeurige volgorde</string>
|
||||
<string name="use_fade">Animaties gebruiken (vervagen)</string>
|
||||
|
@ -139,14 +140,14 @@
|
|||
<string name="show_folder_name">Mapnaam tonen</string>
|
||||
|
||||
<!-- Settings -->
|
||||
<string name="autoplay_videos">Video\'s automatisch afspelen</string>
|
||||
<string name="remember_last_video_position">Laatste positie in video\'s onthouden</string>
|
||||
<string name="autoplay_videos">Video’s automatisch afspelen</string>
|
||||
<string name="remember_last_video_position">Laatste positie in video’s onthouden</string>
|
||||
<string name="toggle_filename">Bestandsnamen tonen</string>
|
||||
<string name="loop_videos">Video\'s herhalen</string>
|
||||
<string name="loop_videos">Video’s herhalen</string>
|
||||
<string name="animate_gifs">GIF-bestanden afspelen in overzicht</string>
|
||||
<string name="max_brightness">Maximale helderheid in volledig scherm</string>
|
||||
<string name="crop_thumbnails">Miniatuurvoorbeelden bijsnijden</string>
|
||||
<string name="show_thumbnail_video_duration">Lengte van video\'s tonen</string>
|
||||
<string name="show_thumbnail_video_duration">Lengte van video’s tonen</string>
|
||||
<string name="screen_rotation_by">Media in volledig scherm roteren volgens</string>
|
||||
<string name="screen_rotation_system_setting">Systeeminstelling</string>
|
||||
<string name="screen_rotation_device_rotation">Oriëntatie van apparaat</string>
|
||||
|
@ -156,7 +157,7 @@
|
|||
<string name="hide_system_ui_at_fullscreen">Statusbalk automatisch verbergen in volledig scherm</string>
|
||||
<string name="delete_empty_folders">Lege mappen verwijderen na leegmaken</string>
|
||||
<string name="allow_photo_gestures">Helderheid voor afbeeldingen aanpassen met verticale veeggebaren</string>
|
||||
<string name="allow_video_gestures">Volume en helderheid voor video\'s aanpassen met verticale veeggebaren</string>
|
||||
<string name="allow_video_gestures">Volume en helderheid voor video’s aanpassen met verticale veeggebaren</string>
|
||||
<string name="show_media_count">Aantallen in mappen tonen</string>
|
||||
<string name="show_extended_details">Uitgebreide informatie tonen in volledig scherm</string>
|
||||
<string name="manage_extended_details">Uitgebreide informatie</string>
|
||||
|
@ -171,7 +172,7 @@
|
|||
<string name="show_recycle_bin_last">Prullenbak als laatste item tonen</string>
|
||||
<string name="allow_down_gesture">Naar beneden vegen om volledig scherm af te sluiten</string>
|
||||
<string name="allow_one_to_one_zoom">1:1 zoomen na 2x dubbelklikken</string>
|
||||
<string name="open_videos_on_separate_screen">Video\'s altijd in apart scherm met horizontale veeggebaren openen</string>
|
||||
<string name="open_videos_on_separate_screen">Video’s altijd in apart scherm met horizontale veeggebaren openen</string>
|
||||
<string name="show_notch">Inkeping scherm tonen indien aanwezig</string>
|
||||
<string name="allow_rotating_gestures">Afbeeldingen met veeggebaren draaien</string>
|
||||
<string name="file_loading_priority">Prioriteit bij inladen bestanden</string>
|
||||
|
@ -191,14 +192,14 @@
|
|||
<string name="toggle_file_visibility">Bestand tonen/verbergen</string>
|
||||
|
||||
<!-- FAQ -->
|
||||
<string name="faq_1_title">Hoe kan ik Eenvoudige Galerij instellen als standaard-app voor foto\'s en video\'s?</string>
|
||||
<string name="faq_1_text">Zoek eerst de huidige standaard-app voor foto\'s en video\'s in de Android-instellingen (via \"Apps\" of "\Apps en meldingen\"). Klik bij de App-info op \"Standaardwaarden wissen\" (soms onder \"Standaard openen\").
|
||||
<string name="faq_1_title">Hoe kan ik Eenvoudige Galerij instellen als standaard-app voor foto’s en video’s?</string>
|
||||
<string name="faq_1_text">Zoek eerst de huidige standaard-app voor foto’s en video’s in de Android-instellingen (via \"Apps\" of "\Apps en meldingen\"). Klik bij de App-info op \"Standaardwaarden wissen\" (soms onder \"Standaard openen\").
|
||||
Bij het openen van een foto of video zal de volgende keer een keuzescherm verschijnen, waarin Eenvoudige Galerij als standaard-app kan worden ingesteld.</string>
|
||||
<string name="faq_2_title">Ik heb de app beveiligd met een wachtwoord, maar ben het wachtwoord nu vergeten. Wat kan ik doen?</string>
|
||||
<string name="faq_2_text">Deïnstalleer en herinstalleer de app, of ga naar de app in de Android-instellingen (via \"Apps (en meldingen)\" -> \"App-info\") en kies via \"Opslagruimte\" voor \"Gegevens wissen\". Hiermee worden alleen de instellingen van deze app gewist.</string>
|
||||
<string name="faq_3_title">Hoe kan ik een map bovenaan vastzetten?</string>
|
||||
<string name="faq_3_text">Druk lang op het map en kies vervolgens de punaise in het actiemenu. Als er meerdere mappen zijn vastgezet, zullen deze worden weergeven op basis van de standaardsortering.</string>
|
||||
<string name="faq_4_title">Hoe kan ik terug- of vooruitspoelen in video\'s?</string>
|
||||
<string name="faq_4_title">Hoe kan ik terug- of vooruitspoelen in video’s?</string>
|
||||
<string name="faq_4_text">Sleep horizontaal over de videospeler, of klik bij de zoekbalk op de cijfers die de huidige voortgang of de lengte weergeven. Hierbij zal de video respectievelijk terug- of vooruitspringen.</string>
|
||||
<string name="faq_5_title">Wat is het verschil tussen het verbergen en het uitsluiten van mappen?</string>
|
||||
<string name="faq_5_text">Met \"Uitsluiten\" wordt het tonen van de map alleen binnen deze app voorkomen, terwijl \"Verbergen\" de map ook zal verbergen voor andere galerij-apps. Met \"Verbergen\" wordt een bestand genaamd \".nomedia\" in de te verbergen map aangemaakt (het verwijderen van dit bestand uit de map maakt het verbergen ongedaan).</string>
|
||||
|
@ -222,52 +223,52 @@
|
|||
|
||||
<!-- Strings displayed only on Google Playstore. Optional, but good to have -->
|
||||
<!-- Short description has to have less than 80 chars -->
|
||||
<string name="app_short_description">Offline gallery without ads. Organize, edit, recover and protect photos & videos</string>
|
||||
<string name="app_short_description">Galerij zonder advertenties. Organiseer, bewerk en beveilig foto’s & video’s</string>
|
||||
<string name="app_long_description">
|
||||
Simple Gallery Pro is a highly customizable offline gallery. Organize & edit your photos, recover deleted files with the recycle bin, protect & hide files and view a huge variety of different photo & video formats including RAW, SVG and much more.
|
||||
Simple Gallery Pro is een volledig aan te passen offline galerij. Organiseer & bewerk foto’s, herstel verwijderde bestanden met de prullenbakfunctie, beveilig & verberg items en bekijk een enorme hoeveelheid aan foto- & videoformaten, waaronder RAW, SVG en nog veel meer.
|
||||
|
||||
The app contains no ads and unnecessary permissions. As the app doesn’t require internet access either, your privacy is protected.
|
||||
Deze privacyvriendelijke app bevat geen advertenties of onnodige machtigingen (zoals verbinden met het internet).
|
||||
|
||||
-------------------------------------------------
|
||||
<b>SIMPLE GALLERY PRO – FEATURES</b>
|
||||
<b>SIMPLE GALLERY PRO – FUNCTIES</b>
|
||||
-------------------------------------------------
|
||||
|
||||
• Offline gallery with no ads or popups
|
||||
• Simple gallery photo editor – crop, rotate, resize, draw, filters & more
|
||||
• No internet access needed, giving you more privacy and security
|
||||
• No unnecessary permissions required
|
||||
• Quickly search images, videos & files
|
||||
• Open & view many different photo and video types (RAW, SVG, panoramic etc)
|
||||
• A variety of intuitive gestures to easily edit & organize files
|
||||
• Lots of ways to filter, group & sort files
|
||||
• Customize the appearance of Simple Gallery Pro
|
||||
• Available in 32 languages
|
||||
• Mark files as favorites for quick access
|
||||
• Protect your photos & videos with a pattern, pin or fingerprint
|
||||
• Use pin, pattern & fingerprint to protect the app launch or specific functions too
|
||||
• Recover deleted photos & videos from the recycle bin
|
||||
• Toggle visibility of files to hide photos & videos
|
||||
• Create a customizable slideshow of your files
|
||||
• View detailed information of your files (resolution, EXIF values etc)
|
||||
• Simple Gallery Pro is open source
|
||||
… and much much more!
|
||||
• Offline galerij zonder advertenties en pop-ups
|
||||
• Simple Gallery fotobewerking: bijsnijden, spiegelen, roteren, grootte aanpassen, tekenen, filters & meer
|
||||
• Geen internetverbinding benodigd voor meer privacy and veiligheid
|
||||
• Geen onnodige machtigingen vereist
|
||||
• Beschikbaar in 32 talen
|
||||
• Simple Gallery Pro is open-source
|
||||
• Zoek snel naar afbeeldingen, video’s & bestanden
|
||||
• Open & bekijk vele foto- & videoformaten (RAW, SVG, panorama etc.)
|
||||
• Gebruik veeggebaren om bestanden snel te bewerken en te organiseren
|
||||
• Kies uit een verscheidenheid aan manieren om bestanden te filteren, groeperen en sorteren
|
||||
• Pas het uiterlijk van Simple Gallery Pro aan
|
||||
• Markeer bestanden als favoriet om ze snel terug te vinden
|
||||
• Beveilig items met een patroon, pincode or vingerafdruk
|
||||
• Gebruik pincode, patroon & vingerafdruk om specifieke functies of het starten van de app te beveiligen
|
||||
• Herstel verwijderde bestanden uit de prullenbak
|
||||
• Toon of verberg foto’s & video’s
|
||||
• Creëer diavoorstellingen
|
||||
• Bekijk gedetailleerde informatie over de bestanden (resolutie, EXIF-waarden etc.)
|
||||
… en nog veel meer!
|
||||
|
||||
<b>PHOTO GALLERY EDITOR</b>
|
||||
Simple Gallery Pro makes it easy to edit your pictures on the fly. Crop, flip, rotate and resize your pictures. If you’re feeling a little more creative you can add filters and draw on your pictures!
|
||||
<b>FOTO’S BEWERKEN</b>
|
||||
Simple Gallery Pro maakt het gemakkelijk om direct afbeeldingen te bewerken. Ga aan de slag met bijsnijden, spiegelen, roteren en de grootte aanpassen, of voeg filters toe en teken over de afbeelding heen!
|
||||
|
||||
<b>SUPPORT FOR MANY FILE TYPES</b>
|
||||
Unlike some other gallery viewers & photo organizers, Simple Gallery Pro supports a huge range of different file types including JPEG, PNG, MP4, MKV, RAW, SVG, Panoramic photos, Panoramic videos and many more.
|
||||
<b>ONDERSTEUNING VOOR VEEL VERSCHILLENDE BESTANDSFORMATEN</b>
|
||||
Simple Gallery Pro ondersteunt, in tegenstelling tot sommige andere galerij-apps, een enorme hoeveelheid aan bestandsformaten, waaronder JPEG, PNG, MP4, MKV, RAW, SVG, Panorama-foto’s & -videos en nog veel meer.
|
||||
|
||||
<b>HIGHLY CUSTOMIZABLE GALLERY MANAGER</b>
|
||||
From the UI to the function buttons on the bottom toolbar, Simple Gallery Pro is highly customizable and works the way you want it to. No other gallery manager has this kind of flexibility! Thanks to being open source, we’re also available in 32 languages!
|
||||
<b>ALLES IS AAN TE PASSEN</b>
|
||||
Van de interface tot de knoppen op de werkbalk, Simple Gallery Pro is geheel aan te passen en kan dan ook werken naar ieders voorkeur. Geen enkele andere galerij-app bevat zulke flexibiliteit! Dankzij het open karakter en de community is de app maar liefst in 32 talen beschikbaar!
|
||||
|
||||
<b>RECOVER DELETED PHOTOS & VIDEOS</b>
|
||||
Accidentally deleted a precious photo or video? Don’t worry! Simple Gallery Pro features a handy recycle bin where you can recover deleted photos & videos easily.
|
||||
<b>HERSTEL VERWIJDERDE FOTO’S & VIDEO’S</b>
|
||||
Per ongeluk een foto of video verwijderd? Geen paniek! Simple Gallery Pro heeft een handige prullenbak waarmee verwijderde bestanden gemakkelijk zijn terug te halen.
|
||||
|
||||
<b>PROTECT & HIDE PHOTOS, VIDEOS & FILES</b>
|
||||
Using pin, pattern or your device’s fingerprint scanner you can protect and hide photos, videos & entire albums. You can protect the app itself or place locks on specific functions of the app. For example, you can’t delete a file without a fingerprint scan, helping to protect your files from accidental deletion.
|
||||
<b>BEVEILIG & VERBERG FOTO’S, VIDEO’S & BESTANDEN</b>
|
||||
Door middel van een pincode, patroon of een vingerafdruk zijn foto’s, video’s & gehele albums te beveiligen of te verbergen. Ook de gehele app of specifieke functies binnen de galerij zijn zo te beveiligen. Voorbeeld: stel in dat bestanden alleen kunnen worden verwijderd na een vingerafdrukscan.
|
||||
|
||||
<b>Check out the full suite of Simple Tools here:</b>
|
||||
<b>Kijk ook eens naar de hele collectie apps van Simple Tools:</b>
|
||||
https://www.simplemobiletools.com
|
||||
|
||||
<b>Facebook:</b>
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<resources>
|
||||
<string name="app_name">Prosta galeria</string>
|
||||
<string name="app_name">Prosta Galeria</string>
|
||||
<string name="app_launcher_name">Galeria</string>
|
||||
<string name="edit">Edytuj</string>
|
||||
<string name="open_camera">Uruchom aplikację aparatu</string>
|
||||
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Naprawiam…</string>
|
||||
<string name="dates_fixed_successfully">Daty zostały naprawione</string>
|
||||
<string name="share_resized">Udostępnij zmienioną wersję</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtruj multimedia</string>
|
||||
|
@ -132,7 +133,7 @@
|
|||
<string name="by_date_taken">Daty utworzenia</string>
|
||||
<string name="by_file_type">Typu</string>
|
||||
<string name="by_extension">Rozszerzenia</string>
|
||||
<string name="grouping_and_sorting">Please note that grouping and sorting are 2 independent fields</string>
|
||||
<string name="grouping_and_sorting">Uwaga: grupowanie i sortowanie to dwa niezależne pola</string>
|
||||
|
||||
<!-- Widgets -->
|
||||
<string name="folder_on_widget">Folder wyświetlany na widżecie:</string>
|
||||
|
@ -176,10 +177,10 @@
|
|||
<string name="open_videos_on_separate_screen">Zawsze otwieraj filmy na osobnym ekranie z nowymi poziomymi gestami</string>
|
||||
<string name="show_notch">Pokazuj wcięcie (jeśli dostępne)</string>
|
||||
<string name="allow_rotating_gestures">Zezwalaj na obracanie obrazów gestami</string>
|
||||
<string name="file_loading_priority">File loading priority</string>
|
||||
<string name="speed">Speed</string>
|
||||
<string name="compromise">Compromise</string>
|
||||
<string name="avoid_showing_invalid_files">Avoid showing invalid files</string>
|
||||
<string name="file_loading_priority">Priorytet ładowania plików</string>
|
||||
<string name="speed">Szybkość</string>
|
||||
<string name="compromise">Kompromis</string>
|
||||
<string name="avoid_showing_invalid_files">Unikaj pokazywania niewłaściwych plików</string>
|
||||
|
||||
<!-- Setting sections -->
|
||||
<string name="thumbnails">Miniatury</string>
|
||||
|
@ -222,58 +223,58 @@
|
|||
|
||||
<!-- Strings displayed only on Google Playstore. Optional, but good to have -->
|
||||
<!-- Short description has to have less than 80 chars -->
|
||||
<string name="app_short_description">Offline gallery without ads. Organize, edit, recover and protect photos & videos</string>
|
||||
<string name="app_short_description">Przeglądaj, edytuj, chroń, a w razie czego łatwo odzyskuj swe zdjęcia i filmy.</string>
|
||||
<string name="app_long_description">
|
||||
Simple Gallery Pro is a highly customizable offline gallery. Organize & edit your photos, recover deleted files with the recycle bin, protect & hide files and view a huge variety of different photo & video formats including RAW, SVG and much more.
|
||||
Simple Gallery Pro to wysoce konfigurowalna galeria. Przeglądaj i edytuj swoje zdjęcia, dzięki funkcji kosza z łatwością odzyskuj przypadkowo (lub nie) ususnięte pliki, chroń je i ukrywaj dzięki różnym metodom zabezpieczeń. Nie martw się o obsługiwane formaty - wśród nich są m.in. RAW, SVG i wiele więcej.
|
||||
|
||||
The app contains no ads and unnecessary permissions. As the app doesn’t require internet access either, your privacy is protected.
|
||||
Aplikacja nie zawiera reklam ani zezwoleń ponad te, których naprawdę potrzebuje. Nie musisz się także martwić o kwestie prywatności, gdyż nie potrzebuje ona dostępu do internetu.
|
||||
|
||||
-------------------------------------------------
|
||||
<b>SIMPLE GALLERY PRO – FEATURES</b>
|
||||
<b>SIMPLE GALLERY PRO – FUNKCJE</b>
|
||||
-------------------------------------------------
|
||||
|
||||
• Offline gallery with no ads or popups
|
||||
• Simple gallery photo editor – crop, rotate, resize, draw, filters & more
|
||||
• No internet access needed, giving you more privacy and security
|
||||
• No unnecessary permissions required
|
||||
• Quickly search images, videos & files
|
||||
• Open & view many different photo and video types (RAW, SVG, panoramic etc)
|
||||
• A variety of intuitive gestures to easily edit & organize files
|
||||
• Lots of ways to filter, group & sort files
|
||||
• Customize the appearance of Simple Gallery Pro
|
||||
• Available in 32 languages
|
||||
• Mark files as favorites for quick access
|
||||
• Protect your photos & videos with a pattern, pin or fingerprint
|
||||
• Use pin, pattern & fingerprint to protect the app launch or specific functions too
|
||||
• Recover deleted photos & videos from the recycle bin
|
||||
• Toggle visibility of files to hide photos & videos
|
||||
• Create a customizable slideshow of your files
|
||||
• View detailed information of your files (resolution, EXIF values etc)
|
||||
• Simple Gallery Pro is open source
|
||||
… and much much more!
|
||||
• Brak reklam i denerwujących okienek
|
||||
• Edytor zdjęć, a w nim przycinanie, obracanie, zmienianie rozmiaru, rysowanie, filtry i wiele więcej
|
||||
• Nie wymaga dostępu do internetu, przez co Twoje pliki są bezpieczne i widoczne tylko dla Ciebie
|
||||
• Używane są tylko najpotrzebniejsze uprawnienia
|
||||
• Szybkie wyszukiwanie plików
|
||||
• Obsługa wielu formatów (RAW, SVG, panoramy, itd.)
|
||||
• Różnorodność gestów dla prostszego korzystania z aplikacji
|
||||
• Wiele sposobów na filtrowanie, grupowanie i sortowanie plików
|
||||
• Wiele opcji dostosowywania wyglądu aplikacji
|
||||
• Dostępna w 32 językach [ w tym po polsku :) ]
|
||||
• Oznaczanie plików jako ulubione dla łatwiejszego do nich dostępu
|
||||
• Ochrona wzorem, PINem, lub odciskiem palca dostępu do plików ...
|
||||
• ... a nawet do całej aplikacji i/lub konkretnych jej funkcji
|
||||
• Odzyskiwanie utraconych plików dzięki funkcji kosza
|
||||
• Ukrywanie plików w obrębie aplikacji i/lub globalnie
|
||||
• Tworzenie konfigurowalnych pokazów slajdów
|
||||
• Szczegółowe informacje o plikach (rozdzielczość, dane EXIF, itd.)
|
||||
• Aplikacja jest otwartoźródłowa
|
||||
… i wiele więcej!
|
||||
|
||||
<b>PHOTO GALLERY EDITOR</b>
|
||||
Simple Gallery Pro makes it easy to edit your pictures on the fly. Crop, flip, rotate and resize your pictures. If you’re feeling a little more creative you can add filters and draw on your pictures!
|
||||
<b>EDYTOR ZDJĘĆ</b>
|
||||
Simple Gallery Pro ułatwi Ci szybką edycję zdjęć. Przycinaj je, przewracaj, obracaj, zmniejszaj i powiększaj. A w napływie kreatywności dodawaj filtry i narysuj coś na nich!
|
||||
|
||||
<b>SUPPORT FOR MANY FILE TYPES</b>
|
||||
Unlike some other gallery viewers & photo organizers, Simple Gallery Pro supports a huge range of different file types including JPEG, PNG, MP4, MKV, RAW, SVG, Panoramic photos, Panoramic videos and many more.
|
||||
<b>WSPARCIE DLA WIELU TYPÓW PLIKÓW</b>
|
||||
W przeciwieństwie do niektórych aplikacji galerii, Simple Gallery Pro wspiera dużo formatów plików, w tym JPEG, PNG, MP4, MKV, RAW, SVG, panoramiczne filmy i zdjęcia oraz wiele więcej.
|
||||
|
||||
<b>HIGHLY CUSTOMIZABLE GALLERY MANAGER</b>
|
||||
From the UI to the function buttons on the bottom toolbar, Simple Gallery Pro is highly customizable and works the way you want it to. No other gallery manager has this kind of flexibility! Thanks to being open source, we’re also available in 32 languages!
|
||||
<b>WSZECHSTRONNOŚĆ</b>
|
||||
Od interfejsu do przycisków funkcyjnych na dolnym pasku, Simple Gallery Pro jest wysoce konfigurowalny, przez co działa i wygląda tak jak chcesz. Żadna inna aplikacja galerii nie jest pod tym względem tak wszechstronna. A dzięki naszej otwartości to wszystko dostępne jest w 32 językach (w tym po polsku :]).
|
||||
|
||||
<b>RECOVER DELETED PHOTOS & VIDEOS</b>
|
||||
Accidentally deleted a precious photo or video? Don’t worry! Simple Gallery Pro features a handy recycle bin where you can recover deleted photos & videos easily.
|
||||
<b>ODZYSKIWANIE PLIKÓW</b>
|
||||
Coś Ci się niechcący usunęło? A może ktoś to zrobił po złości? Żaden problem! Dzięki funkcji kosza z łatwością to odzyskasz.
|
||||
|
||||
<b>PROTECT & HIDE PHOTOS, VIDEOS & FILES</b>
|
||||
Using pin, pattern or your device’s fingerprint scanner you can protect and hide photos, videos & entire albums. You can protect the app itself or place locks on specific functions of the app. For example, you can’t delete a file without a fingerprint scan, helping to protect your files from accidental deletion.
|
||||
<b>OCHRONA PLIKÓW</b>
|
||||
Poprzez PIN, wzór lub odcisk palca możesz chronić swoje pliki, ukrywając je i blokując do nich dostęp. Tak samo możesz zablokować dostęp do całej aplikacji lub jej poszczególnych funkcji. Możesz na przykład uniemożliwić usuwanie plików bez zeskanowania linii papilarnych, przez co tylko Ty będziesz mógł to zrobić.
|
||||
|
||||
<b>Check out the full suite of Simple Tools here:</b>
|
||||
<b>Sprawdź cały zestaw naszych aplikacji:</b>
|
||||
https://www.simplemobiletools.com
|
||||
|
||||
<b>Facebook:</b>
|
||||
<b>Odwiedź nasz profil na Facebooku...</b>
|
||||
https://www.facebook.com/simplemobiletools
|
||||
|
||||
<b>Reddit:</b>
|
||||
<b>... i/lub naszego subreddita:</b>
|
||||
https://www.reddit.com/r/SimpleMobileTools
|
||||
</string>
|
||||
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Fixing…</string>
|
||||
<string name="dates_fixed_successfully">Dates fixed successfully</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtrar mídia</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">A corrigir…</string>
|
||||
<string name="dates_fixed_successfully">Dados corrigidos com sucesso</string>
|
||||
<string name="share_resized">Partilhar foto redimensionada</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtrar multimédia</string>
|
||||
|
@ -132,7 +133,7 @@
|
|||
<string name="by_date_taken">Data de obtenção</string>
|
||||
<string name="by_file_type">Tipo de ficheiro</string>
|
||||
<string name="by_extension">Extensão</string>
|
||||
<string name="grouping_and_sorting">Please note that grouping and sorting are 2 independent fields</string>
|
||||
<string name="grouping_and_sorting">Tenha em atenção de que o agrupamento e a ordenação são campos independentes</string>
|
||||
|
||||
<!-- Widgets -->
|
||||
<string name="folder_on_widget">Pasta mostrada no widget:</string>
|
||||
|
@ -173,11 +174,11 @@
|
|||
<string name="allow_one_to_one_zoom">Permitir ampliação 1:1 com dois toques</string>
|
||||
<string name="open_videos_on_separate_screen">Abrir vídeos em ecrã distinto com os novos toques horizontais</string>
|
||||
<string name="show_notch">Mostrar \"notch\", se disponível</string>
|
||||
<string name="allow_rotating_gestures">Allow rotating images with gestures</string>
|
||||
<string name="file_loading_priority">File loading priority</string>
|
||||
<string name="speed">Speed</string>
|
||||
<string name="compromise">Compromise</string>
|
||||
<string name="avoid_showing_invalid_files">Avoid showing invalid files</string>
|
||||
<string name="allow_rotating_gestures">Permitir rotação de imagens com gestos</string>
|
||||
<string name="file_loading_priority">Prioridade de carregamento dos ficheiros</string>
|
||||
<string name="speed">velocidade</string>
|
||||
<string name="compromise">Compromisso</string>
|
||||
<string name="avoid_showing_invalid_files">Não mostrar ficheiros inválidos</string>
|
||||
|
||||
<!-- Setting sections -->
|
||||
<string name="thumbnails">Miniaturas</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Исправление…</string>
|
||||
<string name="dates_fixed_successfully">Даты исправлены</string>
|
||||
<string name="share_resized">Поделиться изменённой версией</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Фильтр медиа</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Opravuje sa…</string>
|
||||
<string name="dates_fixed_successfully">Dátumy boli úspešne opravené</string>
|
||||
<string name="share_resized">Zdieľať verziu so zmenenou veľkosťou</string>
|
||||
<string name="upgraded_from_free">Zdravím,\n\nvyzerá to tak, že ste zo starej bezplatnej apky prešlie na novú, platenú. Starú apku, ktorá má na vrchu nastavení tlačidlo \'Stiahnuť Pro verziu\', môžete už odinštalovať.\n\nStratíte tým iba súbory v odpadkovom koši, obľúbené položky budú odznačené a tiež si budete musieť opäť nastaviť položky v nastaveniach aplikácie.\n\nVďaka!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filter médií</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Popravljam…</string>
|
||||
<string name="dates_fixed_successfully">Datumi uspešno popravljeni</string>
|
||||
<string name="share_resized">Deli spremenjeno verzijo</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtriranje datotek</string>
|
||||
|
|
285
app/src/main/res/values-sr/strings.xml
Normal file
285
app/src/main/res/values-sr/strings.xml
Normal file
|
@ -0,0 +1,285 @@
|
|||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<resources>
|
||||
<string name="app_name">Једноставна галерија</string>
|
||||
<string name="app_launcher_name">Галерија</string>
|
||||
<string name="edit">Измени</string>
|
||||
<string name="open_camera">Отвори камеру</string>
|
||||
<string name="hidden">(скривено)</string>
|
||||
<string name="excluded">(изузето)</string>
|
||||
<string name="pin_folder">Прикачи фасциклу</string>
|
||||
<string name="unpin_folder">Раскачи фасциклу</string>
|
||||
<string name="pin_to_the_top">Закачи на врх</string>
|
||||
<string name="show_all">Прикажи садржај свих фасцикли</string>
|
||||
<string name="all_folders">Све фасцикле</string>
|
||||
<string name="folder_view">Пређи на преглед фасцикли</string>
|
||||
<string name="other_folder">Друга фасцикла</string>
|
||||
<string name="show_on_map">Прикажи на мапи</string>
|
||||
<string name="unknown_location">Непозната локација</string>
|
||||
<string name="increase_column_count">Повећај број колона</string>
|
||||
<string name="reduce_column_count">Смањи број колона</string>
|
||||
<string name="change_cover_image">Промени насловну слику</string>
|
||||
<string name="select_photo">Изабери фотографију</string>
|
||||
<string name="use_default">Користи подразумевано</string>
|
||||
<string name="volume">Јачина звука</string>
|
||||
<string name="brightness">Осветљење</string>
|
||||
<string name="lock_orientation">Закључај оријентацију</string>
|
||||
<string name="unlock_orientation">Откључај оријентацију</string>
|
||||
<string name="change_orientation">Измени оријентацију</string>
|
||||
<string name="force_portrait">Форсирај портрет</string>
|
||||
<string name="force_landscape">Форсирај пејзаж</string>
|
||||
<string name="use_default_orientation">Користи подразумевајућу оријентацију</string>
|
||||
<string name="fix_date_taken">Поправи вредност за датум креирања</string>
|
||||
<string name="fixing">Исправљам…</string>
|
||||
<string name="dates_fixed_successfully">Датуми успешно исправљени</string>
|
||||
<string name="share_resized">Подели верзију са промењеним димензијама</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Филтрирај медију</string>
|
||||
<string name="images">Слике</string>
|
||||
<string name="videos">Видео снимци</string>
|
||||
<string name="gifs">ГИФови</string>
|
||||
<string name="raw_images">Сирове слике</string>
|
||||
<string name="svgs">СВГови</string>
|
||||
<string name="no_media_with_filters">Нема пронађених медија датотека са изабраним филтерима.</string>
|
||||
<string name="change_filters_underlined"><u>Измени филтере</u></string>
|
||||
|
||||
<!-- Hide / Exclude -->
|
||||
<string name="hide_folder_description">Ова функција скрива фасциклу додавањем \'.nomedia\' фајла у њу, она ће такође сакрити све подфасцикле. Можете их видети притиском на опцију \'Прикажи скривене ставке\' у подешавањима. Настави?</string>
|
||||
<string name="exclude">Изузми</string>
|
||||
<string name="excluded_folders">Изузете фасцикле</string>
|
||||
<string name="manage_excluded_folders">Управљај изузетим фасциклама</string>
|
||||
<string name="exclude_folder_description">Ово ће изузети одабир заједно са подфасциклама само из Једноставне галерије. Можете управљати изузетим фасциклама у подешавањима.</string>
|
||||
<string name="exclude_folder_parent">Изузми родитеља уместо овог?</string>
|
||||
<string name="excluded_activity_placeholder">Изузимање фасцикли ће их заједно са њиховим подфасциклама учинити скривеним само у Једноставној галерији, они ће и даље бити видљиви у другим апликацијама. \n\nАко желите да их сакријете од других апликација, употребите Сакриј функцију.</string>
|
||||
<string name="remove_all">Уклони све</string>
|
||||
<string name="remove_all_description">Уклони све фасцикле са листе изузетих? Ово неће обрисати фасцикле.</string>
|
||||
<string name="hidden_folders">Скривене фасцикле</string>
|
||||
<string name="manage_hidden_folders">Управљај скривеним фасциклама</string>
|
||||
<string name="hidden_folders_placeholder">Изгледа да немате ни једну фасциклу скривену са \".nomedia\" датотеком.</string>
|
||||
|
||||
<!-- Include folders -->
|
||||
<string name="include_folders">Укључене фасцикле</string>
|
||||
<string name="manage_included_folders">Управљај укљученим фасциклама</string>
|
||||
<string name="add_folder">Додај фасциклу</string>
|
||||
<string name="included_activity_placeholder">Ако имате неке фасцикле које садрже медију, али нису препознате од стране апликације, можете их додати ручно овде. \n\nДодавањем неких ставки овде нећете изузети неку другу фасциклу.</string>
|
||||
|
||||
<!-- Resizing -->
|
||||
<string name="resize">Промена величине</string>
|
||||
<string name="resize_and_save">Промени величину одабраног и сачувај</string>
|
||||
<string name="width">Ширина</string>
|
||||
<string name="height">Висина</string>
|
||||
<string name="keep_aspect_ratio">Задржи пропорције</string>
|
||||
<string name="invalid_values">Унесите исправну резолуцију</string>
|
||||
|
||||
<!-- Editor -->
|
||||
<string name="editor">Едитор</string>
|
||||
<string name="save">Сачувај</string>
|
||||
<string name="rotate">Ротирај</string>
|
||||
<string name="path">Стаза</string>
|
||||
<string name="invalid_image_path">Неисправна стаза слике</string>
|
||||
<string name="image_editing_failed">Измена слике неуспешна</string>
|
||||
<string name="edit_image_with">Измени слику са:</string>
|
||||
<string name="no_editor_found">Није пронађен едитор слика</string>
|
||||
<string name="unknown_file_location">Непозната локација датотеке</string>
|
||||
<string name="error_saving_file">Не могу да препишем изворну датотеку</string>
|
||||
<string name="rotate_left">Ротирај лево</string>
|
||||
<string name="rotate_right">Ротирај десно</string>
|
||||
<string name="rotate_one_eighty">Ротирај за 180º</string>
|
||||
<string name="flip">Заврти</string>
|
||||
<string name="flip_horizontally">Заврти хоризонтално</string>
|
||||
<string name="flip_vertically">Заврти вертикално</string>
|
||||
<string name="free_aspect_ratio">Слободна пропорција</string> <!-- available as an option: 1:1, 4:3, 16:9, free -->
|
||||
<string name="other_aspect_ratio">Друга пропорција</string> <!-- available as an option: 1:1, 4:3, 16:9, free, other -->
|
||||
|
||||
<!-- Set wallpaper -->
|
||||
<string name="simple_wallpaper">Једноставна позадина</string>
|
||||
<string name="set_as_wallpaper">Подеси као позадину</string>
|
||||
<string name="set_as_wallpaper_failed">Подешавање позадине неуспешно</string>
|
||||
<string name="set_as_wallpaper_with">Подеси као позадину са:</string>
|
||||
<string name="setting_wallpaper">Подешавам позадину…</string>
|
||||
<string name="wallpaper_set_successfully">Позадина је успешно подешена</string>
|
||||
<string name="portrait_aspect_ratio">Пропорција портрета</string>
|
||||
<string name="landscape_aspect_ratio">Пропорција пејзажа</string>
|
||||
<string name="home_screen">Почетни екран</string>
|
||||
<string name="lock_screen">Закључај екран</string>
|
||||
<string name="home_and_lock_screen">Почетни и закључани екран</string>
|
||||
|
||||
<!-- Slideshow -->
|
||||
<string name="slideshow">Слајдшоу</string>
|
||||
<string name="interval">Интервал (секунди):</string>
|
||||
<string name="include_photos">Садржи слике</string>
|
||||
<string name="include_videos">Садржи видео снимке</string>
|
||||
<string name="include_gifs">Садржи ГИФове</string>
|
||||
<string name="random_order">Насумични редослед</string>
|
||||
<string name="use_fade">Користи изблеђујуће анимације</string>
|
||||
<string name="move_backwards">Помери уназад</string>
|
||||
<string name="loop_slideshow">Понављај слајдшоу</string>
|
||||
<string name="slideshow_ended">Слајдшоу се завршио</string>
|
||||
<string name="no_media_for_slideshow">Нису пронађени медији за слајдшоу</string>
|
||||
<string name="use_crossfade_animation">Користи анимације са унакрсним изблеђивањем</string>
|
||||
|
||||
<!-- View types -->
|
||||
<string name="change_view_type">Промени тип прегледа</string>
|
||||
<string name="grid">Мрежа</string>
|
||||
<string name="list">Листа</string>
|
||||
<string name="group_direct_subfolders">Групирај директне подфасцикле</string>
|
||||
|
||||
<!-- Grouping at media thumbnails -->
|
||||
<string name="group_by">Групиши према</string>
|
||||
<string name="do_not_group_files">Не групиши датотеке</string>
|
||||
<string name="by_folder">Фасцикла</string>
|
||||
<string name="by_last_modified">Задње измењено</string>
|
||||
<string name="by_date_taken">Датум настанка</string>
|
||||
<string name="by_file_type">Тип датотеке</string>
|
||||
<string name="by_extension">Тип датотеке</string>
|
||||
<string name="grouping_and_sorting">Имајте на уму да су груписање и сортирање 2 различите ствари</string>
|
||||
|
||||
<!-- Widgets -->
|
||||
<string name="folder_on_widget">Фасцикла приказана у виџету:</string>
|
||||
<string name="show_folder_name">Прикажи име фасцикле</string>
|
||||
|
||||
<!-- Settings -->
|
||||
<string name="autoplay_videos">Пуштај видео снимке аутоматски</string>
|
||||
<string name="remember_last_video_position">Запамти позицију задње пуштаног видеа</string>
|
||||
<string name="toggle_filename">Измени видљивост датотеке</string>
|
||||
<string name="loop_videos">Пуштај видео снимке у недоглед</string>
|
||||
<string name="animate_gifs">Анимирај ГИФове на сличицама</string>
|
||||
<string name="max_brightness">Максимално осветљење када се пушта медиј преко целог екрана</string>
|
||||
<string name="crop_thumbnails">Скрати сличице у квадрате</string>
|
||||
<string name="show_thumbnail_video_duration">Прикажи дужину видео снимака</string>
|
||||
<string name="screen_rotation_by">Ротирај медиј преко целог екрана за</string>
|
||||
<string name="screen_rotation_system_setting">Системска подешавања</string>
|
||||
<string name="screen_rotation_device_rotation">Ротација уређаја</string>
|
||||
<string name="screen_rotation_aspect_ratio">Пропорције</string>
|
||||
<string name="black_background_at_fullscreen">Црна позадина на приказу преко целог екрана</string>
|
||||
<string name="scroll_thumbnails_horizontally">Скролуј сличице хоризонтално</string>
|
||||
<string name="hide_system_ui_at_fullscreen">Аутоматски сакриј системски кориснички интерфејс приликом пуштања преко целог екрана</string>
|
||||
<string name="delete_empty_folders">Обриши празне фасцикле након брисања њиховог садржаја</string>
|
||||
<string name="allow_photo_gestures">Дозволи контролисање осветљења слика са вертикалним покретима</string>
|
||||
<string name="allow_video_gestures">Дозволи контролисање јачине звука видео снимка и осветљења са вертикалним покретима</string>
|
||||
<string name="show_media_count">Прикажи број медија у фасцикли на главном прегледу</string>
|
||||
<string name="show_extended_details">Прикажи више детаља преко медија пуштеног преко целог екрана</string>
|
||||
<string name="manage_extended_details">Управљај дотатним детаљима</string>
|
||||
<string name="one_finger_zoom">Омогући зумирање једним прстом код медија на целом екрану</string>
|
||||
<string name="allow_instant_change">Дозволи брзо мењање медија кликом на стране екрана</string>
|
||||
<string name="allow_deep_zooming_images">Дозволи дубоко зумирање слика</string>
|
||||
<string name="hide_extended_details">Сакриј додатне детаље када је статусна трака скривена</string>
|
||||
<string name="show_at_bottom">Прикажи дугмиће за неке акције на дну екрана</string>
|
||||
<string name="show_recycle_bin">Прикажи канту за отпатке на екрану са фасциклама</string>
|
||||
<string name="deep_zoomable_images">Дубоко зумирајуће слике</string>
|
||||
<string name="show_highest_quality">Прикажи слике у највећем могућем квалитету</string>
|
||||
<string name="show_recycle_bin_last">Прикажи канту за отпатке као задњу ставку на главном екрану</string>
|
||||
<string name="allow_down_gesture">Дозволи затварање приказа преко целог екрана са покретом на доле</string>
|
||||
<string name="allow_one_to_one_zoom">Дозволи 1:1 зумирање са два дводупла притиска на екран</string>
|
||||
<string name="open_videos_on_separate_screen">Увек отварај видео снимке наз асебном екрану са новим хоризонталним гестикулацијама</string>
|
||||
<string name="show_notch">Прикажи исечак уколико је доступан</string>
|
||||
<string name="allow_rotating_gestures">Дозволи ротацију слика гестикулацијама</string>
|
||||
<string name="file_loading_priority">Приоритет приликом учитавања фајла</string>
|
||||
<string name="speed">Брзина</string>
|
||||
<string name="compromise">Компромис</string>
|
||||
<string name="avoid_showing_invalid_files">Не приказуј оштећене датотеке</string>
|
||||
|
||||
<!-- Setting sections -->
|
||||
<string name="thumbnails">Сличице</string>
|
||||
<string name="fullscreen_media">Медији преко целог екрана</string>
|
||||
<string name="extended_details">Додатни детаљи</string>
|
||||
<string name="bottom_actions">Акције на дну</string>
|
||||
|
||||
<!-- Bottom actions -->
|
||||
<string name="manage_bottom_actions">Управљај са видљивим акцијама на дну</string>
|
||||
<string name="toggle_favorite">Укључи/искључи омиљени</string>
|
||||
<string name="toggle_file_visibility">Укључи/искључи видљивост датотеке</string>
|
||||
|
||||
<!-- FAQ -->
|
||||
<string name="faq_1_title">Како да подесим Једноставну галерију да буде главна галерија уређаја?</string>
|
||||
<string name="faq_1_text">Први морате да нађете тренутну главну галерију у Апликације секцији подешавања вашег уређаја, потражите дугме које каже нешто попут \"Отвори по дифолту\", кликни на то, затим изабери \"Уклони дифолт\".
|
||||
Следећи пут када покушате да отворите слику или видео требало би да видите изабирач апликација, где можете да изаберете Једноставну галерију и учините је подразумевајућом апликацијом.</string>
|
||||
<string name="faq_2_title">Закључао сам апликацију са шифром и заборавио шифру. Како да решим проблем?</string>
|
||||
<string name="faq_2_text">Постоје 2 начина. Можете да обришете апликацију, или да нађете апликацију у подешавањима и кликнете на \"Обриши податке\". То ће ресетовати сва подешавања, али неће обрисати медија фајлове.</string>
|
||||
<string name="faq_3_title">Како да подесим да се неки албум увек појављује на врху?</string>
|
||||
<string name="faq_3_text">Дуго притисните на жељени албум и изаберите Закачи икону у менију за акције, то ће га поставити на врх. Можете да закачите више фасцикли истовремено, с тим што ће бити сортирани према подразумевајућем методу за сортирање.</string>
|
||||
<string name="faq_4_title">Како да премотавам видео снимке?</string>
|
||||
<string name="faq_4_text">Можете да вучете прст хоризонтално преко видео плејера, или да кликнете на тренутно или максимално поред траке за премотавање. То ће премотати видео назад или напред.</string>
|
||||
<string name="faq_5_title">Која је разлика између скривања и изузимања фасцикле?</string>
|
||||
<string name="faq_5_text">Изузимање спречава приказивање фасцикле само у Једноставној галерији, док се скривање односи на цео систем и скрива фасциклу од свих других галерија. Он функционише тако што прави празан \".nomedia\" фајл у задатој фасцикли, који затим можете да уклоните са било којим фајл менаџером.</string>
|
||||
<string name="faq_6_title">Зашто се фасцикле са сликама музичких извођача или налепницама приказују?</string>
|
||||
<string name="faq_6_text">Може се десити да се приказују неки необични албуми. Можете их лако изузети дугим притиском, а затим одабиром Изузми. У следећем дијалогу можете изабрати фасциклу родитеља, шансе су да ће спречити све остале албуме од приказивања.</string>
|
||||
<string name="faq_7_title">Фасцикла са сликама се не приказује, или не приказује све ставке. Шта да урадим?</string>
|
||||
<string name="faq_7_text">Може бити више разлога, али решење је лако. Идите у Подешавања -> Управљај садржаним фасциклама, изаберите плус и изаберите жељену фасциклу.</string>
|
||||
<string name="faq_8_title">Шта ако желим само неколико одређених фасцикли у приказу?</string>
|
||||
<string name="faq_8_text">Додавањем фасцикли у Садржаним фасциклама не изузима аутоматски ништа. Оно што можете је да одете у Подешавања -> Управљај изузетим фасциклама, изузмете почетну фасциклу \"/\", а затим додате жељене фасцикле у Подешавања -> Управљај садржаним фасциклама.
|
||||
То ће учинити да се само одређене фасцикле приказују, јер и изузимање и укључивање су рекурзивни и ако је нека фасцикла и изузета и садржана, она ће се појавити.</string>
|
||||
<string name="faq_10_title">Да ли могу да исечем слику са овом апликацијом?</string>
|
||||
<string name="faq_10_text">Да, можете да сечете слике са едитором, повлачењем ивица слике. Можете ући у едитор дугим притиском на сличицу слике и одабирањем Измени, или избором Измени из приказа преко целог екрана.</string>
|
||||
<string name="faq_11_title">Да ли могу да групишем сличице медија?</string>
|
||||
<string name="faq_11_text">Да, само употребите \"Групиши према\" мени ставку док сте у прегледу са сличицама. Можете да групишете датотеке према више критеријума, укључујући датум креирања. Ако користите \"Прикажи садржај свих фасцикли\" функцију, можете да их групишете и према фасциклама.</string>
|
||||
<string name="faq_12_title">Сортирање према датуму креирања не ради како треба, како да га поправим?</string>
|
||||
<string name="faq_12_text">Највероватнији узрок су датотеке које се копирају од некле. То можете поправити селектовањем сличице датотеке и изабиром \"Исправи датум креирања\".</string>
|
||||
<string name="faq_13_title">Имам проблема са приказом боја у сликама. Како да унапредим квалитет приказа слика?</string>
|
||||
<string name="faq_13_text">Тренутно решење за приказивање слика функционише добро у већини случајева, али ако хоћете још бољи квалитет слика, можете да укључите \"Прикажи слике у најбољем могућем квалитету\" у подешавањима апликације, у \"Дубоко зумирање слика\" секцији.</string>
|
||||
<string name="faq_14_title">Имам скривену датотеку/фасциклу. Како да је приказујем поново?</string>
|
||||
<string name="faq_14_text">Можете да притиснете \"Привремено прикажи скривене ставке\" мени ставку на главном екрану, или да измените \"Прикажи скривене ставке\" у подешавањима апликације, да видите скривене ставке. Ако желите да је учините видљивом, једноставно је дуго притисните и изабеерите \"Откриј\". Фасцикле су скривене додавањем скривене \".nomedia\" датотеке у њих, које можете да обришете у било ком менаџеру датотека.</string>
|
||||
|
||||
<!-- Strings displayed only on Google Playstore. Optional, but good to have -->
|
||||
<!-- Short description has to have less than 80 chars -->
|
||||
<string name="app_short_description">Офлајн галерија без реклама. Организуј, измени,опорави,заштити фотографије,видео</string>
|
||||
<string name="app_long_description">
|
||||
Једноставна галерија Про је високо прилагодљива галерија којој није неопходан интернет да би радила. Организуј и измени своје слике, опорави обрисане датотеке са кантом за отпатке, заштити и сакриј датотеке имај увид у огромну количину различитих фотографија и видео формата укључујући RAW, SVG и многих других.
|
||||
|
||||
Апликација не садржи огласе и сувишне дозволе. С обзиром да апликација не захтева приступ интернету, ваша приватност је заштићена.
|
||||
|
||||
-------------------------------------------------
|
||||
<b>ЈЕДНОСТАВНА ГАЛЕРИЈА ПРО – МОГУћНОСТИ</b>
|
||||
-------------------------------------------------
|
||||
|
||||
• Галерија којој није неопходан интернет, не садржи огласе и искачуће рекламе
|
||||
• Једноставна галерија фото едитор - исеци, ротирај, измени димензије, цртај, примени филтере и још тога
|
||||
• Није вам неопходан приступ интернету за рад, што вам даје више приватности и сигурности
|
||||
• Нису неопходне сувишне дозволе за рад галерије
|
||||
• Брза претрага слика, видео снимака и датотека
|
||||
• Отвори и прегледај доста различитих фотографија и видео типова (RAW, SVG, panoramic итд)
|
||||
• Разноликост интуитивних гестикулација да на лак начин измените и организујете датотеке
|
||||
• Доста начина за филтрирање, груписање и сортирање датотека
|
||||
• Прилагодите изглед Једноставне галерије Про
|
||||
• Доступна на 32 језика
|
||||
• Означите датотеке као омиљене да имате брз приступ истим
|
||||
• Заштитите ваше фотографије и видео снимке са шаблоном, пином или отиском прста
|
||||
• Употребите пин, шаблон и отисак прста да заштитите покретање апликације или одређене функције
|
||||
• Опоравите обрисане фотографије и видео снимке из канте за отпатке
|
||||
• Измените видљивост фајлова да сакријете фотографије и видео снимке
|
||||
• Направите прилагођени слајдшоу за ваше датотеке
|
||||
• Имајте увид у детаљне информације ваших датотека (резолуције, EXIF вредности итд..)
|
||||
• Једноставна галерија Про је отвореног кода
|
||||
… и још доста тога!
|
||||
|
||||
<b>ЕДИТОР ФОТО ГАЛЕРИЈЕ</b>
|
||||
Једноставна галерија Про чини једноставним да измените ваше слике у ходу. Исеците, заокрените, ротирајте или измените величину ваших слика. Ако се осећате креативним, можете додати филтере или насликати своје слике!
|
||||
|
||||
<b>ПОДРШКА ЗА МНОГЕ ТИПОВЕ ФАЈЛОВА</b>
|
||||
За разлику од неких других галерија програма и организатора фотографија, Једноставна галерија Про подржава велики спектар различитих типова датотека укључујући JPEG, PNG, MP4, MKV, RAW, SVG, Panoramic фотографије, Panoramic видео снимци и још доста других.
|
||||
|
||||
<b>ВИСОКО ПРИЛАГОДЉИВ МЕНАЏЕР ГАЛЕРИЈА</b>
|
||||
Од корисничког интерфејса до функцијских дугмића на доњој линији са алаткама, Једноставна галерија Про је високо прилагодљива и ради онако како ви желите. Ни један други менаџер за галерију има ову врсту флексибилности! Захваљујући томе што је отвореног кода, ми смо доступни на 33 језика!
|
||||
|
||||
<b>ОПОРАВИ ОБРИСАНЕ ФОТОГРАФИЈЕ И ВИДЕО СНИМКЕ</b>
|
||||
Случајно обрисане драгоцене фотографије или видео снимци? Не брините! Једноставна галерија Про поседује згодну канту за отпатке из које можете опоравити обрисане фотографије и видео снимке на лак начин.
|
||||
|
||||
<b>ЗАШТИТИ И САКРИЈ ФОТОГРАФИЈЕ, ВИДЕО СНИМКЕ и ДАТОТЕКЕ</b>
|
||||
Употребом пина, шаблона или скенера за отисак прста на вашем уређају можете заштитити фотографије, видео снимке и читаве албуме. Можете заштитити и саму апликацију или ставити кључеве на одређене функције у апликацији. Например, не могу се обрисати датотеке без скенирања отиска прста, што у великој мери може спречити нежељено или случајно брисање.
|
||||
|
||||
<b>Погледајте цео пакет Simple Tools овде:</b>
|
||||
https://www.simplemobiletools.com
|
||||
|
||||
<b>Фејсбук:</b>
|
||||
https://www.facebook.com/simplemobiletools
|
||||
|
||||
<b>Reddit:</b>
|
||||
https://www.reddit.com/r/SimpleMobileTools
|
||||
</string>
|
||||
|
||||
<!--
|
||||
haven't found some strings? There's more at
|
||||
https://github.com/SimpleMobileTools/Simple-Commons/tree/master/commons/src/main/res
|
||||
-->
|
||||
</resources>
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Korrigerar…</string>
|
||||
<string name="dates_fixed_successfully">Datumen har korrigerats</string>
|
||||
<string name="share_resized">Dela en version med ändrad storlek</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filtrera media</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Düzeltiliyor…</string>
|
||||
<string name="dates_fixed_successfully">Tarihler başarıyla düzeltildi</string>
|
||||
<string name="share_resized">Yeniden boyutlandırılmış sürümü paylaş</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Medyayı filtrele</string>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Виправлення…</string>
|
||||
<string name="dates_fixed_successfully">Дати успішно виправлені</string>
|
||||
<string name="share_resized">Поділитися зображенням іншого розміру</string>
|
||||
<string name="upgraded_from_free">Йой,\n\nздається, ви перейшли зі старого безкоштовного додатку на цей. Тепер ви можете видалити стару версію, у якій є кнопка \"Перейти на Pro\" вгорі налаштувань додатку.\n\nВи втратите лише елементи з Кошика, позначки улюблених елементів, а також потрібно буде скинути ваші налаштування додатку.\n\nДякую!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Фільтр мультимедійних файлів</string>
|
||||
|
@ -222,52 +223,52 @@
|
|||
|
||||
<!-- Strings displayed only on Google Playstore. Optional, but good to have -->
|
||||
<!-- Short description has to have less than 80 chars -->
|
||||
<string name="app_short_description">Offline gallery without ads. Organize, edit, recover and protect photos & videos</string>
|
||||
<string name="app_short_description">Офлайн-галерея без реклами. Впорядкуй, редагуй, віднови та захисти фото і відео.</string>
|
||||
<string name="app_long_description">
|
||||
Simple Gallery Pro is a highly customizable offline gallery. Organize & edit your photos, recover deleted files with the recycle bin, protect & hide files and view a huge variety of different photo & video formats including RAW, SVG and much more.
|
||||
Simple Gallery Pro - це офлайн-галерея з великою кількістю налаштувань. Впорядковуйте та редагуйте ваші фото, відновлюйте видалені файли з кошика, захищайте та приховуйте файли і переглядайте фото і відео різноманітних форматів, включаючи RAW, SVG та багато іншого.
|
||||
|
||||
The app contains no ads and unnecessary permissions. As the app doesn’t require internet access either, your privacy is protected.
|
||||
Цей додаток не містить реклами і непотрібних дозволів. Оскільки додаток не потребує доступу в інтернет, ваша приватність захищена.
|
||||
|
||||
-------------------------------------------------
|
||||
<b>SIMPLE GALLERY PRO – FEATURES</b>
|
||||
<b>SIMPLE GALLERY PRO – ФУНКЦІЇ</b>
|
||||
-------------------------------------------------
|
||||
|
||||
• Offline gallery with no ads or popups
|
||||
• Simple gallery photo editor – crop, rotate, resize, draw, filters & more
|
||||
• No internet access needed, giving you more privacy and security
|
||||
• No unnecessary permissions required
|
||||
• Quickly search images, videos & files
|
||||
• Open & view many different photo and video types (RAW, SVG, panoramic etc)
|
||||
• A variety of intuitive gestures to easily edit & organize files
|
||||
• Lots of ways to filter, group & sort files
|
||||
• Customize the appearance of Simple Gallery Pro
|
||||
• Available in 32 languages
|
||||
• Mark files as favorites for quick access
|
||||
• Protect your photos & videos with a pattern, pin or fingerprint
|
||||
• Use pin, pattern & fingerprint to protect the app launch or specific functions too
|
||||
• Recover deleted photos & videos from the recycle bin
|
||||
• Toggle visibility of files to hide photos & videos
|
||||
• Create a customizable slideshow of your files
|
||||
• View detailed information of your files (resolution, EXIF values etc)
|
||||
• Simple Gallery Pro is open source
|
||||
… and much much more!
|
||||
• Офлайн-галерея без реклами чи спливаючих заставок
|
||||
• Фоторедактор Simple gallery – обрізайте, обертайте, змінюйте розмір, малюйте, накладайте фільтри та інше
|
||||
• Інтернет-з\'єднання не потрібне, що дає більше приватності і безпеки
|
||||
• Не потребуються зайві дозволи
|
||||
• Швидкий пошук зображень, відео і файлів
|
||||
• Відкривайте та переглядайте багато різних фото- і відеоформатів (RAW, SVG, панорамні фото тощо)
|
||||
• Різноманітні інтуїтивно зрозумілі жести для легкого редагуваання та упорядкування файлів
|
||||
• Багато способів фільтрувати, групувати і сортувати файли
|
||||
• Налаштуйте зовнішній вигляд Simple Gallery Pro
|
||||
• Доступна 32 мовами
|
||||
• Позначайте файли як улюблені для швидкого доступу
|
||||
• Захищайте ваші фото і відео графічним ключем, PIN-кодом або відбитком пальця
|
||||
• Використовуйте графічний ключ, PIN-код і відбиток пальця також для блокування запуску галереї або окремих її функцій
|
||||
• Відновлюйте видалені фото і відео з кошика
|
||||
• Змінюйте видимість файлів, щоб приховати фото і відео
|
||||
• Створюйте налаштовуване слайд-шоу з ваших файлів
|
||||
• Переглядайте детальну інформацію про ваші файли (роздільна здатність, записи EXIF тощо)
|
||||
• Simple Gallery Pro є додатком з відкритим джерельним кодом
|
||||
… та багато-багато іншого!
|
||||
|
||||
<b>PHOTO GALLERY EDITOR</b>
|
||||
Simple Gallery Pro makes it easy to edit your pictures on the fly. Crop, flip, rotate and resize your pictures. If you’re feeling a little more creative you can add filters and draw on your pictures!
|
||||
<b>ФОТОРЕДАКТОР</b>
|
||||
Simple Gallery Pro дозволяє легко редагувати ваші зображення на льоту. Обрізайте, віддзеркалюйте, обертайте та змінюйте розмір своїх зображень. Якщо ви почуваєтеся креативно, можете додавати фільтри та малювати на ваших зображеннях!
|
||||
|
||||
<b>SUPPORT FOR MANY FILE TYPES</b>
|
||||
Unlike some other gallery viewers & photo organizers, Simple Gallery Pro supports a huge range of different file types including JPEG, PNG, MP4, MKV, RAW, SVG, Panoramic photos, Panoramic videos and many more.
|
||||
<b>ПІДТРИМКА БАГАТЬОХ ТИПІВ ФАЙЛІВ</b>
|
||||
На відміну від деяких інших переглядачів та організаторів галереї, Simple Gallery Pro підтримує величезний перелік різноманітних типів файлів, включаючи JPEG, PNG, MP4, MKV, RAW, SVG, панорамні фото, панорамні відео та багато іншого.
|
||||
|
||||
<b>HIGHLY CUSTOMIZABLE GALLERY MANAGER</b>
|
||||
From the UI to the function buttons on the bottom toolbar, Simple Gallery Pro is highly customizable and works the way you want it to. No other gallery manager has this kind of flexibility! Thanks to being open source, we’re also available in 32 languages!
|
||||
<b>МЕНЕДЖЕР ГАЛЕРЕЇ З БЕЗЛІЧЧЮ НАЛАШТУВАНЬ</b>
|
||||
Від зовнішнього вигляду до функціональних кнопок у нижній панелі інструментів: Simple Gallery Pro має безліч налаштувань та працює у потрібний вам спосіб. Жодний інший менеджер галереї не має такої гнучкості! Завдяки відкритому джерельному коду цей додаток доступний 32 мовами!
|
||||
|
||||
<b>RECOVER DELETED PHOTOS & VIDEOS</b>
|
||||
Accidentally deleted a precious photo or video? Don’t worry! Simple Gallery Pro features a handy recycle bin where you can recover deleted photos & videos easily.
|
||||
<b>ВІДНОВЛЮЙТЕ ВИДАЛЕНІ ФОТО І ВІДЕО</b>
|
||||
Випадково видалили дорогоцінне фото чи відео? Не хвилюйтеся! Simple Gallery Pro пропонує зручний кошик, звідки можна легко відновити видалені фото і відео.
|
||||
|
||||
<b>PROTECT & HIDE PHOTOS, VIDEOS & FILES</b>
|
||||
Using pin, pattern or your device’s fingerprint scanner you can protect and hide photos, videos & entire albums. You can protect the app itself or place locks on specific functions of the app. For example, you can’t delete a file without a fingerprint scan, helping to protect your files from accidental deletion.
|
||||
<b>ЗАХИЩАЙТЕ І ПРИХОВУЙТЕ ФОТО, ВІДЕО І ФАЙЛИ</b>
|
||||
Використовуючи PIN-код, графічний ключ чи сканер відбитку пальця на вашому пристрої, ви можете захистити та приховати фото, відео та цілі альбоми. Ви можете захистити сам додаток або заблокувати окремі його функції. Наприклад, заборона видалення файлів без сканування відбитку пальця допоможе захистити ваші файли від випадкового видалення.
|
||||
|
||||
<b>Check out the full suite of Simple Tools here:</b>
|
||||
<b>Перегляньте повний набір додатків Simple Tools тут:</b>
|
||||
https://www.simplemobiletools.com
|
||||
|
||||
<b>Facebook:</b>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">正在修复…</string>
|
||||
<string name="dates_fixed_successfully">日期修复成功</string>
|
||||
<string name="share_resized">调整图像尺寸并分享</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">要显示的媒体文件</string>
|
||||
|
@ -131,8 +132,8 @@
|
|||
<string name="by_last_modified">最近修改</string>
|
||||
<string name="by_date_taken">拍摄时间</string>
|
||||
<string name="by_file_type">文件类型</string>
|
||||
<string name="by_extension">扩展</string>
|
||||
<string name="grouping_and_sorting">Please note that grouping and sorting are 2 independent fields</string>
|
||||
<string name="by_extension">扩展名</string>
|
||||
<string name="grouping_and_sorting">请注意,分组和排序是相互独立的</string>
|
||||
|
||||
<!-- Widgets -->
|
||||
<string name="folder_on_widget">要在小部件上显示的文件夹:</string>
|
||||
|
@ -174,10 +175,10 @@
|
|||
<string name="open_videos_on_separate_screen">使用新的水平手势在独立页面播放视频</string>
|
||||
<string name="show_notch">显示留海(如果可用)</string>
|
||||
<string name="allow_rotating_gestures">允许使用手势旋转图像</string>
|
||||
<string name="file_loading_priority">File loading priority</string>
|
||||
<string name="speed">Speed</string>
|
||||
<string name="compromise">Compromise</string>
|
||||
<string name="avoid_showing_invalid_files">Avoid showing invalid files</string>
|
||||
<string name="file_loading_priority">文件加载优先级</string>
|
||||
<string name="speed">速度</string>
|
||||
<string name="compromise">折中</string>
|
||||
<string name="avoid_showing_invalid_files">避免显示无效的文件</string>
|
||||
|
||||
<!-- Setting sections -->
|
||||
<string name="thumbnails">缩略图</string>
|
||||
|
@ -220,52 +221,52 @@
|
|||
|
||||
<!-- Strings displayed only on Google Playstore. Optional, but good to have -->
|
||||
<!-- Short description has to have less than 80 chars -->
|
||||
<string name="app_short_description">Offline gallery without ads. Organize, edit, recover and protect photos & videos</string>
|
||||
<string name="app_short_description">一个没有广告的离线图库。便于整理,编辑,恢复和保护照片 & 视频。</string>
|
||||
<string name="app_long_description">
|
||||
Simple Gallery Pro is a highly customizable offline gallery. Organize & edit your photos, recover deleted files with the recycle bin, protect & hide files and view a huge variety of different photo & video formats including RAW, SVG and much more.
|
||||
简约图库 Pro 是一个高度可定制的图库。管理并编辑你的照片,从回收站中恢复已删除的照片,保护并隐藏文件,查看RAW,SVG等等多种照片和视频格式。
|
||||
|
||||
The app contains no ads and unnecessary permissions. As the app doesn’t require internet access either, your privacy is protected.
|
||||
该应用不包含广告和不必要的权限。我们保护您的隐私,因为该应用不需要联网权限。
|
||||
|
||||
-------------------------------------------------
|
||||
<b>SIMPLE GALLERY PRO – FEATURES</b>
|
||||
<b>简约图库 Pro – 特性</b>
|
||||
-------------------------------------------------
|
||||
|
||||
• Offline gallery with no ads or popups
|
||||
• Simple gallery photo editor – crop, rotate, resize, draw, filters & more
|
||||
• No internet access needed, giving you more privacy and security
|
||||
• No unnecessary permissions required
|
||||
• Quickly search images, videos & files
|
||||
• Open & view many different photo and video types (RAW, SVG, panoramic etc)
|
||||
• A variety of intuitive gestures to easily edit & organize files
|
||||
• Lots of ways to filter, group & sort files
|
||||
• Customize the appearance of Simple Gallery Pro
|
||||
• Available in 32 languages
|
||||
• Mark files as favorites for quick access
|
||||
• Protect your photos & videos with a pattern, pin or fingerprint
|
||||
• Use pin, pattern & fingerprint to protect the app launch or specific functions too
|
||||
• Recover deleted photos & videos from the recycle bin
|
||||
• Toggle visibility of files to hide photos & videos
|
||||
• Create a customizable slideshow of your files
|
||||
• View detailed information of your files (resolution, EXIF values etc)
|
||||
• Simple Gallery Pro is open source
|
||||
… and much much more!
|
||||
• 完全离线,没有广告或弹出窗口
|
||||
• 简约图库图片编辑器 – 裁剪,旋转,调整大小,绘制,滤镜等等
|
||||
• 无需联网权限,为您提供更多的隐私和安全
|
||||
• 没有不必要的权限
|
||||
• 快速搜索图像,视频和文件
|
||||
• 支持打开并查看多种照片和视频类型(RAW,SVG,全景等)
|
||||
• 各种直观的手势,便于编辑和管理文件
|
||||
• 多种过滤、分组和排序文件的方法
|
||||
• 自定义应用界面外观
|
||||
• 支持多达 32 种语言
|
||||
• 支持将文件添加到收藏夹以便快速访问
|
||||
• 支持使用图案、密码或指纹保护您的照片和视频
|
||||
• 同样支持使用图案、密码或指纹保护应用或特定功能
|
||||
• 从回收站中恢复已删除的照片和视频
|
||||
• 支持隐藏照片和视频
|
||||
• 为您的文件创建一个可自定义的幻灯片
|
||||
• 查看文件的详细信息(分辨率,EXIF值等等)
|
||||
• 该应用是开源的
|
||||
… 还有很多很多!
|
||||
|
||||
<b>PHOTO GALLERY EDITOR</b>
|
||||
Simple Gallery Pro makes it easy to edit your pictures on the fly. Crop, flip, rotate and resize your pictures. If you’re feeling a little more creative you can add filters and draw on your pictures!
|
||||
<b>图库照片编辑</b>
|
||||
简约图库 Pro 可以轻松地动态编辑图片。支持裁剪、翻转、旋转、或是调整图片大小。如果您希望更有创意的话,可以添加滤镜,或是直接在图片上绘制!
|
||||
|
||||
<b>SUPPORT FOR MANY FILE TYPES</b>
|
||||
Unlike some other gallery viewers & photo organizers, Simple Gallery Pro supports a huge range of different file types including JPEG, PNG, MP4, MKV, RAW, SVG, Panoramic photos, Panoramic videos and many more.
|
||||
<b>支持多种文件类型</b>
|
||||
与其他一些图库应用不同,简约图库 Pro 支持多种文件类型,包括JPEG,PNG,MP4,MKV,RAW,SVG,全景照片,全景视频等等。
|
||||
|
||||
<b>HIGHLY CUSTOMIZABLE GALLERY MANAGER</b>
|
||||
From the UI to the function buttons on the bottom toolbar, Simple Gallery Pro is highly customizable and works the way you want it to. No other gallery manager has this kind of flexibility! Thanks to being open source, we’re also available in 32 languages!
|
||||
<b>高度可定制的图库</b>
|
||||
从UI到底部工具栏上的功能按钮,简约图库 Pro 可高度自定义并按您的要求工作。其他图库应用可没有这种灵活性!由于该应用是开源的,所以我们还提供 32 种语言!
|
||||
|
||||
<b>RECOVER DELETED PHOTOS & VIDEOS</b>
|
||||
Accidentally deleted a precious photo or video? Don’t worry! Simple Gallery Pro features a handy recycle bin where you can recover deleted photos & videos easily.
|
||||
<b>恢复已删除的照片和视频</b>
|
||||
意外删除了珍贵的照片或视频?别担心!简约图库 Pro 具有方便的回收站,您可以方便地恢复已删除的照片和视频。
|
||||
|
||||
<b>PROTECT & HIDE PHOTOS, VIDEOS & FILES</b>
|
||||
Using pin, pattern or your device’s fingerprint scanner you can protect and hide photos, videos & entire albums. You can protect the app itself or place locks on specific functions of the app. For example, you can’t delete a file without a fingerprint scan, helping to protect your files from accidental deletion.
|
||||
<b>保护并隐藏照片、视频和文件</b>
|
||||
使用密码、图案或指纹保护和隐藏照片、视频、或是整个相册。您也可以保护应用自身或禁用一些特定功能。 例如,只有指纹验证通过才可以删除文件,从而有效地防止您的文件被意外删除。
|
||||
|
||||
<b>Check out the full suite of Simple Tools here:</b>
|
||||
<b>查看简约系列的所有应用:</b>
|
||||
https://www.simplemobiletools.com
|
||||
|
||||
<b>Facebook:</b>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">修復中…</string>
|
||||
<string name="dates_fixed_successfully">日期修復成功</string>
|
||||
<string name="share_resized">分享調整大小的版本</string>
|
||||
<string name="upgraded_from_free">嘿\n\n你似乎從舊版免費應用程式升級了。現在你能解除安裝舊版了,在應用程式設定的頂端有個\'升級至專業版\'按鈕。\n\n將只有回收桶項目會被刪除,我的最愛項目會被解除標記,以及也會重置你的應用程式設定。\n\n感謝!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">篩選媒體檔案</string>
|
||||
|
@ -132,7 +133,7 @@
|
|||
<string name="by_date_taken">拍照日期</string>
|
||||
<string name="by_file_type">檔案類型</string>
|
||||
<string name="by_extension">副檔名</string>
|
||||
<string name="grouping_and_sorting">Please note that grouping and sorting are 2 independent fields</string>
|
||||
<string name="grouping_and_sorting">請注意,歸類和排序是兩者是獨立的</string>
|
||||
|
||||
<!-- Widgets -->
|
||||
<string name="folder_on_widget">在小工具顯示資料夾:</string>
|
||||
|
@ -222,52 +223,52 @@
|
|||
|
||||
<!-- Strings displayed only on Google Playstore. Optional, but good to have -->
|
||||
<!-- Short description has to have less than 80 chars -->
|
||||
<string name="app_short_description">Offline gallery without ads. Organize, edit, recover and protect photos & videos</string>
|
||||
<string name="app_short_description">沒有廣告的離線相簿。整理、編輯、恢復和保護照片&影片</string>
|
||||
<string name="app_long_description">
|
||||
Simple Gallery Pro is a highly customizable offline gallery. Organize & edit your photos, recover deleted files with the recycle bin, protect & hide files and view a huge variety of different photo & video formats including RAW, SVG and much more.
|
||||
簡易相簿Pro是一個高度自訂化的離線相簿。整理和編輯你的照片,從回收桶恢復刪除的檔案,保護和隱藏檔案,以及瀏覽大量不同的照片&影片格式,包含RAW、SVG…等更多。
|
||||
|
||||
The app contains no ads and unnecessary permissions. As the app doesn’t require internet access either, your privacy is protected.
|
||||
這應用程式沒有廣告和非必要的權限。並且由於不需要網路連線,您的隱私受到保護。
|
||||
|
||||
-------------------------------------------------
|
||||
<b>SIMPLE GALLERY PRO – FEATURES</b>
|
||||
<b>簡易相簿PRO – 特色</b>
|
||||
-------------------------------------------------
|
||||
|
||||
• Offline gallery with no ads or popups
|
||||
• Simple gallery photo editor – crop, rotate, resize, draw, filters & more
|
||||
• No internet access needed, giving you more privacy and security
|
||||
• No unnecessary permissions required
|
||||
• Quickly search images, videos & files
|
||||
• Open & view many different photo and video types (RAW, SVG, panoramic etc)
|
||||
• A variety of intuitive gestures to easily edit & organize files
|
||||
• Lots of ways to filter, group & sort files
|
||||
• Customize the appearance of Simple Gallery Pro
|
||||
• Available in 32 languages
|
||||
• Mark files as favorites for quick access
|
||||
• Protect your photos & videos with a pattern, pin or fingerprint
|
||||
• Use pin, pattern & fingerprint to protect the app launch or specific functions too
|
||||
• Recover deleted photos & videos from the recycle bin
|
||||
• Toggle visibility of files to hide photos & videos
|
||||
• Create a customizable slideshow of your files
|
||||
• View detailed information of your files (resolution, EXIF values etc)
|
||||
• Simple Gallery Pro is open source
|
||||
… and much much more!
|
||||
• 沒有廣告和彈出畫面的離線相簿
|
||||
• 簡易相簿編輯器 – 裁減、旋轉、縮放、繪畫、濾鏡…等更多
|
||||
• 不需要網路連線,給您更多隱私及安全
|
||||
• 不會要求非必要的權限
|
||||
• 快速搜尋圖片、影片和檔案
|
||||
• 開啟和瀏覽多種不同的照片和影片類型 (RAW、SVG、全景之類的)
|
||||
• 多種直觀的手勢,以便於編輯和整理檔案
|
||||
• 大量方法來篩選、歸類和排序檔案
|
||||
• 自訂簡易相簿Pro的外觀
|
||||
• 支援32種語言
|
||||
• 將檔案標記為我的最愛,以快速存取
|
||||
• 以圖形、PIN碼或指紋來保護您的照片&影片
|
||||
• 也能以圖形、PIN碼或指紋來保護應用程式開啟或特定功能
|
||||
• 從回收桶恢復刪除的照片&影片
|
||||
• 切換檔案的可見度來隱藏照片&影片
|
||||
• 用您的檔案建立可自訂的投影片
|
||||
• 查看您檔案的詳細資訊 (解析度、EXIF值…等)
|
||||
• 簡易相簿Pro是開源的
|
||||
…還有多更多!
|
||||
|
||||
<b>照片相簿編輯器</b>
|
||||
簡易相簿Pro使編輯圖片變得非常輕鬆。裁減、翻轉、旋轉及縮放您的圖片。如果您想更有一點創意,您可以直接在圖片上添加濾鏡和繪畫!
|
||||
|
||||
<b>PHOTO GALLERY EDITOR</b>
|
||||
Simple Gallery Pro makes it easy to edit your pictures on the fly. Crop, flip, rotate and resize your pictures. If you’re feeling a little more creative you can add filters and draw on your pictures!
|
||||
<b>支援多種檔案類型</b>
|
||||
不同於其他相簿瀏覽器和照片整理器,簡易相簿Pro支援大量不同的檔案類型,包含JPEG、PNG、MP4、MKV、RAW、SVG、全景照片、全景影片…等更多。
|
||||
|
||||
<b>SUPPORT FOR MANY FILE TYPES</b>
|
||||
Unlike some other gallery viewers & photo organizers, Simple Gallery Pro supports a huge range of different file types including JPEG, PNG, MP4, MKV, RAW, SVG, Panoramic photos, Panoramic videos and many more.
|
||||
<b>高度自訂化的相簿管理</b>
|
||||
從UI到底部工具列的功能按鈕,簡易相簿Pro是高度自訂化的,任您隨心所欲的方式操作。沒有其他相簿管理器有這樣的靈活性。歸功於開源,我們也支援32種語言!
|
||||
|
||||
<b>HIGHLY CUSTOMIZABLE GALLERY MANAGER</b>
|
||||
From the UI to the function buttons on the bottom toolbar, Simple Gallery Pro is highly customizable and works the way you want it to. No other gallery manager has this kind of flexibility! Thanks to being open source, we’re also available in 32 languages!
|
||||
<b>恢復刪除的照片&影片</b>
|
||||
不小心刪除掉珍貴的照片或影片?別擔心!簡易相簿Pro標榜有便利的回收桶,您可以在那裡輕鬆恢復照片&影片。
|
||||
|
||||
<b>RECOVER DELETED PHOTOS & VIDEOS</b>
|
||||
Accidentally deleted a precious photo or video? Don’t worry! Simple Gallery Pro features a handy recycle bin where you can recover deleted photos & videos easily.
|
||||
<b>保護&隱藏照片、影片和檔案</b>
|
||||
使用Pin碼、圖形或裝置的指紋掃描器,您可以保護和隱藏照片、影片及整個相冊。您可以保護應用程式本身或者對程式的特定功能設個鎖。例如:您無法未經指紋掃描就刪除檔案,有助於檔案遭意外刪除。
|
||||
|
||||
<b>PROTECT & HIDE PHOTOS, VIDEOS & FILES</b>
|
||||
Using pin, pattern or your device’s fingerprint scanner you can protect and hide photos, videos & entire albums. You can protect the app itself or place locks on specific functions of the app. For example, you can’t delete a file without a fingerprint scan, helping to protect your files from accidental deletion.
|
||||
|
||||
<b>Check out the full suite of Simple Tools here:</b>
|
||||
<b>於此查看簡易工具系列全套:</b>
|
||||
https://www.simplemobiletools.com
|
||||
|
||||
<b>Facebook:</b>
|
||||
|
|
|
@ -32,6 +32,7 @@
|
|||
<string name="fixing">Fixing…</string>
|
||||
<string name="dates_fixed_successfully">Dates fixed successfully</string>
|
||||
<string name="share_resized">Share a resized version</string>
|
||||
<string name="upgraded_from_free">Hey,\n\nseems like you upgraded from the old free app. You can now uninstall the old version, which has an \'Upgrade to Pro\' button at the top of the app settings.\n\nYou will only have the Recycle bin items deleted, favorite items unmarked and you will also have to reset your app settings.\n\nThanks!</string>
|
||||
|
||||
<!-- Filter -->
|
||||
<string name="filter_media">Filter media</string>
|
||||
|
|
Loading…
Reference in a new issue