diff --git a/app/proguard-rules.pro b/app/proguard-rules.pro index cb35dfa8b..2009dd355 100644 --- a/app/proguard-rules.pro +++ b/app/proguard-rules.pro @@ -24,6 +24,14 @@ -keep class com.google.gson.** { *; } -keepattributes Signature -keepattributes *Annotation* +-keepattributes InnerClasses +-keepattributes EnclosingMethod + +# Ensure @Keep annotations are always honored +-keep @androidx.annotation.Keep class * { *; } +-keepclassmembers class * { + @androidx.annotation.Keep *; +} # Shizuku rules -keep class rikka.shizuku.** { *; } @@ -38,10 +46,11 @@ -keep class com.sameerasw.essentials.data.repository.** { *; } -keep class com.sameerasw.essentials.domain.registry.** { *; } -# Emoji data classes for Gson --keep class com.sameerasw.essentials.ui.ime.EmojiObject { *; } --keep class com.sameerasw.essentials.ui.ime.EmojiCategory { *; } -keep class com.sameerasw.essentials.ui.ime.EmojiDataResponse { *; } + +# Data models for Gson +-keep class com.sameerasw.essentials.data.model.** { *; } +-keepclassmembers class com.sameerasw.essentials.data.model.** { *; } # Keep ViewModel constructors for reflection-based instantiation -keepclassmembers class * extends androidx.lifecycle.ViewModel { public (...); diff --git a/app/src/main/java/com/sameerasw/essentials/MainActivity.kt b/app/src/main/java/com/sameerasw/essentials/MainActivity.kt index c85a7ca7d..e80ae8e18 100644 --- a/app/src/main/java/com/sameerasw/essentials/MainActivity.kt +++ b/app/src/main/java/com/sameerasw/essentials/MainActivity.kt @@ -92,10 +92,12 @@ import com.sameerasw.essentials.ui.components.EssentialsFloatingToolbar import com.sameerasw.essentials.ui.components.ToolbarItem import com.sameerasw.essentials.ui.components.cards.TrackedRepoCard import androidx.compose.foundation.layout.statusBarsPadding +import com.sameerasw.essentials.data.repository.SettingsRepository import com.sameerasw.essentials.ui.components.containers.RoundedCardContainer import com.sameerasw.essentials.ui.components.sheets.AddRepoBottomSheet import com.sameerasw.essentials.ui.components.sheets.GitHubAuthSheet import com.sameerasw.essentials.ui.components.sheets.InstructionsBottomSheet +import com.sameerasw.essentials.ui.components.sheets.PrankBottomSheet import com.sameerasw.essentials.ui.components.sheets.UpdateBottomSheet import com.sameerasw.essentials.ui.components.menus.SegmentedDropdownMenu import com.sameerasw.essentials.ui.components.menus.SegmentedDropdownMenuItem @@ -353,6 +355,25 @@ class MainActivity : AppCompatActivity() { ) } + val isAprilFoolsSheetVisible by viewModel.isAprilFoolsSheetVisible + val prankSheetState = androidx.compose.material3.rememberModalBottomSheetState( + skipPartiallyExpanded = true + ) + + if (isAprilFoolsSheetVisible) { + PrankBottomSheet( + viewModel = viewModel, + sheetState = prankSheetState, + onDismissRequest = { + viewModel.isAprilFoolsSheetVisible.value = false + viewModel.settingsRepository.putBoolean( + SettingsRepository.KEY_APRIL_FOOLS_SHOWN, + true + ) + } + ) + } + val refreshingRepoIds by updatesViewModel.refreshingRepoIds val updateProgress by updatesViewModel.updateProgress val animatedProgress by animateFloatAsState( diff --git a/app/src/main/java/com/sameerasw/essentials/data/repository/SettingsRepository.kt b/app/src/main/java/com/sameerasw/essentials/data/repository/SettingsRepository.kt index a10703cec..feb47ce40 100644 --- a/app/src/main/java/com/sameerasw/essentials/data/repository/SettingsRepository.kt +++ b/app/src/main/java/com/sameerasw/essentials/data/repository/SettingsRepository.kt @@ -170,6 +170,7 @@ class SettingsRepository(private val context: Context) { const val KEY_SENTRY_REPORT_MODE = "sentry_report_mode" const val KEY_ONBOARDING_COMPLETED = "onboarding_completed" const val KEY_PRIVATE_DNS_PRESETS = "private_dns_presets" + const val KEY_APRIL_FOOLS_SHOWN = "april_fools_shown" } // Observe changes diff --git a/app/src/main/java/com/sameerasw/essentials/ui/components/sheets/PrankBottomSheet.kt b/app/src/main/java/com/sameerasw/essentials/ui/components/sheets/PrankBottomSheet.kt new file mode 100644 index 000000000..a926c7f18 --- /dev/null +++ b/app/src/main/java/com/sameerasw/essentials/ui/components/sheets/PrankBottomSheet.kt @@ -0,0 +1,147 @@ +package com.sameerasw.essentials.ui.components.sheets + +import androidx.compose.foundation.gestures.detectTapGestures +import androidx.compose.foundation.layout.Arrangement +import androidx.compose.foundation.layout.Column +import androidx.compose.foundation.layout.Row +import androidx.compose.foundation.layout.Spacer +import androidx.compose.foundation.layout.fillMaxWidth +import androidx.compose.foundation.layout.height +import androidx.compose.foundation.layout.padding +import androidx.compose.foundation.layout.size +import androidx.compose.material3.Button +import androidx.compose.material3.ExperimentalMaterial3Api +import androidx.compose.material3.MaterialTheme +import androidx.compose.material3.ModalBottomSheet +import androidx.compose.material3.SheetState +import androidx.compose.material3.Text +import androidx.compose.runtime.Composable +import androidx.compose.runtime.getValue +import androidx.compose.runtime.mutableStateOf +import androidx.compose.runtime.remember +import androidx.compose.runtime.setValue +import androidx.compose.ui.Alignment +import androidx.compose.ui.Modifier +import androidx.compose.ui.input.pointer.pointerInput +import androidx.compose.ui.platform.LocalView +import androidx.compose.ui.res.painterResource +import androidx.compose.ui.res.stringResource +import androidx.compose.ui.text.font.FontWeight +import androidx.compose.ui.text.style.TextAlign +import androidx.compose.ui.unit.dp +import coil.compose.AsyncImage +import com.sameerasw.essentials.R +import com.sameerasw.essentials.data.repository.SettingsRepository +import com.sameerasw.essentials.utils.HapticUtil +import com.sameerasw.essentials.viewmodels.MainViewModel + +@OptIn(ExperimentalMaterial3Api::class) +@Composable +fun PrankBottomSheet( + viewModel: MainViewModel, + sheetState: SheetState, + onDismissRequest: () -> Unit +) { + var isRevealed by remember { mutableStateOf(false) } + val view = LocalView.current + + ModalBottomSheet( + onDismissRequest = { + if (isRevealed) { + onDismissRequest() + } + }, + sheetState = sheetState, + dragHandle = null + ) { + Column( + modifier = Modifier + .fillMaxWidth() + .padding(24.dp), + horizontalAlignment = Alignment.CenterHorizontally, + verticalArrangement = Arrangement.spacedBy(16.dp) + ) { + // App Logo + AsyncImage( + model = R.mipmap.ic_launcher_round, + contentDescription = null, + modifier = Modifier.size(80.dp) + ) + + if (!isRevealed) { + // Prank Phase + Text( + text = stringResource(R.string.prank_trial_expired_title), + style = MaterialTheme.typography.headlineSmall, + fontWeight = FontWeight.Bold, + textAlign = TextAlign.Center + ) + + Text( + text = stringResource(R.string.prank_trial_expired_desc), + style = MaterialTheme.typography.bodyMedium, + textAlign = TextAlign.Center, + color = MaterialTheme.colorScheme.onSurfaceVariant + ) + + Spacer(modifier = Modifier.height(8.dp)) + + Button( + onClick = { + HapticUtil.performHeavyHaptic(view) + isRevealed = true + }, + modifier = Modifier.fillMaxWidth() + ) { + Text(text = stringResource(R.string.prank_button_premium)) + } + } else { + // Reveal Phase + Text( + text = stringResource(R.string.prank_reveal_title), + style = MaterialTheme.typography.headlineSmall, + fontWeight = FontWeight.Bold, + textAlign = TextAlign.Center, + color = MaterialTheme.colorScheme.primary + ) + + Text( + text = stringResource(R.string.prank_reveal_desc), + style = MaterialTheme.typography.bodyLarge, + textAlign = TextAlign.Center + ) + + Spacer(modifier = Modifier.height(8.dp)) + + Button( + onClick = { + onDismissRequest() + }, + modifier = Modifier + .fillMaxWidth() + .pointerInput(Unit) { + detectTapGestures( + onLongPress = { + // Debug reset + viewModel.settingsRepository.putBoolean( + SettingsRepository.KEY_APRIL_FOOLS_SHOWN, + false + ) + HapticUtil.performHeavyHaptic(view) + android.widget.Toast.makeText(view.context, "Prank reset for testing", android.widget.Toast.LENGTH_SHORT).show() + }, + onTap = { + HapticUtil.performUIHaptic(view) + onDismissRequest() + } + ) + } + ) { + Text(text = stringResource(R.string.action_continue)) + } + } + + Spacer(modifier = Modifier.height(16.dp)) + } + } +} diff --git a/app/src/main/java/com/sameerasw/essentials/viewmodels/MainViewModel.kt b/app/src/main/java/com/sameerasw/essentials/viewmodels/MainViewModel.kt index 9587c064d..c3cb2db9c 100644 --- a/app/src/main/java/com/sameerasw/essentials/viewmodels/MainViewModel.kt +++ b/app/src/main/java/com/sameerasw/essentials/viewmodels/MainViewModel.kt @@ -223,6 +223,8 @@ class MainViewModel : ViewModel() { val windowAnimationScale = mutableFloatStateOf(1.0f) val smallestWidth = mutableIntStateOf(360) val hasShizukuPermission = mutableStateOf(false) + val isAprilFoolsSheetVisible = mutableStateOf(false) + val isAprilFoolsShown = mutableStateOf(false) private var lastUpdateCheckTime: Long = 0 lateinit var settingsRepository: SettingsRepository @@ -444,6 +446,10 @@ class MainViewModel : ViewModel() { dnsPresets.clear() dnsPresets.addAll(settingsRepository.getPrivateDnsPresets()) } + + SettingsRepository.KEY_APRIL_FOOLS_SHOWN -> { + isAprilFoolsShown.value = settingsRepository.getBoolean(key) + } } } } @@ -793,6 +799,18 @@ class MainViewModel : ViewModel() { isAirSyncConnectionEnabled.value = settingsRepository.getBoolean(SettingsRepository.KEY_AIRSYNC_CONNECTION_ENABLED) + + // April Fools Check + isAprilFoolsShown.value = settingsRepository.getBoolean(SettingsRepository.KEY_APRIL_FOOLS_SHOWN) + if (!isAprilFoolsShown.value) { + val calendar = java.util.Calendar.getInstance() + val month = calendar.get(java.util.Calendar.MONTH) + val day = calendar.get(java.util.Calendar.DAY_OF_MONTH) + if (month == java.util.Calendar.APRIL && day == 1) { + isAprilFoolsSheetVisible.value = true + } + } + macBatteryLevel.intValue = settingsRepository.getInt(SettingsRepository.KEY_MAC_BATTERY_LEVEL, -1) isMacBatteryCharging.value = diff --git a/app/src/main/res/values-ach/strings.xml b/app/src/main/res/values-ach/strings.xml index c17b0c79f..fa5aace0c 100644 --- a/app/src/main/res/values-ach/strings.xml +++ b/app/src/main/res/values-ach/strings.xml @@ -12,6 +12,7 @@ Lweny pa mac ma ki lwongo ni Flashlight Nen pi jami ma ki cwalo ma peya ki cwalo gi Twero bedo ni pe ocung matek + Default tab Gwoko kuc Yab app lock @@ -113,6 +114,15 @@ Kit me tic ki jami ma ki lwongo ni App Miyu doko ngic Yab ma ngiic + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Jami mukene ma itwero yero Juk jami weny ma ki tiyo kwede Yab jami weny ma ki tiyo kwede @@ -579,6 +589,7 @@ Moyo Jiko Moyo + Search frozen apps Cen Cen @@ -632,6 +643,29 @@ Medo gwok ka cim ni ki juku.\n\nGengo donyo i QS tiles mogo ma gengo alokaloka ma pe ki miiyo twero bot gi ki medo gengo gi me temo timo ne kun imedo rwom me tic me gengo spam.\n\nGin ni pe tek ki twero bedo ki goro ma calo jami mogo ma weko loko jami calo bluetooth onyo flight mode ma pe kitwero gengo ne. Gwok apps ni ki layer me aryo me moko ni jami tye kakare.\n\nKit me moko ni jami ni tye kakare ki bi tiyo kwede ka ce rwate ki rwom me gwoko kuc me kilaci 3 ma lubu rwom me Android. Nwong ngec ka i oo cok ki kama i tye ka cito iye me neno ni pi i rwenyo kama icung iye.\n\nCit i Google Maps, dii pi kare malac i kom pin ma tye cok ki kama i tye ka cito iye ki nen ni waco ni \"Dropped pin\" (Ka kumeno, wel bor piny ni twero bedo ma pe tye kakare), ki dong poko kabedo ni me cako lubo kor jami ma miite. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Juk jami ma ki tiyo kwede me juku gi me tic i ngeye.\n\nGengo rweny pa batri ki tic ki ngec kun i juku jami ma itiyo kwede ka pe itye ka tic kwede. Gin obi bedo ma pe ki juku cut cut ka i yabo gi. Jami ma ki tiyo kwede ni pe obi nyute i kama ki keto iye jami ni ki bene pe obi nyute pi medo jami ma ki tiyo kwede i Play Store nongo ki juku. Kit me keto gin mo ma ngat mo pe openyo pire.\n\nMan obedo temo keken. Leb mapol pe twero nongo kony pien obedo gin ma tek ki tero kare malac. Nen rwom pa mac pa jami ma itiyo kwede weny.\n\nNen kit ma batri tye kwede i cim me it, cawa, ki jami mukene i kabedo acel. Kube ki AirSync me nyutu rwom pa batri pa mac ni bene. @@ -1067,10 +1101,15 @@ Ki medo %1$s kombedi ni + Today + Yesterday %1$dm mukato angec %1$dh mukato angec %1$dd mukato angec + %1$d days ago + %1$d weeks ago %1$ddwe mukato angec + %1$d months ago %1$dy ma okato Tem doki Yab donyo @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-af/strings.xml b/app/src/main/res/values-af/strings.xml index b692eb16a..d75c5ceb6 100644 --- a/app/src/main/res/values-af/strings.xml +++ b/app/src/main/res/values-af/strings.xml @@ -12,6 +12,7 @@ Flitslig Pols Kyk vir voorafvrystellings Kan onstabiel wees + Default tab Sekuriteit Aktiveer toepassingslot @@ -113,6 +114,15 @@ Programbeheer Vries Ontvries + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Meer opsies Vries alle toepassings Ontvries alle toepassings @@ -579,6 +589,7 @@ Soek Stop Soek + Search frozen apps Terug Terug @@ -632,6 +643,29 @@ Verbeter sekuriteit wanneer jou toestel gesluit is.\n\nBeperk toegang tot sommige sensitiewe QS-teëls wat ongemagtigde netwerkwysigings voorkom en verder verhoed dat hulle weer probeer om dit te doen deur die animasiespoed te verhoog om raakstrooipos te voorkom.\n\nHierdie kenmerk is nie robuust nie en kan foute hê, soos sommige teëls wat dit moontlik maak om direk te wissel soos Bluetooth of vlugmodus wat nie voorkom kan word nie. Beveilig jou programme met \'n sekondêre stawinglaag.\n\nJou toestelslotskermstawingmetode sal gebruik word solank dit aan die klas 3-biometriese sekuriteitsvlak volgens Android-standaarde voldoen. Word in kennis gestel wanneer jy nader aan jou bestemming kom om te verseker dat jy nooit die stilhouplek mis nie.\n\nGaan na Google Maps, druk lank \'n speld naby jou bestemming en maak seker dit sê \"Dropted pen\" (Anders is die afstandberekening dalk nie akkuraat nie), En deel dan die ligging na die Essentials-toepassing en begin dop. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Vries programme om te keer dat hulle in die agtergrond loop.\n\nVoorkom batteryafvoer en datagebruik deur programme heeltemal te vries wanneer jy dit nie gebruik nie. Hulle sal onmiddellik ontvries word wanneer jy hulle begin. Die toepassings sal nie in die toepassingslaai verskyn nie en sal ook nie vir toepassingopdaterings in Play Winkel verskyn terwyl dit gevries is nie. \'n Gepasmaakte invoermetode waarvoor niemand gevra het nie.\n\nDit is net \'n eksperiment. Veelvuldige tale sal dalk nie ondersteuning kry nie, aangesien dit \'n baie komplekse en tydrowende implementering is. Monitor batteryvlakke van al jou gekoppelde toestelle.\n\nSien die batterystatus van jou Bluetooth-oorfone, horlosie en ander bykomstighede op een plek. Koppel met AirSync-toepassing om jou Mac-batteryvlak ook te vertoon. @@ -1067,10 +1101,15 @@ Opgedateer %1$s net nou + Today + Yesterday %1$dm gelede %1$dh gelede %1$dd gelede + %1$d days ago + %1$d weeks ago %1$dma gelede + %1$d months ago %1$dy gelede Probeer weer Begin Teken In @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-ar/strings.xml b/app/src/main/res/values-ar/strings.xml index e343d526c..bde1b0b9e 100644 --- a/app/src/main/res/values-ar/strings.xml +++ b/app/src/main/res/values-ar/strings.xml @@ -12,6 +12,7 @@ نبض المصباح التحقق من أحدث إصدار بيتا قد تكون غير مستقرة + Default tab الحماية تمكين قفل التطبيق @@ -113,6 +114,15 @@ التحكم في التطبيق تجميد قم بإلغاء التجميد + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. المزيد من الخيارات تجميد جميع التطبيقات قم بإلغاء تجميد كافة التطبيقات @@ -579,6 +589,7 @@ يبحث قف يبحث + Search frozen apps خلف خلف @@ -632,6 +643,29 @@ عزز الأمان عندما يكون جهازك مقفلاً.\n\nتقييد الوصول إلى بعض مربعات QS الحساسة مما يمنع تعديلات الشبكة غير المصرح بها ويمنعهم من إعادة محاولة القيام بذلك عن طريق زيادة سرعة الرسوم المتحركة لمنع البريد العشوائي الذي يعمل باللمس.\n\nهذه الميزة ليست قوية وقد تحتوي على عيوب مثل بعض المربعات التي تسمح بالتبديل مباشرة مثل البلوتوث أو وضع الطيران عدم القدرة على منعها. قم بتأمين تطبيقاتك باستخدام طبقة مصادقة ثانوية. \n\n سيتم استخدام طريقة مصادقة شاشة قفل جهازك طالما أنها تلبي مستوى الأمان البيومتري من الفئة 3 وفقًا لمعايير Android. احصل على إشعار عندما تقترب من وجهتك لضمان عدم تفويت المحطة أبدًا. \n\nانتقل إلى خرائط Google، اضغط مطولاً على دبوس قريب من وجهتك وتأكد من أنه مكتوب عليه \"دبوس مسقط\" (وإلا قد لا يكون حساب المسافة دقيقًا)، ثم شارك الموقع في تطبيق Essentials وابدأ التتبع. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go قم بتجميد التطبيقات لمنعها من العمل في الخلفية. \n\nمنع استنزاف البطارية واستخدام البيانات عن طريق تجميد التطبيقات تمامًا عند عدم استخدامها. سيتم إلغاء تجميدها على الفور عند إطلاقها. لن تظهر التطبيقات في درج التطبيقات ولن تظهر أيضًا لتحديثات التطبيق في متجر Play أثناء تجميدها. طريقة إدخال مخصصة لم يطلبها أحد. \n\nإنها مجرد تجربة. قد لا تحصل اللغات المتعددة على الدعم نظرًا لأن التنفيذ معقد للغاية ويستغرق وقتًا طويلاً. راقب مستويات البطارية لجميع أجهزتك المتصلة. \n\n اطلع على حالة بطارية سماعات الرأس والساعة والملحقات الأخرى التي تعمل بتقنية Bluetooth في مكان واحد. تواصل مع تطبيق AirSync لعرض مستوى بطارية جهاز Mac أيضًا. @@ -1067,10 +1101,15 @@ تم التحديث %1$s الآن + Today + Yesterday %1$dم منذ %1$dح منذ %1$dد منذ + %1$d days ago + %1$d weeks ago %1$dمنذ مو + %1$d months ago %1$dمنذ أعد المحاولة ابدأ بتسجيل الدخول @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-ca/strings.xml b/app/src/main/res/values-ca/strings.xml index 9291e3e62..e5caef68e 100644 --- a/app/src/main/res/values-ca/strings.xml +++ b/app/src/main/res/values-ca/strings.xml @@ -12,6 +12,7 @@ Pols de llanterna Comproveu les versions prèvies Pot ser inestable + Default tab Seguretat Activa el bloqueig de l\'aplicació @@ -113,6 +114,15 @@ Control d\'aplicacions Congelar Descongelar + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Més opcions Congela totes les aplicacions Descongela totes les aplicacions @@ -579,6 +589,7 @@ Cerca Atureu-vos Cerca + Search frozen apps Enrere Enrere @@ -632,6 +643,29 @@ Milloreu la seguretat quan el vostre dispositiu estigui bloquejat.\n\nRestringeix l\'accés a algunes fitxes QS sensibles evitant modificacions no autoritzades a la xarxa i evitant encara més que tornin a intentar-ho augmentant la velocitat de l\'animació per evitar el correu brossa tàctil.\n\nSPLIT⟐⟐⟐This característiques no són robustes i poden tenir algunes defectes. que permeten canviar directament com ara el bluetooth o el mode de vol que no es poden evitar. Protegiu les vostres aplicacions amb una capa d\'autenticació secundària.\n\nEl mètode d\'autenticació de la pantalla de bloqueig del vostre dispositiu s\'utilitzarà sempre que compleixi el nivell de seguretat biomètrica de classe 3 dels estàndards d\'android. Rebeu una notificació quan us acosteu a la vostra destinació per assegurar-vos que no us perdeu mai la parada.\n\nVés a Google Maps, premeu llargament un marcador a prop de la vostra destinació i assegureu-vos que digui \"Pintura caiguda\" (en cas contrari, el càlcul de la distància pot ser que no sigui precís), i després compartiu la ubicació a l\'aplicació Essentials i comenceu el seguiment. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Congela les aplicacions per evitar que s\'executin en segon pla.\n\nEvita l\'esgotament de la bateria i l\'ús de dades congelant completament les aplicacions quan no les fas servir. Es descongelaran a l\'instant quan els inicieu. Les aplicacions no es mostraran al calaix d\'aplicacions i tampoc es mostraran per a les actualitzacions d\'aplicacions a Play Store mentre estiguin congelades. Un mètode d\'entrada personalitzat que ningú va demanar.\n\nÉs només un experiment. És possible que diversos idiomes no tinguin suport, ja que és una implementació molt complexa i que requereix molt de temps. Monitoritza els nivells de bateria de tots els teus dispositius connectats.\n\nConsulta l\'estat de la bateria dels teus auriculars, rellotge i altres accessoris Bluetooth en un sol lloc. Connecteu-vos amb l\'aplicació AirSync per mostrar també el nivell de bateria del vostre Mac. @@ -1067,10 +1101,15 @@ Actualitzat %1$s just ara + Today + Yesterday %1$dfa m %1$dfa h %1$dfa d + %1$d days ago + %1$d weeks ago %1$dfa un mes + %1$d months ago %1$dfa y Torna-ho a provar Inicieu la sessió @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-cs/strings.xml b/app/src/main/res/values-cs/strings.xml index 44b5021ca..f71a4c280 100644 --- a/app/src/main/res/values-cs/strings.xml +++ b/app/src/main/res/values-cs/strings.xml @@ -12,6 +12,7 @@ Puls svítilny Zkontrolujte předběžná vydání Může být nestabilní + Default tab Zabezpečení Povolit zámek aplikace @@ -113,6 +114,15 @@ Ovládání aplikací Zmrazit Uvolnit + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Více možností Zmrazit všechny aplikace Zrušte zmrazení všech aplikací @@ -579,6 +589,7 @@ Vyhledávání Zastávka Vyhledávání + Search frozen apps Zadní Zadní @@ -632,6 +643,29 @@ Vylepšete zabezpečení, když je vaše zařízení uzamčeno.\n\nOmezte přístup k některým citlivým dlaždicím QS, abyste zabránili neoprávněným úpravám sítě a dále jim zabraňovali v pokusech o to, aby se o to pokusili zvýšením rychlosti animace, aby se zabránilo dotykovému spamu.\n\nTato funkce není taková, jakou mohou některé dlaždice přímo robustní. bluetooth nebo letový režim nelze zabránit. Zabezpečte své aplikace pomocí sekundární ověřovací vrstvy.\n\nAutentizační metoda na obrazovce uzamčení zařízení bude použita, pokud bude splňovat biometrickou úroveň zabezpečení 3. třídy podle standardů Android. Nechte se upozornit, když se přiblížíte k cíli, abyste si zajistili, že nikdy nezmeškáte zastávku.\n\n Přejděte na Mapy Google, dlouze stiskněte špendlík poblíž vašeho cíle a ujistěte se, že je na něm nápis „Vhozený špendlík“ (jinak nemusí být výpočet vzdálenosti přesný), a poté sdílejte polohu do aplikace Essentials a začněte sledovat. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Zmrazte aplikace, aby se nespouštěly na pozadí.\n\nZabraňte vybití baterie a využití dat úplným zmrazením aplikací, když je nepoužíváte. Jakmile je spustíte, okamžitě se rozmrazí. Aplikace se nezobrazí v zásuvce aplikací a také se nebudou zobrazovat pro aktualizace aplikací v Obchodě Play, když jsou zmrazené. Vlastní metoda zadávání, o kterou nikdo nežádal.\n\nJe to jen experiment. Více jazyků nemusí získat podporu, protože jde o velmi složitou a časově náročnou implementaci. Sledujte stav baterie všech vašich připojených zařízení.\n\n Podívejte se na stav baterie vašich Bluetooth sluchátek, hodinek a dalšího příslušenství na jednom místě. Připojte se k aplikaci AirSync a zobrazte také stav baterie vašeho Macu. @@ -1067,10 +1101,15 @@ Aktualizováno %1$s právě teď + Today + Yesterday %1$dpřed m %1$dpřed h %1$dpřed d + %1$d days ago + %1$d weeks ago %1$dpřed měsícem + %1$d months ago %1$dpřed y Zkuste to znovu Začněte se přihlašovat @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-da/strings.xml b/app/src/main/res/values-da/strings.xml index d40202b3b..e766c8bf9 100644 --- a/app/src/main/res/values-da/strings.xml +++ b/app/src/main/res/values-da/strings.xml @@ -12,6 +12,7 @@ Lommelygte puls Tjek for pre-releases Kan være ustabil + Default tab Sikkerhed Aktiver applås @@ -113,6 +114,15 @@ App kontrol Fryse Frigør op + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Flere muligheder Frys alle apps Frigør alle apps @@ -579,6 +589,7 @@ Søge Stop Søge + Search frozen apps Tilbage Tilbage @@ -632,6 +643,29 @@ Forbedre sikkerheden, når din enhed er låst.\n\nBegræns adgangen til nogle følsomme QS-felter, hvilket forhindrer uautoriserede netværksændringer og forhindrer yderligere, at de forsøger at gøre det igen ved at øge animationshastigheden for at forhindre berøringsspam.\n\nDenne funktion er ikke robust og kan have mangler, såsom nogle fliser, der tillader skift direkte, såsom bluetooth eller flytilstand, der ikke kan forhindres. Beskyt dine apps med et sekundært godkendelseslag.\n\nDin enhedslåseskærmgodkendelsesmetode vil blive brugt, så længe den opfylder det biometriske sikkerhedsniveau i klasse 3 ifølge Android-standarder. Få besked, når du kommer tættere på din destination for at sikre, at du aldrig går glip af stoppestedet.\n\nGå til Google Maps, tryk længe på en nål i nærheden af ​​din destination, og sørg for, at der står \"Fastet nål\" (ellers er afstandsberegningen muligvis ikke nøjagtig), og del derefter placeringen med Essentials-appen og begynd at spore. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Frys apps for at forhindre dem i at køre i baggrunden.\n\nForhindrer batteriafladning og dataforbrug ved at fryse apps fuldstændigt, når du ikke bruger dem. De vil blive frosset op med det samme, når du starter dem. Apps vil ikke dukke op i appskuffen og vil heller ikke dukke op for appopdateringer i Play Butik, mens de er frosset. En tilpasset inputmetode, ingen bad om.\n\nDet er bare et eksperiment. Flere sprog får muligvis ikke support, da det er en meget kompleks og tidskrævende implementering. Overvåg batteriniveauet på alle dine tilsluttede enheder.\n\nSe batteristatus for dine Bluetooth-hovedtelefoner, ur og andet tilbehør på ét sted. Forbind med AirSync-applikationen for også at få vist din Mac-batteriniveau. @@ -1067,10 +1101,15 @@ Opdateret %1$s lige nu + Today + Yesterday %1$dm siden %1$dh siden %1$dd siden + %1$d days ago + %1$d weeks ago %1$dmåned siden + %1$d months ago %1$dy siden Prøv igen Start Log ind @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml index 62635ec90..7e06d757a 100644 --- a/app/src/main/res/values-de/strings.xml +++ b/app/src/main/res/values-de/strings.xml @@ -12,6 +12,7 @@ Taschenlampenimpuls Prüfe nach Vorabversionen Könnte instabil sein + Default tab Sicherheit Aktiviere App-Sperre @@ -113,6 +114,15 @@ App-Steuerung Einfrieren Auftauen + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Weitere Optionen Friere alle Apps ein Taue alle Apps auf @@ -579,6 +589,7 @@ Suche Stop Suche + Search frozen apps Zurück Zurück @@ -632,6 +643,29 @@ Enhance security when your device is locked.\n\nRestrict access to some sensitive QS tiles preventing unauthorized network modifications and further preventing them re-attempting to do so by increasing the animation speed to prevent touch spam.\n\nThis feature is not robust and may have flaws such as some tiles which allow toggling directly such as bluetooth or flight mode not being able to be prevented. Secure your apps with a secondary authentication layer.\n\nYour device lock screen authentication method will be used as long as it meets the class 3 biometric security level by Android standards. Get notified when you get closer to your destination to ensure you never miss the stop.\n\nGo to Google Maps, long press a pin nearby to your destination and make sure it says \"Dropped pin\" (Otherwise the distance calculation might not be accurate), And then share the location to the Essentials app and start tracking. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Freeze apps to stop them from running in the background.\n\nPrevent battery drain and data usage by completely freezing apps when you are not using them. They will be unfrozen instantly when you launch them. The apps will not show up in the app drawer and also will not show up for app updates in Play Store while frozen. A custom input method no-one asked for.\n\nIt is just an experiment. Multiple languages may not get support as it is a very complex and time consuming implementation. Monitor battery levels of all your connected devices.\n\nSee the battery status of your Bluetooth headphones, watch, and other accessories in one place. Connect with AirSync application to display your mac battery level as well. @@ -1067,10 +1101,15 @@ %1$s aktualisiert gerade eben + Today + Yesterday vor %1$dmin vor %1$dstd vor %1$d Tagen + %1$d days ago + %1$d weeks ago vor %1$d Monaten + %1$d months ago vor %1$d Jahren Erneut versuchen Anmeldung starten @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-el/strings.xml b/app/src/main/res/values-el/strings.xml index c34349db4..23d60466a 100644 --- a/app/src/main/res/values-el/strings.xml +++ b/app/src/main/res/values-el/strings.xml @@ -12,6 +12,7 @@ Παλμός φακού Ελέγξτε για προ-κυκλοφορίες Μπορεί να είναι ασταθής + Default tab Ασφάλεια Ενεργοποίηση κλειδώματος εφαρμογής @@ -113,6 +114,15 @@ Έλεγχος εφαρμογής Πάγωμα Ξεπαγώστε + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Περισσότερες επιλογές Παγώστε όλες τις εφαρμογές Ξεπαγώστε όλες τις εφαρμογές @@ -579,6 +589,7 @@ Ερευνα Στάση Ερευνα + Search frozen apps Πίσω Πίσω @@ -632,6 +643,29 @@ Βελτιώστε την ασφάλεια όταν η συσκευή σας είναι κλειδωμένη.\n\nΠεριορίστε την πρόσβαση σε ορισμένα ευαίσθητα πλακίδια QS αποτρέποντας μη εξουσιοδοτημένες τροποποιήσεις δικτύου και αποτρέποντας περαιτέρω την εκ νέου απόπειρά τους να το κάνουν αυξάνοντας την ταχύτητα κίνησης για να αποτρέψετε ανεπιθύμητα μηνύματα αφής.\n\nΑυτή η λειτουργία δεν είναι ισχυρή και μπορεί να έχει ελαττώματα, όπως ορισμένα πλακίδια που επιτρέπουν την άμεση εναλλαγή, όπως το bluetooth ή η λειτουργία πτήσης που δεν μπορεί να αποτραπεί. Ασφαλίστε τις εφαρμογές σας με ένα δευτερεύον επίπεδο ελέγχου ταυτότητας.\n\nΗ μέθοδος ελέγχου ταυτότητας της οθόνης κλειδώματος της συσκευής σας θα χρησιμοποιείται εφόσον πληροί το επίπεδο βιομετρικής ασφάλειας κλάσης 3 σύμφωνα με τα πρότυπα Android. Λάβετε ειδοποιήσεις όταν πλησιάζετε πιο κοντά στον προορισμό σας για να βεβαιωθείτε ότι δεν θα χάσετε ποτέ τη στάση.\n\nΜεταβείτε στους Χάρτες Google, πατήστε παρατεταμένα μια καρφίτσα κοντά στον προορισμό σας και βεβαιωθείτε ότι λέει \"Dropped pin\" (Διαφορετικά, ο υπολογισμός της απόστασης μπορεί να μην είναι ακριβής) και, στη συνέχεια, μοιραστείτε την τοποθεσία στην εφαρμογή Essentials και ξεκινήστε. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Παγώστε τις εφαρμογές για να μην εκτελούνται στο παρασκήνιο.\n\nΑποτρέψτε την εξάντληση της μπαταρίας και τη χρήση δεδομένων παγώνοντας εντελώς τις εφαρμογές όταν δεν τις χρησιμοποιείτε. Θα ξεπαγώσουν αμέσως όταν τα εκκινήσετε. Οι εφαρμογές δεν θα εμφανίζονται στο συρτάρι εφαρμογών και επίσης δεν θα εμφανίζονται για ενημερώσεις εφαρμογών στο Play Store ενώ είναι παγωμένες. Μια προσαρμοσμένη μέθοδος εισαγωγής που κανείς δεν ζήτησε.\n\nΕίναι απλώς ένα πείραμα. Πολλές γλώσσες ενδέχεται να μην λαμβάνουν υποστήριξη, καθώς είναι μια πολύ περίπλοκη και χρονοβόρα υλοποίηση. Παρακολουθήστε τα επίπεδα της μπαταρίας όλων των συνδεδεμένων συσκευών σας.\n\nΔείτε την κατάσταση της μπαταρίας των ακουστικών Bluetooth, του ρολογιού και άλλων αξεσουάρ σε ένα μέρος. Συνδεθείτε με την εφαρμογή AirSync για να εμφανίσετε και το επίπεδο της μπαταρίας Mac σας. @@ -1067,10 +1101,15 @@ Ενημερώθηκε %1$s μόλις τώρα + Today + Yesterday %1$dμ πριν %1$dπριν h %1$dd πριν + %1$d days ago + %1$d weeks ago %1$dπριν μηνα + %1$d months ago %1$dπριν από y Δοκιμάζω πάλι Έναρξη Είσοδος @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-en/strings.xml b/app/src/main/res/values-en/strings.xml index f3a905e4b..6d7d0119b 100644 --- a/app/src/main/res/values-en/strings.xml +++ b/app/src/main/res/values-en/strings.xml @@ -12,6 +12,7 @@ Flashlight Pulse Check for pre-releases Might be unstable + Default tab Security Enable app lock @@ -113,6 +114,15 @@ App Control Freeze Unfreeze + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. More options Freeze all apps Unfreeze all apps @@ -579,6 +589,7 @@ Search Stop Search + Search frozen apps Back Back @@ -632,6 +643,29 @@ Enhance security when your device is locked.\n\nRestrict access to some sensitive QS tiles preventing unauthorized network modifications and further preventing them re-attempting to do so by increasing the animation speed to prevent touch spam.\n\nThis feature is not robust and may have flaws such as some tiles which allow toggling directly such as bluetooth or flight mode not being able to be prevented. Secure your apps with a secondary authentication layer.\n\nYour device lock screen authentication method will be used as long as it meets the class 3 biometric security level by Android standards. Get notified when you get closer to your destination to ensure you never miss the stop.\n\nGo to Google Maps, long press a pin nearby to your destination and make sure it says \"Dropped pin\" (Otherwise the distance calculation might not be accurate), And then share the location to the Essentials app and start tracking. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Freeze apps to stop them from running in the background.\n\nPrevent battery drain and data usage by completely freezing apps when you are not using them. They will be unfrozen instantly when you launch them. The apps will not show up in the app drawer and also will not show up for app updates in Play Store while frozen. A custom input method no-one asked for.\n\nIt is just an experiment. Multiple languages may not get support as it is a very complex and time consuming implementation. Monitor battery levels of all your connected devices.\n\nSee the battery status of your Bluetooth headphones, watch, and other accessories in one place. Connect with AirSync application to display your mac battery level as well. @@ -1067,10 +1101,15 @@ Updated %1$s just now + Today + Yesterday %1$dm ago %1$dh ago %1$dd ago + %1$d days ago + %1$d weeks ago %1$dmo ago + %1$d months ago %1$dy ago Retry Start Sign In @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-es/strings.xml b/app/src/main/res/values-es/strings.xml index b8dbe1e26..8ee082fa2 100644 --- a/app/src/main/res/values-es/strings.xml +++ b/app/src/main/res/values-es/strings.xml @@ -12,6 +12,7 @@ Pulso de linterna Consultar pre lanzamientos Podría ser inestable + Default tab Seguridad Habilitar bloqueo de aplicaciones @@ -113,6 +114,15 @@ Control de aplicaciones Congelar Descongelar + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Más opciones Congelar todas las aplicaciones Descongelar todas las aplicaciones @@ -579,6 +589,7 @@ Buscar Detener Buscar + Search frozen apps Atrás Atrás @@ -632,6 +643,29 @@ Mejore la seguridad cuando su dispositivo esté bloqueado.\n\nRestringe el acceso a algunos mosaicos QS confidenciales para evitar modificaciones no autorizadas de la red y evitar que vuelvan a intentar hacerlo al aumentar la velocidad de la animación para evitar el spam táctil.\n\nEsta característica no es robusta y puede tener fallas, como algunos mosaicos que permiten alternar directamente, como bluetooth o modo avión, que no pueden ser prevenido. Asegure sus aplicaciones con una capa de autenticación secundaria.\n\nSe utilizará el método de autenticación de la pantalla de bloqueo de su dispositivo siempre que cumpla con el nivel de seguridad biométrica de clase 3 según los estándares de Android. Reciba notificaciones cuando se acerque a su destino para asegurarse de no perder nunca la parada.\n\nVaya a Google Maps, mantenga presionado un marcador cercano a su destino y asegúrese de que diga \"Pin caído\" (de lo contrario, el cálculo de la distancia podría no ser preciso) y luego comparta la ubicación con la aplicación Essentials y comience a rastrear. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Congele aplicaciones para evitar que se ejecuten en segundo plano.\n\nEvite el consumo de batería y el uso de datos congelando completamente las aplicaciones cuando no las esté usando. Se descongelarán instantáneamente cuando los inicies. Las aplicaciones no aparecerán en el cajón de aplicaciones y tampoco aparecerán para actualizaciones de aplicaciones en Play Store mientras estén congeladas. Un método de entrada personalizado que nadie pidió.\n\nEs solo un experimento. Es posible que no se admitan varios idiomas, ya que se trata de una implementación muy compleja y que requiere mucho tiempo. Supervise los niveles de batería de todos sus dispositivos conectados.\n\nVea el estado de la batería de sus auriculares, relojes y otros accesorios Bluetooth en un solo lugar. Conéctese con la aplicación AirSync para mostrar también el nivel de batería de su Mac. @@ -1067,10 +1101,15 @@ Actualizado %1$s En este momento + Today + Yesterday %1$dhace m %1$dhace h %1$dhace d + %1$d days ago + %1$d weeks ago %1$dhace meses + %1$d months ago %1$dhace ya Rever Iniciar sesión @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-fi/strings.xml b/app/src/main/res/values-fi/strings.xml index 7ed443147..f19d1f5bf 100644 --- a/app/src/main/res/values-fi/strings.xml +++ b/app/src/main/res/values-fi/strings.xml @@ -12,6 +12,7 @@ Taskulamppu pulssi Tarkista ennakkojulkaisut Saattaa olla epävakaa + Default tab Turvallisuus Ota sovellusten lukitus käyttöön @@ -113,6 +114,15 @@ Sovelluksen hallinta Jäädyttää Vapauttaa + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Lisää vaihtoehtoja Jäädyttää kaikki sovellukset Vapauta kaikki sovellukset @@ -579,6 +589,7 @@ Haku Stop Haku + Search frozen apps Takaisin Takaisin @@ -632,6 +643,29 @@ Paranna turvallisuutta, kun laitteesi on lukittu.\n\nRajoita pääsyä joihinkin herkkiin QS-ruutuihin estääksesi luvattomat verkkomuokkaukset ja estä niitä edelleen yrittämästä tehdä niin lisäämällä animaationopeutta kosketusroskapostin estämiseksi.\n\nTämä ominaisuus ei ole kestävä, ja siinä voi olla puutteita, kuten jotkin ruudut, jotka mahdollistavat vaihtamisen suoraan, kuten Bluetooth- tai lentotilaa ei voida estää. Suojaa sovelluksesi toissijaisella todennuskerroksella.\n\nLaitteesi lukitusnäytön todennusmenetelmää käytetään, kunhan se täyttää Android-standardien luokan 3 biometrisen suojaustason. Saat ilmoituksen, kun tulet lähemmäksi määränpäätäsi, jotta et koskaan menetä pysäkkiä.\n\nSiirry Google Mapsiin, paina pitkään kohteen lähellä olevaa nastaa ja varmista, että siinä lukee \"Pudotettu merkki\" (Muuten etäisyyslaskenta ei ehkä ole tarkka), ja jaa sitten sijainti Essentials-sovellukselle ja aloita seuranta. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Pysäytä sovellukset, jotta ne eivät toimi taustalla.\n\nEstä akun tyhjeneminen ja tiedonsiirto jäädyttämällä sovellukset kokonaan, kun et käytä niitä. Ne vapautuvat heti, kun käynnistät ne. Sovellukset eivät näy sovelluslaatikossa eivätkä myöskään näy sovelluspäivityksissä Play Kaupassa, kun ne ovat jäätyneet. Muokattu syöttötapa, jota kukaan ei ole pyytänyt.\n\nSe on vain kokeilu. Useat kielet eivät välttämättä saa tukea, koska se on erittäin monimutkainen ja aikaa vievä toteutus. Tarkkaile kaikkien yhdistettyjen laitteiden akun tasoa.\n\nKatso Bluetooth-kuulokkeiden, kellosi ja muiden lisävarusteiden akun tila yhdestä paikasta. Yhdistä AirSync-sovellukseen näyttääksesi myös Macin akun varaustason. @@ -1067,10 +1101,15 @@ Päivitetty %1$s juuri nyt + Today + Yesterday %1$dm sitten %1$dh sitten %1$dd sitten + %1$d days ago + %1$d weeks ago %1$dmo sitten + %1$d months ago %1$dv sitten Yritä uudelleen Aloita kirjautuminen @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/values-fr/strings.xml index 33e8e6e24..6fcda2eb8 100644 --- a/app/src/main/res/values-fr/strings.xml +++ b/app/src/main/res/values-fr/strings.xml @@ -1,6 +1,6 @@ - BÊTA + BÊTA- Service d\'accessibilité Essentials\n\nCe service est requis pour les fonctionnalités suivantes :\n\n• Réattribution d\'un bouton physique :\nDétecte les appuis sur le bouton volume même si l\'écran est éteint pour déclencher des actions comme allumer la lampe-torche.\n\n• Réglage par appli :\nSurveille les applications actives pour appliquer des profils spécifiques pour le mode éclairage nocturne dynamique, le réglage de couleurs des notifications lumineuses et le verrouillage d\'applis.\n\n• Contrôler l\'écran :\nAutorise l\'application à verrouiller l\'écran (par exemple en utilisant le Double Tap ou les Widgets) et détecter le changement d\'état de l\'écran.\n\n• Sécurité :\nPrévenir les changements non autorisé en détectant le contenu des fenêtres lorsque l\'appareil est verrouillé.\n\nAucun texte saisi ou de données utilisateur sensibles sont collectées ou transmises. Gel d\'applis Désactiver les applis rarement utilisées @@ -12,6 +12,7 @@ Clignotement de la de lampe torche Obtenir les préversions (bêta) Peut-être instable + Default tab Sécurité Activer le verrouillage d\'applis @@ -113,6 +114,15 @@ Contrôle des applis Geler Dégeler + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Plus d\'options Geler toutes les applis Dégeler toutes les applis @@ -181,7 +191,7 @@ Mode Always-on Caffeinate Mode de son - Éclairage de notifications + Notifications lumineuses Éclairage nocturne dynamique Sécurité de verrouillage Verrouillage d\'applis @@ -335,8 +345,8 @@ Maintenir l\'écran allumé Économie d\'énergie Maps Pour tout appareil Android - Éclairage de notifications - Éclairer pour les notifications + Notifications lumineuses + Illuminer l\'écran pour les notifications Faire clignoter le flash à la réception de notifications Raccourci de mode de sonnerie Vibrations pour les appels @@ -507,11 +517,11 @@ Permissions requises pour les actions systèmes en utilisant les privilèges racine (root). Accès aux notifications Nécessite l\'accès aux notifications pour surveiller le statut de la navigation Google Maps et activer le mode économie d\'énergie quand aucune navigation n\'est en cours. - Nécessite l\'accès aux notifications pour détecter les nouvelles notifications et déclencher d\'éclairage des coins. + Nécessite l\'accès aux notifications pour détecter les nouvelles notifications et déclencher l\'illumination des coins. Nécessite l\'accès aux notifications pour surveiller et mettre en attente les notifications systèmes indésirées. Service d\'accessibilité Requis pour le verrouillage d\'applis, le widget de verrouillage et d\'autres fonctionnalités pour détecter les interactions - Requis pour déclencher l\'éclairage lors de la réception d\'une nouvelle notification + Requis pour déclencher l\'illumination lors de la réception d\'une nouvelle notification Navigateur par défaut Requis pour gérer les liens efficacement Requis pour intercepter les appuis sur les boutons physiques @@ -523,7 +533,7 @@ Modifier les paramètres système Requise pour activer/désactiver la luminosité adaptative et d\'autres paramètres système Permission de superposition - Requise pour afficher la superposition de l\'éclairage des notifications lumineuses sur l\'écran + Requise pour afficher la superposition de l\'illumination des notifications lumineuses sur l\'écran Administrateur de l\'appareil Requise pour faire un verrouillage forcé de l\'appareil (désactiver la biométrie) lors d\'accès non autorisés Accorder la permission @@ -579,6 +589,7 @@ Rechercher Arrêter Rechercher + Search frozen apps Retour Retour @@ -632,6 +643,29 @@ Renforcez la sécurité quand l\'appareil est verrouillé.\n\nRestreignez l\'accès à quelques blocs de Réglages rapides sensibles pour empêcher la modification non autorisée de la configuration réseau et empêchez toute nouvelle tentative en ralentissant les animations pour empêcher les d\'appuis rapides pouvant contourner la protection.\n\nCette fonctionnalité n\'est pas robuste et peut être contournée de multiples façons comme en utilisant certains blocs n\'ouvrant pas de fenêtre lors de l\'interaction comme les blocs de Bluetooth ou de Mode avion, leur utilisation ne peut donc être empêchée. Protégez vos applis avec une seconde couche d\'authentification.\n\nLa méthode d\'authentification de déverrouillage de l\'appareil sera utilisée si elle remplit les critères de niveau de sécurité biométrique \"3\" selon les critères d\'Android. Soyez notifiés quand vous vous approchez de votre destination pour être sûr de ne jamais zapper votre arrêt.\n\nLancez Google Maps, appuyez longuement à proximité de votre destination et veillez à ce qu\'il soit écrit \"Repère placé\" (autrement, le calcul de la distance peut ne pas être précis) et faites partager la position dans l\'appli Essentials pour démarrer le suivi. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Gelez des applis pour les empêcher de tourner en arrière-plan.\n\nPrévenir l\'utilisation de la batterie et de données en gelant totalement les applis quand vous ne les utilisez pas. Elles seront dégelées instantanément quand vous les lancez. Les applis ne seront pas visibles dans le tirroir d\'applications et elles ne vont également pas apparaître dans les mises à jour du Play Store quand elles sont gelées. Une méthode d\'entrée personnalisée que personne n\'a demandé.\n\nC\'est juste une expérimentation. De multiples langues peuvent ne pas être supportés car c\'est une implémentation très complexe et chronophage. Surveillez le niveau de batterie de vos appareils connectés.\n\nRegardez le statut de la batterie de vos écouteurs, casques, montres et autres accessoires dans un seul endroit. Connectez l\'application AirSync pour afficher le niveau de batterie de votre Mac également. @@ -1013,7 +1047,7 @@ Ignorer Destination définie : %1$.4f, %2$.4f Utiliser l\'accès racine (root) - À la place de Shizuku + Au lieu d\'utiliser Shizuku L\'accès racine (root) n\'est pas disponible. Merci de vérifier votre manager de root. Clavier @@ -1067,10 +1101,15 @@ %1$s mis à jour à l\'instant + Today + Yesterday il y a %1$d minutes il y a %1$d heures il y a %1$d jours + %1$d days ago + %1$d weeks ago il y a %1$d mois + %1$d months ago il y a %1$d an(s) Réessayer Débuter l\'authentification @@ -1135,23 +1174,23 @@ Jeux Remerciement Cacher - Hugging + Câlin Hugging Magie Musique - Nosebleeding + Saignement de nez Douleur Cochon Lapin - Running + Courir Tristesse - Sleeping + Dormir Spécial Araignée Surpris Armes - Winking - Writing + Clin d\'œil + Écriture Hé ! Vous pouvez vérifier les mises à jour dans les paramètres de l\'appli, pas besoin de l\'ajouter ici xD Exporter Importer @@ -1197,4 +1236,10 @@ Envoyer un retour Retour envoyé avec succès ! Merci de nous aider à améliorer l\'appli. Alternativement + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-he/strings.xml b/app/src/main/res/values-he/strings.xml index 4ba4a7610..afb3704bb 100644 --- a/app/src/main/res/values-he/strings.xml +++ b/app/src/main/res/values-he/strings.xml @@ -12,6 +12,7 @@ הבהוב פנס חפש גרסאות מוקדמות יכול להיות בלתי יציב + Default tab ביטחון הפעל נעילת יישומונים @@ -113,6 +114,15 @@ App Control Freeze Unfreeze + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. More options Freeze all apps Unfreeze all apps @@ -579,6 +589,7 @@ Search Stop Search + Search frozen apps Back Back @@ -632,6 +643,29 @@ Enhance security when your device is locked.\n\nRestrict access to some sensitive QS tiles preventing unauthorized network modifications and further preventing them re-attempting to do so by increasing the animation speed to prevent touch spam.\n\nThis feature is not robust and may have flaws such as some tiles which allow toggling directly such as bluetooth or flight mode not being able to be prevented. Secure your apps with a secondary authentication layer.\n\nYour device lock screen authentication method will be used as long as it meets the class 3 biometric security level by Android standards. Get notified when you get closer to your destination to ensure you never miss the stop.\n\nGo to Google Maps, long press a pin nearby to your destination and make sure it says \"Dropped pin\" (Otherwise the distance calculation might not be accurate), And then share the location to the Essentials app and start tracking. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Freeze apps to stop them from running in the background.\n\nPrevent battery drain and data usage by completely freezing apps when you are not using them. They will be unfrozen instantly when you launch them. The apps will not show up in the app drawer and also will not show up for app updates in Play Store while frozen. A custom input method no-one asked for.\n\nIt is just an experiment. Multiple languages may not get support as it is a very complex and time consuming implementation. Monitor battery levels of all your connected devices.\n\nSee the battery status of your Bluetooth headphones, watch, and other accessories in one place. Connect with AirSync application to display your mac battery level as well. @@ -1067,10 +1101,15 @@ Updated %1$s just now + Today + Yesterday %1$dm ago %1$dh ago %1$dd ago + %1$d days ago + %1$d weeks ago %1$dmo ago + %1$d months ago %1$dy ago Retry Start Sign In @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-hu/strings.xml b/app/src/main/res/values-hu/strings.xml index cec9718e2..e48ab7648 100644 --- a/app/src/main/res/values-hu/strings.xml +++ b/app/src/main/res/values-hu/strings.xml @@ -12,6 +12,7 @@ Zseblámpa pulzus Ellenőrizze az előzetes kiadásokat Lehet, hogy instabil + Default tab Biztonság Alkalmazászár engedélyezése @@ -113,6 +114,15 @@ Alkalmazásvezérlés Fagy Kiolvaszt + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. További lehetőségek Lefagyasztja az összes alkalmazást Oldja fel az összes alkalmazást @@ -579,6 +589,7 @@ Keresés Stop Keresés + Search frozen apps Vissza Vissza @@ -632,6 +643,29 @@ Növelje a biztonságot, amikor az eszköz zárolva van.\n\nKorlátozza a hozzáférést egyes érzékeny QS-csempékhez, hogy megakadályozza a jogosulatlan hálózati módosításokat, és tovább akadályozza meg, hogy újra megkíséreljék ezt az animáció sebességének növelésével, hogy megakadályozzák az érintéses spameket.\n\nEz a funkció nem robusztus, és olyan hibái lehetnek, mint például néhány csempe, amely lehetővé teszi a közvetlen váltást, például a Bluetooth vagy a repülési mód nem akadályozható meg. Biztosítsa alkalmazásait másodlagos hitelesítési réteggel.\n\nAz eszköz lezárási képernyőjének hitelesítési módszere mindaddig használatos, amíg az megfelel az Android szabványok szerinti 3. osztályú biometrikus biztonsági szintnek. Értesítést kaphat, ha közelebb ér úticéljához, hogy soha ne hagyja ki a megállót.\n\nNyissa meg a Google Térképet, nyomja meg hosszan a közeli gombostűt az úticélhoz, és győződjön meg róla, hogy a „Ledobott gombostű” felirat szerepel (ellenkező esetben a távolság kiszámítása nem pontos), majd ossza meg a helyet az Essentials alkalmazással, és kezdje el a követést. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Lefagyasztja az alkalmazásokat, hogy ne fussanak a háttérben.\n\nAkadályozza meg az akkumulátor lemerülését és az adathasználatot az alkalmazások teljes lefagyasztásával, amikor nem használja őket. Azonnal lefagynak, amikor elindítja őket. Az alkalmazások nem jelennek meg az alkalmazásfiókban, és nem jelennek meg az alkalmazásfrissítéseknél a Play Áruházban, ha lefagynak. Egyéni beviteli mód, amelyet senki sem kért.\n\nEz csak egy kísérlet. Előfordulhat, hogy több nyelv nem kap támogatást, mivel ez egy nagyon összetett és időigényes megvalósítás. Figyelje az összes csatlakoztatott eszköz akkumulátorszintjét.\n\nEgy helyen tekintheti meg Bluetooth-fejhallgatója, órája és egyéb tartozékai akkumulátorának állapotát. Csatlakozzon az AirSync alkalmazáshoz, hogy megjelenítse a Mac akkumulátor töltöttségi szintjét is. @@ -1067,10 +1101,15 @@ Frissítve %1$s éppen most + Today + Yesterday %1$dm ezelőtt %1$dh ezelőtt %1$dd ezelőtt + %1$d days ago + %1$d weeks ago %1$dmo ezelőtt + %1$d months ago %1$dy ezelőtt Próbálja újra Indítsa el a Bejelentkezést @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-it/strings.xml b/app/src/main/res/values-it/strings.xml index 1b17c0d2e..4a48f78ca 100644 --- a/app/src/main/res/values-it/strings.xml +++ b/app/src/main/res/values-it/strings.xml @@ -12,6 +12,7 @@ Impulso della torcia Controlla le pre-release Potrebbe essere instabile + Default tab Sicurezza Abilita il blocco dell\'app @@ -113,6 +114,15 @@ Controllo dell\'app Congela Scongela + Rimuovi + Crea shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Altre opzioni Congela tutte le app Scongela tutte le app @@ -207,11 +217,11 @@ Attivo Disattivo DNS privato personalizzato - DNS Presets - Add DNS Preset - Preset name + Preset DNS + Aggiungi Preset DNS + Nome preset Reset - Delete preset + Elimina preset Are you sure you want to reset all DNS presets to defaults? This will remove all your custom presets. Nome host del provider DNS di AdGuard @@ -579,6 +589,7 @@ Ricerca Fermare Ricerca + Search frozen apps Indietro Indietro @@ -605,7 +616,7 @@ Preferenze Configura alcune opzioni per iniziare. Impostazioni App - Language + Lingua Feedback Aptico Aggiornamenti Controllo automatico Aggiornamenti @@ -632,6 +643,29 @@ Aumenta la sicurezza quando il tuo dispositivo è bloccato.\n\nLimita l\'accesso ad alcuni riquadri QS sensibili impedendo modifiche di rete non autorizzate e impedendo ulteriormente che tentino di farlo aumentando la velocità di animazione per prevenire lo spam touch.\n\nQuesta funzione non è robusta e potrebbe presentare difetti come alcuni riquadri che consentono di attivare/disattivare direttamente la modalità Bluetooth o aereo. essere prevenuto. Proteggi le tue app con un livello di autenticazione secondario.\n\nIl metodo di autenticazione della schermata di blocco del dispositivo verrà utilizzato purché soddisfi il livello di sicurezza biometrica di classe 3 secondo gli standard Android. Ricevi una notifica quando ti avvicini alla tua destinazione per assicurarti di non perdere mai la fermata.\n\nVai su Google Maps, premi a lungo un segnaposto vicino alla tua destinazione e assicurati che sia indicato \"Segnaposto caduto\" (altrimenti il ​​calcolo della distanza potrebbe non essere accurato), quindi condividi la posizione con l\'app Essentials e avvia il monitoraggio. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Blocca le app per impedirne l\'esecuzione in background.\n\nPrevieni il consumo della batteria e l\'utilizzo dei dati bloccando completamente le app quando non le usi. Verranno sbloccati immediatamente quando li avvii. Le app non verranno visualizzate nel cassetto delle app e inoltre non verranno visualizzate per gli aggiornamenti delle app nel Play Store mentre sono bloccate. Un metodo di input personalizzato che nessuno ha chiesto.\n\nÈ solo un esperimento. Più lingue potrebbero non ricevere supporto poiché si tratta di un\'implementazione molto complessa e dispendiosa in termini di tempo. Monitora i livelli della batteria di tutti i tuoi dispositivi collegati.\n\nVisualizza lo stato della batteria delle tue cuffie Bluetooth, del tuo orologio e di altri accessori in un unico posto. Connettiti con l\'applicazione AirSync per visualizzare anche il livello della batteria del tuo Mac. @@ -1067,10 +1101,15 @@ Aggiornato %1$s proprio adesso + Today + Yesterday %1$dm fa %1$dh fa %1$dd fa + %1$d days ago + %1$d weeks ago %1$dmo fa + %1$d months ago %1$dsì fa Riprova Inizia ad accedere @@ -1120,11 +1159,11 @@ Dissatisfaction Anger Apologizing - Bear - Bird - Cat + Orso + Uccello + Gatto Confusion - Dog + Cane Doubt Enemies Faces @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-ja/strings.xml b/app/src/main/res/values-ja/strings.xml index 69dd1e8cd..3ad1c224c 100644 --- a/app/src/main/res/values-ja/strings.xml +++ b/app/src/main/res/values-ja/strings.xml @@ -12,6 +12,7 @@ ライト点滅 プレリリースも確認する 不安定になる可能性があります + Default tab セキュリティ アプリロックを有効にする @@ -113,6 +114,15 @@ アプリコントロール フリーズ フリーズ解除 + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. その他のオプション すべてのアプリをフリーズ すべてのアプリのフリーズを解除 @@ -579,6 +589,7 @@ 検索 停止 検索 + Search frozen apps 戻る 戻る @@ -632,6 +643,29 @@ デバイスがロックされている際のセキュリティを強化します。\n\n一部の機密性の高いクイック設定タイルへのアクセスを制限し、不正なネットワーク変更を防止します。さらに、アニメーション速度を上げてタッチ操作の連打を防止することによる再試行も阻止します。\n\nこの機能は完全ではなく、Bluetoothや機内モードなど直接切り替え可能な一部のタイルを防止できないなどの欠陥がある可能性があります。 アプリを二段階認証レイヤーで保護します。\n\nAndroid基準のクラス3生体認証セキュリティレベルを満たす限り、デバイスのロック画面認証方法が使用されます。 目的地が近づいたら通知を受け取り、乗り遅れを防ぐことができます。\n\nGoogleマップを開き、目的地付近のピンを長押しして「ピンをドロップ」と表示されていることを確認してください(表示されていないと距離計算が正確でない場合があります)。その後、その位置情報をEssentialsアプリに共有し、追跡を開始してください。 + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go アプリをフリーズしてバックグラウンドでの実行を停止します。\n\n使用していないアプリを完全にフリーズすることで、バッテリーの消耗とデータ使用量を抑えます。アプリを起動すると即座にフリーズが解除されます。フリーズ中はアプリドロワーに表示されず、Playストアでのアプリ更新も表示されません。 誰も求めていないカスタム入力方式。\n\nこれは現在、実験的機能です。複数言語のサポートは、実装が非常に複雑で時間がかかるため、提供されない可能性があります。 接続されたすべてのデバイスのバッテリー残量を表示します。\n\nBluetoothヘッドフォン、スマートウォッチ、その他のアクセサリのバッテリー状態を一箇所で確認できます。AirSyncアプリケーションと連携すれば、Macのバッテリー残量も表示可能です。 @@ -1067,10 +1101,15 @@ %1$s更新済み たった今 + Today + Yesterday %1$d分前 %1$d時間前 %1$d日前 + %1$d days ago + %1$d weeks ago %1$dヶ月前 + %1$d months ago %1$d年前 再試行 サインインする @@ -1197,4 +1236,10 @@ フィードバックを送信 フィードバックの送信に成功しました!アプリの改善にご協力いただき、ありがとうございます。 または + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-ko/strings.xml b/app/src/main/res/values-ko/strings.xml index 529431387..e693c193f 100644 --- a/app/src/main/res/values-ko/strings.xml +++ b/app/src/main/res/values-ko/strings.xml @@ -12,6 +12,7 @@ 손전등 펄스 프리 릴리즈 확인 불안정할 수도 있음 + Default tab 보안 앱 잠금 활성화 @@ -113,6 +114,15 @@ 앱 제어 꼭 매달리게 하다 녹이다 + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. 추가 옵션 모든 앱 정지 모든 앱 고정 해제 @@ -579,6 +589,7 @@ 찾다 멈추다 찾다 + Search frozen apps 뒤쪽에 뒤쪽에 @@ -632,6 +643,29 @@ 장치가 잠겨 있을 때 보안을 강화하세요.\n\n일부 중요한 QS 타일에 대한 액세스를 제한하여 승인되지 않은 네트워크 수정을 방지하고 터치 스팸을 방지하기 위해 애니메이션 속도를 높여 재시도를 방지합니다.\n\n이 기능은 강력하지 않으며 블루투스 또는 비행 모드와 같이 직접 전환할 수 있는 일부 타일과 같은 결함이 있을 수 있습니다. 예방할 수 있습니다. 보조 인증 레이어로 앱을 보호하세요.\n\nAndroid 표준의 클래스 3 생체 인식 보안 수준을 충족하는 한 기기 잠금 화면 인증 방법이 사용됩니다. 정류장을 놓치지 않도록 목적지에 가까워지면 알림을 받으세요.\n\nGoogle 지도로 이동하여 목적지 근처의 핀을 길게 누르고 \"핀이 꽂혀 있음\"이라고 표시되는지 확인한 다음(그렇지 않으면 거리 계산이 정확하지 않을 수 있음), 위치를 Essentials 앱에 공유하고 추적을 시작합니다. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go 백그라운드에서 실행되지 않도록 앱을 정지하세요.\n\n앱을 사용하지 않을 때 앱을 완전히 정지시켜 배터리 소모와 데이터 사용량을 방지하세요. 실행하면 즉시 고정이 해제됩니다. 앱은 앱 서랍에 표시되지 않으며 정지된 동안 Play 스토어의 앱 업데이트에도 표시되지 않습니다. 누구도 요구하지 않은 맞춤 입력 방법입니다.\n\n이것은 단지 실험일 뿐입니다. 여러 언어는 매우 복잡하고 시간이 많이 걸리는 구현이므로 지원되지 않을 수 있습니다. 연결된 모든 장치의 배터리 수준을 모니터링하세요.\n\nBluetooth 헤드폰, 시계 및 기타 액세서리의 배터리 상태를 한 곳에서 확인하세요. AirSync 응용 프로그램과 연결하여 Mac 배터리 수준도 표시합니다. @@ -1067,10 +1101,15 @@ 업데이트됨 %1$s 방금 + Today + Yesterday %1$d몇 분 전 %1$d시간 전 %1$d일 전 + %1$d days ago + %1$d weeks ago %1$d모 전 + %1$d months ago %1$d얼마 전 다시 해 보다 로그인 시작 @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-nl/strings.xml b/app/src/main/res/values-nl/strings.xml index e75f2b413..3d80ff91a 100644 --- a/app/src/main/res/values-nl/strings.xml +++ b/app/src/main/res/values-nl/strings.xml @@ -12,6 +12,7 @@ Zaklamppuls Checken voor vooruitgaven Kunnen instabiel zijn + Default tab Beveiliging Appvergrendeling inschakelen @@ -113,6 +114,15 @@ Appbesturing Bevriezen Ontdooien + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Meer opties Bevries alle apps Ontdooi alle apps @@ -579,6 +589,7 @@ Zoeken Stoppen Zoeken + Search frozen apps Terug Terug @@ -632,6 +643,29 @@ Verbeter je beveiliging als je apparaat vergrendeld is.\n\nBeperk toegang tot gevoelige tegels in de Snelle instellingen zoals netwerkwijzigingen. Ook wordt de animatiesnelheid verlaagd om aanraak spammen te voorkomen.\n\nDeze functie is niet robuust en heeft mogelijk problemen zoals dat sommige tegels die direct aanpasbaar zijn zoals Bluetooth of de vliegtuigstand niet te voorkomen zijn. Beveilig je apps met een tweede beveiligingslaag. \n\nJe vergrendelingsmethode zal gebruikt worden als het maar aan de klasse 3 biometrische beveiligingsstandaarden voldoet. Krijg een melding wanneer je dicht bij een bestemming komt zodat je nooit een stop mist. \n\nGa naar Google Maps, druk een speld lang in dicht bij je bestemming en zorg ervoor dat het \"Geplaatste speld\" zegt (anders is de afstandsberekening mogelijk niet accuraat), deel daarna de locatie met de Essentials-app en start met volgen. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Bevriezen van apps voorkomt dat ze in de achtergrond uitvoeren. \n\nVoorkomt dat de batterij leeg gaat en dataverbruik door apps helemaal te bevriezen als je ze niet gebruikt. Ze worden meteen ontdooit als je ze opent. De apps zullen niet zichtbaar zijn in de app-lade en als updates in de Play Store als ze bevroren zijn. Een aangepaste invoermethode waar niemand om vroeg.\n\nHet is gewoon een experiment. Meerdere talen krijgen mogelijk geen ondersteuning omdat het een complexe en tijdrovende implementatie is. Hou het batterijniveau van alle verbonden apparaten in de gaten. \n\n Bekijk de batterijstatus van je Bluetooth koptelefoon, horloge en andere accessoires op één plek. Verbind met AirSync om ook het batterijniveau van je Mac te bekijken. @@ -1067,10 +1101,15 @@ Bijgewerkt %1$s zojuist + Today + Yesterday %1$dm geleden %1$du geleden %1$d dag(en) geleden + %1$d days ago + %1$d weeks ago %1$d maand(en) geleden + %1$d months ago %1$djr geleden Opnieuw proberen Starten met inloggen @@ -1192,9 +1231,15 @@ Nieuwe automatie Repository toevoegen - Describe the issue or provide feedback… - Contact email - Send Feedback - Feedback sent successfully! Thanks for helping us improve the app. - Alternatively + Beschrijf het probleem of geef feedback… + E-mail voor contact opnemen + Stuur feedback + Feedback succesvol gestuurd! Bedankt voor het helpen met het verbeteren van de app. + Als alternatief + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-no/strings.xml b/app/src/main/res/values-no/strings.xml index c2e24d051..41424534f 100644 --- a/app/src/main/res/values-no/strings.xml +++ b/app/src/main/res/values-no/strings.xml @@ -12,6 +12,7 @@ Lommelykt Pulse Se etter forhåndsutgivelser Kan være ustabil + Default tab Sikkerhet Aktiver applås @@ -113,6 +114,15 @@ Appkontroll Fryse Frigjør opp + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Flere alternativer Frys alle apper Frigjør alle apper @@ -579,6 +589,7 @@ Søk Stoppe Søk + Search frozen apps Tilbake Tilbake @@ -632,6 +643,29 @@ Forbedre sikkerheten når enheten er låst.\n\nBegrens tilgangen til noen sensitive QS-fliser som forhindrer uautoriserte nettverksendringer og forhindrer ytterligere at de prøver å gjøre det på nytt ved å øke animasjonshastigheten for å forhindre berøringssøppel.\n\nDenne funksjonen er ikke robust og kan ha feil som noen fliser som tillater veksling direkte, slik som bluetooth eller flymodus ikke kan forhindres. Sikre appene dine med et sekundært autentiseringslag.\n\nAutentiseringsmetoden for enhetens låseskjerm vil bli brukt så lenge den oppfyller det biometriske sikkerhetsnivået i klasse 3 i henhold til Android-standarder. Bli varslet når du kommer nærmere destinasjonen din for å sikre at du aldri går glipp av stoppet.\n\nGå til Google Maps, trykk lenge på en nål i nærheten til destinasjonen og sørg for at det står «Dropped pin» (ellers kan det hende at avstandsberegningen ikke er nøyaktig), og del deretter plasseringen til Essentials-appen og begynn å spore. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Frys apper for å hindre dem fra å kjøre i bakgrunnen.\n\nForhindrer batteriforbruk og databruk ved å fryse apper fullstendig når du ikke bruker dem. De vil bli frosset opp umiddelbart når du starter dem. Appene vil ikke vises i appskuffen og vil heller ikke dukke opp for appoppdateringer i Play Store mens de er frosne. En tilpasset inndatametode ingen ba om.\n\nDet er bare et eksperiment. Flere språk får kanskje ikke støtte da det er en veldig kompleks og tidkrevende implementering. Overvåk batterinivåene til alle de tilkoblede enhetene dine.\n\nSe batteristatusen til Bluetooth-hodetelefonene, klokken og annet tilbehør på ett sted. Koble til med AirSync-applikasjonen for å vise Mac-batterinivået også. @@ -1067,10 +1101,15 @@ Oppdatert %1$s akkurat nå + Today + Yesterday %1$dm siden %1$dh siden %1$dd siden + %1$d days ago + %1$d weeks ago %1$dmåned siden + %1$d months ago %1$dy siden Prøv på nytt Start pålogging @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-pl/strings.xml b/app/src/main/res/values-pl/strings.xml index a782c52fe..cf32aecae 100644 --- a/app/src/main/res/values-pl/strings.xml +++ b/app/src/main/res/values-pl/strings.xml @@ -12,6 +12,7 @@ Puls latarki Sprawdź wersje wstępne Może być niestabilny + Default tab Bezpieczeństwo Włącz blokadę aplikacji @@ -113,6 +114,15 @@ Kontrola aplikacji Zamrażać Odmrozić + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Więcej opcji Zablokuj wszystkie aplikacje Odblokuj wszystkie aplikacje @@ -579,6 +589,7 @@ Szukaj Zatrzymywać się Szukaj + Search frozen apps Z powrotem Z powrotem @@ -632,6 +643,29 @@ Zwiększ bezpieczeństwo, gdy Twoje urządzenie jest zablokowane.\n\nOgranicz dostęp do niektórych wrażliwych kafelków QS, aby zapobiec nieautoryzowanym modyfikacjom sieci i jeszcze bardziej uniemożliwić im ponowne próby zrobienia tego, zwiększając prędkość animacji, aby zapobiec spamowi dotykowemu.\n\nTa funkcja nie jest solidna i może mieć wady, takie jak niektóre kafelki umożliwiające bezpośrednie przełączanie, takie jak brak możliwości Bluetooth lub trybu samolotowego zapobiegać. Zabezpiecz swoje aplikacje dodatkową warstwą uwierzytelniania.\n\nTwoja metoda uwierzytelniania ekranu blokady urządzenia będzie używana, o ile spełnia poziom bezpieczeństwa biometrycznego klasy 3 według standardów Androida. Otrzymuj powiadomienia, gdy zbliżysz się do celu, aby mieć pewność, że nigdy nie przegapisz przystanku.\n\nPrzejdź do Map Google, naciśnij i przytrzymaj pinezkę w pobliżu miejsca docelowego i upewnij się, że jest napisane „Upuszczona pinezka” (w przeciwnym razie obliczenie odległości może nie być dokładne), a następnie udostępnij lokalizację w aplikacji Essentials i rozpocznij śledzenie. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Blokuj aplikacje, aby zapobiec ich działaniu w tle.\n\nZapobiegaj rozładowaniu baterii i wykorzystaniu danych, całkowicie zamrażając aplikacje, gdy ich nie używasz. Po uruchomieniu zostaną natychmiast odmrożone. Po zamrożeniu aplikacje nie będą widoczne w szufladzie aplikacji ani w aktualizacjach aplikacji w Sklepie Play. Niestandardowa metoda wprowadzania, o którą nikt nie prosił.\n\nTo tylko eksperyment. Wiele języków może nie uzyskać wsparcia, ponieważ jest to bardzo złożona i czasochłonna implementacja. Monitoruj poziom naładowania baterii wszystkich podłączonych urządzeń.\n\nSprawdź stan baterii swoich słuchawek Bluetooth, zegarka i innych akcesoriów w jednym miejscu. Połącz się z aplikacją AirSync, aby wyświetlić również poziom naładowania baterii komputera Mac. @@ -1067,10 +1101,15 @@ Zaktualizowano %1$s właśnie + Today + Yesterday %1$dtemu %1$dgodz. temu %1$dd temu + %1$d days ago + %1$d weeks ago %1$dmiesiąc temu + %1$d months ago %1$dtemu Spróbować ponownie Rozpocznij logowanie @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-pt/strings.xml b/app/src/main/res/values-pt/strings.xml index 195603a41..ef887f07a 100644 --- a/app/src/main/res/values-pt/strings.xml +++ b/app/src/main/res/values-pt/strings.xml @@ -2,666 +2,700 @@ BETA Essentials Accessibility Service\n\nThis service is required for the following advanced features:\n\n• Physical Button Remapping:\nDetects volume button presses even when the screen is off to trigger actions like the Flashlight.\n\n• Per-App Settings:\nMonitors the currently active app to apply specific profiles for Dynamic Night Light, Notification Lighting Colors, and App Lock.\n\n• Screen Control:\nAllows the app to lock the screen (e.g. via Double Tap or Widgets) and detect screen state changes.\n\n• Security:\nPrevents unauthorized changes by detecting window content when the device is locked.\n\nNo input text or sensitive user data is collected or transmitted. - App Freezing - Disable apps that are rarely used - App Freezing - Open App Freezing - Frozen App - Empty screen off widget - App Freezing - Flashlight Pulse - Check for pre-releases - Might be unstable + Congelamento de aplicativos + Desative aplicativos que raramente são usados + Congelamento de aplicativos + Abra o congelamento de aplicativos + Aplicativo congelado + Tela vazia fora do widget + Congelamento de aplicativos + Pulso de lanterna + Confira os pré-lançamentos + Pode ser instável + Default tab - Security - Enable app lock - App Lock Security - Authenticate to enable app lock - Authenticate to disable app lock - Select locked apps - Choose which apps require authentication - Secure your apps with biometric authentication. Locked apps will require authentication when launching, Stays unlocked until the screen turns off. - Beware that this is not a robust solution as this is only a 3rd party application. If you need strong security, consider using Private Space or other such features. - Another note, the biometric authentication prompt only lets you use STRONG secure class methods. Face unlock security methods in WEAK class in devices such as Pixel 7 will only be able to utilize the available other STRONG auth methods such as fingerprint or pin. + Segurança + Ativar bloqueio de aplicativo + Segurança de bloqueio de aplicativos + Autenticar para ativar o bloqueio de aplicativos + Autenticar para desativar o bloqueio de aplicativos + Selecione aplicativos bloqueados + Escolha quais aplicativos exigem autenticação + Proteja seus aplicativos com autenticação biométrica. Os aplicativos bloqueados exigirão autenticação ao serem iniciados. Permanecem desbloqueados até que a tela seja desligada. + Esteja ciente de que esta não é uma solução robusta, pois é apenas um aplicativo de terceiros. Se você precisar de segurança forte, considere usar o Private Space ou outros recursos semelhantes. + Outra observação: o prompt de autenticação biométrica só permite usar métodos de classe seguros FORTES. Os métodos de segurança de desbloqueio facial na classe FRACA em dispositivos como o Pixel 7 só poderão utilizar os outros métodos de autenticação STRONG disponíveis, como impressão digital ou PIN. - Enable Button Remap - Use Shizuku or Root or Root - Works with screen off (Recommended) - Shizuku is not running - Detected %1$s + Ativar remapeamento de botão + Use Shizuku ou Root ou Root + Funciona com a tela desligada (recomendado) + Shizuku não está correndo + Detectado %1$s Status: %1$s - Open Shizuku - Flashlight - Flashlight options - Adjust fading and other settings - Pitch black theme - Use pure black background in dark mode - Haptic Feedback - Remap Long Press - Screen Off - Screen On - Volume Up - Volume Down - Toggle flashlight - Media play/pause - Media next - Media previous - Toggle vibrate - Toggle mute - AI assistant - Take screenshot - Cycle sound modes - Like current song - Like song settings - This feature requires notification access to detect the currently playing media and trigger the like action. Please enable it below. - Show toast message - Show overlay on AOD - Ambient music glance - Glance at media on AOD - Docked mode - Keep the overlay visible indefinitely while music is playing on AOD - Notification glance - Keep AOD on while notifications are pending - Same apps as notification lighting - This feature will dynamically enable Always on Display when a notification arrives from a selected app, and disable it once all matching notifications are dismissed. Pick apps or use the same selection as notification lighting. - Grant notification access - Toggle media volume - When the screen is off, long-press the selected button to trigger its assigned action. On Pixel devices, this action only gets triggered if the AOD is on due to system limitations. - When the screen is on, long-press the selected button to trigger its assigned action. - Flashlight Intensity - Fade in and out - Smoothly toggle flashlight - Global controls - Fade-in flashlight globally - Adjust intensity - Volume + - adjusts flashlight intensity - Live update - Show brightness in status bar - Other - Always turn off flashlight - Even while display is on - Settings + Abra Shizuku + Lanterna + Opções de lanterna + Ajustar o desbotamento e outras configurações + Tema preto como breu + Use fundo preto puro no modo escuro + Feedback tátil + Remapear toque longo + Tela desligada + Tela ativada + Aumentar o volume + Diminuir volume + Alternar lanterna + Reprodução/pausa de mídia + Próxima mídia + Mídia anterior + Alternar vibração + Alternar mudo + Assistente de IA + Faça uma captura de tela + Ciclo de modos de som + Curtir a música atual + Como configurações de música + Este recurso requer acesso à notificação para detectar a mídia atualmente sendo reproduzida e acionar a ação semelhante. Ative-o abaixo. + Mostrar mensagem de brinde + Mostrar sobreposição no AOD + Olhar de música ambiente + Dê uma olhada na mídia no AOD + Modo encaixado + Mantenha a sobreposição visível indefinidamente enquanto a música estiver tocando no AOD + Visão geral da notificação + Mantenha o AOD ativado enquanto as notificações estiverem pendentes + Os mesmos aplicativos da iluminação de notificação + Este recurso ativará dinamicamente o Always on Display quando uma notificação chegar de um aplicativo selecionado e o desativará quando todas as notificações correspondentes forem descartadas. Escolha aplicativos ou use a mesma seleção da iluminação de notificação. + Conceder acesso à notificação + Alternar volume de mídia + Quando a tela estiver desligada, mantenha pressionado o botão selecionado para acionar a ação atribuída. Em dispositivos Pixel, esta ação só é acionada se o AOD estiver ativado devido a limitações do sistema. + Quando a tela estiver ligada, mantenha pressionado o botão selecionado para acionar a ação atribuída. + Intensidade da lanterna + Aparecer e desaparecer gradualmente + Alternar suavemente a lanterna + Controles globais + Fade-in global da lanterna + Ajustar intensidade + Volume + - ajusta a intensidade da lanterna + Atualização ao vivo + Mostrar brilho na barra de status + Outro + Sempre desligue a lanterna + Mesmo quando a tela está ligada + Configurações - Show Notification - Post Notifications - Allows the app to show notifications - Grant Permission - Caffeinate Active - Active - Screen is being kept awake - Ignore battery optimization - Abort with screen off - Skip countdown - Start Caffeinate immediately. - Timeout Presets - Select available durations for QS tile + Mostrar notificação + Postar notificações + Permite que o aplicativo mostre notificações + Conceder permissão + Cafeína Ativa + Ativo + A tela está sendo mantida ativa + Ignorar a otimização da bateria + Abortar com tela desligada + Pular contagem regressiva + Comece com cafeína imediatamente. + Predefinições de tempo limite + Selecione as durações disponíveis para o bloco QS 5m 10m 30m - Do Not Disturb access - Required to cycle between sound, vibrate and mute modes + Acesso Não perturbe + Necessário para alternar entre os modos de som, vibração e mudo 1h - Starting in %1$ds… - %1$s remaining - Persistent notification for Caffeinate + Começando em %1$ds… + %1$s restante + Notificação persistente para cafeína - Enable Dynamic Night Light - Apps that toggle off night light - Select apps + Ativar luz noturna dinâmica + Aplicativos que desligam a luz noturna + Selecione aplicativos - App Control - Freeze - Unfreeze - More options - Freeze all apps - Unfreeze all apps - Export frozen apps list - Import frozen apps list - Pick apps to freeze - Choose which apps can be frozen - Automation - Freeze when locked - Freeze delay - Immediate + Controle de aplicativos + Congelar + Descongelar + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. + Mais opções + Congelar todos os aplicativos + Descongelar todos os aplicativos + Exportar lista de aplicativos congelados + Importar lista de aplicativos congelados + Escolha aplicativos para congelar + Escolha quais aplicativos podem ser congelados + Automação + Congelar quando bloqueado + Atraso de congelamento + Imediato 1m 5m 15m Manual - Auto freeze apps - Freeze selected apps when the device locks. Choose a delay to avoid freezing apps if you unlock the screen shortly after turning it off. - Freezing system apps might be dangerous and may cause unexpected behavior. - Enable in Settings - Don\'t freeze active apps - Usage Stats - Required to detect which apps are currently in the foreground to avoid freezing them - Required to detect playing media and active notifications to avoid freezing them + Congelar aplicativos automaticamente + Congele aplicativos selecionados quando o dispositivo for bloqueado. Escolha um atraso para evitar o congelamento de aplicativos se você desbloquear a tela logo após desligá-la. + O congelamento de aplicativos do sistema pode ser perigoso e causar comportamento inesperado. + Ativar nas configurações + Não congele aplicativos ativos + Estatísticas de uso + Necessário para detectar quais aplicativos estão atualmente em primeiro plano para evitar congelá-los + Necessário para detectar mídia em reprodução e notificações ativas para evitar congelá-las Freeze mode Freezing App suspension Can not switch mode while apps are frozen. Please unfreeze all and try again. - Only show when screen off - Skip silent notifications - Skip persistent notifications - Flashlight Pulse - Flashlight pulse - Only while facing down - Same apps as notification lighting - Style - Stroke adjustment - Corner radius - Stroke thickness - Glow adjustment - Glow spread - Placement - Horizontal position - Vertical position - Indicator adjustment - Scale - Duration - Animation - Pulse count - Pulse duration - Color Mode - Ambient display - Ambient display - Suitable if you are not using AOD. - Wake screen and show lighting - Show lock screen - No black overlay + Mostrar apenas quando a tela está desligada + Ignorar notificações silenciosas + Ignorar notificações persistentes + Pulso de lanterna + Pulso de lanterna + Somente enquanto estiver voltado para baixo + Os mesmos aplicativos da iluminação de notificação + Estilo + Ajuste de curso + Raio de canto + Espessura do traço + Ajuste de brilho + Propagação de brilho + Colocação + Posição horizontal + Posição vertical + Ajuste do indicador + Escala + Duração + Animação + Contagem de pulso + Duração do pulso + Modo de cor + Exibição ambiente + Exibição ambiente + Adequado se você não estiver usando AOD. + Acorde a tela e mostre a iluminação + Mostrar tela de bloqueio + Sem sobreposição preta - Add - Already added - Requires Android 13+ - UI Blur - Bubbles - Sensitive Content - Tap to Wake + Adicionar + Já adicionado + Requer Android 13+ + Desfoque da interface do usuário + Bolhas + Conteúdo Sensível + Toque para acordar AOD - Caffeinate - Sound Mode - Notification Lighting - Dynamic Night Light - Locked Security - App Lock - Mono Audio - Flashlight - App Freezing - Flashlight Pulse - Stay awake - Essentials Keyboard - English (US) - Active - Inactive - Developer Options - Toggle system Developer Options from a QS tile easily. This may reset some of the developer settings you have modified. + Cafeína + Modo de som + Iluminação de notificação + Luz noturna dinâmica + Segurança bloqueada + Bloqueio de aplicativo + Áudio Mono + Lanterna + Congelamento de aplicativos + Pulso de lanterna + Fique acordado + Teclado Essencial + Inglês (EUA) + Ativo + Inativo + Opções do desenvolvedor + Alterne facilmente as opções do desenvolvedor do sistema em um bloco QS. Isso pode redefinir algumas das configurações do desenvolvedor que você modificou. NFC - Private DNS - Auto - Off - USB Debugging - Color Picker - Are you sure you\'re on Android 17? (╯°_°)╯ - Eye Dropper - On - Off - Custom Private DNS + DNS privado + Automático + Desligado + Depuração USB + Seletor de cores + Tem certeza de que\'está no Android 17? (╯°_°)╯ + Conta-gotas + Sobre + Desligado + DNS privado personalizado DNS Presets Add DNS Preset Preset name Reset Delete preset Are you sure you want to reset all DNS presets to defaults? This will remove all your custom presets. - Provider hostname - AdGuard DNS + Nome do host do provedor + DNS do AdGuard dns.adguard.com - Google Public DNS + DNS público do Google dns.google - Cloudflare DNS + DNS da Cloudflare 1dot1dot1dot1.cloudflare-dns.com - Quad9 DNS + DNS Quad9 dns.quad9.net - CleanBrowsing + Navegação limpa adult-filter-dns.cleanbrowsing.org - Charging - Limit to 80% - Adaptive - Not optimized - Permission missing + Carregando + Limite a 80% + Adaptativo + Não otimizado + Permissão ausente - Screen locked security - Screen Locked Security - Authenticate to enable screen locked security - Authenticate to disable screen locked security - ⚠️ WARNING - This feature is not foolproof. There may be edge cases where someone still being able to interact with the tile. \nAlso keep in mind that Android will always allow to do a forced reboot and Pixels will always allow the device to be turned off from the lock screen as well. - Make sure to remove the airplane mode tile from quick settings as that is not preventable because it does not open a dialog window. - When enabled, the Quick Settings panel will be immediately closed and the device will be locked down if someone attempt to interact with Internet tiles while the device is locked. \n\nThis will also disable biometric unlock to prevent further unauthorized access. Animation scale will be reduced to 0.1x while locked to make it even harder to interact with. + Segurança bloqueada com tela + Segurança de tela bloqueada + Autenticar para ativar a segurança de bloqueio de tela + Autenticar para desativar a segurança de bloqueio de tela + ⚠️ AVISO + Este recurso não é infalível. Pode haver casos extremos em que alguém ainda consiga interagir com o bloco. \nLembre-se também de que o Android sempre permitirá uma reinicialização forçada e os Pixels sempre permitirão que o dispositivo seja desligado da tela de bloqueio também. + Certifique-se de remover o bloco do modo avião das configurações rápidas, pois isso não pode ser evitado porque não abre uma janela de diálogo. + Quando ativado, o painel Configurações rápidas será fechado imediatamente e o dispositivo será bloqueado se alguém tentar interagir com blocos da Internet enquanto o dispositivo estiver bloqueado. \n\nIsso também desativará o desbloqueio biométrico para evitar acesso não autorizado adicional. A escala da animação será reduzida para 0,1x enquanto estiver bloqueada para dificultar ainda mais a interação. - Re-order modes - Long press to toggle - Drag to reorder - Sound - Vibrate - Silent + Reordenar modos + Pressione e segure para alternar + Arraste para reordenar + Som + Vibrar + Silencioso - Connectivity - Phone & Network - Audio & Media - System Status - OEM Specific + Conectividade + Telefone e rede + Áudio e mídia + Status do sistema + Específico do OEM WiFi Bluetooth - NFC / Felica + NFC / Félica VPN - Airplane Mode - Hotspot - Cast - Mobile Data - Phone Signal - VoLTE / VoNR - WiFi Calling / VoWiFi - Call Status / Sync + Modo Avião + Ponto de acesso + Elenco + Dados móveis + Sinal de telefone + VoLTE/VoNR + Chamadas WiFi / VoWiFi + Status/sincronização da chamada TTY Volume - Headset - Speakerphone + Fone de ouvido + Viva-voz DMB - Clock - Input Method (IME) - Alarm - Battery - Power Saving - Data Saver - Rotation Lock - Location / GPS - Sync - Managed Profile - Do Not Disturb - Privacy & Secure Folder - Security Status (SU) - OTG Mouse / Keyboard - Samsung Smart Features - Samsung Services + Relógio + Método de entrada (IME) + Alarme + Bateria + Economia de energia + Economia de dados + Bloqueio de rotação + Localização/GPS + Sincronizar + Perfil gerenciado + Não incomodar + Privacidade e pasta segura + Status de segurança (SU) + Rato/Teclado OTG + Recursos inteligentes da Samsung + Serviços Samsung Ethernet - Show Seconds in Clock - Battery Percentage - Always - Charging - Never - Camera and Microphone use chips - Smart Data - Read Phone State - Required to detect network type for Smart Data feature - Required to detect call status changes to trigger haptic feedback. - Smart Visibility - Smart WiFi - Hide mobile data when WiFi is connected - Hide mobile data in certain modes - Reset All Icons - More Settings - Please note that the implementation of these options may depend on the OEM and some may not be functional at all. + Mostrar segundos no relógio + Porcentagem de bateria + Sempre + Carregando + Nunca + Câmera e microfone usam chips + Dados inteligentes + Ler estado do telefone + Necessário para detectar o tipo de rede para o recurso Smart Data + Necessário para detectar alterações no status da chamada para acionar o feedback tátil. + Visibilidade Inteligente + Wi-Fi inteligente + Ocultar dados móveis quando o WiFi estiver conectado + Ocultar dados móveis em determinados modos + Redefinir todos os ícones + Mais configurações + Observe que a implementação dessas opções pode depender do OEM e algumas podem não funcionar. - Other + Outro - Clock Seconds - Show seconds in status bar clock - Battery Percentage - Configure battery percentage visibility - Privacy Chips - Show indicator when camera or mic is in use - Toggle visibility for %1$s - Pin to Favorites - Unpin from Favorites + Segundos do relógio + Mostrar segundos no relógio da barra de status + Porcentagem de bateria + Configurar a visibilidade da porcentagem da bateria + Chips de privacidade + Mostrar indicador quando a câmera ou o microfone estão em uso + Alternar visibilidade para %1$s + Fixar nos favoritos + Liberar dos Favoritos - Tools - Visuals - System + Ferramentas + Visuais + Sistema - Search Essentials - No results for \"%1$s\" - Search Results - %1$s requires following permissions + Fundamentos de pesquisa + Nenhum resultado para \"%1$s\" + Resultados da pesquisa + %1$s requer as seguintes permissões - Screen off widget - Invisible widget to turn the screen off - Statusbar icons - Control statusbar icons visibility - Caffeinate - Keep the screen awake - Maps power saving mode - For any Android device - Notification lighting - Light up for notifications - Pulse the flashlight for notifications - Sound mode tile - Call vibrations - Vibrate for call actions - Show Bluetooth devices - Display battery level of connected Bluetooth devices - Limit max devices - Adjust max devices visible in widget - Widget background - Show widget background + Widget de tela desligada + Widget invisível para desligar a tela + Ícones da barra de status + Controlar a visibilidade dos ícones da barra de status + Cafeinar + Mantenha a tela ativa + Modo de economia de energia do Maps + Para qualquer dispositivo Android + Iluminação de notificação + Acenda para notificações + Pulse a lanterna para notificações + Bloco de modo de som + Vibrações de chamada + Vibrar para ações de chamada + Mostrar dispositivos Bluetooth + Exibir o nível da bateria dos dispositivos Bluetooth conectados + Limitar o máximo de dispositivos + Ajustar o máximo de dispositivos visíveis no widget + Plano de fundo do widget + Mostrar plano de fundo do widget - Trigger Automation - Schedule an action to trigger on an observation - State Automation - Schedule an action to execute based on the state of a condition in and out - New Automation - Edit Automation - Link actions - Handle links with multiple apps - Snooze system notifications - Snooze persistent notifications - Quick settings tiles - View all - Button remap - Remap hardware button actions - Dynamic night light - Toggle night light based on app - Screen locked security - Prevent network controls - App lock - Secure apps with biometrics - Freeze - Disable rarely used apps - Watermark - Add EXIF data and logos to photos - Always on Display - Show time and info while screen off - Calendar Sync - Sync events to your watch - Overlay - Frame - Device Brand - EXIF Data - Pick Image - Image saved to gallery - Share - EXIF Settings - Focal Length - Aperture + Automação de gatilho + Agende uma ação para ser acionada em uma observação + Automação de Estado + Agende uma ação para execução com base no estado de uma condição de entrada e saída + Nova Automação + Editar automação + Ações de link + Lidar com links com vários aplicativos + Suspender notificações do sistema + Adiar notificações persistentes + Blocos de configurações rápidas + Ver tudo + Remapeamento de botão + Remapear ações de botão de hardware + Luz noturna dinâmica + Alternar luz noturna com base no aplicativo + Segurança bloqueada com tela + Impedir controles de rede + Bloqueio de aplicativo + Aplicativos seguros com biometria + Congelar + Desative aplicativos raramente usados + Marca d\'água + Adicione dados EXIF ​​e logotipos às fotos + Sempre em exibição + Mostrar hora e informações enquanto a tela está desligada + Sincronização de calendário + Sincronize eventos com seu relógio + Sobreposição + Quadro + Marca do dispositivo + Dados EXIF + Escolha a imagem + Imagem salva na galeria + Compartilhar + Configurações EXIF + Distância focal + Abertura ISO - Shutter Speed - Date & Time - Move to Top - Align Left - Brand Size - Data Size - Text Size - Font Size - Custom Text - Enter your text... - Spacing - Border Width - Round Corners - Color - Logo - Show Logo - Logo Size - Edit Watermark Texts - Device brand - Date & Time - No date information - Rotate left - Rotate right - Next + Velocidade do obturador + Data e hora + Mover para o topo + Alinhar à esquerda + Tamanho da marca + Tamanho dos dados + Tamanho do texto + Tamanho da fonte + Texto personalizado + Digite seu texto... + Espaçamento + Largura da borda + Cantos Arredondados + Cor + Logotipo + Mostrar logotipo + Tamanho do logotipo + Editar textos de marca d\'água + Marca do dispositivo + Data e hora + Sem informações de data + Girar para a esquerda + Girar para a direita + Próximo OK - Save Changes - Calendar Sync Settings - Sync specific calendars - Periodic Sync - Sync every 15 minutes if changes found - Sync Now - Trigger immediate sync to watch - No local calendars found - Calendar sync started + Salvar alterações + Configurações de sincronização de calendário + Sincronize calendários específicos + Sincronização Periódica + Sincronize a cada 15 minutos se forem encontradas alterações + Sincronizar agora + Acione a sincronização imediata para assistir + Nenhuma agenda local encontrada + A sincronização do calendário foi iniciada - Widget Haptic feedback - Pick haptic feedback for widget taps - Smart WiFi - Hide mobile data when WiFi is connected - Smart Data - Hide mobile data in certain modes - Reset All Icons - Reset status bar icon visibility to default - Abort Caffeinate with screen off - Automatically turn off Caffeinate when manually locking the device - Lighting Style - Choose between Stroke, Glow, Spinner, and more - Corner radius - Adjust the corner radius of the notification lighting - Skip silent notifications - Do not show lighting for silent notifications - Flashlight pulse - Slowly pulse flashlight for new notifications - Only while facing down - Pulse flashlight only when device is face down - No system channels discovered yet. They will appear here once detected. - UI Blur - Toggle system-wide UI blur - Bubbles - Enable floating window bubbles - Sensitive Content - Hide notification details on lockscreen - Tap to Wake - Double tap to wake control + Feedback tátil do widget + Escolha feedback tátil para toques em widgets + Wi-Fi inteligente + Ocultar dados móveis quando o WiFi estiver conectado + Dados inteligentes + Ocultar dados móveis em determinados modos + Redefinir todos os ícones + Redefinir a visibilidade do ícone da barra de status para o padrão + Abortar cafeína com a tela desligada + Desligue automaticamente o Caffeinate ao bloquear manualmente o dispositivo + Estilo de iluminação + Escolha entre Stroke, Glow, Spinner e muito mais + Raio de canto + Ajuste o raio do canto da iluminação de notificação + Ignorar notificações silenciosas + Não mostre iluminação para notificações silenciosas + Pulso de lanterna + Lanterna pulsa lentamente para novas notificações + Somente enquanto estiver voltado para baixo + Lanterna de pulso somente quando o dispositivo está voltado para baixo + Nenhum canal do sistema descoberto ainda. Eles aparecerão aqui assim que forem detectados. + Desfoque da interface do usuário + Alternar desfoque da IU em todo o sistema + Bolhas + Ativar bolhas flutuantes nas janelas + Conteúdo Sensível + Ocultar detalhes da notificação na tela de bloqueio + Toque para acordar + Toque duas vezes para ativar o controle AOD - Always On Display toggle - Caffeinate - Keep screen awake toggle - Sound Mode - Cycle sound modes (Ring/Vibrate/Silent) - Notification Lighting - Toggle notification lighting service - Dynamic Night Light - Night light automation toggle - Locked Security - Network security on lockscreen toggle - Mono Audio - Force mono audio output toggle - Flashlight - Dedicated flashlight toggle - App Freezing - Launch app freezing grid - Flashlight Pulse - Toggle notification flashlight pulse - Toggle stay awake developer option - Private DNS - Cycle Private DNS modes (Off/Auto/Hostname) - USB Debugging - Toggle USB Debugging developer option - Enable Button Remap - Master toggle for volume button remapping - Remap Haptic Feedback - Vibration feedback when remapped button is pressed - Flashlight toggle - Toggle flashlight with volume buttons - Enable Dynamic Night Light - Master switch for dynamic night light - Enable app lock - Master toggle for app locking - Select locked apps - Choose which apps require authentication - Pick apps to freeze - Choose which apps can be frozen - Freeze all apps - Immediately freeze all picked apps - Freeze when locked - Freeze selected apps when device locks - Freeze delay - Delay before freezing after locking + Alternar sempre em exibição + Cafeína + Alternar manter a tela ativa + Modo de som + Ciclo de modos de som (Toque/Vibrar/Silencioso) + Iluminação de notificação + Alternar serviço de iluminação de notificação + Luz noturna dinâmica + Alternar automação de luz noturna + Segurança bloqueada + Segurança de rede na alternância da tela de bloqueio + Áudio Mono + Forçar alternância de saída de áudio mono + Lanterna + Alternar lanterna dedicada + Congelamento de aplicativos + Inicie a grade de congelamento do aplicativo + Pulso de lanterna + Alternar pulso da lanterna de notificação + Alternar opção de desenvolvedor para ficar acordado + DNS privado + Alternar entre os modos DNS privado (Desligado/Automático/Nome do host) + Depuração USB + Alternar opção de desenvolvedor de depuração USB + Ativar remapeamento de botão + Alternância mestre para remapeamento do botão de volume + Remapear feedback tátil + Feedback de vibração quando o botão remapeado é pressionado + Alternar lanterna + Alternar lanterna com botões de volume + Ativar luz noturna dinâmica + Interruptor mestre para luz noturna dinâmica + Ativar bloqueio de aplicativo + Alternância mestre para bloqueio de aplicativos + Selecione aplicativos bloqueados + Escolha quais aplicativos exigem autenticação + Escolha aplicativos para congelar + Escolha quais aplicativos podem ser congelados + Congelar todos os aplicativos + Congele imediatamente todos os aplicativos escolhidos + Congelar quando bloqueado + Congelar aplicativos selecionados quando o dispositivo for bloqueado + Atraso de congelamento + Atraso antes de congelar após o bloqueio Shizuku - Required for advanced commands. Install Shizuku from the Play Store. - Install Shizuku - Grant Permission - Required to run power-saving commands while maps is navigating. - Requires Shizuku or Root - Root Access - Permissions required for system actions using Root privileges. - Notification Listener - Requires notification listener access to monitor Google Maps navigation status and enable power saving when not navigatiing. - Requires notification listener access to detect new notifications and trigger edge lighting. - Requires notification listener access to monitor and snooze unwanted system notifications. - Accessibility Service - Required for App Lock, Screen off widget and other features to detect interactions - Required to trigger notification lighting on new notifications - Default Browser - Required to handle links efficiently - Required to intercept hardware button events - Required to intercept volume key events while the screen is off to trigger the Ambient Glance overlay. - Needed to monitor foreground applications. - Write Secure Settings - Required for Statusbar icons and Screen Locked Security - Needed to toggle Night Light. Grant via ADB or root. - Modify System Settings - Required to toggle Adaptive Brightness and other system settings - Overlay Permission - Required to display the notification lighting overlay on the screen - Device Administrator - Required to hard-lock the device (disabling biometrics) on unauthorized access attempts - Grant Permission - Copy ADB - Check - Enable in Settings - How to grant - Battery Optimization - Ensure the service is not killed by the system to save power. + Necessário para comandos avançados. Instale o Shizuku da Play Store. + Instale Shizuku + Conceder permissão + Necessário para executar comandos de economia de energia enquanto os mapas estão navegando. + Requer Shizuku ou Root + Acesso à raiz + Permissões necessárias para ações do sistema usando privilégios Root. + Ouvinte de notificação + Requer acesso de ouvinte de notificação para monitorar o status de navegação do Google Maps e ativar a economia de energia quando não estiver navegando. + Requer acesso de ouvinte de notificação para detectar novas notificações e acionar iluminação de borda. + Requer acesso de ouvinte de notificação para monitorar e adiar notificações indesejadas do sistema. + Serviço de acessibilidade + Necessário para App Lock, widget Screen off e outros recursos para detectar interações + Necessário para acionar a iluminação de notificação em novas notificações + Navegador padrão + Necessário para lidar com links de forma eficiente + Necessário para interceptar eventos de botão de hardware + Necessário para interceptar eventos de teclas de volume enquanto a tela está desligada para acionar a sobreposição Ambient Glance. + Necessário para monitorar aplicativos em primeiro plano. + Gravar configurações seguras + Obrigatório para ícones da barra de status e segurança de tela bloqueada + Necessário para alternar a luz noturna. Conceda via ADB ou root. + Modificar configurações do sistema + Necessário para alternar o brilho adaptável e outras configurações do sistema + Permissão de sobreposição + Necessário para exibir a sobreposição de iluminação de notificação na tela + Administrador do dispositivo + Necessário para bloquear o dispositivo (desativando a biometria) em tentativas de acesso não autorizado + Conceder permissão + Copiar ADB + Verificar + Ativar nas configurações + Como conceder + Otimização da bateria + Certifique-se de que o serviço não seja eliminado pelo sistema para economizar energia. - Essentials - Freeze - Frozen - DIY - Apps - Disabled apps - Do It Yourself - Find and manage apps - App Updates - App Updates - Add Repository - Edit Repository - Enter GitHub Repository URL or owner/repo - Track - No APK found in the latest release - Repository not found - Latest Release - View README - %d Stars - Installed app - Not installed - Pick app - Select app - Untrack - Pending - Up-to-date - Track and download the latest releases for your favorite apps directly from GitHub. - Invalid format. Use owner/repo or GitHub URL - An error occurred during search + Fundamentos + Congelar + Congelado + faça você mesmo + Aplicativos + Aplicativos desativados + Faça você mesmo + Encontre e gerencie aplicativos + Atualizações de aplicativos + Atualizações de aplicativos + Adicionar repositório + Editar repositório + Insira o URL do repositório GitHub ou proprietário/repo + Acompanhar + Nenhum APK encontrado na versão mais recente + Repositório não encontrado + Último lançamento + Ver LEIA-ME + %d Estrelas + Aplicativo instalado + Não instalado + Escolha o aplicativo + Selecione o aplicativo + Cancelar rastreamento + Pendente + Atualizado + Acompanhe e baixe os lançamentos mais recentes de seus aplicativos favoritos diretamente do GitHub. + Formato inválido. Use proprietário/repo ou URL do GitHub + Ocorreu um erro durante a pesquisa Auto - Options - Check for pre-releases - Notifications - GitHub rate limit exceeded. Please try again later. + Opções + Confira os pré-lançamentos + Notificações + Limite de taxa do GitHub excedido. Por favor, tente novamente mais tarde. - Keyboard Setup - Enable in settings - Switch to Essentials - Enabled - Disabled - Adaptive Brightness - Maps Power Saving - Search - Stop - Search + Configuração do teclado + Ativar nas configurações + Mudar para o Essencial + Habilitado + Desabilitado + Brilho adaptativo + Economia de energia nos mapas + Procurar + Parar + Procurar + Search frozen apps - Back - Back - Settings - Report a Bug + Voltar + Voltar + Configurações + Reportar um bug Crash reporting Off Auto - Essentials crashed, Report sent + O Essentials crashou, o relatório foi enviado Simulate crash - Welcome to Essentials + Bem vindo ao Essentials A Toolbox for Android Nerds - by sameerasw.com - Let\'s Begin + por sameerasw.com + Vamos começar Acknowledgement - This app is a collection of utilities that can interact deeply with your device system. Using some features might modify system settings or behavior in unexpected ways. \n\nYou only need to grant necessary permissions which are required for selected features you are using giving you full control over the app\'s behavior. \n\nFurther more, the app does not track or store any of your personal data, I don\'t need them... Keep to yourself safe. You can refer to the source code for more information. \n\nThis app is fully open source and is and always will be free to use. Do not pay or install from unknown sources. + Este aplicativo é uma coleção de utilidades que podem interagir profundamente com o sistema do seu dispositivo. Usando algumas utilidades pode modificar seu sistema ou comportamento em formas inesperadas. \n\n Você só precisa conceder permissões necessárias, que são utilizadas por utilidades que você está usando, assim dando acesso completo ao comportamento do aplicativo. \n\nAlém disso, o aplicativo não rastreia dados nem os guarda, não preciso deles...(Você pode se referir ao código-fonte para mais informações). \n\nEste aplicativo Sempre vai ser gratuito e de código aberto. Nunca pague, ou instale o Essentials de fontes desconhecidas. WARNING: Proceed with caution. The developer takes no responsibility for any system instability, data loss, or other issues caused by the use of this app. By proceeding, you acknowledge these risks. I know you didn\'t even read this carefully but, in case you need any help, feel free to reach out the developer or the community. I Understand - Anytime you are clueless on a feature or a Quick Settings Tile on what it does and what permissions may necessary for it, just long press it and pick \'What is this?\' to learn more. + Qualquer hora que estiver sem ideia do que alguma utilidade ou algum Quick Settings Tile faz, pressione longamente e selecione \"O quê é isso?\" para aprender mais. You can report bugs or find helpful guides anytime in the app settings. - Let Me in Already + Me deixe entrar Preferences - Configure some basic settings to get started. - App Settings + Configure algumas coisas básicas para começar. + Configurações do aplicativo Language Haptic Feedback Updates - Auto check for updates - Check for updates at app launch + Procurar por atualizações automaticamente + Procurar por atualização no início do aplicativo All Set Check What\'s New? - Done - Preview - Help Guide - What is this? - Update Available + Feito + Visualização + Guia de ajuda + O que é isso? + Atualização disponível Glance at your device\'s hardware and software specifications in detail. This information is fetched from GSMArena and system properties to provide a comprehensive overview of your Android device. - Ambient Music Glance shows a Now Playing overlay on your lock screen when music is playing and playback changes. \n\nIf your device does not support overlays over AOD, you can opt for the Ambience screensaver added in your Android settings as an alternative while charging. - Notification Lighting adds a beautiful edge lighting effect when you receive notifications.\n\nYou can customize the animation style, colors, and behavior. It works even when the screen is off (OEM dependent) or on top of your current app. Pick apps, notification priority or what behavior it should be triggering on from given controls. If your OEM does not support overlays above AOD, sue the Ambient display option found below. - Easily turn the screen off with a tap on a transparent resizable widget that does not add icons or any clutter to your home screen. - Take full control over your status bar icons.\n\nHide specific icons like WiFi, Bluetooth, or cellular data to keep your status bar clean. You can also customize the clock format and battery indicator with some smart controls as well. These are the list of available AOSP controls so your device OS might not respect all the controls. - Caffeinate prevents your screen from turning off automatically.\n\nKeep your screen awake for a specific duration or indefinitely. Useful when reading long articles or referencing a recipe. - Get the Pixel 10 series exclusive Google Maps Power Saving mode with the minimal pitch black background to display over your lock screen on any Android device. Start a navigation session, turn the screen off and back on. - Pulse the flashlight when you receive a notification.\n\nWith devices have hardware support for flashlight dimming, the pulse will be smoothly animated. - Snooze annoying persistent system notifications which can not be modified by default. \n\nPlease wait until the notification arrives and then go into this feature where it\'s notification channel will be listed. Select that to snooze from next time.\n\nAny snoozed notification can still be accessed from your notification history in Android. - Add custom tiles to your Quick Settings panel.\n\nLong press any of them to learn what they do. - Remap your hardware buttons to perform different actions and shortcuts.\n\nCustomize what happens when you long press volume buttons with certain conditions. \n\nSome behavior such as screen off trigger or flashlight controls might be OEM dependent on their implementation and may not work on all devices as expected. Some scenarios could be worked around using Shizuku permissions but may not give the same experience due to the implementations. - Automatically toggle your screen blue light filter based on the foreground app. - Enhance security when your device is locked.\n\nRestrict access to some sensitive QS tiles preventing unauthorized network modifications and further preventing them re-attempting to do so by increasing the animation speed to prevent touch spam.\n\nThis feature is not robust and may have flaws such as some tiles which allow toggling directly such as bluetooth or flight mode not being able to be prevented. - Secure your apps with a secondary authentication layer.\n\nYour device lock screen authentication method will be used as long as it meets the class 3 biometric security level by Android standards. - Get notified when you get closer to your destination to ensure you never miss the stop.\n\nGo to Google Maps, long press a pin nearby to your destination and make sure it says \"Dropped pin\" (Otherwise the distance calculation might not be accurate), And then share the location to the Essentials app and start tracking. - Freeze apps to stop them from running in the background.\n\nPrevent battery drain and data usage by completely freezing apps when you are not using them. They will be unfrozen instantly when you launch them. The apps will not show up in the app drawer and also will not show up for app updates in Play Store while frozen. - A custom input method no-one asked for.\n\nIt is just an experiment. Multiple languages may not get support as it is a very complex and time consuming implementation. - Monitor battery levels of all your connected devices.\n\nSee the battery status of your Bluetooth headphones, watch, and other accessories in one place. Connect with AirSync application to display your mac battery level as well. - Add a custom caption/ watermark to your photos with EXIF data and device information.\n\nShare an image directly from other app to Essentials to easily add a watermark. - Sync all your upcoming calendar schedule not matter the restrictions on Google accounts not letting to be added to wearOS devices due to work or school policies. \n\nMake sure to install the wearOS Essentials companion app to display the schedule in the app as well as in a tile or a complication. - Keep track of updates for your installed apps.\n\nGet notified about available updates, view changelogs and install them easily with a tap. - Add haptic feedback to your calls.\n\nVibrate when a call is connected, disconnected, or accepted, giving you tactile confirmation without looking at the screen. - Quickly toggle between Sound, Vibrate, and Silent modes.\n\nA convenient tile to change your ringer mode without using the volume buttons or settings. You can re-order the modes or disable any if not needed to customize the tile toggle to cycle behavior. - Easily toggle the system level blur depth effect across the OS. - Enable or disable floating notification bubbles.\n\nQuickly toggle the system-wide setting for conversation bubbles. - Hide sensitive content on the lock screen.\n\nToggle whether notification content is shown or hidden when your device is locked. - Toggle tap to wake functionality.\n\nEnable or disable the ability to wake your screen with a tap. - Toggle Always On Display.\n\nQuickly enable or disable the always-on display to view info at a glance. - Automatically control your Always On Display based on your notifications. When a message or alert arrives from a selected app, AOD will stay on until you dismiss the notification, ensuring you never miss important info without wasting battery when no alerts are present. - Combine audio channels into mono.\n\nUseful when using a single earbud or for accessibility purposes. - Toggle the flashlight.\n\nA Long pressing opens the controls for intensity adjustment which might need hardware implementation which some devices may lack. - Keep the screen awake while charging.\n\nPrevents the screen from sleeping as long as the device is connected to a power source which is suitable for developers during debugging. - Toggle NFC.\n\nQuickly enable or disable Near Field Communication for payments and pairing. - Toggle adaptive brightness.\n\nEnable or disable automatic screen brightness adjustment based on ambient light. - Toggle Private DNS.\n\nCycle through Off, Automatic, and Private DNS provider modes. - Toggle USB Debugging.\n\nEnable or disable ADB debugging access directly from the quick settings. - Launch the eye dropper tool to pick colors introduced in Android 17 BETA 2 - Optimize your battery life by limiting the maximum charge or using adaptive charging. This is specially designed for Pixel devices to ensure longevity and healthy charging cycles.\n\nCredits: TebbeUbben/ChargeQuickTile + Ambient Music Glance mostra uma sobreposição Now Playing na tela de bloqueio quando a música está tocando e a reprodução muda. \n\nSe o seu dispositivo não suporta sobreposições sobre AOD, você pode optar pelo protetor de tela Ambience adicionado nas configurações do Android como alternativa durante o carregamento. + A iluminação de notificação adiciona um belo efeito de iluminação de borda quando você recebe notificações.\n\nVocê pode personalizar o estilo, as cores e o comportamento da animação. Funciona mesmo quando a tela está desligada (depende do OEM) ou na parte superior do seu aplicativo atual. Escolha aplicativos, prioridade de notificação ou qual comportamento deve ser desencadeado a partir de determinados controles. Se o seu OEM não suportar sobreposições acima de AOD, use a opção de exibição ambiente encontrada abaixo. + Desligue facilmente a tela com um toque em um widget redimensionável transparente que não adiciona ícones ou qualquer confusão à sua tela inicial. + Assuma o controle total sobre os ícones da barra de status.\n\nOculte ícones específicos como WiFi, Bluetooth ou dados de celular para manter sua barra de status limpa. Você também pode personalizar o formato do relógio e o indicador de bateria com alguns controles inteligentes. Esta é a lista de controles AOSP disponíveis, portanto o sistema operacional do seu dispositivo pode não respeitar todos os controles. + A cafeína evita que sua tela desligue automaticamente.\n\nMantenha sua tela ativa por um período específico ou indefinidamente. Útil ao ler artigos longos ou fazer referência a uma receita. + Obtenha o modo de economia de energia do Google Maps exclusivo da série Pixel 10 com fundo preto mínimo para exibir na tela de bloqueio em qualquer dispositivo Android. Inicie uma sessão de navegação, desligue e ligue a tela novamente. + Pulse a lanterna ao receber uma notificação.\n\nCom os dispositivos com suporte de hardware para escurecimento da lanterna, o pulso será suavemente animado. + Adie notificações irritantes e persistentes do sistema que não podem ser modificadas por padrão. \n\nAguarde até que a notificação chegue e entre neste recurso onde o canal de notificação\'s será listado. Selecione para adiar na próxima vez.\n\nQualquer notificação adiada ainda pode ser acessada no seu histórico de notificações no Android. + Adicione blocos personalizados ao painel de configurações rápidas.\n\nPressione e segure qualquer um deles para saber o que eles fazem. + Remapeie seus botões de hardware para executar diferentes ações e atalhos.\n\nPersonalize o que acontece quando você pressiona longamente os botões de volume com certas condições. \n\nAlguns comportamentos, como o gatilho de desligamento da tela ou os controles da lanterna, podem depender do OEM de sua implementação e podem não funcionar em todos os dispositivos conforme o esperado. Alguns cenários podem ser contornados usando permissões Shizuku, mas podem não proporcionar a mesma experiência devido às implementações. + Alterna automaticamente o filtro de luz azul da tela com base no aplicativo em primeiro plano. + Aumente a segurança quando seu dispositivo estiver bloqueado.\n\nRestringir o acesso a alguns blocos QS sensíveis, evitando modificações não autorizadas na rede e evitando ainda mais tentativas de fazê-lo, aumentando a velocidade da animação para evitar spam de toque.\n\nEste recurso não é robusto e pode ter falhas, como alguns blocos que permitem alternar diretamente, como bluetooth ou modo de vôo, não podendo ser impedido. + Proteja seus aplicativos com uma camada de autenticação secundária.\n\nO método de autenticação da tela de bloqueio do seu dispositivo será usado desde que atenda ao nível de segurança biométrica classe 3 pelos padrões Android. + Seja notificado quando chegar mais perto do seu destino para garantir que você nunca perca a parada.\n\nVá para o Google Maps, mantenha pressionado um alfinete próximo ao seu destino e certifique-se de que diz \"Alfinete caído\" (caso contrário, o cálculo da distância pode não ser preciso) e, em seguida, compartilhe a localização com o aplicativo Essentials e comece a rastrear. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go + Congele aplicativos para impedir que sejam executados em segundo plano.\n\nEvite o consumo de bateria e o uso de dados congelando completamente os aplicativos quando não os estiver usando. Eles serão descongelados instantaneamente quando você os iniciar. Os aplicativos não aparecerão na gaveta de aplicativos e também não aparecerão para atualizações de aplicativos na Play Store enquanto estiverem congelados. + Um método de entrada personalizado que ninguém pediu.\n\nÉ apenas uma experiência. Vários idiomas podem não ter suporte, pois é uma implementação muito complexa e demorada. + Monitore os níveis de bateria de todos os seus dispositivos conectados.\n\nVeja o status da bateria de seus fones de ouvido Bluetooth, relógio e outros acessórios em um só lugar. Conecte-se ao aplicativo AirSync para exibir também o nível da bateria do seu Mac. + Adicione uma legenda/marca d\'água personalizada às suas fotos com dados EXIF ​​e informações do dispositivo.\n\nCompartilhe uma imagem diretamente de outro aplicativo no Essentials para adicionar facilmente uma marca d\'água. + Sincronize toda a sua próxima programação de calendário, independentemente das restrições das contas do Google que não permitem a adição de dispositivos wearOS devido a políticas profissionais ou escolares. \n\nCertifique-se de instalar o aplicativo complementar wearOS Essentials para exibir a programação no aplicativo, bem como em um bloco ou uma complicação. + Acompanhe as atualizações dos seus aplicativos instalados.\n\nReceba notificações sobre atualizações disponíveis, visualize registros de alterações e instale-as facilmente com um toque. + Adicione feedback tátil às suas chamadas.\n\nVibra quando uma chamada é conectada, desconectada ou aceita, fornecendo confirmação tátil sem olhar para a tela. + Alterne rapidamente entre os modos Som, Vibração e Silencioso.\n\nUm bloco conveniente para alterar o modo de campainha sem usar os botões ou configurações de volume. Você pode reordenar os modos ou desativar qualquer um, se não for necessário, para personalizar a alternância do bloco para o comportamento do ciclo. + Alterne facilmente o efeito de profundidade de desfoque no nível do sistema em todo o sistema operacional. + Ative ou desative balões de notificação flutuantes.\n\nAlterne rapidamente a configuração de todo o sistema para balões de conversa. + Oculte conteúdo confidencial na tela de bloqueio.\n\nAlterne se o conteúdo da notificação é mostrado ou oculto quando o dispositivo está bloqueado. + Alternar toque para ativar a funcionalidade.\n\nAtive ou desative a capacidade de ativar sua tela com um toque. + Ative o Always On Display.\n\nAtive ou desative rapidamente o Always On Display para visualizar informações rapidamente. + Controle automaticamente seu Always On Display com base em suas notificações. Quando uma mensagem ou alerta chega de um aplicativo selecionado, o AOD permanecerá ativado até você descartar a notificação, garantindo que você nunca perca informações importantes sem desperdiçar bateria quando nenhum alerta estiver presente. + Combine canais de áudio em mono.\n\nÚtil ao usar um único fone de ouvido ou para fins de acessibilidade. + Alterne a lanterna.\n\nUm toque longo abre os controles para ajuste de intensidade que pode precisar de implementação de hardware que alguns dispositivos podem não ter. + Mantenha a tela ativa durante o carregamento.\n\nEvita que a tela hiberne enquanto o dispositivo estiver conectado a uma fonte de energia adequada para desenvolvedores durante a depuração. + Alterne NFC.\n\nAtive ou desative rapidamente a Near Field Communication para pagamentos e emparelhamento. + Alternar brilho adaptável.\n\nAtiva ou desativa o ajuste automático de brilho da tela com base na luz ambiente. + Alternar DNS privado.\n\nPercorrer os modos de provedor de DNS desativado, automático e privado. + Alternar depuração USB.\n\nAtivar ou desativar o acesso à depuração ADB diretamente nas configurações rápidas. + Inicie a ferramenta conta-gotas para escolher as cores introduzidas no Android 17 BETA 2 + Otimize a vida útil da bateria limitando a carga máxima ou usando o carregamento adaptativo. Isso foi especialmente projetado para dispositivos Pixel para garantir longevidade e ciclos de carregamento saudáveis.\n\nCréditos: TebbeUbben/ChargeQuickTile Download - Screen Off - Screen On - Device Unlock - Charger Connected - Charger Disconnected + Tela desligada + Tela ativada + Desbloqueio de dispositivo + Carregador conectado + Carregador desconectado Schedule Time Period Select Time @@ -669,448 +703,453 @@ Start Time End Time Repeat on - Charging - Screen On - Vibrate - Show Notification - Remove Notification - Turn On Flashlight - Turn Off Flashlight - Toggle Flashlight + Carregando + Tela ativada + Vibrar + Mostrar notificação + Remover notificação + Ligue a lanterna + Desligue a lanterna + Alternar lanterna Turn On Low Power Mode Turn Off Low Power Mode - Dim Wallpaper - This action requires Shizuku or Root to adjust system wallpaper dimming. - Select Trigger - App - Automate based on open app - Select State - Select Action - In Action - Out Action - Cancel - Save - Edit - Delete - Enable - Disable - Automation Service - Automations Active - Monitoring system events for your automations - Device Effects - Control system-level effects like grayscale, AOD suppression, wallpaper dimming, and night mode. - Grayscale - Suppress Ambient Display - Dim Wallpaper - Night Mode - This feature requires Android 15 or higher. - Enabled - Disabled - Sound Mode - This action allows switching between Sound, Vibrate, and Silent modes based on triggers. It requires Do Not Disturb access. + Papel de parede escuro + Esta ação requer que Shizuku ou Root ajustem o escurecimento do papel de parede do sistema. + Selecione o gatilho + Aplicativo + Automatize com base em aplicativo aberto + Selecione o estado + Selecione Ação + Em ação + Fora de ação + Cancelar + Salvar + Editar + Excluir + Habilitar + Desativar + Serviço de automação + Automações ativas + Monitorando eventos do sistema para suas automações + Efeitos do dispositivo + Controle os efeitos no nível do sistema, como escala de cinza, supressão de AOD, escurecimento do papel de parede e modo noturno. + Tons de cinza + Suprimir exibição de ambiente + Papel de parede escuro + Modo noturno + Este recurso requer Android 15 ou superior. + Habilitado + Desabilitado + Modo de som + Esta ação permite alternar entre os modos Som, Vibração e Silêncio com base nos gatilhos. Requer acesso Não perturbe. Sameera Wijerathna - The all-in-one toolbox for your Pixel and Androids + A caixa de ferramentas completa para Pixel e Androids - System - Custom - App specific + Sistema + Personalizado + Específico do aplicativo - Authentication failed - Long press an app in the grid to add a shortcut - App not found or uninstalled + Falha na autenticação + Mantenha pressionado um aplicativo na grade para adicionar um atalho + Aplicativo não encontrado ou desinstalado - App Updates - Notifications for new app updates - Update available - No devices connected - Unknown + Atualizações de aplicativos + Notificações para novas atualizações de aplicativos + Atualização disponível + Nenhum dispositivo conectado + Desconhecido 5G 4G 3G - Shizuku (Rikka) + Shizuku (Rika) Shizuku (TuoZi) - Search - Required to hard-lock the device when unauthorized network changes are attempted on lock screen. - Authenticate to access settings - %1$s Settings - feature - settings - hide - show - visibility - Error loading apps: %1$s + Procurar + Necessário para bloquear o dispositivo quando são tentadas alterações de rede não autorizadas na tela de bloqueio. + Autenticar para acessar as configurações + %1$s Configurações + recurso + configurações + esconder + mostrar + visibilidade + Erro ao carregar aplicativos: %1$s - vibration - touch - feel + vibração + tocar + sentir - network - visibility - auto - hide + rede + visibilidade + automático + esconder - restore - default - icon + restaurar + padrão + ícone - keyboard - height - padding - haptic - input + teclado + altura + preenchimento + háptico + entrada - light - torch + luz + tocha - light - torch - pulse - notification + luz + tocha + pulso + notificação - awake - developer - power - charge + acordado + desenvolvedor + poder + cobrar - glow - notification - led + brilho + notificação + liderado - round - shape - edge + redondo + forma + borda - secure - privacy - biometric + seguro + privacidade + biométrico face - fingerprint + impressão digital - sound - accessibility - hear + som + acessibilidade + ouvir - stay - on - timeout + ficar + sobre + tempo esgotado - touch - wake - display + tocar + acordar + mostrar - timer - wait - timeout + temporizador + espere + tempo esgotado - Always dark theme - Pitch black theme - Clipboard History + Tema sempre escuro + Tema preto como breu + Histórico da área de transferência Long press for symbols Accented characters - list - picker - selection + lista + selecionador + seleção - animation + animação visual - look + olhar - quiet - ignore - filter + quieto + ignorar + filtro - automation + automação auto - lock + trancar adb - usb - debug + USB + depurar - blur - glass - vignette + borrão + vidro + vinheta - float - window - overlay + flutuador + janela + sobreposição - always - display - clock + sempre + mostrar + relógio - audio - mute + áudio + mudo volume - blue - filter + azul + filtro auto - freeze + congelar shizuku manual - now + agora shizuku - proximity + proximidade sensor face - down + abaixo - switch - master + trocar + mestre - vibration - feel + vibração + sentir - battery - charge - optimization + bateria + cobrar + otimização pixel - Invert selection - Show system apps + Inverter seleção + Mostrar aplicativos do sistema - You are up to date - This is a pre-release version and might be unstable. - Release Notes %1$s - View on GitHub - Download APK + Você está atualizado + Esta é uma versão de pré-lançamento e pode ser instável. + Notas de versão %1$s + Ver no GitHub + Baixar APK - None - Subtle - Double - Click - Tick + Nenhum + Sutil + Dobro + Clique + Marcação - Turn Off - Flashlight Brightness + Desligar + Brilho da lanterna - Unlock phone to change network settings + Desbloqueie o telefone para alterar as configurações de rede - Developed by %1$s\nwith ❤\uFE0F from \uD83C\uDDF1\uD83C\uDDF0 - Website - Contact - Telegram - Support - Other Apps + Desenvolvido por %1$s\ncom ❤\uFE0F de \uD83C\uDDF1\uD83C\uDDF0 + Site + Contato + Telegrama + Apoiar + Outros aplicativos AirSync ZenZero - Canvas - Tasks + Tela + Tarefas Zero - Help & Guides - Need more support? Reach out, - Collapse - Expand - Support Group - Email - Send email - No email app available - Step %1$d Image + Ajuda e guias + Precisa de mais suporte? Estenda a mão, + Colapso + Expandir + Grupo de Apoio + E-mail + Enviar e-mail + Nenhum aplicativo de e-mail disponível + Passo %1$d Imagem - Accessibility, Notification and Overlay permissions - You may get this access denied message if you try to grant sensitive permissions such as accessibility, notification listener or overlay permissions. To grant it, check the steps below. - 1. Go to app info page of Essentials. - 2. Open the 3-dot menu and select \'Allow restricted settings\'. You may have to authenticate with biometrics. Once done, Try to grant the permission again. + Permissões de acessibilidade, notificação e sobreposição + Você pode receber esta mensagem de acesso negado se tentar conceder permissões confidenciais, como acessibilidade, ouvinte de notificação ou permissões de sobreposição. Para concedê-lo, verifique os passos abaixo. + 1. Vá para a página de informações do aplicativo Essentials. + 2. Abra o menu de 3 pontos e selecione \'Permitir configurações restritas\'. Talvez seja necessário autenticar com biometria. Uma vez feito isso, tente conceder a permissão novamente. Shizuku - Shizuku is a powerful tool that allows apps to use system APIs directly with ADB or root permissions. It is required for features like Maps min mode, App Freezer. And willa ssist granting some permissions such as WRITE_SECURE_SETTINGS. \n\nBut the Play Store version of Shizuku might be outdated and will probably be unusable on recent Android versions so in that case, please get the latest version from the github or an up-to-date fork of it. - Maps power saving mode - This feature automatically triggers Google Maps power saving mode which is currently exclusive to the Pixel 10 series. A community member discovered that it is still usable on any Android device by launching the maps minMode activity with root privileges. \n\nAnd then, I had it automated with Tasker to automatically trigger when the screen turns off during a navigation session and then was able to achieve the same with just runtime Shizuku permissions. \n\nIt is intended to be shown over the AOD of Pixel 10 series so because of that, you may see an occasional message popping up on the display that it does not support landscape mode. That is not avoidable by the app and you can ignore. - Silent sound mode - You may have noticed that the silent mode also triggers DND. \n\nThis is due to how the Android implemented it as even if we use the same API to switch to vibrate mode, it for some reason turns on DND along with the silent mode and this is not avoidable at this moment. :( - What is freeze? - Pause and stay away from app distractions while saving a little bit of power preventing apps running in the background. Suitable for rarely used apps. \n\nNot recommended for any communication services as they will not notify you in an emergency unless you unfreeze them. \n\nHighly advised to not freeze system apps as they can lead to system instability. Proceed with caution, You were warned. \n\nInspired by Hail <3 - Are app lock and screen locked security actually secure? - Absolutely not. \n\nAny 3rd party application can not 100% interfere with regular device interactions and even the app lock is only an overlay above selected apps to prevent interacting with them. There are workarounds and it is not foolproof. \n\nSame goes with the screen locked security feature which detects someone trying to interact with the network tiles which for some reason are still accessible for anyone on Pixels. So if they try hard enough they might still be able to change them and especially if you have a flight mode QS tile added, this app can not prevent interactions with it. \n\nThese features are made just as experiments for light usage and would never recommend as strong security and privacy solutions. \n\nSecure alternatives:\n - App lock: Private Space and Secure folder on Pixels and Samsung\n - Preventing mobile networks access: Make sure your theft protection and offline/ power off find my device settings are on. You may look into Graphene OS as well. - Statusbar icons - You may notice that even after resetting the statusbar icons, Some icons such as device rotation, wired headphone icons may stay visible. This is due to how the statubar blacklist is implemented in Android and how your OEM may have customized them. \nYou may need further adjustments. \n\nAlso not all icon visibility options may work as they depend on the OEM implementations and availability. - Notification lighting does not work - It depends on the OEM. Some like OneUI does not seem to allow overlays above the AOD preventing the lighting effects being shown. In this case, try the ambient display as a workaround. - Button remap does not work while display is off - Some OEMs limit the accessibility service reporting once the display is actually off but they may still work while the AOD is on. \nIn this case, you may able to use button remaps with AOD on but not with off. \n\nAs a workaround, you will need to use Shizuku permissions and turn on the \'Use Shizuku or Root\' toggle in button remap settings which identifies and listen to hardware input events.\nThis is not guaranteed to work on all devices and needs testing.\n\nAnd even if it\'s on, Shizuku method only will be used when it\'s needed. Otherwise it will always fallback to Accessibility which also handles the blocking of the actual input during long press. - Flashlight brightness does not work - Only a limited number of devices got hardware and software support adjusting the flashlight intensity. \n\n\'The minimum version of Android is 13 (SDK33).\nFlashlight brightness control only supports HAL version 3.8 and higher, so among the supported devices, the latest ones (For example, Pixel 6/7, Samsung S23, etc.)\'\npolodarb/Flashlight-Tiramisu - What the hell is this app? - Good question,\n\nI always wanted to extract the most out of my devices as I\'ve been a rooted user for ever since I got my first Project Treble device. And I\'ve been loving the Tasker app which is like the god when comes automation and utilizing every possible API and internal features of Android.\n\nSo I am not unrooted and back on stock Android beta experience and wanted to get the most out from what is possible with given privileges. Might as well share them. So with my beginner knowledge in Kotlin Jetpack and with the support of many research and assist tools and also the great community, I built an all-in-one app containing everything I wanted to be in my Android with given permissions. And here it is.\n\nFeature requests are welcome, I will consider and see if they are achievable with available permissions and my skills. Nowadays what is not possible. :)\n\nWhy not on Play Store?\nI don\'t wanna risk getting my Developer account banned due to the highly sensitive and internal permissions and APIs being used in the app. But with the way Android sideloading is headed, let\'s see what we have to do. I do understand the concerns of sideloaded apps being malicious.\nWhile we are at the topic, Checkout my other app AirSync if you are a mac + Android user. *shameless plug*\n\nEnjoy, Keep building! (っ◕‿◕)っ + Shizuku é uma ferramenta poderosa que permite que aplicativos usem APIs do sistema diretamente com ADB ou permissões de root. É necessário para recursos como modo mínimo do Maps e App Freezer. E insistirá em conceder algumas permissões, como WRITE_SECURE_SETTINGS. \n\nMas a versão do Shizuku na Play Store pode estar desatualizada e provavelmente ficará inutilizável em versões recentes do Android, portanto, nesse caso, obtenha a versão mais recente no github ou um fork atualizado dele. + Modo de economia de energia do Maps + Este recurso aciona automaticamente o modo de economia de energia do Google Maps, que atualmente é exclusivo da série Pixel 10. Um membro da comunidade descobriu que ele ainda pode ser usado em qualquer dispositivo Android iniciando a atividade minMode dos mapas com privilégios de root. \n\nE então, eu o automatizei com Tasker para acionar automaticamente quando a tela desliga durante uma sessão de navegação e então consegui fazer o mesmo com apenas permissões de tempo de execução do Shizuku. \n\nEle deve ser mostrado no AOD da série Pixel 10, por causa disso, você poderá ver uma mensagem ocasional aparecendo na tela informando que ele não suporta o modo paisagem. Isso não pode ser evitado pelo aplicativo e você pode ignorar. + Modo de som silencioso + Você deve ter notado que o modo silencioso também aciona o DND. \n\nIsso se deve à forma como o Android o implementou, pois mesmo que usemos a mesma API para mudar para o modo vibratório, por algum motivo ele ativa o DND junto com o modo silencioso e isso não é evitável neste momento. :( + O que é congelar? + Faça uma pausa e fique longe das distrações dos aplicativos enquanto economiza um pouco de energia, evitando que os aplicativos sejam executados em segundo plano. Adequado para aplicativos raramente usados. \n\nNão recomendado para quaisquer serviços de comunicação, pois eles não irão notificá-lo em caso de emergência, a menos que você os descongele. \n\nAltamente recomendado não congelar aplicativos do sistema, pois eles podem levar à instabilidade do sistema. Prossiga com cautela, você foi avisado. \n\nInspirado por Hail <3 + O bloqueio de aplicativos e a segurança de tela bloqueada são realmente seguros? + Absolutamente não. \n\nQualquer aplicativo de terceiros não pode interferir 100% nas interações regulares do dispositivo e até mesmo o bloqueio do aplicativo é apenas uma sobreposição acima dos aplicativos selecionados para evitar a interação com eles. Existem soluções alternativas e não são infalíveis. \n\nO mesmo acontece com o recurso de segurança de tela bloqueada que detecta alguém tentando interagir com os blocos de rede que, por algum motivo, ainda estão acessíveis para qualquer pessoa em Pixels. Portanto, se eles se esforçarem o suficiente, ainda poderão alterá-los e, especialmente, se você tiver um bloco QS de modo de voo adicionado, este aplicativo não poderá impedir interações com ele. \n\nEsses recursos são feitos apenas como experimentos para uso leve e nunca seriam recomendados como soluções fortes de segurança e privacidade. \n\nSeguro alternativas:\n - Bloqueio de aplicativo: espaço privado e pasta segura em Pixels e Samsung\n - Impedir o acesso a redes móveis: certifique-se de que a proteção contra roubo e as configurações off-line/desligamento encontre meu dispositivo estejam ativadas. Você também pode pesquisar o Graphene OS. + Ícones da barra de status + Você pode notar que mesmo depois de redefinir os ícones da barra de status, alguns ícones, como rotação do dispositivo e ícones de fones de ouvido com fio, podem permanecer visíveis. Isso se deve à forma como a lista negra statubar é implementada no Android e como seu OEM pode tê-la personalizado. \nVocê pode precisar de mais ajustes. \n\nAlém disso, nem todas as opções de visibilidade de ícones podem funcionar, pois dependem das implementações e disponibilidade do OEM. + A iluminação de notificação não funciona + Depende do OEM. Alguns, como o OneUI, parecem não permitir sobreposições acima do AOD, impedindo a exibição dos efeitos de iluminação. Nesse caso, tente a exibição do ambiente como solução alternativa. + O remapeamento do botão não funciona enquanto a exibição está desligada + Alguns OEMs limitam os relatórios do serviço de acessibilidade quando a tela está realmente desligada, mas eles ainda podem funcionar enquanto o AOD está ligado. \nNesse caso, você pode usar remapeamentos de botão com o AOD ativado, mas não desativado. \n\nComo solução alternativa, você precisará usar as permissões do Shizuku e ativar o \'Use Shizuku ou Root\' toggle nas configurações de remapeamento do botão que identifica e ouve eventos de entrada de hardware.\nIsso não é garantido para funcionar em todos os dispositivos e necessidades testando.\n\nE mesmo que\'estive ativado, o método Shizuku só será usado quando for\'s necessário. Caso contrário, ele sempre retornará para Acessibilidade, que também controla o bloqueio da entrada real durante um toque longo. + O brilho da lanterna não funciona + Apenas um número limitado de dispositivos tem suporte de hardware e software para ajustar a intensidade da lanterna. \n\n\'A versão mínima do Android é 13 (SDK33).\nO controle de brilho da lanterna suporta apenas HAL versão 3.8 e superior, portanto, entre os dispositivos suportados, os mais recentes (por exemplo, Pixel 6/7, Samsung S23, etc.)\'\npolodarb/Lanterna-Tiramisu + Que diabos é esse aplicativo? + Boa pergunta,\n\nSempre quis extrair o máximo dos meus dispositivos à medida que\'Sou um usuário rooteado desde que comprei meu primeiro dispositivo Project Treble. E eu\'Tenho adorado o aplicativo Tasker, que é como um deus quando se trata de automação e utiliza todas as APIs e recursos internos possíveis do Android.\n\nPortanto, não estou desenraizado e de volta à experiência beta do Android e queria aproveitar ao máximo o que é possível com determinados privilégios. É melhor compartilhá-los. Então, com meu conhecimento iniciante em Kotlin Jetpack e com o apoio de muitas ferramentas de pesquisa e assistência e também da grande comunidade, construí um aplicativo completo contendo tudo o que eu queria que estivesse em meu Android com determinadas permissões. E aqui está.\n\nSolicitações de recursos são bem-vindas. Vou considerar e ver se elas são viáveis ​​com as permissões disponíveis e minhas habilidades. Hoje em dia o que não é possível. :)\n\nPor que não na Play Store?\nEu não\'Não quero arriscar que minha conta de desenvolvedor seja banida devido às permissões e APIs altamente confidenciais e internas usadas no aplicativo. Mas com a forma como o sideload do Android está indo, vamos\'vamos ver o que temos que fazer. Eu entendo as preocupações de aplicativos transferidos serem maliciosos.\nJá que estamos no assunto, confira meu outro aplicativo AirSync se você for um usuário Mac + Android. *plugue sem vergonha*\n\nAproveite, continue construindo! (っ◕‿◕)っ - Bug report copied to clipboard - Bug report - Share logs - Include logs and details - Device Info - Raw Report - Open GitHub Issue - Email Report - Copy to Clipboard - Essentials Bug Report - Please enable crash reporting as it will automatically report details that would help resolving issues. + Relatório de bug copiado para a área de transferência + Relatório de bug + Compartilhar registros + Incluir registros e detalhes + Informações do dispositivo + Relatório Bruto + Abrir problema do GitHub + Relatório por e-mail + Copiar para a área de transferência + Relatório de erros essenciais + Enviar por - Are we there yet? - Destination nearby alerts - Open Google Maps, pick a location, and share it to Essentials. - Alert Radius: %d m - Location - Used to detect arrival at your destination. - Background Location - Required to monitor your arrival while the app is closed or the screen is off. - Destination Reached! - You have arrived at your destination. - Processing location… - DISTANCE REMAINING - Calculating… - Stop Tracking - Destination Ready - Start Tracking - View Map - Clear - No Destination - Open Maps - Full-Screen Alarm Permission - Required to wake your device upon arrival. Tap to grant. - %1$d m - %1$.1f km - Travel alarm active - %1$s remaining (%2$d%%) - Travel Progress - Shows real-time distance to destination - Destination Nearby - Prepare to get off - Dismiss - Destination set: %1$.4f, %2$.4f - Use Root - Instead of Shizuku - Root access not available. Please check your root manager. + Já chegamos? + Alertas de destino próximo + Abra o Google Maps, escolha um local e compartilhe-o no Essentials. + Raio de alerta: %d m + Localização + Usado para detectar a chegada ao seu destino. + Localização de fundo + Necessário para monitorar sua chegada enquanto o aplicativo está fechado ou a tela desligada. + Destino alcançado! + Você chegou ao seu destino. + Local de processamento… + DISTÂNCIA RESTANTE + Calculando… + Parar de rastrear + Destino pronto + Comece a rastrear + Ver mapa + Claro + Sem destino + Abrir mapas + Permissão de alarme em tela cheia + Necessário para ativar seu dispositivo na chegada. Toque para conceder. + %1$d eu + %1$,1f km + Alarme de viagem ativo + %1$s restante (%2$d%%) + Progresso da viagem + Mostra a distância em tempo real até o destino + Destino próximo + Prepare-se para descer + Liberar + Conjunto de destino: %1$.4f, %2$.4f + Usar raiz + Em vez de Shizuku + Acesso root não disponível. Por favor, verifique seu gerenciador root. - Keyboard - Keys - Customize layout and behavior - Keyboard Height - Adjust the total vertical size of the keyboard - Bottom Padding - Add space below the keyboard - Haptic Feedback - Vibrate on key press - Test the keyboard - Keyboard Height - Bottom Padding - Haptic Feedback - Key Roundness - Move functions to bottom - Functions side padding - Haptic feedback strength - Keyboard shape - Round - Flat - Inverse - Batteries - Monitor your device battery levels - Battery Status - Connect to AirSync - Display battery from your connected mac device in AirSync - Download AirSync App - Required for Mac battery sync - Battery notification - Persistent battery status notification - This notification displays battery levels for your connected Mac and Bluetooth devices. You can configure which devices to show in the Battery Widget settings. - Replicate the battery widget experience in your notification shade. It will show the battery levels of all your connected devices in a single persistent notification, updated in real-time. This includes your Mac (via AirSync) and Bluetooth accessories. - Battery Status Notification - Persistent notification showing connected devices battery levels - Nearby Devices - Required to detect and retrieve battery information from Bluetooth accessories + Teclado + Chaves + Personalize o layout e o comportamento + Altura do teclado + Ajuste o tamanho vertical total do teclado + Preenchimento inferior + Adicione espaço abaixo do teclado + Feedback tátil + Vibrar ao pressionar a tecla + Teste o teclado + Altura do teclado + Preenchimento inferior + Feedback tátil + Redondeza chave + Mover funções para baixo + Funções de preenchimento lateral + Força do feedback tátil + Formato do teclado + Redondo + Plano + Inverso + Baterias + Monitore os níveis de bateria do seu dispositivo + Status da bateria + Conecte-se ao AirSync + Exibir a bateria do seu dispositivo Mac conectado no AirSync + Baixe o aplicativo AirSync + Necessário para sincronização de bateria do Mac + Notificação de bateria + Notificação persistente de status da bateria + Este aplicativo mostra a porcentagem da bateria dos seus dispositivos Mac e Bluetooth conectados. Você pode configurar quais dispositivos serão exibidos nas configurações do widget de bateria. + Replique a experiência do widget de bateria na sua aba de notificações. Ele mostrará os níveis de bateria de todos os seus dispositivos conectados em uma única notificação persistente, atualizada em tempo real. Isso inclui seu Mac (via AirSync) e acessórios Bluetooth. + Notificação de status da bateria + Notificação persistente mostrando os níveis de bateria dos dispositivos conectados + Dispositivos próximos + Necessário para detectar e recuperar informações da bateria de acessórios Bluetooth - Copy code - Open login page - Sign in to extend API call limits - Waiting for authorization... - Sign in with GitHub - Sign out - Profile + Copiar código + Abrir página de login + Faça login para estender os limites de chamadas de API + Aguardando autorização... + Faça login com GitHub + sair + Perfil - Release Notes - No repositories tracked yet - No app linked - Updated %1$s + Notas de versão + Nenhum repositório rastreado ainda + Nenhum aplicativo vinculado + Atualizado %1$s - just now - %1$dm ago - %1$dh ago - %1$dd ago - %1$dmo ago - %1$dy ago - Retry - Start Sign In - Requesting device code... - 1. Copy your code: - 2. Paste the code on GitHub: - Found APKs - README - Refresh + agora mesmo + Today + Yesterday + %1$dhá muito tempo + %1$dh atrás + %1$dd atrás + %1$d days ago + %1$d weeks ago + %1$dhá cerca de um mês + %1$d months ago + %1$dvocê atrás + Tentar novamente + Iniciar login + Solicitando código do dispositivo... + 1. Copie seu código: + 2. Cole o código no GitHub: + APKs encontrados + LEIA-ME + Atualizar - Sound mode tile - QS tile to toggle sound mode - Show slider - Show volume slider in tile - Cycle Behavior - Choose modes to cycle through - Ambient music glance - Glance at media on AOD - Sound and Haptics - Volume and haptic features - Security and Privacy - Protect and secure your device - Notifications and Alerts - Never miss your priorities - Input and Actions - Control your device with ease + Bloco de modo de som + Bloco QS para alternar o modo de som + Mostrar controle deslizante + Mostrar controle deslizante de volume no bloco + Comportamento do Ciclo + Escolha os modos para percorrer + Olhar de música ambiente + Dê uma olhada na mídia no AOD + Som e sensação tátil + Volume e recursos táteis + Segurança e privacidade + Proteja e proteja seu dispositivo + Notificações e Alertas + Nunca perca suas prioridades + Entrada e ações + Controle seu dispositivo com facilidade Widgets - At a glance on your home screen - Display - Visuals to enhance your experience - Watch - Integrations with WearOS - No Watch detected - It looks like you do not have the Essentials Wear companion app installed on your watch. - Install Companion - Interaction + De relance na tela inicial + Mostrar + Recursos visuais para aprimorar sua experiência + Assistir + Integrações com WearOS + Nenhum relógio detectado + Parece que você não tem o aplicativo complementar Essentials Wear instalado no seu relógio. + Instalar companheiro + Interação Interface - Display - Protection - ABC + Mostrar + Proteção + abc \?#/ Kaomoji Joy @@ -1152,49 +1191,55 @@ Weapons Winking Writing - Oi! You can check updates in app settings, No need to add here XD - Export - Import - Repositories exported successfully - Failed to export repositories - Repositories imported successfully - Failed to import repositories - Apps - Scale and Animations - Adjust system scale and animations - Text - Font Scale - Font Weight - Reset - Scale - Smallest Width - Shizuku permission required to adjust scale - Grant Permission - Animations - Animator duration scale - Transition animation scale - Window animation scale - Adjust system-wide font scale, weight, and animation speeds. Note that some settings may require advanced permissions or a device reboot for certain apps to reflect changes. \n\nAdditional shizuku or root permission may be necessary for scale adjustments - Force turn off AOD - Force turn off the AOD when no notifications. Requires accessibility permission. - Auto accessibility - Automatically grants the accessibility permission on app launch if missing using WRITE_SECURE_SETTINGS. - Help and Guides - Your Android - Storage - Memory - Use blur - Enable progressive blur elements across the UI - Blur is disabled on this device to prevent a known display bug on Samsung devices with Android 15 or below. + Ei! Você pode verificar as atualizações nas configurações do aplicativo, não há necessidade de adicionar aqui XD + Exportar + Importar + Repositórios exportados com sucesso + Falha ao exportar repositórios + Repositórios importados com sucesso + Falha ao importar repositórios + Aplicativos + Escala e animações + Ajuste a escala e as animações do sistema + Texto + Escala de fonte + Peso da fonte + Reiniciar + Escala + Menor largura + É necessária permissão de Shizuku para ajustar a escala + Conceder permissão + Animações + Escala de duração do animador + Escala de animação de transição + Escala de animação de janela + Ajuste a escala da fonte, o peso e as velocidades de animação em todo o sistema. Observe que algumas configurações podem exigir permissões avançadas ou a reinicialização do dispositivo para determinados aplicativos para refletir as alterações. \n\nShizuku adicional ou permissão de root podem ser necessárias para ajustes de escala + Forçar desligamento do AOD + Forçar o desligamento do AOD quando não houver notificações. Requer permissão de acessibilidade. + Acessibilidade automática + Concede automaticamente a permissão de acessibilidade na inicialização do aplicativo, caso esteja faltando, usando WRITE_SECURE_SETTINGS. + Ajuda e guias + Seu Android + Armazenar + Memória + Usar desfoque + Habilite elementos de desfoque progressivo na IU + O desfoque está desativado neste dispositivo para evitar um bug de exibição conhecido em dispositivos Samsung com Android 15 ou inferior. - No apps selected to freeze. - Get Started - New Automation - Add Repository + Nenhum aplicativo selecionado para congelar. + Comece + Nova Automação + Adicionar repositório Describe the issue or provide feedback… Contact email Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-ro/strings.xml b/app/src/main/res/values-ro/strings.xml index 578823ea3..26ad30190 100644 --- a/app/src/main/res/values-ro/strings.xml +++ b/app/src/main/res/values-ro/strings.xml @@ -12,6 +12,7 @@ Puls lanternă Verificați pre-lansări Poate fi instabil + Default tab Securitate Activați blocarea aplicației @@ -113,6 +114,15 @@ Controlul aplicației Îngheţa Dezghețați + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Mai multe opțiuni Înghețați toate aplicațiile Dezghețați toate aplicațiile @@ -579,6 +589,7 @@ Căutare Stop Căutare + Search frozen apps Spate Spate @@ -632,6 +643,29 @@ Îmbunătățiți securitatea când dispozitivul este blocat.\n\nRestricționați accesul la unele piese QS sensibile, prevenind modificările neautorizate ale rețelei și împiedicându-le să reîncerce să facă acest lucru, prin creșterea vitezei de animație pentru a preveni spam-ul tactil.\n\nAceastă caracteristică nu este robustă și poate avea defecte, cum ar fi unele plăci care permit comutarea directă, cum ar fi bluetooth sau modul de zbor, care nu pot fi prevenite. Securizează-ți aplicațiile cu un strat de autentificare secundar.\n\nMetoda de autentificare a ecranului de blocare a dispozitivului va fi utilizată atâta timp cât îndeplinește nivelul de securitate biometrică clasa 3 conform standardelor Android. Primiți notificări când vă apropiați de destinație pentru a vă asigura că nu pierdeți oprirea.\n\nAccesați Google Maps, apăsați lung pe un indicator din apropierea destinației dvs. și asigurați-vă că scrie „Spinul aruncat” (În caz contrar, calculul distanței ar putea să nu fie precis), apoi partajați locația în aplicația Essentials și începeți urmărirea. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Înghețați aplicațiile pentru a le opri să ruleze în fundal.\n\nPreveniți consumarea bateriei și utilizarea datelor prin înghețarea completă a aplicațiilor atunci când nu le utilizați. Ele vor fi dezghețate instantaneu când le lansați. Aplicațiile nu vor apărea în sertarul de aplicații și, de asemenea, nu vor apărea pentru actualizările aplicațiilor în Magazinul Play când sunt înghețate. O metodă de introducere personalizată pe care nimeni nu a cerut-o.\n\nEste doar un experiment. Este posibil ca mai multe limbi să nu primească suport, deoarece este o implementare foarte complexă și consumatoare de timp. Monitorizați nivelul bateriei tuturor dispozitivelor dvs. conectate.\n\nVedeți starea bateriei căștilor, ceasului și altor accesorii Bluetooth într-un singur loc. Conectați-vă cu aplicația AirSync pentru a afișa și nivelul bateriei mac-ului. @@ -1067,10 +1101,15 @@ Actualizat %1$s tocmai acum + Today + Yesterday %1$dm în urmă %1$dh în urmă %1$dd acum d + %1$d days ago + %1$d weeks ago %1$dlună în urmă + %1$d months ago %1$dy acum Reîncercați Începeți conectarea @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-ru/strings.xml b/app/src/main/res/values-ru/strings.xml index 37ea6da70..85bfa949c 100644 --- a/app/src/main/res/values-ru/strings.xml +++ b/app/src/main/res/values-ru/strings.xml @@ -12,6 +12,7 @@ Мигание фонариком Проверять наличие pre-releases Могут быть нестабильны + Default tab Безопасность Включить блокировку приложения @@ -36,7 +37,7 @@ Отрегулируйте затухание и другие настройки Темная тема Использовать черный фон в темном режиме - Тактильная отдача + Вибрация Переназначить долгое нажатие Экран выключен Экран включен @@ -57,7 +58,7 @@ Показать всплывающее сообщение Показывать наложение на AOD Фоновый обзор музыки - Обзор медиа в режиме AOD + Обзор медиа в режиме AOD. Включает «Сейчас исполняется» на экране блокировки во время смены песни или громкости звука Закрепленный режим Сохраняйте наложение видимым на неопределенный срок во время воспроизведения музыки на AOD Обзор уведомлений @@ -111,8 +112,17 @@ Выбрать приложения Управление приложением - Заморозить + Заморозка Разморозить + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Больше настроек Заморозить все приложения Разморозить все приложения @@ -296,7 +306,7 @@ Смарт-данные Считывание состояния телефона Требуется для определения типа сети для использования функции смарт-передачи данных - Требуется для обнаружения изменений статуса вызова для запуска тактильной отдачи. + Требуется для обнаружения изменений статуса вызова для запуска вибрации. Умная видимость Умный Wi-Fi Скрыть мобильные данные при подключении Wi-Fi @@ -368,7 +378,7 @@ Запретить сетевой контроль Блокировка приложения Защитите приложения с помощью биометрии - Заморозить + Заморозка Отключите редко используемые приложения Водяной знак Добавить EXIF данные ​​и логотипы к фотографиям @@ -422,8 +432,8 @@ Локальные календари не найдены Синхронизация календаря началась - Виджет тактильной отдачи - Выберите тактильную отдачу для нажатий виджета + Виджет вибрации + Выберите вибрацию для нажатий виджета Умный Wi-Fi Скрыть мобильные данные при подключении Wi-Fi Умные данные @@ -478,7 +488,7 @@ Переключить опцию разработчика отладки по USB Включить переназначение кнопок Главный переключатель для переназначения кнопки громкости - Переназначение тактильной отдачи + Переназначение вибрации Вибрационная отдача при нажатии переназначенной кнопки Переключение фонарика Переключение фонарика кнопками громкости @@ -535,7 +545,7 @@ Убедитесь, что служба не отключена системой для экономии энергии. Essentials - Заморозить + Заморозка Заморожен DIY Приложения @@ -579,6 +589,7 @@ Поиск Стоп Поиск + Search frozen apps Назад Назад @@ -605,7 +616,7 @@ Свойства Выберите некоторые базовые настройки, чтобы начать. Настройки приложения - Language + Язык Тактильная отдача Обновления Автоматическая проверка обновлений @@ -618,7 +629,7 @@ Что это? Доступно обновление Подробно ознакомьтесь со спецификациями аппаратного и программного обеспечения вашего устройства. Эта информация взята из GSMArena и системных свойств, чтобы предоставить полный обзор вашего Android-устройства. - Фоновый обзор музыки включает «Сейчас исполняется» на экране блокировки, когда воспроизводится музыка и изменяется воспроизведение. \n\nЕсли ваше устройство не поддерживает наложение поверх AOD, вы можете выбрать фоновую заставку, добавленную в настройки Android, в качестве альтернативы во время зарядки. + Фоновый обзор музыки включает «Сейчас исполняется» на экране блокировки, когда воспроизводится медиа или изменяется громкость звука. \n\nЕсли ваше устройство не поддерживает наложение поверх AOD, вы можете выбрать фоновую заставку, добавленную в настройки Android, в качестве альтернативы во время зарядки. Подсветка уведомлений добавляет красивый эффект боковой подсветки при получении уведомлений.\n\nВы можете настроить стиль, цвета и поведение анимации. Он работает, даже когда экран выключен (зависит от OEM) или находится поверх текущего приложения. Выберите приложения, приоритет уведомлений или поведение, при котором оно должно запускаться, с помощью заданных элементов управления. Если ваш OEM-производитель не поддерживает наложения выше AOD, подайте в суд на опцию Ambient display, указанную ниже. Легко выключите экран, коснувшись прозрачного виджета с изменяемым размером, который не добавляет значков или беспорядка на главный экран. Получите полный контроль над значками строки состояния.\n\nСкрывайте определенные значки, например Wi-Fi, Bluetooth или данные сотовой связи, чтобы строка состояния оставалась чистой. Вы также можете настроить формат часов и индикатор заряда батареи с помощью интеллектуальных элементов управления. Это список доступных элементов управления AOSP, поэтому ОС вашего устройства может не поддерживать все элементы управления. @@ -632,13 +643,36 @@ Повысьте безопасность, когда ваше устройство заблокировано.\n\nОграничьте доступ к некоторым конфиденциальным плиткам быстрых настроек, предотвращая несанкционированные изменения в сети и дополнительно предотвращая их повторные попытки сделать это, увеличивая скорость анимации для предотвращения сенсорного спама.\n\nЭта функция не является надежной и может иметь недостатки. Hапример, некоторые плитки, которые позволяют переключаться напрямую и которые невозможно предотвратить (Bluetooth или Режим полета). Защитите свои приложения с помощью вторичного уровня аутентификации.\n\nМетод аутентификации на экране блокировки вашего устройства будет использоваться, если он соответствует уровню биометрической безопасности класса 3 по стандартам Android. Получите уведомление, когда вы приблизитесь к пункту назначения, чтобы не пропустить остановку.\n\nПерейдите на Google Карты, нажмите и удерживайте рядом с пунктом назначения и убедитесь, что открылось меню с описанием места, а затем поделитесь местоположением с приложением Essentials и начните отслеживать. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Заморозьте приложения, чтобы они не работали в фоновом режиме.\n\nПредотвратите разрядку аккумулятора и использование данных, полностью заморозив приложения, когда вы ими не пользуетесь. Они будут разморожены мгновенно при запуске. Приложения не будут отображаться в панели приложений, а также не будут отображаться в обновлениях приложений в Play Store, если они заморожены. Пользовательский метод ввода, о котором никто не просил.\n\nЭто всего лишь эксперимент. Несколько языков могут не поддерживаться, поскольку это очень сложная и трудоемкая реализация. Контролируйте уровень заряда батареи всех подключенных устройств.\n\nПросматривайте состояние батареи наушников, часов и других аксессуаров Bluetooth в одном месте. Подключитесь к приложению AirSync, чтобы отобразить уровень заряда батареи вашего Mac. Добавьте к своим фотографиям собственную подпись/водяной знак с данными EXIF ​​и информацией об устройстве.\n\nОтправьте изображение прямо из другого приложения в Essentials, чтобы легко добавить водяной знак. Синхронизируйте все предстоящее расписание календаря, независимо от ограничений учетных записей Google, которые не позволяют добавлять его на устройства WearOS из-за рабочих или учебных правил. \n\nОбязательно установите сопутствующее приложение WearOS Essentials, чтобы расписание отображалось в приложении, а также на плитке или в расширении. Следите за обновлениями установленных приложений.\n\nПолучайте уведомления о доступных обновлениях, просматривайте журналы изменений и легко устанавливайте их одним нажатием. - Добавьте к своим звонкам тактильную отдачу.\n\nВибрация при подключении, отключении или принятии вызова, давая вам тактильное подтверждение, не глядя на экран. + Добавьте к своим звонкам вибрацию.\n\nВибрация при подключении, отключении или принятии вызова, давая вам тактильное подтверждение, не глядя на экран. Быстро переключайтесь между режимами «Звук», «Вибрация» и «Без звука».\n\nУдобная плитка для изменения режима звонка без использования кнопок громкости или настроек. Вы можете изменить порядок режимов или отключить любой из них, если это не требуется, чтобы настроить переключение плиток для циклического поведения. Легко переключайте эффект глубины размытия на системном уровне в ОС. Включите или отключите плавающие всплывающие уведомления.\n\nБыстро переключайте общесистемные настройки для всплывающих окон разговоров. @@ -1023,16 +1057,16 @@ Отрегулировать вертикальный размер клавиатуры Нижняя прокладка Добавьте пространство под клавиатурой - Тактильная отдача + Вибрация Вибрация при нажатии клавиши Проверить клавиатуру Высота клавиатуры Нижняя прокладка - Тактильная отдача + Вибрация Ключевая округлость Переместить функции вниз Функции бокового заполнения - Сила тактильной отдачи + Сила вибрации Форма клавиатуры Круглый Плоский @@ -1067,10 +1101,15 @@ Обновлено %1$s прямо сейчас + Today + Yesterday %1$dм назад %1$dчас назад %1$dдень назад + %1$d days ago + %1$d weeks ago %1$dмесяц назад + %1$d months ago %1$dгод назад Повторить попытку Начать вход @@ -1081,19 +1120,19 @@ ПРОЧТИТЕ Обновить - Плитка режима звука + Плитка управления звуком Плитка быстрых настроек для переключения режима звука Показывать ползунок Показать ползунок громкости на плитке Поведение цикла Выбирайте режимы для переключения - Фоновый обзор музыки + Обзор музыки Обзор медиа в режиме AOD - Звук и тактильный отклик + Звук и вибрация Объем и тактильные особенности Безопасность и конфиденциальность Защитите и защитите свое устройство - Уведомления и оповещения + Уведомления Никогда не теряйте свои приоритеты Ввод и действия Управляйте своим устройством с легкостью @@ -1113,45 +1152,45 @@ АВС \?#/ Kaomoji - Joy - Love - Embarassment - Sympathy - Dissatisfaction - Anger - Apologizing - Bear - Bird - Cat - Confusion - Dog - Doubt - Enemies - Faces - Fear - Fish - Food - Friends - Games - Greeting - Hiding - Hugging - Indifference - Magic - Music - Nosebleeding - Pain - Pig - Rabbit - Running - Sadness - Sleeping - Special - Spider - Surprise - Weapons - Winking - Writing + Смех + Любовь + Смущение + Сочувствие + Недовольство + Гнев + Извинение + Медведь + Птица + Кот + Путаница + Собака + Сомнение + Противник + Лица + Страх + Рыба + Еда + Друзья + Игры + Приветствие + Скрываться + Объятие + Безразличие + Магия + Музыка + Кровотечение из носа + Боль + Свинья + Кролик + Убегающий + Печальный + Спящий + Особый + Паук + Шокированный + Оружие + Подмигивающий + Пишу Ой! Вы можете проверить обновления в настройках приложения, Не нужно добавлять сюда XD Экспорт Импорт @@ -1192,9 +1231,15 @@ Новая автоматизация Добавить репозиторий - Describe the issue or provide feedback… - Contact email - Send Feedback - Feedback sent successfully! Thanks for helping us improve the app. - Alternatively + Опишите проблему или предоставьте отзыв… + Адрес почты + Отправить отзыв + Отзыв отправлен! Спасибо, что помогаете улучшить приложение. + Альтернатива + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-si/strings.xml b/app/src/main/res/values-si/strings.xml index ecdb24e03..f3201130f 100644 --- a/app/src/main/res/values-si/strings.xml +++ b/app/src/main/res/values-si/strings.xml @@ -12,6 +12,7 @@ ෆ්ලෑෂ් ලයිට් ස්පන්දනය පූර්ව නිකුතු සඳහා පරීක්ෂා කරන්න අස්ථායී විය හැක + Default tab ආරක්ෂාව යෙදුම් අගුල සබල කරන්න @@ -113,6 +114,15 @@ යෙදුම් පාලනය කැටි කරන්න කැටි කිරීම ඉවත් කරන්න + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. තවත් විකල්ප සියලුම යෙදුම් නිශ්චල කරන්න සියලුම යෙදුම් නිශ්චල කරන්න @@ -579,6 +589,7 @@ සොයන්න නවත්වන්න සොයන්න + Search frozen apps ආපසු ආපසු @@ -632,6 +643,29 @@ ඔබගේ උපාංගය අගුලු දමා ඇති විට ආරක්ෂාව වැඩි දියුණු කරන්න.\n\nඅනවසර ජාල වෙනස් කිරීම් වලක්වන සමහර සංවේදී QS ටයිල් වෙත ප්‍රවේශය සීමා කරන්න සහ ස්පර්ශ ස්පෑම් වලක්වා ගැනීම සඳහා සජීවිකරණ වේගය වැඩි කිරීමෙන් ඒවා නැවත කිරීමට උත්සාහ කිරීම තවදුරටත් වලක්වන්න.\n\nමෙම විශේෂාංගය ශක්තිමත් නොවන අතර බ්ලූටූත් හෝ පියාසර ප්‍රකාරය වැළැක්විය නොහැකි වීම වැනි සෘජුව ටොගල් කිරීමට ඉඩ සලසන සමහර ටයිල් වැනි දෝෂ තිබිය හැක. ද්විතියික සත්‍යාපන ස්ථරයක් සමඟින් ඔබගේ යෙදුම් සුරක්ෂිත කරන්න.\n\nඔබගේ උපාංග අගුළු තිර සත්‍යාපන ක්‍රමය එය Android ප්‍රමිතීන්ට අනුව 3 පන්තියේ ජෛවමිතික ආරක්ෂණ මට්ටම සපුරාලන තාක් භාවිතා කරනු ඇත. ඔබට කිසිදා නැවතුම අතපසු නොවන බව සහතික කර ගැනීමට ඔබ ඔබේ ගමනාන්තයට ළං වූ විට දැනුම් දෙන්න.\n\nGoogle සිතියම් වෙත ගොස්, ඔබේ ගමනාන්තය අසල ඇති පින් එකක් දිගු වේලාවක් ඔබා එහි \"Dropped pin\" (නොඑසේ නම් දුර ගණනය කිරීම නිවැරදි නොවිය හැක) බව සහතික කර ගන්න. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go යෙදුම් පසුබිමේ ධාවනය වීම නැවැත්වීමට ඒවා කැටි කරන්න.\n\nඔබ ඒවා භාවිතා නොකරන විට යෙදුම් සම්පූර්ණයෙන්ම කැටි කිරීමෙන් බැටරි බැසයාම සහ දත්ත භාවිතය වළක්වන්න. ඔබ ඒවා දියත් කළ විට ඒවා ක්ෂණිකව නොනැසී පවතිනු ඇත. යෙදුම් යෙදුම් ලාච්චුවේ නොපෙන්වන අතර ශීත කළ විට Play Store හි යෙදුම් යාවත්කාලීන සඳහා ද නොපෙන්වයි. කිසිවෙකු ඉල්ලා නොසිටි අභිරුචි ආදාන ක්‍රමයක්.\n\nඑය අත්හදා බැලීමක් පමණි. එය ඉතා සංකීර්ණ හා කාලය ගතවන ක්‍රියාවට නැංවීමක් බැවින් බහු භාෂාවලට සහය නොලැබිය හැක. ඔබගේ සියලුම සම්බන්ධිත උපාංගවල බැටරි මට්ටම් නිරීක්ෂණය කරන්න.\n\nඔබගේ බ්ලූටූත් හෙඩ්ෆෝන්, ඔරලෝසුව, සහ අනෙකුත් උපාංගවල බැටරි තත්ත්වය එක තැනක බලන්න. ඔබගේ මැක් බැටරි මට්ටම ද ප්‍රදර්ශනය කිරීමට AirSync යෙදුම සමඟ සම්බන්ධ වන්න. @@ -1067,10 +1101,15 @@ යාවත්කාලීන කරන ලදී %1$s මේ දැන් + Today + Yesterday %1$dමීට පෙර %1$dh පෙර %1$dd පෙර + %1$d days ago + %1$d weeks ago %1$dමීට පෙර + %1$d months ago %1$dy පෙර නැවත උත්සාහ කරන්න පුරනය වීම ආරම්භ කරන්න @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-sr/strings.xml b/app/src/main/res/values-sr/strings.xml index 7c2ecc30a..07ae1fd9b 100644 --- a/app/src/main/res/values-sr/strings.xml +++ b/app/src/main/res/values-sr/strings.xml @@ -12,6 +12,7 @@ Пулс лампе Проверите да ли постоје претходна издања Можда је нестабилан + Default tab Безбедност Омогућите закључавање апликације @@ -113,6 +114,15 @@ Контрола апликација Фреезе Одмрзните + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Више опција Замрзните све апликације Одмрзните све апликације @@ -579,6 +589,7 @@ Тражи Стани Тражи + Search frozen apps Назад Назад @@ -632,6 +643,29 @@ Побољшајте безбедност када је ваш уређај закључан.\n\nОграничите приступ неким осетљивим КС плочицама чиме се спречавају неовлашћене модификације мреже и даље спречавају поновни покушаји да то ураде повећањем брзине анимације да бисте спречили нежељену пошту на додир.\n\nОва функција није робусна и може имати недостатке као што су неке плочице које омогућавају директно пребацивање, као што је блуетоотх или режим лета који се не може спречити. Осигурајте своје апликације секундарним слојем за потврду идентитета.\n\nМетод потврде аутентичности закључаног екрана вашег уређаја ће се користити све док испуњава биометријски ниво безбедности класе 3 према Андроид стандардима. Добијајте обавештење када се приближите свом одредишту како бисте били сигурни да никада нећете пропустити станицу.\n\nИдите на Гоогле мапе, дуго притисните чиоду у близини вашег одредишта и уверите се да пише „Испуштена игла“ (у супротном израчунавање удаљености можда неће бити тачно), а затим поделите локацију са апликацијом Ессентиалс и почните да пратите. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Замрзните апликације да бисте спречили њихово покретање у позадини.\n\nСпречите пражњење батерије и коришћење података тако што ћете потпуно замрзнути апликације када их не користите. Они ће се одмах одмрзнути када их покренете. Апликације се неће појавити у фиоци апликација, а такође се неће појавити за ажурирања апликација у Плаи продавници док су замрзнуте. Прилагођени метод уноса који нико није тражио.\n\nТо је само експеримент. Више језика можда неће добити подршку јер је имплементација веома сложена и дуготрајна. Пратите нивое батерије на свим повезаним уређајима.\n\nПогледајте статус батерије својих Блуетоотх слушалица, сата и друге додатне опреме на једном месту. Повежите се са апликацијом АирСинц да бисте приказали и ниво батерије вашег Мац рачунара. @@ -1067,10 +1101,15 @@ Ажурирано %1$s управо сада + Today + Yesterday %1$dпре м %1$dх пре %1$dд пре + %1$d days ago + %1$d weeks ago %1$dмо аго + %1$d months ago %1$dи аго Покушајте поново Почни пријаву @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-sv/strings.xml b/app/src/main/res/values-sv/strings.xml index 1c3a65c99..4aedc1f7a 100644 --- a/app/src/main/res/values-sv/strings.xml +++ b/app/src/main/res/values-sv/strings.xml @@ -12,6 +12,7 @@ Ficklampa Pulse Kolla efter förreleaser Kan vara instabil + Default tab Säkerhet Aktivera applås @@ -113,6 +114,15 @@ Appkontroll Frysa Frigör upp + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Fler alternativ Frys alla appar Frigör alla appar @@ -579,6 +589,7 @@ Söka Stopp Söka + Search frozen apps Tillbaka Tillbaka @@ -632,6 +643,29 @@ Förbättra säkerheten när din enhet är låst.\n\nBegränsa åtkomsten till vissa känsliga QS-rutor för att förhindra obehöriga nätverksändringar och ytterligare förhindra att de försöker göra det igen genom att öka animeringshastigheten för att förhindra beröringsspam.\n\nDen här funktionen är inte robust och kan ha brister som vissa brickor som tillåter växling direkt som bluetooth eller flygläge som inte kan förhindras. Skydda dina appar med ett sekundärt autentiseringslager.\n\nDin enhetslåsskärmsautentiseringsmetod kommer att användas så länge den uppfyller den biometriska säkerhetsnivån klass 3 enligt Android-standarder. Få ett meddelande när du kommer närmare din destination för att säkerställa att du aldrig missar stoppet.\n\nGå till Google Maps, tryck länge på en nål i närheten av din destination och se till att det står \"Tappad nål\" (annars kanske avståndsberäkningen inte stämmer), och dela sedan platsen till Essentials-appen och börja spåra. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Frys appar för att stoppa dem från att köras i bakgrunden.\n\nFörhindra batteriladdning och dataanvändning genom att helt frysa appar när du inte använder dem. De kommer att frysas upp direkt när du startar dem. Apparna kommer inte att dyka upp i applådan och kommer inte heller att dyka upp för appuppdateringar i Play Butik när de är frysta. En anpassad inmatningsmetod som ingen bad om.\n\nDet är bara ett experiment. Flera språk kanske inte får stöd eftersom det är en mycket komplex och tidskrävande implementering. Övervaka batterinivåerna för alla dina anslutna enheter.\n\nSe batteristatusen för dina Bluetooth-hörlurar, klocka och andra tillbehör på ett ställe. Anslut till AirSync-applikationen för att visa din Mac-batterinivå också. @@ -1067,10 +1101,15 @@ Uppdaterad %1$s just nu + Today + Yesterday %1$dm sedan %1$dh sedan %1$dd sedan + %1$d days ago + %1$d weeks ago %1$dmånad sedan + %1$d months ago %1$dy sedan Försöka igen Börja logga in @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-tr/strings.xml b/app/src/main/res/values-tr/strings.xml index 6f0b1513f..2fdbf01a5 100644 --- a/app/src/main/res/values-tr/strings.xml +++ b/app/src/main/res/values-tr/strings.xml @@ -12,6 +12,7 @@ El Feneri Darbesi Ön sürümleri kontrol edin Kararsız olabilir + Default tab Güvenlik Uygulama kilidini etkinleştir @@ -113,6 +114,15 @@ Uygulama Kontrolü Dondur Çöz + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Daha fazla seçenek Tüm uygulamaları dondur Tüm uygulamaları çöz @@ -579,6 +589,7 @@ Aramak Durmak Aramak + Search frozen apps Geri Geri @@ -632,6 +643,29 @@ Cihazınız kilitliyken güvenliği artırın.\n\nBazı hassas QS döşemelerine erişimi kısıtlayın, yetkisiz ağ değişikliklerini önleyin ve dokunma spam\'ını önlemek için animasyon hızını artırarak yeniden denemelerini önleyin.\n\nBu özellik sağlam değildir ve bluetooth veya uçuş modunun kullanılamaması gibi doğrudan geçişe izin veren bazı döşemeler gibi kusurlara sahip olabilir engellendi. Uygulamalarınızı ikincil bir kimlik doğrulama katmanıyla koruyun.\n\nCihazınızın kilit ekranı kimlik doğrulama yöntemi, Android standartlarına göre sınıf 3 biyometrik güvenlik düzeyini karşıladığı sürece kullanılacaktır. Durağı asla kaçırmadığınızdan emin olmak için varış noktanıza yaklaştığınızda bildirim alın.\n\nGoogle Haritalar\'a gidin, hedefinizin yakınındaki bir raptiyeye uzun basın ve \"Bırakılan raptiye\" yazdığından emin olun (Aksi takdirde mesafe hesaplaması doğru olmayabilir) Ve ardından konumu Essentials uygulamasıyla paylaşın ve izlemeye başlayın. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Arka planda çalışmasını durdurmak için uygulamaları dondurun.\n\nUygulamaları kullanmadığınız zamanlarda tamamen dondurarak pil tüketimini ve veri kullanımını önleyin. Başlattığınızda anında donmuş olacaklar. Uygulamalar uygulama çekmecesinde görünmeyecek ve dondurulduğunda Play Store\'daki uygulama güncellemeleri için de görünmeyecek. Kimsenin istemediği özel bir giriş yöntemi.\n\nBu sadece bir deney. Çok karmaşık ve zaman alıcı bir uygulama olduğundan birden fazla dil destek alamayabilir. Bağlı tüm cihazlarınızın pil seviyelerini izleyin.\n\nBluetooth kulaklığınızın, saatinizin ve diğer aksesuarlarınızın pil durumunu tek bir yerden görün. Mac pil seviyenizi de görüntülemek için AirSync uygulamasına bağlanın. @@ -1067,10 +1101,15 @@ Güncellendi %1$s Şu anda + Today + Yesterday %1$dm önce %1$dsaat önce %1$dgün önce + %1$d days ago + %1$d weeks ago %1$day önce + %1$d months ago %1$dsen önce Yeniden dene Oturum Açmayı Başlat @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-uk/strings.xml b/app/src/main/res/values-uk/strings.xml index ddbdce66e..c1d6ae500 100644 --- a/app/src/main/res/values-uk/strings.xml +++ b/app/src/main/res/values-uk/strings.xml @@ -12,6 +12,7 @@ Імпульсний ліхтарик Перевірте попередні випуски Може бути нестабільним + Default tab Безпека Увімкнути блокування програми @@ -113,6 +114,15 @@ Контроль програми Заморозити Розморозити + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Більше варіантів Заморозити всі програми Розморозити всі програми @@ -579,6 +589,7 @@ Пошук СТІЙ Пошук + Search frozen apps Назад Назад @@ -632,6 +643,29 @@ Покращте безпеку, коли ваш пристрій заблоковано.\n\nОбмежте доступ до деяких конфіденційних плиток QS, запобігаючи неавторизованим змінам мережі та запобігаючи їх повторним спробам зробити це, збільшуючи швидкість анімації, щоб запобігти сенсорному спаму.\n\nЦя функція ненадійна та може мати недоліки, наприклад деякі плитки які дозволяють перемикати напряму, наприклад, Bluetooth або режим польоту, яким неможливо запобігти. Захистіть свої програми за допомогою вторинного рівня автентифікації.\n\nМетод автентифікації екрана блокування вашого пристрою використовуватиметься, якщо він відповідає рівню біометричної безпеки класу 3 за стандартами Android. Отримуйте сповіщення, коли наближаєтеся до місця призначення, щоб ніколи не пропустити зупинку.\n\nПерейдіть на Карти Google, натисніть і утримуйте маркер поруч із пунктом призначення та переконайтеся, що на ньому написано «Випущена шпилька» (інакше розрахунок відстані може бути неточним), а потім поділіться місцезнаходженням із програмою Essentials і почніть стежити. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Заморозьте програми, щоб припинити їх роботу у фоновому режимі.\n\nЗапобігайте розрядженню акумулятора та використанню даних, повністю заморозивши програми, коли ви ними не користуєтеся. Вони будуть миттєво розморожені, коли ви їх запустите. Програми не відображатимуться в панелі програм, а також не відображатимуться для оновлень програм у Play Store, коли вони заморожені. Спеціальний метод введення, про який ніхто не запитував.\n\nЦе лише експеримент. Кілька мов можуть не підтримуватися, оскільки це дуже складна і трудомістка реалізація. Відстежуйте рівень заряду батареї всіх своїх підключених пристроїв.\n\nПереглядайте стан батареї своїх Bluetooth-навушників, годинника та інших аксесуарів в одному місці. Підключіться до програми AirSync, щоб також відображати рівень заряду акумулятора Mac. @@ -1067,10 +1101,15 @@ Оновлено %1$s тільки зараз + Today + Yesterday %1$dм тому %1$dгод тому %1$dd тому + %1$d days ago + %1$d weeks ago %1$dміс тому + %1$d months ago %1$dy тому Повторіть спробу Розпочати вхід @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-vi/strings.xml b/app/src/main/res/values-vi/strings.xml index d608ac891..b5ee5115b 100644 --- a/app/src/main/res/values-vi/strings.xml +++ b/app/src/main/res/values-vi/strings.xml @@ -12,6 +12,7 @@ Xung đèn pin Kiểm tra các bản phát hành trước Có thể không ổn định + Default tab Bảo vệ Bật khóa ứng dụng @@ -113,6 +114,15 @@ Kiểm soát ứng dụng Đông cứng giải phóng + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. Nhiều lựa chọn hơn Đóng băng tất cả ứng dụng Giải phóng tất cả ứng dụng @@ -579,6 +589,7 @@ Tìm kiếm Dừng lại Tìm kiếm + Search frozen apps Mặt sau Mặt sau @@ -632,6 +643,29 @@ Tăng cường bảo mật khi thiết bị của bạn bị khóa.\n\nHạn chế quyền truy cập vào một số ô QS nhạy cảm ngăn chặn sửa đổi mạng trái phép và ngăn chặn chúng cố gắng làm như vậy lại bằng cách tăng tốc độ hoạt ảnh để ngăn chặn spam cảm ứng.\n\nTính năng này không mạnh mẽ và có thể có sai sót, chẳng hạn như một số ô cho phép chuyển đổi trực tiếp như bluetooth hoặc chế độ máy bay không thể ngăn chặn được. Bảo mật ứng dụng của bạn bằng lớp xác thực phụ.\n\nPhương thức xác thực màn hình khóa thiết bị của bạn sẽ được sử dụng miễn là nó đáp ứng mức bảo mật sinh trắc học cấp 3 theo tiêu chuẩn Android. Nhận thông báo khi bạn đến gần điểm đến hơn để đảm bảo bạn không bao giờ bỏ lỡ điểm dừng.\n\nTruy cập Google Maps, nhấn và giữ một ghim ở gần điểm đến của bạn và đảm bảo rằng ghim đó có nội dung \"Đã đánh dấu ghim\" (Nếu không, tính toán khoảng cách có thể không chính xác), sau đó chia sẻ vị trí với ứng dụng Essentials và bắt đầu theo dõi. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Đóng băng các ứng dụng để ngăn chúng chạy ẩn.\n\nNgăn chặn tình trạng hao pin và sử dụng dữ liệu bằng cách đóng băng hoàn toàn các ứng dụng khi bạn không sử dụng chúng. Chúng sẽ được rã đông ngay lập tức khi bạn khởi chạy chúng. Các ứng dụng sẽ không hiển thị trong ngăn ứng dụng và cũng sẽ không hiển thị để cập nhật ứng dụng trong Cửa hàng Play khi bị treo. Phương thức nhập tùy chỉnh không ai yêu cầu.\n\nĐây chỉ là một thử nghiệm. Nhiều ngôn ngữ có thể không nhận được hỗ trợ vì đây là việc triển khai rất phức tạp và tốn thời gian. Theo dõi mức pin của tất cả các thiết bị được kết nối của bạn.\n\nXem trạng thái pin của tai nghe, đồng hồ Bluetooth và các phụ kiện khác ở cùng một nơi. Kết nối với ứng dụng AirSync để hiển thị mức pin máy Mac của bạn. @@ -1067,10 +1101,15 @@ Đã cập nhật %1$s ngay bây giờ + Today + Yesterday %1$dcách đây vài phút %1$dgiờ trước %1$dngày trước + %1$d days ago + %1$d weeks ago %1$dcách đây vài tháng + %1$d months ago %1$dnăm trước Thử lại Bắt đầu Đăng nhập @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values-zh/strings.xml b/app/src/main/res/values-zh/strings.xml index dca3c83be..6d0e8560c 100644 --- a/app/src/main/res/values-zh/strings.xml +++ b/app/src/main/res/values-zh/strings.xml @@ -12,6 +12,7 @@ 闪光灯脉冲 检查预览版更新 可能不稳定 + Default tab 安全性 启用应用锁 @@ -113,6 +114,15 @@ App Control Freeze Unfreeze + Remove + Create shortcut + App info + What is Freeze? + App freezing disables the app\'s launch activity which removes it from the app list and updates. It will prevent the app from starting at all until it\'s unfrozen which saves resources but you will need to unfreeze from here or manually re-enable. + DO NOT FREEZE COMMUNICATION APPS + What is Suspend? + Suspending an app used to pause the app activity and prevent background executions but with recent Android changes, it only pauses the notifications from appearing and that\'s pretty much it. But does allows you to unpause from the launcher app list as they will be still available as grayscale paused app icons. + Should work the same as the native app pause/ focus mode features. More options Freeze all apps Unfreeze all apps @@ -579,6 +589,7 @@ Search Stop Search + Search frozen apps Back Back @@ -632,6 +643,29 @@ Enhance security when your device is locked.\n\nRestrict access to some sensitive QS tiles preventing unauthorized network modifications and further preventing them re-attempting to do so by increasing the animation speed to prevent touch spam.\n\nThis feature is not robust and may have flaws such as some tiles which allow toggling directly such as bluetooth or flight mode not being able to be prevented. Secure your apps with a secondary authentication layer.\n\nYour device lock screen authentication method will be used as long as it meets the class 3 biometric security level by Android standards. Get notified when you get closer to your destination to ensure you never miss the stop.\n\nGo to Google Maps, long press a pin nearby to your destination and make sure it says \"Dropped pin\" (Otherwise the distance calculation might not be accurate), And then share the location to the Essentials app and start tracking. + Add Destination + Edit Destination + Home, Office, etc. + Name + Save + Cancel + Resolving location… + Last Trip + Saved Destinations + No destinations saved yet. + Delete Destination + Tracking Now + Re-Start + Share coordinates (Dropped pin) from Google Maps to Essentials to save as a destination.\n\nThe distance shown is the direct distance to the destination, not the distance along the roads.\n\nTake all calculations of time and distance with a grain of salt as they are not always accurate. + Are we there yet? + Radius: %1$d m + Distance to target: %1$s + Last: %1$s + Never + To go + %1$d min + %1$d hr %2$d min + %1$s (%2$d%%) • %3$s to go Freeze apps to stop them from running in the background.\n\nPrevent battery drain and data usage by completely freezing apps when you are not using them. They will be unfrozen instantly when you launch them. The apps will not show up in the app drawer and also will not show up for app updates in Play Store while frozen. A custom input method no-one asked for.\n\nIt is just an experiment. Multiple languages may not get support as it is a very complex and time consuming implementation. Monitor battery levels of all your connected devices.\n\nSee the battery status of your Bluetooth headphones, watch, and other accessories in one place. Connect with AirSync application to display your mac battery level as well. @@ -1067,10 +1101,15 @@ Updated %1$s just now + Today + Yesterday %1$dm ago %1$dh ago %1$dd ago + %1$d days ago + %1$d weeks ago %1$dmo ago + %1$d months ago %1$dy ago Retry Start Sign In @@ -1197,4 +1236,10 @@ Send Feedback Feedback sent successfully! Thanks for helping us improve the app. Alternatively + + Diagnostics + Device Check + Get ready to be flashbanged! + Abort + Continue diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 09f762b01..12a5531c4 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -1328,5 +1328,10 @@ Get ready to be flashbanged! Abort Continue + Your Essentials trial has expired + Your free trial period of Essentials has ended. Access to advanced features like Button Remap, App Freezing, and DIY Automations with Premium. + What\'s in Premium? + April Fools! + Just kidding, Essentials is and will always be free and open source. Enjoy! (っ◕‿◕)っ \ No newline at end of file