diff --git a/.gitignore b/.gitignore
index 660f31f5d..4cd1c5eed 100644
--- a/.gitignore
+++ b/.gitignore
@@ -2,7 +2,6 @@
*.aab
.gradle
/local.properties
-/gradle.properties
/.idea/
.DS_Store
/build
diff --git a/CHANGELOG.md b/CHANGELOG.md
index 02d4fd9d6..cb646afdc 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -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)*
----------------------------
diff --git a/app/build.gradle b/app/build.gradle
index f159f6046..c278b4a6f 100644
--- a/app/build.gradle
+++ b/app/build.gradle
@@ -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'
diff --git a/app/src/main/kotlin/com/simplemobiletools/gallery/pro/activities/MainActivity.kt b/app/src/main/kotlin/com/simplemobiletools/gallery/pro/activities/MainActivity.kt
index f0eaac7cd..ca9e55a4f 100644
--- a/app/src/main/kotlin/com/simplemobiletools/gallery/pro/activities/MainActivity.kt
+++ b/app/src/main/kotlin/com/simplemobiletools/gallery/pro/activities/MainActivity.kt
@@ -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()
}
diff --git a/app/src/main/kotlin/com/simplemobiletools/gallery/pro/activities/PhotoVideoActivity.kt b/app/src/main/kotlin/com/simplemobiletools/gallery/pro/activities/PhotoVideoActivity.kt
index 1a9f62a45..049576f24 100644
--- a/app/src/main/kotlin/com/simplemobiletools/gallery/pro/activities/PhotoVideoActivity.kt
+++ b/app/src/main/kotlin/com/simplemobiletools/gallery/pro/activities/PhotoVideoActivity.kt
@@ -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()
diff --git a/app/src/main/kotlin/com/simplemobiletools/gallery/pro/extensions/Context.kt b/app/src/main/kotlin/com/simplemobiletools/gallery/pro/extensions/Context.kt
index 5969a070b..bd5b65f44 100644
--- a/app/src/main/kotlin/com/simplemobiletools/gallery/pro/extensions/Context.kt
+++ b/app/src/main/kotlin/com/simplemobiletools/gallery/pro/extensions/Context.kt
@@ -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()
}
diff --git a/app/src/main/kotlin/com/simplemobiletools/gallery/pro/helpers/Config.kt b/app/src/main/kotlin/com/simplemobiletools/gallery/pro/helpers/Config.kt
index 82de77525..f033c6ece 100644
--- a/app/src/main/kotlin/com/simplemobiletools/gallery/pro/helpers/Config.kt
+++ b/app/src/main/kotlin/com/simplemobiletools/gallery/pro/helpers/Config.kt
@@ -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()
diff --git a/app/src/main/kotlin/com/simplemobiletools/gallery/pro/helpers/Constants.kt b/app/src/main/kotlin/com/simplemobiletools/gallery/pro/helpers/Constants.kt
index d0f2ee922..f620f154c 100644
--- a/app/src/main/kotlin/com/simplemobiletools/gallery/pro/helpers/Constants.kt
+++ b/app/src/main/kotlin/com/simplemobiletools/gallery/pro/helpers/Constants.kt
@@ -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"
diff --git a/app/src/main/res/values-ar/strings.xml b/app/src/main/res/values-ar/strings.xml
index d66f0af28..eb3cfac99 100644
--- a/app/src/main/res/values-ar/strings.xml
+++ b/app/src/main/res/values-ar/strings.xml
@@ -32,6 +32,7 @@
Fixing…
Dates fixed successfully
Share a resized version
+ 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!
فلتر الميديا
diff --git a/app/src/main/res/values-az/strings.xml b/app/src/main/res/values-az/strings.xml
index f0f500008..1016402ce 100644
--- a/app/src/main/res/values-az/strings.xml
+++ b/app/src/main/res/values-az/strings.xml
@@ -32,6 +32,7 @@
Fixing…
Dates fixed successfully
Share a resized version
+ 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!
Filter media
diff --git a/app/src/main/res/values-ca/strings.xml b/app/src/main/res/values-ca/strings.xml
index 8274db23e..79d6e806b 100644
--- a/app/src/main/res/values-ca/strings.xml
+++ b/app/src/main/res/values-ca/strings.xml
@@ -8,7 +8,7 @@
(exclòs)
Fixar carpeta
No fixar carpeta
- Ancorar a l\'inici
+ Ancorar a l’inici
Mostrar el contingut de totes les carpetes
Tots els mitjans
Canviar a vista de carpeta
@@ -32,30 +32,31 @@
Fixant…
Data fixada correctament
Comparteix una versió redimensionada
+ 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!
- Filtre d\'arxius
+ Filtre d’arxius
Imatges
Vídeos
GIFs
Imatges RAW
SVGs
- No s\'han tronat arxius amb els filtres seleccionats.
+ No s’han tronat arxius amb els filtres seleccionats.
Canviar filtres
- 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?
+ 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?
Excloure
Carpetes excloses
Gestionar carpetes excloses
Això exclou la selecció juntament amb les carpetes, només de Simple Gallery. Pots gestionar les carpetes excloses en els Ajustaments.
Excloure millor la carpeta superior?
- 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.
+ 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.
Eliminar tot
- Eliminar totes les carpetes de la llista d\'excloses? Això no eliminarà les carpetes.
+ Eliminar totes les carpetes de la llista d’excloses? Això no eliminarà les carpetes.
Carpetes ocultes
Gestionar carpetes ocultes
- Sembla que no tens cap carpeta amb l\'arxiu \".nomedia\".
+ Sembla que no tens cap carpeta amb l’arxiu \".nomedia\".
Carpetes incloses
@@ -79,10 +80,10 @@
Ruta de imatge no vàlida
Ha fallat la edició de la imatge
Editar imatge utilitzant:
- No s\'ha trobat cap editor d\'imatges
- Ubicació de l\'arxiu desconeguda
- No s\'ha pogut sobreescriure l\'arxiu d\'origen
- Rotar a l\'esquerra
+ No s’ha trobat cap editor d’imatges
+ Ubicació de l’arxiu desconeguda
+ No s’ha pogut sobreescriure l’arxiu d’origen
+ Rotar a l’esquerra
Rotar a la dreta
Rotar 180º
Girar
@@ -94,12 +95,12 @@
Fons de pantalla de Simple Gallery
Establir com a fons de pantalla
- Error a l\'establir com fons de pantalla
+ Error a l’establir com fons de pantalla
Establir com fons de pantalla amb:
Establint fons de pantalla…
Fons de pantalla establert correctament
- Relació d\'aspecte tipus retrat
- Relació d\'aspecte tipus paisatge
+ Relació d’aspecte tipus retrat
+ Relació d’aspecte tipus paisatge
Pantalla principal
Pantalla de bloqueig
Pantalla principal i de bloqueig
@@ -114,8 +115,8 @@
Utilitza animacions de desaparició
Moure cap enrere
Presentació de diapositives
- S\'ha acabat la presentació de diapositives
- No s\'han trobat mitjans per a la presentació de diapositives
+ S’ha acabat la presentació de diapositives
+ No s’han trobat mitjans per a la presentació de diapositives
Utilitzeu animacions creuades
@@ -132,16 +133,16 @@
Data de presa
Tipus de fitxer
Extensió
- Tingueu en compte que l\'agrupació i la classificació són 2 camps independents
+ Tingueu en compte que l’agrupació i la classificació són 2 camps independents
- Carpeta que es mostra a l\'estri:
+ Carpeta que es mostra a l’estri:
Mostra el nom de la carpeta
Reproduir vídeos automàticament
Recordeu la posició de la darrera reproducció de vídeo
- Canviar la visibilitat del nom d\'arxiu
+ Canviar la visibilitat del nom d’arxiu
Reproducció continua de vídeos
Animar les miniatures dels GIFs
Brillantor màxima quan es mostra multimèdia
@@ -150,11 +151,11 @@
Gira els mitjans a pantalla completa segons
Configuració del sistema
Rotació del dispositiu
- Relació d\'aspecte
- Fons i barra d\'estat negre als mitjans de pantalla completa
+ Relació d’aspecte
+ Fons i barra d’estat negre als mitjans de pantalla completa
Desplaçar miniatures horizontalment
Ocultar automàticament la interficie de usuari del sistema a pantalla complerta
- Eliminar carpetes buides després d\'esborrar el seu contingut
+ Eliminar carpetes buides després d’esborrar el seu contingut
Permet controlar la brillantor amb gestos verticals
Permet controlar el volum i la brillantor del vídeo amb gestos verticals
Mostrar el número de mitjans de les carpetes a la vista principal
@@ -163,8 +164,8 @@
Permet fer zoom amb un sol dit a pantalla complerta
Permet canviar els mitjans de manera instantània fent clic als costats de la pantalla
Permet imatges de zoom profund
- Amaga els detalls estesos quan la barra d\'estat està amagada
- Mostra alguns botons d\'acció a la part inferior de la pantalla
+ Amaga els detalls estesos quan la barra d’estat està amagada
+ Mostra alguns botons d’acció a la part inferior de la pantalla
Mostra la paperera de reciclatge a la pantalla de carpetes
Imatges ampliades a mida
Mostra imatges amb la màxima qualitat possible
@@ -174,7 +175,7 @@
Obriu sempre vídeos en una pantalla independent amb nous gestos horitzontals
Mostra una osca si està disponible
Permet girar imatges amb gestos
- Prioritat de càrrega d\'arxius
+ Prioritat de càrrega d’arxius
Velocitat
Compromès
Eviteu mostrar fitxers no vàlids
@@ -193,27 +194,27 @@
Com puc fer que Simple Gallery sigui la galeria de dispositius predeterminada?
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.
- Vaig bloquejar l\'aplicació amb una contrasenya, però l\'he oblidat. Què puc fer?
- 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.
+ 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.
+ Vaig bloquejar l’aplicació amb una contrasenya, però l’he oblidat. Què puc fer?
+ 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.
Com puc fer que un àlbum sempre aparegui a la part superior?
- 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.
+ 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.
Com puc fer avançar els vídeos?
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.
Quina és la diferència entre ocultar i excloure una carpeta?
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.
Per què apareixen les carpetes amb les portades de la música o adhesius?
- 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.
+ 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.
Una carpeta amb imatges no apareix, què puc fer?
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.
Què passa si vull veure només algunes carpetes concretes?
- 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.
+ 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à.
Puc retallar imatges amb aquesta aplicació?
- 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.
- Puc agrupar d\'alguna manera les miniatures del fitxer multimèdia?
- 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.
- L\'ordenació per data que de presa no sembla funcionar correctament, com puc solucionar-ho?
+ 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.
+ Puc agrupar d’alguna manera les miniatures del fitxer multimèdia?
+ 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.
+ L’ordenació per data que de presa no sembla funcionar correctament, com puc solucionar-ho?
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\".
I see some color banding on the images. How can I improve the quality?
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.
@@ -222,52 +223,52 @@
- Offline gallery without ads. Organize, edit, recover and protect photos & videos
+ Galeria d\'imatges senzilla i sense anuncis
- 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.
-------------------------------------------------
- SIMPLE GALLERY PRO – FEATURES
+ SIMPLE GALLERY PRO - CARACTERÍSTIQUES
-------------------------------------------------
- • 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!
- PHOTO GALLERY EDITOR
- 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!
+ EDITOR DE GALERIA DE FOTOS
+ 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.
- SUPPORT FOR MANY FILE TYPES
- 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.
+ SUPORT PER ALTRES TIPUS DE ARXIU
+ 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.
- HIGHLY CUSTOMIZABLE GALLERY MANAGER
- 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!
+ GESTOR DE GALERIA ALTAMENT PERSONALITZABLE
+ 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.
- RECOVER DELETED PHOTOS & VIDEOS
- 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.
+ RECUPERES FOTOS I VÍDEOS
+ 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.
- PROTECT & HIDE PHOTOS, VIDEOS & FILES
- 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.
+ PROTEGEIX, OCULTA FOTOS, VÍDEOS I ARXIUS
+ 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.
- Check out the full suite of Simple Tools here:
+ Consulteu el conjunt complet d’eines senzilles aquí:
https://www.simplemobiletools.com
Facebook:
diff --git a/app/src/main/res/values-cs/strings.xml b/app/src/main/res/values-cs/strings.xml
index 1c076b3a4..7bd082158 100644
--- a/app/src/main/res/values-cs/strings.xml
+++ b/app/src/main/res/values-cs/strings.xml
@@ -32,6 +32,7 @@
Opravuji…
Datumy byly úspěšně opraveny
Share a resized version
+ 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!
Filtr médií
diff --git a/app/src/main/res/values-da/strings.xml b/app/src/main/res/values-da/strings.xml
index 9b5efdd99..58bbf138b 100644
--- a/app/src/main/res/values-da/strings.xml
+++ b/app/src/main/res/values-da/strings.xml
@@ -32,6 +32,7 @@
Fikser…
Datoer fikset med succes
Del en skaleret version
+ 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!
Filtrér medier
diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml
index 9072bf4e5..c423f5888 100644
--- a/app/src/main/res/values-de/strings.xml
+++ b/app/src/main/res/values-de/strings.xml
@@ -27,11 +27,12 @@
Bildausrichtung ändern
Bildausrichtung im Hochformat
Bildausrichtung im Querformat
- automatische Bildausrichtung
+ Automatische Bildausrichtung
Aufnahmedatum korrigieren
Korrigiere…
Datum erfolgreich korrigiert.
- Share a resized version
+ Teile eine verkleinerte Version
+ 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!
Filter
@@ -116,7 +117,7 @@
Endlos abspielen
Diashow beendet.
Keine Medien für Diashow gefunden.
- Use crossfade animations
+ Verwende Überblendanimationen
Darstellung ändern
@@ -132,7 +133,7 @@
Aufnahmedatum
Dateityp (Bilder/Videos)
Dateierweiterung
- Please note that grouping and sorting are 2 independent fields
+ Bitte beachte, dass Gruppieren und Sortieren zwei unabhängige Felder sind.
Ordner, der auf dem Widget angezeigt wird:
@@ -170,14 +171,14 @@
Zeige Bilder in der höchstmöglichen Qualität
Zeige den Papierkorb als letztes Element auf dem Hauptbildschirm
Erlaube das Schließen der Vollbildansicht mit einer Abwärtsgeste
- Allow 1:1 zooming in with two double taps
- Always open videos on a separate screen with new horizontal gestures
+ Erlaube 1:1 Zoom mit zweimaligem, doppeltem Antippen
+ Öffne Videos immer auf einem speraten Bildschirm mit neuen horizontalen Gesten
Show a notch if available
- Allow rotating images with gestures
- File loading priority
- Speed
- Compromise
- Avoid showing invalid files
+ Rotieren von Bildern mit Gesten zulassen
+ Priorität beim Laden von Dateien
+ Geschwindigkeit
+ Kompromiss
+ Das Anzeigen von ungültigen Dateien vermeiden
Thumbnails
@@ -193,17 +194,17 @@
Wie kann ich Schlichte Galerie als Standardanwendung auswählen?
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.
+ 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.
Ich habe die App mit einem Passwort geschützt und es vergessen. Was kann ich tun?
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.
Wie kann ich ein Album immer zuoberst erscheinen lassen?
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.
Wie kann ich in Videos vor- oder zurückspringen?
- 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.
+ 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.
Was ist der Unterschied zwischen \'Verstecken\' und \'Ausschließen\' eines Ordners?
\'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.
Wieso erscheinen Ordner mit Musik-Cover oder Stickers?
- 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.
+ 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.
Ein Ordner mit Bildern wird nicht angezeigt. Was kann ich tun?
Öffne die Galerie-Einstellungen, wähle dort \'Einbezogene Ordner verwalten\', dann das Plus-Zeichen oben rechts und navigiere zum gewünschten Ordner.
Wie kann ich erreichen, dass nur ein paar definierte Ordner sichtbar sind?
@@ -221,52 +222,52 @@
- Offline gallery without ads. Organize, edit, recover and protect photos & videos
+ Galerie ohne Werbung. Ordnen, Bearbeiten und Wiederherstellen von Fotos & Videos
- 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.
-------------------------------------------------
- SIMPLE GALLERY PRO – FEATURES
+ SCHLICHTE GALERIE PRO – EIGENSCHAFTEN
-------------------------------------------------
- • 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!
- PHOTO GALLERY EDITOR
- 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!
+ FOTO EDITOR
+ 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!
- SUPPORT FOR MANY FILE TYPES
- 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.
+ UNTERSTÜTZUNG FÜR VIELE DATEITYPEEN
+ 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.
- HIGHLY CUSTOMIZABLE GALLERY MANAGER
- 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!
+ STARK INDIVIDUALISIERBARE GALERIE
+ 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!
- RECOVER DELETED PHOTOS & VIDEOS
- 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.
+ WIEDERHERSTELLUNG GELÖSCHTER FOTOS & VIDEOS
+ 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.
- PROTECT & HIDE PHOTOS, VIDEOS & FILES
- 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.
+ SCHÜTZE & VERSTECKE FOTOS, VIDEOS & DATEIEN
+ 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.
- Check out the full suite of Simple Tools here:
+ Schau dir die vollständige Serie der Schlichten Apps hier an:
https://www.simplemobiletools.com
Facebook:
diff --git a/app/src/main/res/values-el/strings.xml b/app/src/main/res/values-el/strings.xml
index 56ea536e0..885fba5ad 100644
--- a/app/src/main/res/values-el/strings.xml
+++ b/app/src/main/res/values-el/strings.xml
@@ -32,6 +32,7 @@
Διορθώνεται…
Η Ημερ. διορθώθηκε με επιτυχία
Διαμοιρασμός έκδοσης με αλλαγμένο μέγεθος
+ 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!
Φιλτράρισμα πολυμέσων
diff --git a/app/src/main/res/values-es/strings.xml b/app/src/main/res/values-es/strings.xml
index 58d0ef7f2..5530cd9d0 100644
--- a/app/src/main/res/values-es/strings.xml
+++ b/app/src/main/res/values-es/strings.xml
@@ -32,6 +32,7 @@
Fijando…
Fecha fijada correctamente
Comparte una versión redimensionada
+ 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!
Filtro de medios
diff --git a/app/src/main/res/values-fi/strings.xml b/app/src/main/res/values-fi/strings.xml
index f98976e35..59cecddef 100644
--- a/app/src/main/res/values-fi/strings.xml
+++ b/app/src/main/res/values-fi/strings.xml
@@ -32,6 +32,7 @@
Fixing…
Dates fixed successfully
Share a resized version
+ 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!
Suodata media
diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/values-fr/strings.xml
index cf86844b6..2d35d9b0a 100644
--- a/app/src/main/res/values-fr/strings.xml
+++ b/app/src/main/res/values-fr/strings.xml
@@ -2,23 +2,23 @@
Simple Gallery
Galerie
- Édition
- Démarrer l\'appareil photo
- (masqué)
+ Modifier
+ Ouvrir l\'appareil photo
+ (caché)
(exclu)
Épingler le dossier
Désépingler le dossier
Épingler en haut
- Afficher le contenu de tous les dossiers
+ Affichage \"Tous les dossiers\"
Tous les dossiers
- Affichage en vue \"Dossier\"
+ Affichage \"Galerie\"
Autre dossier
Afficher sur la carte
Position inconnue
Ajouter une colonne
Supprimer une colonne
- Changer l\'image de couverture
- Sélectionner une photo
+ Changer l\'image de vignette
+ Sélectionner une image
Utiliser par défaut
Volume
Luminosité
@@ -28,10 +28,11 @@
Forcer la vue portrait
Forcer la vue paysage
Utiliser l\'orientation par défaut
- Corriger la valeur des dates de prise des photos
- Correction en cours....
+ Corriger les dates de prise de vue
+ Correction en cours...
Dates corrigées
Partager une version redimensionnée
+ 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!
Filtrer les médias
@@ -44,18 +45,18 @@
Modifier les filtres
- 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 ?
+ 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 ?
Exclure
Dossiers exclus
Gérer les dossiers exclus
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.
Exclure un dossier parent ?
- 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\".
+ 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\".
Tout supprimer
Supprimer tous les dossiers de la liste des exclusions ? Cela n\'effacera pas les dossiers.
- Dossiers masqués
- Gérer les dossiers masqués
- Il semblerait que vous n\'ayez pas de dossier masqués avec un fichier \".nomedia\".
+ Dossiers cachés
+ Gérer les dossiers cachés
+ Il semblerait que vous n\'ayez pas de dossier cachés avec un fichier \".nomedia\".
Dossiers ajoutés
@@ -96,7 +97,7 @@
Définir comme fond d\'écran
Échec de la définition en tant que fond d\'écran
Définir comme fond d\'écran avec :
- Définition du fond d\'écran en cours…
+ Définition du fond d\'écran en cours...
Fond d\'écran défini
Rapport d\'affichage portrait
Rapport d\'affichage paysage
@@ -107,9 +108,9 @@
Diaporama
Intervalle (secondes) :
- Inclure photos
- Inclure vidéos
- Inclure GIFs
+ Inclure les images
+ Inclure les vidéos
+ Inclure les GIFs
Ordre aléatoire
Utiliser un fondu
Défilement inverse
@@ -122,7 +123,7 @@
Changer de mode d\'affichage
Grille
Liste
- Sous-dossiers de groupe direct
+ Mode sous-dossiers
Grouper par
@@ -132,7 +133,7 @@
Date de prise de vue
Type de fichier
Extension
- Please note that grouping and sorting are 2 independent fields
+ Notez que grouper et trier sont 2 modes de tri indépendants
Dossier affiché sur le widget :
@@ -140,83 +141,83 @@
Lecture automatique des vidéos
- Mémoriser la dernière position de lecture vidéo
+ Mémoriser la position de lecture des vidéos
Permuter la visibilité des noms de fichier
Lecture en boucle des vidéos
- GIFs animés sur les miniatures
+ Animer le GIFs dans les miniatures
Luminosité maximale
Recadrer les miniatures en carrés
- Montrer la durée de la vidéo
- Pivoter l\'affichage selon
+ Afficher la durée des vidéos
+ Orientation de l\'affichage
Paramètres système
Rotation de l\'appareil
Rapport d\'affichage
Arrière-plan et barre d\'état noirs
- Défilement des miniatures horizontalement
+ Défiler les miniatures horizontalement
Masquer automatiquement l\'interface utilisateur
Supprimer les dossiers vides après avoir supprimé leur contenu
- Contrôler la luminosité de la photo avec des gestes verticaux
- Contrôler le volume et la luminosité de la vidéo avec des gestes verticaux
+ Contrôler la luminosité des images avec des gestes verticaux
+ Contrôler le volume et la luminosité des vidéos avec des gestes verticaux
Afficher le nombre de fichiers dans les dossiers
Afficher en surimpression les informations supplémentaires du média en plein écran
Gérer les informations supplémentaires
- Effectuer le zoom avec un doigt sur une image en plein écran
- Changement instantané de média en appuyant sur les côtés de l\'écran
+ Activer les zoom à un doigt sur les images en plein écran
+ Appuyer sur les cotés de l\'écran pour changer instantanément de média
Utiliser le zoom maximal des images
- Ne pas afficher les informations supplémentaires si la barre d\'état est masquée
+ Cacher les informations supplémentaires si la barre d\'état est masquée
Afficher les boutons d\'action
Afficher la corbeille en vue \"Dossier\"
Niveau de zoom maximal des images
Afficher les images avec la meilleur qualité possible
- Afficher la corbeille en dernière place sur l\'écran principal
- Fermeture de la vue plein écran par un geste vers le bas
- Permet d\'effectuer un zoom avant 1:1 avec un double appui
- Ouvrez toujours les vidéos sur un écran séparé avec de nouveaux gestes horizontaux.
- Afficher un cran si disponible
- Allow rotating images with gestures
- File loading priority
- Speed
- Compromise
- Avoid showing invalid files
+ Afficher la corbeille en fin de liste sur l\'écran principal
+ Fermer la vue plein écran par un geste vers le bas
+ Permettre un zoom avant 1:1 par double appui
+ Ouvrir les vidéos sur un écran séparé avec de nouveaux gestes horizontaux
+ Afficher une encoche si disponible
+ Pivoter les images par gestes
+ Priorité de chargement des fichiers
+ Rapide
+ Compromis
+ Eviter l\'affichage de fichiers invalides
Miniatures
- Affichage en plein écran
+ Plein écran
Détails supplémentaires
- Menu d\'actions sur la bas de l\'écran
+ Barre d\'actions
- Gérer le menu d\'actions
+ Gérer la barre d\'actions
Ajouter aux favoris
Changer la visibilité des fichiers
Comment faire de Simple Gallery ma galerie par défaut ?
- 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\".
+ 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\".
J\'ai verrouillé l\'application avec un mot de passe et je ne m\'en rappelle plus. Que faire ?
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.
Comment faire pour qu\'un album soit toujours affiché tout en haut ?
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.
Comment avancer rapidement dans les vidéos ?
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.
- Quelle est la différence entre masquer et exclure un dossier ?
- \"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.
+ Quelle est la différence entre cacher et exclure un dossier ?
+ \"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.
Pourquoi des dossiers avec des pochettes d\'albums musicaux ou des miniatures d\'images sont affichés ?
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.
Un dossier avec des images n\'apparaît pas. Que faire ?
- 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.
+ 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.
Comment faire apparaître uniquement certains dossiers ?
- 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é.
+ 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é.
Puis-je recadrer des images avec cette application ?
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.
Puis-je regrouper les miniatures des fichiers multimédias ?
- 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.
+ 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.
Le tri par date de prise de vue ne semble pas fonctionner correctement, comment puis-je le corriger ?
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\".
Je vois des bandes de couleurs sur les images. Comment puis-je améliorer la qualité ?
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.
- J\'ai masqué un fichier ou un dossier. Comment puis-je en rétablir l\'affichage ?
- 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.
+ J\'ai caché un fichier ou un dossier. Comment puis-je en rétablir l\'affichage ?
+ 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.
diff --git a/app/src/main/res/values-gl/strings.xml b/app/src/main/res/values-gl/strings.xml
index 9ec680015..70333800f 100644
--- a/app/src/main/res/values-gl/strings.xml
+++ b/app/src/main/res/values-gl/strings.xml
@@ -32,6 +32,7 @@
Fixing…
Dates fixed successfully
Share a resized version
+ 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!
Filtrar medios
diff --git a/app/src/main/res/values-hr/strings.xml b/app/src/main/res/values-hr/strings.xml
index 4472b3028..5261aeafa 100644
--- a/app/src/main/res/values-hr/strings.xml
+++ b/app/src/main/res/values-hr/strings.xml
@@ -32,6 +32,7 @@
Popravljam…
Datumi uspješno popravljeni
Share a resized version
+ 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!
Filtriranje medija
diff --git a/app/src/main/res/values-hu/strings.xml b/app/src/main/res/values-hu/strings.xml
index d02b92e41..86ee10eff 100644
--- a/app/src/main/res/values-hu/strings.xml
+++ b/app/src/main/res/values-hu/strings.xml
@@ -32,6 +32,7 @@
Javítás…
Sikeres dátum javítás
Átméretezett verzió megosztása
+ 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!
Média szűrő
diff --git a/app/src/main/res/values-id/strings.xml b/app/src/main/res/values-id/strings.xml
index 92ebeb149..304e42a3d 100644
--- a/app/src/main/res/values-id/strings.xml
+++ b/app/src/main/res/values-id/strings.xml
@@ -32,6 +32,7 @@
Memperbaiki…
Tanggal berhasil diperbaiki
Share a resized version
+ 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!
Filter media
diff --git a/app/src/main/res/values-it/strings.xml b/app/src/main/res/values-it/strings.xml
index b00cc943d..05ba96105 100644
--- a/app/src/main/res/values-it/strings.xml
+++ b/app/src/main/res/values-it/strings.xml
@@ -32,6 +32,7 @@
Correzione in corso…
Date aggiornate correttamente
Condividi una versione ridimensionata
+ 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!
Filtra i file
@@ -222,52 +223,52 @@
- Offline gallery without ads. Organize, edit, recover and protect photos & videos
+ Galleria offline senza pubblicità. Organizza, modifica e proteggi foto e video
- 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.
-------------------------------------------------
- SIMPLE GALLERY PRO – FEATURES
+ SEMPLICE GALLERIA PRO – FUNZIONALITÀ
-------------------------------------------------
- • 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!
- PHOTO GALLERY EDITOR
- 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!
+ EDITOR DI FOTO
+ 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!
- SUPPORT FOR MANY FILE TYPES
- 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.
+ SUPPORTO PER MOLTI TIPI DI FILE
+ 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.
- HIGHLY CUSTOMIZABLE GALLERY MANAGER
- 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!
+ GESTORE DELLA GALLERIA ALTAMENTE MODIFICABILE
+ 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!
- RECOVER DELETED PHOTOS & VIDEOS
- 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.
+ RECUPERA FOTO E VIDEO ELIMINATI
+ Hai accidentalmente eliminato foto o video preziosi? Non preoccuparti! Semplice Galleria Pro fornisce un comodo cestino dove puoi recuperare foto e video eliminati.
- PROTECT & HIDE PHOTOS, VIDEOS & FILES
- 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.
+ PROTEGGI E NASCONDI FOTO VIDEO E FILE
+ 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.
- Check out the full suite of Simple Tools here:
+ Controlla le altre applicazioni qui:
https://www.simplemobiletools.com
Facebook:
diff --git a/app/src/main/res/values-ja/strings.xml b/app/src/main/res/values-ja/strings.xml
index a695b3c3b..8dfe21da7 100644
--- a/app/src/main/res/values-ja/strings.xml
+++ b/app/src/main/res/values-ja/strings.xml
@@ -32,6 +32,7 @@
修正中…
撮影日が正常に修正されました
リサイズした画像を共有
+ 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!
表示する形式
diff --git a/app/src/main/res/values-ko-rKR/strings.xml b/app/src/main/res/values-ko-rKR/strings.xml
index 918f950c2..dffe173d5 100644
--- a/app/src/main/res/values-ko-rKR/strings.xml
+++ b/app/src/main/res/values-ko-rKR/strings.xml
@@ -32,6 +32,7 @@
Fixing…
Dates fixed successfully
Share a resized version
+ 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!
미디어 필터 설정
diff --git a/app/src/main/res/values-lt/strings.xml b/app/src/main/res/values-lt/strings.xml
index 8a6029a30..6281cbcb9 100644
--- a/app/src/main/res/values-lt/strings.xml
+++ b/app/src/main/res/values-lt/strings.xml
@@ -32,6 +32,7 @@
Fixing…
Dates fixed successfully
Share a resized version
+ 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!
Filtruoti mediją
diff --git a/app/src/main/res/values-nb/strings.xml b/app/src/main/res/values-nb/strings.xml
index 6025b7979..b57a07fce 100644
--- a/app/src/main/res/values-nb/strings.xml
+++ b/app/src/main/res/values-nb/strings.xml
@@ -32,6 +32,7 @@
Korrigerer…
Datoer er korrigerte
Del versjon med endret størrelse
+ 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!
Filtrer media
diff --git a/app/src/main/res/values-nl/strings.xml b/app/src/main/res/values-nl/strings.xml
index 9a42aaa15..70a249e3d 100644
--- a/app/src/main/res/values-nl/strings.xml
+++ b/app/src/main/res/values-nl/strings.xml
@@ -32,11 +32,12 @@
Corrigeren…
Datums zijn gecorrigeerd
Verkleinde versie delen
+ 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.
Media filteren
Afbeeldingen
- Video\'s
+ Video’s
GIF-bestanden
RAW-afbeeldingen
SVG-vectorafbeeldingen
@@ -44,7 +45,7 @@
Filters aanpassen
- 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?
+ 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?
Uitsluiten
Uitgesloten mappen
Uitgesloten mappen beheren
@@ -108,7 +109,7 @@
Diavoorstelling
Interval (seconden):
Afbeeldingen weergeven
- Video\'s weergeven
+ Video’s weergeven
GIF-bestanden weergeven
Willekeurige volgorde
Animaties gebruiken (vervagen)
@@ -139,14 +140,14 @@
Mapnaam tonen
- Video\'s automatisch afspelen
- Laatste positie in video\'s onthouden
+ Video’s automatisch afspelen
+ Laatste positie in video’s onthouden
Bestandsnamen tonen
- Video\'s herhalen
+ Video’s herhalen
GIF-bestanden afspelen in overzicht
Maximale helderheid in volledig scherm
Miniatuurvoorbeelden bijsnijden
- Lengte van video\'s tonen
+ Lengte van video’s tonen
Media in volledig scherm roteren volgens
Systeeminstelling
Oriëntatie van apparaat
@@ -156,7 +157,7 @@
Statusbalk automatisch verbergen in volledig scherm
Lege mappen verwijderen na leegmaken
Helderheid voor afbeeldingen aanpassen met verticale veeggebaren
- Volume en helderheid voor video\'s aanpassen met verticale veeggebaren
+ Volume en helderheid voor video’s aanpassen met verticale veeggebaren
Aantallen in mappen tonen
Uitgebreide informatie tonen in volledig scherm
Uitgebreide informatie
@@ -171,7 +172,7 @@
Prullenbak als laatste item tonen
Naar beneden vegen om volledig scherm af te sluiten
1:1 zoomen na 2x dubbelklikken
- Video\'s altijd in apart scherm met horizontale veeggebaren openen
+ Video’s altijd in apart scherm met horizontale veeggebaren openen
Inkeping scherm tonen indien aanwezig
Afbeeldingen met veeggebaren draaien
Prioriteit bij inladen bestanden
@@ -191,14 +192,14 @@
Bestand tonen/verbergen
- Hoe kan ik Eenvoudige Galerij instellen als standaard-app voor foto\'s en video\'s?
- 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\").
+ Hoe kan ik Eenvoudige Galerij instellen als standaard-app voor foto’s en video’s?
+ 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.
Ik heb de app beveiligd met een wachtwoord, maar ben het wachtwoord nu vergeten. Wat kan ik doen?
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.
Hoe kan ik een map bovenaan vastzetten?
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.
- Hoe kan ik terug- of vooruitspoelen in video\'s?
+ Hoe kan ik terug- of vooruitspoelen in video’s?
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.
Wat is het verschil tussen het verbergen en het uitsluiten van mappen?
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).
@@ -222,52 +223,52 @@
- Offline gallery without ads. Organize, edit, recover and protect photos & videos
+ Galerij zonder advertenties. Organiseer, bewerk en beveilig foto’s & video’s
- 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).
-------------------------------------------------
- SIMPLE GALLERY PRO – FEATURES
+ SIMPLE GALLERY PRO – FUNCTIES
-------------------------------------------------
- • 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!
- PHOTO GALLERY EDITOR
- 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!
+ FOTO’S BEWERKEN
+ 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!
- SUPPORT FOR MANY FILE TYPES
- 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.
+ ONDERSTEUNING VOOR VEEL VERSCHILLENDE BESTANDSFORMATEN
+ 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.
- HIGHLY CUSTOMIZABLE GALLERY MANAGER
- 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!
+ ALLES IS AAN TE PASSEN
+ 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!
- RECOVER DELETED PHOTOS & VIDEOS
- 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.
+ HERSTEL VERWIJDERDE FOTO’S & VIDEO’S
+ Per ongeluk een foto of video verwijderd? Geen paniek! Simple Gallery Pro heeft een handige prullenbak waarmee verwijderde bestanden gemakkelijk zijn terug te halen.
- PROTECT & HIDE PHOTOS, VIDEOS & FILES
- 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.
+ BEVEILIG & VERBERG FOTO’S, VIDEO’S & BESTANDEN
+ 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.
- Check out the full suite of Simple Tools here:
+ Kijk ook eens naar de hele collectie apps van Simple Tools:
https://www.simplemobiletools.com
Facebook:
diff --git a/app/src/main/res/values-pl/strings.xml b/app/src/main/res/values-pl/strings.xml
index dc86608df..31f549dff 100644
--- a/app/src/main/res/values-pl/strings.xml
+++ b/app/src/main/res/values-pl/strings.xml
@@ -1,6 +1,6 @@
- Prosta galeria
+ Prosta Galeria
Galeria
Edytuj
Uruchom aplikację aparatu
@@ -32,6 +32,7 @@
Naprawiam…
Daty zostały naprawione
Udostępnij zmienioną wersję
+ 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!
Filtruj multimedia
@@ -132,7 +133,7 @@
Daty utworzenia
Typu
Rozszerzenia
- Please note that grouping and sorting are 2 independent fields
+ Uwaga: grupowanie i sortowanie to dwa niezależne pola
Folder wyświetlany na widżecie:
@@ -176,10 +177,10 @@
Zawsze otwieraj filmy na osobnym ekranie z nowymi poziomymi gestami
Pokazuj wcięcie (jeśli dostępne)
Zezwalaj na obracanie obrazów gestami
- File loading priority
- Speed
- Compromise
- Avoid showing invalid files
+ Priorytet ładowania plików
+ Szybkość
+ Kompromis
+ Unikaj pokazywania niewłaściwych plików
Miniatury
@@ -222,58 +223,58 @@
- Offline gallery without ads. Organize, edit, recover and protect photos & videos
+ Przeglądaj, edytuj, chroń, a w razie czego łatwo odzyskuj swe zdjęcia i filmy.
- 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.
-------------------------------------------------
- SIMPLE GALLERY PRO – FEATURES
+ SIMPLE GALLERY PRO – FUNKCJE
-------------------------------------------------
- • 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!
- PHOTO GALLERY EDITOR
- 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!
+ EDYTOR ZDJĘĆ
+ 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!
- SUPPORT FOR MANY FILE TYPES
- 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.
+ WSPARCIE DLA WIELU TYPÓW PLIKÓW
+ 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.
- HIGHLY CUSTOMIZABLE GALLERY MANAGER
- 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!
+ WSZECHSTRONNOŚĆ
+ 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 :]).
- RECOVER DELETED PHOTOS & VIDEOS
- 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.
+ ODZYSKIWANIE PLIKÓW
+ 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.
- PROTECT & HIDE PHOTOS, VIDEOS & FILES
- 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.
+ OCHRONA PLIKÓW
+ 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ć.
- Check out the full suite of Simple Tools here:
+ Sprawdź cały zestaw naszych aplikacji:
https://www.simplemobiletools.com
- Facebook:
+ Odwiedź nasz profil na Facebooku...
https://www.facebook.com/simplemobiletools
- Reddit:
+ ... i/lub naszego subreddita:
https://www.reddit.com/r/SimpleMobileTools
diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml
index 173815f98..44f42aa84 100644
--- a/app/src/main/res/values-pt-rBR/strings.xml
+++ b/app/src/main/res/values-pt-rBR/strings.xml
@@ -32,6 +32,7 @@
Fixing…
Dates fixed successfully
Share a resized version
+ 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!
Filtrar mídia
diff --git a/app/src/main/res/values-pt/strings.xml b/app/src/main/res/values-pt/strings.xml
index e2645691d..c6796a831 100644
--- a/app/src/main/res/values-pt/strings.xml
+++ b/app/src/main/res/values-pt/strings.xml
@@ -32,6 +32,7 @@
A corrigir…
Dados corrigidos com sucesso
Partilhar foto redimensionada
+ 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!
Filtrar multimédia
@@ -132,7 +133,7 @@
Data de obtenção
Tipo de ficheiro
Extensão
- Please note that grouping and sorting are 2 independent fields
+ Tenha em atenção de que o agrupamento e a ordenação são campos independentes
Pasta mostrada no widget:
@@ -173,11 +174,11 @@
Permitir ampliação 1:1 com dois toques
Abrir vídeos em ecrã distinto com os novos toques horizontais
Mostrar \"notch\", se disponível
- Allow rotating images with gestures
- File loading priority
- Speed
- Compromise
- Avoid showing invalid files
+ Permitir rotação de imagens com gestos
+ Prioridade de carregamento dos ficheiros
+ velocidade
+ Compromisso
+ Não mostrar ficheiros inválidos
Miniaturas
diff --git a/app/src/main/res/values-ru/strings.xml b/app/src/main/res/values-ru/strings.xml
index 8b967ece0..238fc49d5 100644
--- a/app/src/main/res/values-ru/strings.xml
+++ b/app/src/main/res/values-ru/strings.xml
@@ -32,6 +32,7 @@
Исправление…
Даты исправлены
Поделиться изменённой версией
+ 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!
Фильтр медиа
diff --git a/app/src/main/res/values-sk/strings.xml b/app/src/main/res/values-sk/strings.xml
index 2351e81e6..3f6bf3e27 100644
--- a/app/src/main/res/values-sk/strings.xml
+++ b/app/src/main/res/values-sk/strings.xml
@@ -32,6 +32,7 @@
Opravuje sa…
Dátumy boli úspešne opravené
Zdieľať verziu so zmenenou veľkosťou
+ 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!
Filter médií
diff --git a/app/src/main/res/values-sl/strings.xml b/app/src/main/res/values-sl/strings.xml
index 639af04b2..f7cff7d63 100644
--- a/app/src/main/res/values-sl/strings.xml
+++ b/app/src/main/res/values-sl/strings.xml
@@ -32,6 +32,7 @@
Popravljam…
Datumi uspešno popravljeni
Deli spremenjeno verzijo
+ 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!
Filtriranje datotek
diff --git a/app/src/main/res/values-sr/strings.xml b/app/src/main/res/values-sr/strings.xml
new file mode 100644
index 000000000..e8299b5b3
--- /dev/null
+++ b/app/src/main/res/values-sr/strings.xml
@@ -0,0 +1,285 @@
+
+
+ Једноставна галерија
+ Галерија
+ Измени
+ Отвори камеру
+ (скривено)
+ (изузето)
+ Прикачи фасциклу
+ Раскачи фасциклу
+ Закачи на врх
+ Прикажи садржај свих фасцикли
+ Све фасцикле
+ Пређи на преглед фасцикли
+ Друга фасцикла
+ Прикажи на мапи
+ Непозната локација
+ Повећај број колона
+ Смањи број колона
+ Промени насловну слику
+ Изабери фотографију
+ Користи подразумевано
+ Јачина звука
+ Осветљење
+ Закључај оријентацију
+ Откључај оријентацију
+ Измени оријентацију
+ Форсирај портрет
+ Форсирај пејзаж
+ Користи подразумевајућу оријентацију
+ Поправи вредност за датум креирања
+ Исправљам…
+ Датуми успешно исправљени
+ Подели верзију са промењеним димензијама
+ 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!
+
+
+ Филтрирај медију
+ Слике
+ Видео снимци
+ ГИФови
+ Сирове слике
+ СВГови
+ Нема пронађених медија датотека са изабраним филтерима.
+ Измени филтере
+
+
+ Ова функција скрива фасциклу додавањем \'.nomedia\' фајла у њу, она ће такође сакрити све подфасцикле. Можете их видети притиском на опцију \'Прикажи скривене ставке\' у подешавањима. Настави?
+ Изузми
+ Изузете фасцикле
+ Управљај изузетим фасциклама
+ Ово ће изузети одабир заједно са подфасциклама само из Једноставне галерије. Можете управљати изузетим фасциклама у подешавањима.
+ Изузми родитеља уместо овог?
+ Изузимање фасцикли ће их заједно са њиховим подфасциклама учинити скривеним само у Једноставној галерији, они ће и даље бити видљиви у другим апликацијама. \n\nАко желите да их сакријете од других апликација, употребите Сакриј функцију.
+ Уклони све
+ Уклони све фасцикле са листе изузетих? Ово неће обрисати фасцикле.
+ Скривене фасцикле
+ Управљај скривеним фасциклама
+ Изгледа да немате ни једну фасциклу скривену са \".nomedia\" датотеком.
+
+
+ Укључене фасцикле
+ Управљај укљученим фасциклама
+ Додај фасциклу
+ Ако имате неке фасцикле које садрже медију, али нису препознате од стране апликације, можете их додати ручно овде. \n\nДодавањем неких ставки овде нећете изузети неку другу фасциклу.
+
+
+ Промена величине
+ Промени величину одабраног и сачувај
+ Ширина
+ Висина
+ Задржи пропорције
+ Унесите исправну резолуцију
+
+
+ Едитор
+ Сачувај
+ Ротирај
+ Стаза
+ Неисправна стаза слике
+ Измена слике неуспешна
+ Измени слику са:
+ Није пронађен едитор слика
+ Непозната локација датотеке
+ Не могу да препишем изворну датотеку
+ Ротирај лево
+ Ротирај десно
+ Ротирај за 180º
+ Заврти
+ Заврти хоризонтално
+ Заврти вертикално
+ Слободна пропорција
+ Друга пропорција
+
+
+ Једноставна позадина
+ Подеси као позадину
+ Подешавање позадине неуспешно
+ Подеси као позадину са:
+ Подешавам позадину…
+ Позадина је успешно подешена
+ Пропорција портрета
+ Пропорција пејзажа
+ Почетни екран
+ Закључај екран
+ Почетни и закључани екран
+
+
+ Слајдшоу
+ Интервал (секунди):
+ Садржи слике
+ Садржи видео снимке
+ Садржи ГИФове
+ Насумични редослед
+ Користи изблеђујуће анимације
+ Помери уназад
+ Понављај слајдшоу
+ Слајдшоу се завршио
+ Нису пронађени медији за слајдшоу
+ Користи анимације са унакрсним изблеђивањем
+
+
+ Промени тип прегледа
+ Мрежа
+ Листа
+ Групирај директне подфасцикле
+
+
+ Групиши према
+ Не групиши датотеке
+ Фасцикла
+ Задње измењено
+ Датум настанка
+ Тип датотеке
+ Тип датотеке
+ Имајте на уму да су груписање и сортирање 2 различите ствари
+
+
+ Фасцикла приказана у виџету:
+ Прикажи име фасцикле
+
+
+ Пуштај видео снимке аутоматски
+ Запамти позицију задње пуштаног видеа
+ Измени видљивост датотеке
+ Пуштај видео снимке у недоглед
+ Анимирај ГИФове на сличицама
+ Максимално осветљење када се пушта медиј преко целог екрана
+ Скрати сличице у квадрате
+ Прикажи дужину видео снимака
+ Ротирај медиј преко целог екрана за
+ Системска подешавања
+ Ротација уређаја
+ Пропорције
+ Црна позадина на приказу преко целог екрана
+ Скролуј сличице хоризонтално
+ Аутоматски сакриј системски кориснички интерфејс приликом пуштања преко целог екрана
+ Обриши празне фасцикле након брисања њиховог садржаја
+ Дозволи контролисање осветљења слика са вертикалним покретима
+ Дозволи контролисање јачине звука видео снимка и осветљења са вертикалним покретима
+ Прикажи број медија у фасцикли на главном прегледу
+ Прикажи више детаља преко медија пуштеног преко целог екрана
+ Управљај дотатним детаљима
+ Омогући зумирање једним прстом код медија на целом екрану
+ Дозволи брзо мењање медија кликом на стране екрана
+ Дозволи дубоко зумирање слика
+ Сакриј додатне детаље када је статусна трака скривена
+ Прикажи дугмиће за неке акције на дну екрана
+ Прикажи канту за отпатке на екрану са фасциклама
+ Дубоко зумирајуће слике
+ Прикажи слике у највећем могућем квалитету
+ Прикажи канту за отпатке као задњу ставку на главном екрану
+ Дозволи затварање приказа преко целог екрана са покретом на доле
+ Дозволи 1:1 зумирање са два дводупла притиска на екран
+ Увек отварај видео снимке наз асебном екрану са новим хоризонталним гестикулацијама
+ Прикажи исечак уколико је доступан
+ Дозволи ротацију слика гестикулацијама
+ Приоритет приликом учитавања фајла
+ Брзина
+ Компромис
+ Не приказуј оштећене датотеке
+
+
+ Сличице
+ Медији преко целог екрана
+ Додатни детаљи
+ Акције на дну
+
+
+ Управљај са видљивим акцијама на дну
+ Укључи/искључи омиљени
+ Укључи/искључи видљивост датотеке
+
+
+ Како да подесим Једноставну галерију да буде главна галерија уређаја?
+ Први морате да нађете тренутну главну галерију у Апликације секцији подешавања вашег уређаја, потражите дугме које каже нешто попут \"Отвори по дифолту\", кликни на то, затим изабери \"Уклони дифолт\".
+ Следећи пут када покушате да отворите слику или видео требало би да видите изабирач апликација, где можете да изаберете Једноставну галерију и учините је подразумевајућом апликацијом.
+ Закључао сам апликацију са шифром и заборавио шифру. Како да решим проблем?
+ Постоје 2 начина. Можете да обришете апликацију, или да нађете апликацију у подешавањима и кликнете на \"Обриши податке\". То ће ресетовати сва подешавања, али неће обрисати медија фајлове.
+ Како да подесим да се неки албум увек појављује на врху?
+ Дуго притисните на жељени албум и изаберите Закачи икону у менију за акције, то ће га поставити на врх. Можете да закачите више фасцикли истовремено, с тим што ће бити сортирани према подразумевајућем методу за сортирање.
+ Како да премотавам видео снимке?
+ Можете да вучете прст хоризонтално преко видео плејера, или да кликнете на тренутно или максимално поред траке за премотавање. То ће премотати видео назад или напред.
+ Која је разлика између скривања и изузимања фасцикле?
+ Изузимање спречава приказивање фасцикле само у Једноставној галерији, док се скривање односи на цео систем и скрива фасциклу од свих других галерија. Он функционише тако што прави празан \".nomedia\" фајл у задатој фасцикли, који затим можете да уклоните са било којим фајл менаџером.
+ Зашто се фасцикле са сликама музичких извођача или налепницама приказују?
+ Може се десити да се приказују неки необични албуми. Можете их лако изузети дугим притиском, а затим одабиром Изузми. У следећем дијалогу можете изабрати фасциклу родитеља, шансе су да ће спречити све остале албуме од приказивања.
+ Фасцикла са сликама се не приказује, или не приказује све ставке. Шта да урадим?
+ Може бити више разлога, али решење је лако. Идите у Подешавања -> Управљај садржаним фасциклама, изаберите плус и изаберите жељену фасциклу.
+ Шта ако желим само неколико одређених фасцикли у приказу?
+ Додавањем фасцикли у Садржаним фасциклама не изузима аутоматски ништа. Оно што можете је да одете у Подешавања -> Управљај изузетим фасциклама, изузмете почетну фасциклу \"/\", а затим додате жељене фасцикле у Подешавања -> Управљај садржаним фасциклама.
+ То ће учинити да се само одређене фасцикле приказују, јер и изузимање и укључивање су рекурзивни и ако је нека фасцикла и изузета и садржана, она ће се појавити.
+ Да ли могу да исечем слику са овом апликацијом?
+ Да, можете да сечете слике са едитором, повлачењем ивица слике. Можете ући у едитор дугим притиском на сличицу слике и одабирањем Измени, или избором Измени из приказа преко целог екрана.
+ Да ли могу да групишем сличице медија?
+ Да, само употребите \"Групиши према\" мени ставку док сте у прегледу са сличицама. Можете да групишете датотеке према више критеријума, укључујући датум креирања. Ако користите \"Прикажи садржај свих фасцикли\" функцију, можете да их групишете и према фасциклама.
+ Сортирање према датуму креирања не ради како треба, како да га поправим?
+ Највероватнији узрок су датотеке које се копирају од некле. То можете поправити селектовањем сличице датотеке и изабиром \"Исправи датум креирања\".
+ Имам проблема са приказом боја у сликама. Како да унапредим квалитет приказа слика?
+ Тренутно решење за приказивање слика функционише добро у већини случајева, али ако хоћете још бољи квалитет слика, можете да укључите \"Прикажи слике у најбољем могућем квалитету\" у подешавањима апликације, у \"Дубоко зумирање слика\" секцији.
+ Имам скривену датотеку/фасциклу. Како да је приказујем поново?
+ Можете да притиснете \"Привремено прикажи скривене ставке\" мени ставку на главном екрану, или да измените \"Прикажи скривене ставке\" у подешавањима апликације, да видите скривене ставке. Ако желите да је учините видљивом, једноставно је дуго притисните и изабеерите \"Откриј\". Фасцикле су скривене додавањем скривене \".nomedia\" датотеке у њих, које можете да обришете у било ком менаџеру датотека.
+
+
+
+ Офлајн галерија без реклама. Организуј, измени,опорави,заштити фотографије,видео
+
+ Једноставна галерија Про је високо прилагодљива галерија којој није неопходан интернет да би радила. Организуј и измени своје слике, опорави обрисане датотеке са кантом за отпатке, заштити и сакриј датотеке имај увид у огромну количину различитих фотографија и видео формата укључујући RAW, SVG и многих других.
+
+ Апликација не садржи огласе и сувишне дозволе. С обзиром да апликација не захтева приступ интернету, ваша приватност је заштићена.
+
+ -------------------------------------------------
+ ЈЕДНОСТАВНА ГАЛЕРИЈА ПРО – МОГУћНОСТИ
+ -------------------------------------------------
+
+ • Галерија којој није неопходан интернет, не садржи огласе и искачуће рекламе
+ • Једноставна галерија фото едитор - исеци, ротирај, измени димензије, цртај, примени филтере и још тога
+ • Није вам неопходан приступ интернету за рад, што вам даје више приватности и сигурности
+ • Нису неопходне сувишне дозволе за рад галерије
+ • Брза претрага слика, видео снимака и датотека
+ • Отвори и прегледај доста различитих фотографија и видео типова (RAW, SVG, panoramic итд)
+ • Разноликост интуитивних гестикулација да на лак начин измените и организујете датотеке
+ • Доста начина за филтрирање, груписање и сортирање датотека
+ • Прилагодите изглед Једноставне галерије Про
+ • Доступна на 32 језика
+ • Означите датотеке као омиљене да имате брз приступ истим
+ • Заштитите ваше фотографије и видео снимке са шаблоном, пином или отиском прста
+ • Употребите пин, шаблон и отисак прста да заштитите покретање апликације или одређене функције
+ • Опоравите обрисане фотографије и видео снимке из канте за отпатке
+ • Измените видљивост фајлова да сакријете фотографије и видео снимке
+ • Направите прилагођени слајдшоу за ваше датотеке
+ • Имајте увид у детаљне информације ваших датотека (резолуције, EXIF вредности итд..)
+ • Једноставна галерија Про је отвореног кода
+ … и још доста тога!
+
+ ЕДИТОР ФОТО ГАЛЕРИЈЕ
+ Једноставна галерија Про чини једноставним да измените ваше слике у ходу. Исеците, заокрените, ротирајте или измените величину ваших слика. Ако се осећате креативним, можете додати филтере или насликати своје слике!
+
+ ПОДРШКА ЗА МНОГЕ ТИПОВЕ ФАЈЛОВА
+ За разлику од неких других галерија програма и организатора фотографија, Једноставна галерија Про подржава велики спектар различитих типова датотека укључујући JPEG, PNG, MP4, MKV, RAW, SVG, Panoramic фотографије, Panoramic видео снимци и још доста других.
+
+ ВИСОКО ПРИЛАГОДЉИВ МЕНАЏЕР ГАЛЕРИЈА
+ Од корисничког интерфејса до функцијских дугмића на доњој линији са алаткама, Једноставна галерија Про је високо прилагодљива и ради онако како ви желите. Ни један други менаџер за галерију има ову врсту флексибилности! Захваљујући томе што је отвореног кода, ми смо доступни на 33 језика!
+
+ ОПОРАВИ ОБРИСАНЕ ФОТОГРАФИЈЕ И ВИДЕО СНИМКЕ
+ Случајно обрисане драгоцене фотографије или видео снимци? Не брините! Једноставна галерија Про поседује згодну канту за отпатке из које можете опоравити обрисане фотографије и видео снимке на лак начин.
+
+ ЗАШТИТИ И САКРИЈ ФОТОГРАФИЈЕ, ВИДЕО СНИМКЕ и ДАТОТЕКЕ
+ Употребом пина, шаблона или скенера за отисак прста на вашем уређају можете заштитити фотографије, видео снимке и читаве албуме. Можете заштитити и саму апликацију или ставити кључеве на одређене функције у апликацији. Например, не могу се обрисати датотеке без скенирања отиска прста, што у великој мери може спречити нежељено или случајно брисање.
+
+ Погледајте цео пакет Simple Tools овде:
+ https://www.simplemobiletools.com
+
+ Фејсбук:
+ https://www.facebook.com/simplemobiletools
+
+ Reddit:
+ https://www.reddit.com/r/SimpleMobileTools
+
+
+
+
diff --git a/app/src/main/res/values-sv/strings.xml b/app/src/main/res/values-sv/strings.xml
index a902071b3..09c460c9a 100644
--- a/app/src/main/res/values-sv/strings.xml
+++ b/app/src/main/res/values-sv/strings.xml
@@ -32,6 +32,7 @@
Korrigerar…
Datumen har korrigerats
Dela en version med ändrad storlek
+ 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!
Filtrera media
diff --git a/app/src/main/res/values-tr/strings.xml b/app/src/main/res/values-tr/strings.xml
index 4a7bcd23f..105629edf 100644
--- a/app/src/main/res/values-tr/strings.xml
+++ b/app/src/main/res/values-tr/strings.xml
@@ -32,6 +32,7 @@
Düzeltiliyor…
Tarihler başarıyla düzeltildi
Yeniden boyutlandırılmış sürümü paylaş
+ 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!
Medyayı filtrele
diff --git a/app/src/main/res/values-uk/strings.xml b/app/src/main/res/values-uk/strings.xml
index 280ad3c9d..89225e5cc 100644
--- a/app/src/main/res/values-uk/strings.xml
+++ b/app/src/main/res/values-uk/strings.xml
@@ -32,6 +32,7 @@
Виправлення…
Дати успішно виправлені
Поділитися зображенням іншого розміру
+ Йой,\n\nздається, ви перейшли зі старого безкоштовного додатку на цей. Тепер ви можете видалити стару версію, у якій є кнопка \"Перейти на Pro\" вгорі налаштувань додатку.\n\nВи втратите лише елементи з Кошика, позначки улюблених елементів, а також потрібно буде скинути ваші налаштування додатку.\n\nДякую!
Фільтр мультимедійних файлів
@@ -222,52 +223,52 @@
- Offline gallery without ads. Organize, edit, recover and protect photos & videos
+ Офлайн-галерея без реклами. Впорядкуй, редагуй, віднови та захисти фото і відео.
- 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.
+ Цей додаток не містить реклами і непотрібних дозволів. Оскільки додаток не потребує доступу в інтернет, ваша приватність захищена.
-------------------------------------------------
- SIMPLE GALLERY PRO – FEATURES
+ SIMPLE GALLERY PRO – ФУНКЦІЇ
-------------------------------------------------
- • 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 є додатком з відкритим джерельним кодом
+ … та багато-багато іншого!
- PHOTO GALLERY EDITOR
- 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!
+ ФОТОРЕДАКТОР
+ Simple Gallery Pro дозволяє легко редагувати ваші зображення на льоту. Обрізайте, віддзеркалюйте, обертайте та змінюйте розмір своїх зображень. Якщо ви почуваєтеся креативно, можете додавати фільтри та малювати на ваших зображеннях!
- SUPPORT FOR MANY FILE TYPES
- 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.
+ ПІДТРИМКА БАГАТЬОХ ТИПІВ ФАЙЛІВ
+ На відміну від деяких інших переглядачів та організаторів галереї, Simple Gallery Pro підтримує величезний перелік різноманітних типів файлів, включаючи JPEG, PNG, MP4, MKV, RAW, SVG, панорамні фото, панорамні відео та багато іншого.
- HIGHLY CUSTOMIZABLE GALLERY MANAGER
- 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!
+ МЕНЕДЖЕР ГАЛЕРЕЇ З БЕЗЛІЧЧЮ НАЛАШТУВАНЬ
+ Від зовнішнього вигляду до функціональних кнопок у нижній панелі інструментів: Simple Gallery Pro має безліч налаштувань та працює у потрібний вам спосіб. Жодний інший менеджер галереї не має такої гнучкості! Завдяки відкритому джерельному коду цей додаток доступний 32 мовами!
- RECOVER DELETED PHOTOS & VIDEOS
- 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.
+ ВІДНОВЛЮЙТЕ ВИДАЛЕНІ ФОТО І ВІДЕО
+ Випадково видалили дорогоцінне фото чи відео? Не хвилюйтеся! Simple Gallery Pro пропонує зручний кошик, звідки можна легко відновити видалені фото і відео.
- PROTECT & HIDE PHOTOS, VIDEOS & FILES
- 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.
+ ЗАХИЩАЙТЕ І ПРИХОВУЙТЕ ФОТО, ВІДЕО І ФАЙЛИ
+ Використовуючи PIN-код, графічний ключ чи сканер відбитку пальця на вашому пристрої, ви можете захистити та приховати фото, відео та цілі альбоми. Ви можете захистити сам додаток або заблокувати окремі його функції. Наприклад, заборона видалення файлів без сканування відбитку пальця допоможе захистити ваші файли від випадкового видалення.
- Check out the full suite of Simple Tools here:
+ Перегляньте повний набір додатків Simple Tools тут:
https://www.simplemobiletools.com
Facebook:
diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml
index 36ed888d8..da56104ff 100644
--- a/app/src/main/res/values-zh-rCN/strings.xml
+++ b/app/src/main/res/values-zh-rCN/strings.xml
@@ -32,6 +32,7 @@
正在修复…
日期修复成功
调整图像尺寸并分享
+ 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!
要显示的媒体文件
@@ -131,8 +132,8 @@
最近修改
拍摄时间
文件类型
- 扩展
- Please note that grouping and sorting are 2 independent fields
+ 扩展名
+ 请注意,分组和排序是相互独立的
要在小部件上显示的文件夹:
@@ -174,10 +175,10 @@
使用新的水平手势在独立页面播放视频
显示留海(如果可用)
允许使用手势旋转图像
- File loading priority
- Speed
- Compromise
- Avoid showing invalid files
+ 文件加载优先级
+ 速度
+ 折中
+ 避免显示无效的文件
缩略图
@@ -220,52 +221,52 @@
- Offline gallery without ads. Organize, edit, recover and protect photos & videos
+ 一个没有广告的离线图库。便于整理,编辑,恢复和保护照片 & 视频。
- 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.
+ 该应用不包含广告和不必要的权限。我们保护您的隐私,因为该应用不需要联网权限。
-------------------------------------------------
- SIMPLE GALLERY PRO – FEATURES
+ 简约图库 Pro – 特性
-------------------------------------------------
- • 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值等等)
+ • 该应用是开源的
+ … 还有很多很多!
- PHOTO GALLERY EDITOR
- 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!
+ 图库照片编辑
+ 简约图库 Pro 可以轻松地动态编辑图片。支持裁剪、翻转、旋转、或是调整图片大小。如果您希望更有创意的话,可以添加滤镜,或是直接在图片上绘制!
- SUPPORT FOR MANY FILE TYPES
- 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.
+ 支持多种文件类型
+ 与其他一些图库应用不同,简约图库 Pro 支持多种文件类型,包括JPEG,PNG,MP4,MKV,RAW,SVG,全景照片,全景视频等等。
- HIGHLY CUSTOMIZABLE GALLERY MANAGER
- 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!
+ 高度可定制的图库
+ 从UI到底部工具栏上的功能按钮,简约图库 Pro 可高度自定义并按您的要求工作。其他图库应用可没有这种灵活性!由于该应用是开源的,所以我们还提供 32 种语言!
- RECOVER DELETED PHOTOS & VIDEOS
- 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.
+ 恢复已删除的照片和视频
+ 意外删除了珍贵的照片或视频?别担心!简约图库 Pro 具有方便的回收站,您可以方便地恢复已删除的照片和视频。
- PROTECT & HIDE PHOTOS, VIDEOS & FILES
- 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.
+ 保护并隐藏照片、视频和文件
+ 使用密码、图案或指纹保护和隐藏照片、视频、或是整个相册。您也可以保护应用自身或禁用一些特定功能。 例如,只有指纹验证通过才可以删除文件,从而有效地防止您的文件被意外删除。
- Check out the full suite of Simple Tools here:
+ 查看简约系列的所有应用:
https://www.simplemobiletools.com
Facebook:
diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml
index fe2731214..e58e42a4f 100644
--- a/app/src/main/res/values-zh-rTW/strings.xml
+++ b/app/src/main/res/values-zh-rTW/strings.xml
@@ -32,6 +32,7 @@
修復中…
日期修復成功
分享調整大小的版本
+ 嘿\n\n你似乎從舊版免費應用程式升級了。現在你能解除安裝舊版了,在應用程式設定的頂端有個\'升級至專業版\'按鈕。\n\n將只有回收桶項目會被刪除,我的最愛項目會被解除標記,以及也會重置你的應用程式設定。\n\n感謝!
篩選媒體檔案
@@ -132,7 +133,7 @@
拍照日期
檔案類型
副檔名
- Please note that grouping and sorting are 2 independent fields
+ 請注意,歸類和排序是兩者是獨立的
在小工具顯示資料夾:
@@ -222,52 +223,52 @@
- Offline gallery without ads. Organize, edit, recover and protect photos & videos
+ 沒有廣告的離線相簿。整理、編輯、恢復和保護照片&影片
- 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.
+ 這應用程式沒有廣告和非必要的權限。並且由於不需要網路連線,您的隱私受到保護。
-------------------------------------------------
- SIMPLE GALLERY PRO – FEATURES
+ 簡易相簿PRO – 特色
-------------------------------------------------
- • 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是開源的
+ …還有多更多!
+
+ 照片相簿編輯器
+ 簡易相簿Pro使編輯圖片變得非常輕鬆。裁減、翻轉、旋轉及縮放您的圖片。如果您想更有一點創意,您可以直接在圖片上添加濾鏡和繪畫!
- PHOTO GALLERY EDITOR
- 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!
+ 支援多種檔案類型
+ 不同於其他相簿瀏覽器和照片整理器,簡易相簿Pro支援大量不同的檔案類型,包含JPEG、PNG、MP4、MKV、RAW、SVG、全景照片、全景影片…等更多。
- SUPPORT FOR MANY FILE TYPES
- 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.
+ 高度自訂化的相簿管理
+ 從UI到底部工具列的功能按鈕,簡易相簿Pro是高度自訂化的,任您隨心所欲的方式操作。沒有其他相簿管理器有這樣的靈活性。歸功於開源,我們也支援32種語言!
- HIGHLY CUSTOMIZABLE GALLERY MANAGER
- 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!
+ 恢復刪除的照片&影片
+ 不小心刪除掉珍貴的照片或影片?別擔心!簡易相簿Pro標榜有便利的回收桶,您可以在那裡輕鬆恢復照片&影片。
- RECOVER DELETED PHOTOS & VIDEOS
- 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.
+ 保護&隱藏照片、影片和檔案
+ 使用Pin碼、圖形或裝置的指紋掃描器,您可以保護和隱藏照片、影片及整個相冊。您可以保護應用程式本身或者對程式的特定功能設個鎖。例如:您無法未經指紋掃描就刪除檔案,有助於檔案遭意外刪除。
- PROTECT & HIDE PHOTOS, VIDEOS & FILES
- 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.
-
- Check out the full suite of Simple Tools here:
+ 於此查看簡易工具系列全套:
https://www.simplemobiletools.com
Facebook:
diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml
index e5124e906..96bdb3146 100644
--- a/app/src/main/res/values/strings.xml
+++ b/app/src/main/res/values/strings.xml
@@ -32,6 +32,7 @@
Fixing…
Dates fixed successfully
Share a resized version
+ 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!
Filter media