diff --git a/README.md b/README.md
index a39f68290..00f2d4746 100644
--- a/README.md
+++ b/README.md
@@ -94,7 +94,7 @@ please see [this FAQ](https://github.com/M66B/NetGuard/blob/master/FAQ.md#user-c
NetGuard is not supported for apps installed in a [work profile](https://developer.android.com/work/managed-profiles),
or in a [Secure Folder](https://www.samsung.com/uk/support/mobile-devices/what-is-the-secure-folder-and-how-do-i-use-it/) (Samsung),
-or as second instance (MIUI)
+or as second instance (MIUI), or as Parallel app (OnePlus),
because the Android VPN service too often does not work correctly in this situation, which can't be fixed by NetGuard.
Filtering mode cannot be used on [CopperheadOS](https://copperhead.co/android/).
diff --git a/app/build.gradle b/app/build.gradle
index 15ea68e2e..e54bb27b9 100644
--- a/app/build.gradle
+++ b/app/build.gradle
@@ -9,10 +9,10 @@ android {
defaultConfig {
applicationId = "eu.faircode.netguard"
- versionName = "2.295"
+ versionName = "2.296"
minSdkVersion 22
targetSdkVersion 30
- versionCode = 2021032201
+ versionCode = 2021061401
archivesBaseName = "NetGuard-v$versionName"
externalNativeBuild {
@@ -23,7 +23,7 @@ android {
}
}
- //ndkVersion "21.0.6113669"
+ ndkVersion "21.4.7075529"
ndk {
// https://developer.android.com/ndk/guides/abis.html#sa
abiFilters 'armeabi-v7a', 'arm64-v8a', 'x86', 'x86_64'
@@ -76,18 +76,23 @@ android {
buildConfigField "String", "GITHUB_LATEST_API", "\"https://api.github.com/repos/M66B/NetGuard/releases/latest\""
}
}
+
+ compileOptions {
+ sourceCompatibility JavaVersion.VERSION_1_7
+ targetCompatibility JavaVersion.VERSION_1_7
+ }
}
dependencies {
implementation fileTree(dir: 'libs', include: ['*.jar'])
// https://developer.android.com/jetpack/androidx/releases/
- implementation 'androidx.appcompat:appcompat:1.2.0'
+ implementation 'androidx.appcompat:appcompat:1.3.0'
implementation 'androidx.swiperefreshlayout:swiperefreshlayout:1.1.0'
- implementation 'androidx.recyclerview:recyclerview:1.1.0'
+ implementation 'androidx.recyclerview:recyclerview:1.2.1'
implementation 'androidx.preference:preference:1.1.1'
implementation 'androidx.localbroadcastmanager:localbroadcastmanager:1.0.0'
- annotationProcessor 'androidx.annotation:annotation:1.1.0'
+ annotationProcessor 'androidx.annotation:annotation:1.2.0'
// https://bumptech.github.io/glide/
implementation('com.github.bumptech.glide:glide:4.11.0') {
diff --git a/app/src/main/java/eu/faircode/netguard/ActivityMain.java b/app/src/main/java/eu/faircode/netguard/ActivityMain.java
index 28ae23d31..948e5cdb9 100644
--- a/app/src/main/java/eu/faircode/netguard/ActivityMain.java
+++ b/app/src/main/java/eu/faircode/netguard/ActivityMain.java
@@ -193,24 +193,29 @@ public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) {
prefs.edit().putBoolean("enabled", isChecked).apply();
if (isChecked) {
- String alwaysOn = Settings.Secure.getString(getContentResolver(), "always_on_vpn_app");
- Log.i(TAG, "Always-on=" + alwaysOn);
- if (!TextUtils.isEmpty(alwaysOn))
- if (getPackageName().equals(alwaysOn)) {
- if (prefs.getBoolean("filter", false)) {
- int lockdown = Settings.Secure.getInt(getContentResolver(), "always_on_vpn_lockdown", 0);
- Log.i(TAG, "Lockdown=" + lockdown);
- if (lockdown != 0) {
- swEnabled.setChecked(false);
- Toast.makeText(ActivityMain.this, R.string.msg_always_on_lockdown, Toast.LENGTH_LONG).show();
- return;
+ try {
+ String alwaysOn = Settings.Secure.getString(getContentResolver(), "always_on_vpn_app");
+ Log.i(TAG, "Always-on=" + alwaysOn);
+ if (!TextUtils.isEmpty(alwaysOn))
+ if (getPackageName().equals(alwaysOn)) {
+ if (Build.VERSION.SDK_INT < Build.VERSION_CODES.Q &&
+ prefs.getBoolean("filter", false)) {
+ int lockdown = Settings.Secure.getInt(getContentResolver(), "always_on_vpn_lockdown", 0);
+ Log.i(TAG, "Lockdown=" + lockdown);
+ if (lockdown != 0) {
+ swEnabled.setChecked(false);
+ Toast.makeText(ActivityMain.this, R.string.msg_always_on_lockdown, Toast.LENGTH_LONG).show();
+ return;
+ }
}
+ } else {
+ swEnabled.setChecked(false);
+ Toast.makeText(ActivityMain.this, R.string.msg_always_on, Toast.LENGTH_LONG).show();
+ return;
}
- } else {
- swEnabled.setChecked(false);
- Toast.makeText(ActivityMain.this, R.string.msg_always_on, Toast.LENGTH_LONG).show();
- return;
- }
+ } catch (Throwable ex) {
+ Log.e(TAG, ex.toString() + "\n" + Log.getStackTraceString(ex));
+ }
boolean filter = prefs.getBoolean("filter", false);
if (filter && Util.isPrivateDns(ActivityMain.this))
diff --git a/app/src/main/java/eu/faircode/netguard/ApplicationEx.java b/app/src/main/java/eu/faircode/netguard/ApplicationEx.java
index d88a17bb7..3b7e0da8c 100644
--- a/app/src/main/java/eu/faircode/netguard/ApplicationEx.java
+++ b/app/src/main/java/eu/faircode/netguard/ApplicationEx.java
@@ -67,10 +67,12 @@ private void createNotificationChannels() {
NotificationChannel notify = new NotificationChannel("notify", getString(R.string.channel_notify), NotificationManager.IMPORTANCE_DEFAULT);
notify.setSound(null, Notification.AUDIO_ATTRIBUTES_DEFAULT);
+ notify.setBypassDnd(true);
nm.createNotificationChannel(notify);
NotificationChannel access = new NotificationChannel("access", getString(R.string.channel_access), NotificationManager.IMPORTANCE_DEFAULT);
access.setSound(null, Notification.AUDIO_ATTRIBUTES_DEFAULT);
+ access.setBypassDnd(true);
nm.createNotificationChannel(access);
}
}
diff --git a/app/src/main/java/eu/faircode/netguard/ServiceSinkhole.java b/app/src/main/java/eu/faircode/netguard/ServiceSinkhole.java
index 4ff9f18cd..4c3c08cda 100644
--- a/app/src/main/java/eu/faircode/netguard/ServiceSinkhole.java
+++ b/app/src/main/java/eu/faircode/netguard/ServiceSinkhole.java
@@ -57,6 +57,7 @@
import android.os.PowerManager;
import android.os.Process;
import android.os.SystemClock;
+import android.provider.Settings;
import android.telephony.PhoneStateListener;
import android.telephony.TelephonyManager;
import android.text.Spannable;
@@ -160,12 +161,13 @@ public class ServiceSinkhole extends VpnService implements SharedPreferences.OnS
private static final int NOTIFY_ENFORCING = 1;
private static final int NOTIFY_WAITING = 2;
private static final int NOTIFY_DISABLED = 3;
- private static final int NOTIFY_AUTOSTART = 4;
- private static final int NOTIFY_ERROR = 5;
- private static final int NOTIFY_TRAFFIC = 6;
- private static final int NOTIFY_UPDATE = 7;
- public static final int NOTIFY_EXTERNAL = 8;
- public static final int NOTIFY_DOWNLOAD = 9;
+ private static final int NOTIFY_LOCKDOWN = 4;
+ private static final int NOTIFY_AUTOSTART = 5;
+ private static final int NOTIFY_ERROR = 6;
+ private static final int NOTIFY_TRAFFIC = 7;
+ private static final int NOTIFY_UPDATE = 8;
+ public static final int NOTIFY_EXTERNAL = 9;
+ public static final int NOTIFY_DOWNLOAD = 10;
public static final String EXTRA_COMMAND = "Command";
private static final String EXTRA_REASON = "Reason";
@@ -439,6 +441,16 @@ public void onCallStateChanged(int state, String incomingNumber) {
Log.e(TAG, "Unknown command=" + cmd);
}
+ if (cmd == Command.start || cmd == Command.reload) {
+ if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.Q) {
+ boolean filter = prefs.getBoolean("filter", false);
+ if (filter && isLockdownEnabled())
+ showLockdownNotification();
+ else
+ removeLockdownNotification();
+ }
+ }
+
if (cmd == Command.start || cmd == Command.reload || cmd == Command.stop) {
// Update main view
Intent ruleset = new Intent(ActivityMain.ACTION_RULES_CHANGED);
@@ -2898,6 +2910,36 @@ private void showDisabledNotification() {
NotificationManagerCompat.from(this).notify(NOTIFY_DISABLED, notification.build());
}
+ private void showLockdownNotification() {
+ Intent intent = new Intent(Settings.ACTION_VPN_SETTINGS);
+ PendingIntent pi = PendingIntent.getActivity(this, NOTIFY_LOCKDOWN, intent, PendingIntent.FLAG_UPDATE_CURRENT);
+
+ TypedValue tv = new TypedValue();
+ getTheme().resolveAttribute(R.attr.colorOff, tv, true);
+ NotificationCompat.Builder builder = new NotificationCompat.Builder(this, "notify");
+ builder.setSmallIcon(R.drawable.ic_error_white_24dp)
+ .setContentTitle(getString(R.string.app_name))
+ .setContentText(getString(R.string.msg_always_on_lockdown))
+ .setContentIntent(pi)
+ .setPriority(NotificationCompat.PRIORITY_HIGH)
+ .setColor(tv.data)
+ .setOngoing(false)
+ .setAutoCancel(true);
+
+ if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP)
+ builder.setCategory(NotificationCompat.CATEGORY_STATUS)
+ .setVisibility(NotificationCompat.VISIBILITY_SECRET);
+
+ NotificationCompat.BigTextStyle notification = new NotificationCompat.BigTextStyle(builder);
+ notification.bigText(getString(R.string.msg_always_on_lockdown));
+
+ NotificationManagerCompat.from(this).notify(NOTIFY_LOCKDOWN, notification.build());
+ }
+
+ private void removeLockdownNotification() {
+ NotificationManagerCompat.from(this).cancel(NOTIFY_LOCKDOWN);
+ }
+
private void showAutoStartNotification() {
Intent main = new Intent(this, ActivityMain.class);
main.putExtra(ActivityMain.EXTRA_APPROVE, true);
diff --git a/app/src/main/res/values-fa/strings.xml b/app/src/main/res/values-fa/strings.xml
index 6f671d166..cf08567cc 100644
--- a/app/src/main/res/values-fa/strings.xml
+++ b/app/src/main/res/values-fa/strings.xml
@@ -3,7 +3,7 @@
NetGuard راهکارهای ساده و پیشرفتهای برای مسدود کردن دسترسی به اینترنت فراهم میکند - بدون نیاز به روت بودن گوشی. هرکدام از برنامهها و سایتها میتوانند جداگانه به وایفای/داده موبایل دسترسی مجاز یا غیر مجاز داشته باشند.
NetGuard نیاز به اندروید 5.1 یا بالاتر دارد
Xposed موجب خطاهای زیاد میشود، که شاید موجب حذف شدن NetGuard از گوگل پلی استور شود، برای همین NetGuard هنگامی که Xposed نصب شده است ، پشتیبانی نمیشود
- سیاست حفظ حریم خصوصی
+ Privacy policy
مراقبتی عالی برای توسعه و آزمایش NetGuard بکار برده شده است، با این حال تضمین اینکه NetGuard بر روی هر دستگاهی به درستی کار خواد کرد غیرممکن است.
میپذیرم
نمیپذیرم
diff --git a/app/src/main/res/values-it/strings.xml b/app/src/main/res/values-it/strings.xml
index 7e29622bf..aa45929b5 100644
--- a/app/src/main/res/values-it/strings.xml
+++ b/app/src/main/res/values-it/strings.xml
@@ -1,22 +1,22 @@
NetGuard fornisce sia opzioni semplici che avanzate per bloccare l\'accesso a internet - non necessita di root. Alle applicazioni ed agli indirizzi può essere consentito o negato, singolarmente, l\'accesso alle connessioni Wi-Fi e/o mobile.
- NetGuard richiede Android 5.1 o successivo
- Xposed provoca troppi crash, di conseguenza NetGuard rischierebbe la rimozione dal Google Play Store. Perciò NetGuard non è supportato quando Xposed è installato.
- Politica sulla privacy
- Si è posta grande cura nello sviluppo e test di NetGuard, tuttavia è impossibile garantire che NetGuard funzioni correttamente in ogni dispositivo.
- Accetto
- Rifiuto
- NetGuard ha bisogno del tuo aiuto. Tocca per comprare funzionalità aggiuntive e sostenere lo sviluppo.
+ NetGuard richiede Android 5.1 o successiva
+ Xposed causa troppi arresti anomali, che potrebbero risultare nella rimozione di NetGuard da Google Play Store, dunque NetGuard non è supportato mentre Xposed è installata
+ Politica della privacy
+ Si è posta grande attenzione nello sviluppo e test di NetGuard, tuttavia è impossibile garantire che funzionerà correttamente su ogni dispositivo.
+ Acconsento
+ Nego il consenso
+ NetGuard ha bisogno del tuo aiuto. Tocca per acquistare le funzionalità pro per sostenere il progetto.
Servizi in esecuzione
Notifiche generali
- Notifiche di accesso
+ Notifiche d\'accesso
Cerca applicazione
Filtra applicazioni
Mostra applicazioni utente
Mostra applicazioni di sistema
- Visualizza applicazioni senza accesso internet
- Mostra applicazioni disabilitate
+ Mostra app senza internet
+ Mostra app disabilitate
Ordina applicazioni
Ordina per nome
Ordina per uid
@@ -42,7 +42,7 @@
Ripristina
Aggiungi
Elimina
- Ripulisci
+ Pulisci
Protocollo
Porta di origine
Indirizzo di destinazione
@@ -52,46 +52,46 @@
Impostazioni predefinite
Blocca Wi-Fi
Blocca rete dati
- Permetti il Wi-Fi a schermo acceso
- Permetti reti dati a schermo acceso
+ Consenti la Wi-Fi a schermo acceso
+ Consenti la rete mobile a schermo acceso
Blocca roaming
Impostazioni opzionali
Tema: %1$s
Usa il tema scuro
Notifica l\'installazione di nuove applicazioni
- Applica le regole \"quando lo schermo è acceso\"
+ Applica le regole \'a schermo acceso\'
Attiva automaticamente dopo %1$s minuti
- Ritarda spegnimento schermo di %1$s minuti
- Verifica la presenza di aggiornamenti
+ Ritarda lo spegnimento dello schermo di %1$s minuti
+ Controlla gli aggiornamenti
Opzioni di rete
- Routing sottorete
- Permetti il tethering
- Permetti l\'accesso alla LAN
+ Routing della sottorete
+ Consenti tethering
+ Consenti l\'accesso LAN
Abilita il traffico IPv6
Reti Wi-Fi domestiche: %1$s
- Gestisci reti Wi-Fi a consumo
- Considera il 2G non al consumo
- Considera il 3G non al consumo
- Considera LTE non al consumo
+ Gestisci le reti Wi-Fi a consumo
+ Considera 2G non a consumo
+ Considera 3G non a consumo
+ Considera LTE non a consumo
Ignora roaming nazionale
- Ignora roaming in EU
+ Ignora roaming UE
Disabilita su chiamata
- Arresta Wi-Fi
- Arresta rete dati
- Ricarica ad ogni modifica di connessione
+ Limita Wi-Fi
+ Limita rete dati
+ Ricarica a ogni modifica della connettività
Opzioni avanzate
- Gestisci applicazioni di sistema
- Registra accessi a internet
- Notifica accessi a internet
+ Gestisci le app di sistema
+ Registra l\'accesso a internet
+ Notifica all\'accesso a internet
Filtra traffico
Filtra traffico UDP
- Passaggio alla VPN senza interruzioni al ricaricamento
- Chiudi le connessioni quando ricarica
- Arresta traffico
- Tieni traccia dell\'utilizzo della rete
- Reimposta dati sull\'utilizzo della rete
+ Passaggio alla VPN senza soluzioni di continuità ricaricando
+ Chiudi le connessioni ricaricando
+ Limita il traffico
+ Monitora l\'uso di rete
+ Ripristina l\'uso di rete
Mostra i nomi di dominio risolti
- Blocca nomi di dominio
+ Blocca i nomi di dominio
Codice di risposta DNS: %s
Port forwarding
VPN IPv4: %s
@@ -105,71 +105,73 @@
Nome utente SOCKS5: %s
Password SOCKS5: %s
Dimensioni record PCAP: %s B
- Dimensione max. file PCAP: %s MB
- Watchdog: ogni %s minuti
+ Dimensione massima PCAP del file: %s MB
+ Temporizzazione di supervisione: ogni %s minuti
Notifica di velocità
- Visualizza velocità tra le notifiche
- Visualizza applicazioni principali
- Intervallo di campionamento: %s ms
+ Mostra la notifica di velocità
+ Visualizza le app migliori
+ Intervallo campione: %s ms
Numero di campioni: s %s
Backup
- Esporta impostazioni
- Importa impostazioni
- Importa file hosts
- Importa file host (aggiungi)
- URL per il download di file host
- Scarica file hosts
+ Esporta le impostazioni
+ Importa le impostazioni
+ Importa file degli host
+ Importa file degli host (aggiungi)
+ URL di download del file degli host
+ Scarica i file degli host
Informazioni tecniche
- Generali
+ Generale
Reti
Sottoscrizioni
- Visualizza una notifica nella barra di stato per configurare direttamente le applicazioni appena installate (funzionalità a pagamento)
- Dopo aver disabilitato NetGuard tramite il widget, riabilita automaticamente NetGuard dopo il numero di minuti specificato\nInserisci zero per disabilitare questa opzione
- Dopo aver spento lo schermo, mantieni attive le regole valide quando lo schermo è acceso per il numero di minuti selezionato (inserire zero per disattivare questa opzione)
- Cerca nuove versioni su GitHub due volte al giorno
- A seconda della versione di Android, il tethering potrebbe non funzionare. Non è possibile filtrare il traffico in tethering.
- Abilita routing sottorete; potrebbe permettere chiamate Wi-Fi, ma anche qualche bug di Android ed aumentare il consumo di batteria
- Permetti alle applicazioni di connettersi ad indirizzi della rete locale, come, ad esempio, 10.0.0.0/8, 172.16.0.0/12 e 192.168.0.0/16
- Instrada il traffico IP versione 6 a NetGuard così da consentirlo o bloccarlo in modo selettivo
- Applica le regole per le reti Wi-Fi solo alle reti selezionate (applica le regole per le reti mobile a tutte le altre reti Wi-Fi)
- Applica le regole per le reti cellulari anche alle reti Wi-Fi a consumo (a pagamento, condivise)
- Applica le regole valide per il Wi-Fi alle connessioni 2G
- Applica le regole valide per il Wi-Fi alle connessioni 3G
- Applica le regole valide per il Wi-Fi alle connessioni LTE
- Non applicare le regole di roaming quando il paese della carta SIM e della rete mobile è lo stesso
- Non applicare le regole di roaming quando la SIM e la nazione della rete mobile sono all\'interno della zona EU (roam come a casa)
- Disabilita NetGuard su chiamata telefonica in entrata o in uscita. Può essere utilizzato per ovviare ai problemi di chiamate IP/Wi-Fi.
- Definisci regole per le applicazioni di sistema (solo per esperti)
- Registra i tentativi di accesso a internet delle applicazioni. Potrebbe causare utilizzo aggiuntivo di batteria.
- Visualizza una notifica sulla barra di stato quando un\' applicazione tenta di accedere ad nuovo indirizzo internet (quando il filtro é disabilitato, solo gli i tentativi di acesso ad internet bloccati verrano notificati)
- Filtra i pacchetti IP in uscita dal tunnel VPN. Questo potrebbe comportare un consumo aggiuntivo di batteria.
- Tieni traccia del numero di byte inviati e ricevuti per ogni applicazione e indirizzo. Questo potrebbe causare un utilizzo supplementare di batteria.
- Rispondi con il codice di risposta DNS configurato per i nomi di dominio bloccati. Questa opzione è disattivata quando non è disponibile alcun file hosts.
- Il valore predefinito è 3 (NXDOMAIN), che significa \'dominio inesistente\'.
- Nome di dominio utilizzato per convalidare la connessione internet alla porta 443 (https).
- Solo il traffico TCP verrà inviato al server proxy
- Controlla periodicamente se NetGuard è ancora in esecuzione (inserire zero per disattivare questa opzione). Può comportare un maggiore consumo di batteria.
- Visualizza il grafico della velocità di rete tra le notifiche nella barra di stato
+ Mostra la notifica della barra di stato per configurare direttamente le app appena installate (funzionalità pro)
+ Dopo aver disabilitato l\'uso del widget, riabilita automaticamente NetGuard dopo il numero di minuti selezionato (inserisci zero per disabilitare quest\'opzione)
+ Dopo aver spento lo schermo, mantieni attive le regole a schermo acceso per il numero selezionato di minuti (inserisci zero per disabilitare quest\'opzione)
+ Crea nuove versioni su GitHub due volte al giorno
+ In base alla versione di Android, il tethering potrebbe funzionare o no. Il traffico in tethering non è filtrabile.
+ Abilita il routing di sottorete; potrebbe abilitare le chiamate della Wi-Fi, ma potrebbe anche causare bug in Android e aumentare l\'uso della batteria
+ Consenti alle app di connettersi agli indirizzi di rete dell\'area locale, come 10.0.0.0/8, 172.16.0.0/12 e 192.168.0.0/16
+ Instrada il traffico dell\'IP versione 6 a NetGuard così che possa esser consentito o bloccato selettivamente
+ Applica le regole di rete della Wi-Fi solo per le reti selezionate (applica le regole di rete mobile per altre reti Wi-Fi)
+ Applica le regole di rete mobile alle reti Wi-Fi a consumo (pagate, in tethering)
+ Applica le regole di rete Wi-Fi per le connessioni dati a 2G
+ Applica le regole di rete Wi-Fi per le connessioni dati a 3G
+ Applica le regole di rete Wi-Fi per le connessioni dati a LTE
+ Non applicare le regole di roaming quando la SIM e il paese della rete mobile corrispondono
+ Non applicare le regole di roaming quando la SIM e il paese della rete mobile sono entro l\'UE (roam like at home)
+ Disabilita NetGuard alle chiamate telefoniche in entrata o uscita. Questo è utilizzabile per ovviare ai problemi di chiamata IP/Wi-Fi.
+ Definisci le regole per le app di sistema (per esperti)
+ Registra i tentativi d\'accesso a internet per le app. Questo potrebbe risultare in un uso aggiuntivo della batteria.
+ Mostra una notifica della barra di stato quando un\'app tenta di accedere a un nuovo indirizzo internet (quando il filtraggio è disabilitato, solo i tentativi d\'accesso a internet bloccati saranno notificati)
+ Filtra i pacchetti IP in uscita dal tunnel della VPN. Questo potrebbe risultare in un uso aggiuntivo della batteria.
+ Monitora quanti byte sono inviati e ricevuti per ogni app e indirizzi. Questo potrebbe risultare in un uso aggiuntivo della batteria.
+ Rispondi con il codice di risposta DNS configurato per i nomi di dominio bloccati. Quest\'opzione è disabilitata quando non è disponibile alcun file degli host.
+ Il valore predefinito è 3 (NXDOMAIN), il che significa \'dominio inesistente\'.
+ Il nome di dominio usato per convalidare la connessione internet alla porta 443 (https).
+ Solo il traffico TCP sarà inviato al server proxy
+ Controlla periodicamente se NetGuard è ancora in esecuzione (inserisci zero per disabilitare quest\'opzione). Questo potrebbe risultare in un uso extra della batteria.
+ Mostra il grafico della velocità di rete nella notifica della barra di stato
Sei sicuro?
- Regole applicate
- %1$d permesse, %2$d bloccate
- %1$d permesse, %2$d bloccate, hosts %3$d
- In attesa di eventi
- NetGuard è disabilitata, usa lo switch per abilitarla nuovamente
- NetGuard è stata disabilitata, probabilmente a causa di un\'altra applicazione che usa il servizio VPN
+ Regole imposte
+ %1$d consentiti, %2$d bloccati
+ %1$d consentiti, %2$d bloccati, %3$d host
+ In attesa dell\'evento
+ NetGuard è disabilitato, usa l\'interruttore sopra per abilitare NetGuard
+ NetGuard è stata disabilitata, probabilmente usando un\'altra app basata sul VPN
\'%1$s\' installata
- È stato installato
- %1$s tentativi di accesso internet
- Tentativo di accesso internet
+ È stata installata
+ %1$s tentativi d\'accesso a internet
+ Tentativi d\'accesso a internet
Azione completata
- NetGuard utilizza una VPN locale per filtrare il traffico internet. Per questo motivo, si prega di consentire la connessione VPN nella finestra di dialogo successiva. Il traffico internet non viene inviato ad un server VPN remoto.
- NetGuard potrebbe non essere stato avviato automaticamente all\'avvio di sistema a causa di un bug nella tua versione di Android
+ NetGuard usa una VPN locale per filtrare il traffico internet.
+Per questo motivo, sei pregato di consentire una connessione VPN nella finestra successiva.
+Il tuo traffico internet non è inviato a un server VPN remoto.
+ Impossibile avviare automaticamente NetGuard. Questo potrebbe dipendere da un bug nella tua versione di Android.
Si è verificato un errore imprevisto: \'%s\'
- Android ha appena rifiutato di avviare il servizio VPN. Probabilmente è a causa di un errore nella tua versione di Android.
+ Android si è rifiutato di avviare il servizio VPN al momento. Probabilmente a causa di un bug nella tua versione di Android.
Prova NetGuard
- Donando accetti i termini e le condizioni
- Se non riesci a cliccare OK nella prossima schermata, è probabile che un\'altra applicazione (di oscuramento schermo) stia manipolando lo schermo.
+ Donando acconsenti ai Termini e le Condizioni
+ Se non riesci a premere OK nella prossima finestra, un\'altra app (di oscuramento dello schermo) sta probabilmente manipolando lo schermo.
± %1$.3f▲ %2$.3f▼ MB/giorno
%7.3f KB/s
%7.3f MB/s
@@ -177,104 +179,106 @@
%1$7.3f▲ %2$7.3f▼ MB
%1$7.3f▲ %2$7.3f▼ GB
%dx
- Per ottenere risultati consistenti, le ottimizzazioni di batteria di Android per l\'applicazione NetGuard dovrebbero essere disattivate. \n\nNella finestra di dialogo successiva, selezionare \"Tutte le applicazioni\" dalla lista in alto, cliccare su NetGuard e selezionare e confermare \"Non ottimizzare\".
- Per ottenere risultati consistenti, le opzioni di risparmio dati di Android dovrebbero essere disabilitate per NetGuard \n\nNella prossima schermata attiva le opzioni \"Dati in background\" e \"Utilizzo dati illimitato\"
- A causa dell\'utilizzo del filtraggio, Android attribuirà il consumo di dati ed energia a NetGuard - Android assume che i dati e la batteria vengano utilizzati da NetGuard invece che dalle rispettive applicazioni
- Android 4 richiede il filtraggio per essere attivato
- La registrazione del traffico è disattivata, utilizzare l\'interruttore sopra per attivare la registrazione. La registrazione del traffico potrebbe comportare un utilizzo aggiuntivo di batteria.
- Questo reimposterà le regole e le condizioni ai valori predefiniti
- Questa operazione cancellerà i tentativi di accesso registrati in assenza di regole di tipo consenti/blocca
+ Per risultati attendibili, le ottimizzazioni della batteria di Android dovrebbero esser disabilitate per NetGuard.
+\n\nNella prossima finestra, seleziona \"Tutte le app\" in alto, tocca su NetGuard nell\'elenco e seleziona e conferma \"Non ottimizzare\".
+ Per risultati attendibili, le opzioni di salvataggio dei dati di Android dovrebbero esser disabilitate per NetGuard.
+\n\nNella prossima finestra, abilita le opzioni \"Dati in background\" e \"Uso illimitato dei dati\"
+ Usare il filtraggio causerà ad Android di attribuire i dati e l\'uso energetico a NetGuard; Android presume che i dati e l\'energia siano usati da NetGuard, piuttosto che dalle app originali
+ Android 4 richiede che il filtraggio sia abilitato
+ La registrazione del traffico è disabilitata, usa l\'interruttore sopra per abilitare la registrazione. La registrazione del traffico potrebbe risultare in un uso aggiuntivo della batteria.
+ Questo ripristinerà le regole e le condizioni ai loro valori predefiniti
+ Questo eliminerà le righe del registro dei tentativi d\'accesso senza le regole consenti/blocca
Ultima importazione: %s
Scaricando\n%1s
- File hosts scaricato
+ File degli host scaricati
Ultimo download: %s
- Inizia ad inoltrare da %1$s porta %2$d a %3$s:%4$d di \'%5$s\'?
- Interrompere l\'inoltro di %1$s porta %2$d?
+ Inizia ad inoltrare dalla porta %1$s %2$d a %3$s:%4$d di \'%5$s\'?
+ Interrompere l\'inoltro della porta %1$s %2$d?
La rete è a consumo
- Nessuna connessione internet attiva
+ Nessuna connessione a internet attiva
NetGuard è occupato
- Aggiornamento disponibile, clicca per scaricare
- Puoi consentire (verdastro) o bloccare (rossastro) l\'accesso internet a Wi-Fi o mobile toccando le icone a fianco di un\'applicazione
- Se hai installato NetGuard per proteggere la tua privacy, potresti essere interessato anche a FairEmail, un\'app open source per l\'email rispettosa della privacy
- L\'accesso a internet è consentito in modo predefinito, questo può essere cambiato nelle impostazioni
- I messaggi push sono gestiti principalmente dal componente di sistema Play Services, al quale è consentito l\'accesso a internet in modo predefinito
- La gestione delle applicazioni di sistema può essere attivata tramite le opzioni avanzate
- Si prega di descrivere il problema ed indicare il tempo di esso:
- Connessione VPN annullata\nHai configurato un\'altra VPN che resta sempre attiva?
- Spegnendo il dispositivo con NetGuard abilitato, si avvierà automaticamente NetGuard all\'avvio del dispositivo
- Questa funzione non è disponibile in questa versione di Android
- Un\'altra VPN è impostata come VPN sempre attiva
- Disattiva \"Blocca connessioni senza VPN\" nelle impostazioni VPN di Android per usare NetGuard in modalità filtrante
- Disattiva \"DNS privato\" nelle impostazioni di rete Android per usare NetGuard in modalità filtrante
- Il traffico è stato arrestato
- Il traffico non al consumo è consentito
- Il traffico non al consumo è bloccato
- Le regole non a consumo non vengono applicate
- Il traffico al consumo è consentito
- Il traffico al consumo è bloccato
- Le regole a consumo non vengono applicate
+ Aggiornamento disponibile, tocca per scaricare
+ Puoi consentire (verdastro) o bloccare (rossastro) l\'accesso a internet mobile o Wi-Fi toccando sulle icone affianco a un\'app
+ Se hai installato NetGuard per proteggere la tua privacy, potresti essere anche interessato a FairEmail un app email rispettosa della privacy e open source
+ L\'accesso a internet è consentito di default (modalità blacklist), questo è modificabile nelle impostazioni
+ I messaggi (push) in arrivo sono prevalentemente gestiti dal componente di sistema Play Services, cui è consentito di default l\'accesso a internet
+ La gestione di tutte le app (di sistema) è abilitabile nelle impostazioni
+ Sei pregato di descrivere il problema e indicare quando si è verificato:
+ Connessione VPN annullata\nHai configurato un\'altra VPN affinché resti sempre attiva?
+ Spegnere il tuo dispositivo con NetGuard abilitato, lo avvierà automaticamente all\'avvio del tuo dispositivo
+ Questa funzionalità non è disponibile su questa versione di Android
+ Un\'altra VPN è impostata come Sempre Attiva
+ Disattiva \"Blocca le connessioni senza VPN\" nelle impostazioni della VPN di Android per usare NetGuard in modalità filtraggio
+ Disattiva \"DNS Privato\" nelle impostazioni di rete di Android per usare NetGuard in modalità filtraggio
+ Il traffico è limitato
+ Il traffico non a consumo è consentito
+ Il traffico non a consumo è bloccato
+ Le regole non a consumo non sono applicate
+ Il traffico a consumo è consentito
+ Il traffico a consumo è bloccato
+ Le regole a consumo non sono applicate
L\'indirizzo è consentito
L\'indirizzo è bloccato
- Permetti quando lo schermo è acceso
- Blocca quando in roaming
- Per impostazione predefinita, le connessioni Wi-Fi sono considerate non a pagamento e le connessioni mobili al consumo
- non ha accesso a internet
+ Consenti quando lo schermo è acceso
+ Blocca in roaming
+ Di default, una connessione Wi-Fi è considerata non a consumo e una connessione mobile come a consumo
+ non ha autorizzazioni a internet
è disabilitata
- I messaggi in arrivo sono ricevuti dai servizi di Google Play e non da questa app e quindi non possono essere bloccati bloccando questa app
- I download sono eseguiti dal gestore download e non da questa app e quindi non possono essere bloccati bloccando questa app
- Applicare regole e condizioni
+ I messaggi in arrivo sono ricevuti dai servizi di Google Play e non da quest\'app e possono dunque non esser bloccati da quest\'app
+ I download sono eseguiti dal gestore dei download e non da quest\'app e possono dunque non esser bloccati bloccando quest\'app
+ Applicare le regole e le condizioni
Condizioni
- Permetti il Wi-Fi quando lo schermo è acceso
- Permetti le reti dati quando lo schermo è acceso
+ Consenti la Wi-Fi a schermo acceso
+ Consenti la rete mobile a schermo acceso
R
- Blocca quando in roaming
- Permetti nella modalità arresta
- Filtra app correlate
- Tentativi di accesso
- Le regole di accesso hanno la precedenza sulle altre regole
+ Blocca in roaming
+ Consenti in modalità limitata
+ Filtra correlati
+ Tentativi d\'accesso
+ Le regole d\'accesso hanno la precedenza sulle altre regole
Opzioni
- Notifica tentativi di accesso internet
- La registrazione o il filtraggio non sono attivati
- La registrazione e il filtraggio sono attivati
+ Notifica i tentativi d\'accesso a internet
+ La registrazione o il filtraggio non sono abilitati
+ La registrazione o il filtraggio sono abilitati
Configura
- Attiva la registrazione solo degli indirizzi bloccati
- Attiva la registrazione anche degli indirizzi consentiti
- Attiva le notifiche di accesso per i nuovi indirizzi registrati
- Queste impostazioni sono impostazioni globali che si applicano a tutte le applicazioni
- Il filtraggio è necessario anche per consentire o bloccare singoli indirizzi
- Attivando la registrazione (meno) o il filtraggio (di più) potrebbe aumentare l\'utilizzo della batteria e potrebbe influire sulla velocità di rete
- Vota
- Permetti
+ Abilita la registrazione dei soli indirizzi bloccati
+ Abilita anche il filtraggio per registrare gli indirizzi consentiti
+ Abilita le notifiche d\'accesso per gli indirizzi appena registrati
+ Queste impostazioni sono globali e si applicano a tutte le app
+ Il filtraggio è necessario anche per consentire o bloccare i singoli indirizzi
+ Abilitare la registrazione (meno) o il filtraggio (più) potrebbe aumentare l\'uso della batteria e influenzare la velocità di rete
+ Valuta
+ Consenti
Blocca
- Permetti Wi-Fi
+ Consenti Wi-Fi
Blocca Wi-Fi
- Permetti rete dati
- Blocca rete dati
+ Consenti rete mobile
+ Blocca rete mobile
root
mediaserver
nessuno
- Non chiedere di nuovo
- Identità %1$s
+ Non chiedere più
+ Whois %1$s
Porta %1$d
Copia
- Funzionalità a pagamento
- Le funzionalità aggiuntive seguenti sono disponibili:
- Mostra il registro contenente il traffico bloccato
- Filtra traffico di rete
- Notifiche nuove applicazioni
- Grafico della velocità di rete nelle notifiche
+ Funzionalità pro
+ Le seguenti funzionalità pro sono disponibili:
+ Visualizza il registro del traffico bloccato
+ Filtra il traffico di rete
+ Nuove notifiche dell\'app
+ Notifica del grafico della velocità di rete
Aspetto (tema, colori)
- Tutte le funzionalità aggiuntive sopra
+ Tutte le suddette funzionalità pro
Sostieni lo sviluppo
Acquista
Abilitato
Non disponibile
- Tocca un titolo per maggiori informazioni
- Domanda di verifica
+ Tocca su un titolo per ulteriori informazioni
+ Sfida
Risposta
- Questa è una funzionalità Pro
- Un abbonamento mensile di 1 o 2 euro (escluse le tasse locali) attiverà tutte le funzionalità pro.
- È possibile annullare o gestire un abbonamento tramite la scheda abbonamenti nell\'app del Play Store.
+ Questa è una funzionalità pro
+ Un abbonamento mensile di 1 o 2 euro (escluse le tasse locali), attiverà tutte le funzionalità pro.
+ Puoi annullare o gestire un abbonamento tramite la scheda degli abbonamenti nell\'app del Play Store.
- foglia di tè/arancione
diff --git a/app/src/main/res/values-ko/strings.xml b/app/src/main/res/values-ko/strings.xml
index b804e980b..c5ad2646d 100644
--- a/app/src/main/res/values-ko/strings.xml
+++ b/app/src/main/res/values-ko/strings.xml
@@ -1,292 +1,292 @@
- NetGuard provides simple and advanced ways to block access to the internet - no root required. Apps and addresses can individually be allowed or denied access to your Wi-Fi and/or mobile connection.
+ NetGuard는 루트 없이 인터넷 접근을 막는 간단하면서도 발전된 방법을 제공합니다. 각각의 앱이나 주소가 Wi-Fi나 모바일 데이터에 접근하는 것을 허용할 지, 거부할 지 설정할 수 있습니다.
NetGuard 는 안드로이드 버전 5.1 이상에서 작동합니다
- Xposed causes too many crashes, which might result in NetGuard being removed from the Google Play Store, therefore NetGuard isn\'t supported while Xposed is installed
+ Xposed와 너무 많은 충돌을 일으켜서 NetGuard가 Google Play 스토어에서 내려갈 수 있기 때문에, Xposed가 설치되어 있는 동안에는 NetGuard를 사용할 수 없습니다
개인정보 보호 정책
- Great care has been taken to develop and test NetGuard, however it is impossible to guarantee NetGuard will work correctly on every device.
+ NetGuard의 제작과 테스트에 많은 시간을 쏟았지만, 모든 기기에서 완벽하게 돌아가는 걸 장담할 수는 없습니다.
동의합니다
동의하지 않습니다
- NetGuard needs your help. Tap to purchase pro features to keep the project going.
- Running services
- General notifications
- Access notifications
+ NetGuard는 당신의 도움이 필요합니다. PRO 기능을 구매하여 프로젝트가 지속될 수 있게 해 주세요.
+ 실행 중인 서비스
+ 일반 알림
+ 알림 접근
앱 검색
- Filter apps
- Show user apps
- Show system apps
- Show apps without internet
- Show disabled apps
- Sort apps
- Sort by name
- Sort by uid
- Sort by data usage
- Show log
- Settings
+ 앱 필터
+ 사용자 앱 표시
+ 시스템 앱 표시
+ 인터넷 미사용 앱 표시
+ 비활성화된 앱 표시
+ 앱 정렬
+ 이름순
+ UID순
+ 데이터 사용량 순
+ 로그 표시
+ 설정
초대
- Legend
+ 개요
지원
넷가드 정보
다른 앱
- Other
- Allowed
- Blocked
- Live updates
- Refresh
- Show names
- Show organization
- PCAP enabled
- PCAP export
- Clear
+ 기타
+ 허용됨
+ 차단됨
+ 실시간 업데이트
+ 새로고침
+ 이름 표시
+ 조직 표시
+ PCAP 활성화됨
+ PCAP 내보내기
+ 비우기
내보내기
- Reset
- Add
- Delete
- Cleanup
- Protocol
- Source port
- Destination address
- Destination port
- Destination app
- For an external server select \'nobody\'
- Defaults (white/blacklist)
+ 초기화
+ 추가
+ 제거
+ 비우기
+ 프로토콜
+ 소스 포트
+ 목적 주소
+ 목적 포트
+ 목적 앱
+ 외부 서버의 경우 \'미지정\'을 선택하십시오
+ 기본값 (차단/허용 목록)
Wi-Fi 차단을 기본 설정으로
모바일 데이터 차단을 기본 설정으로
- Allow Wi-Fi when screen on
- Allow mobile when screen on
- Block roaming
- Options
+ 화면이 켜져 있을 때 Wi-Fi 허용
+ 화면이 켜져 있을 때 모바일 데이터 허용
+ 로밍 차단
+ 설정
테마: %1$s
어두운 테마 사용
- Notify on new install
- Apply \'when screen on\' rules
- Auto enable after %1$s minutes
- Delay screen off %1$s minutes
- Check for updates
+ 새 앱을 설치할 때 알림
+ \'화면이 켜져 있을 때\' 규칙 적용
+ %1$s분 후 자동 활성화
+ %1$s분 간 화면 꺼짐 지연
+ 업데이트 확인
네트워크 옵션
- Subnet routing
+ 서브넷 라우팅
테터링 허용
LAN 접근 허용
- Enable IPv6 traffic
- Wi-Fi home networks: %1$s
- Handle metered Wi-Fi networks
- Consider 2G unmetered
- Consider 3G unmetered
- Consider LTE unmetered
- Ignore national roaming
- Ignore EU roaming
- Disable on call
- Lockdown Wi-Fi
- Lockdown mobile
- Reload on every connectivity change
- Advanced options
- Manage system apps
- Log internet access
- Notify on internet access
- Filter traffic
- Filter UDP traffic
- Seamless VPN handover on reload
- Close connections on reload
- Lockdown traffic
- Track network usage
- Reset network usage
- Show resolved domain names
- Block domain names
- DNS response code: %s
- Port forwarding
+ IPv6 트래픽 사용
+ Wi-Fi 홈 네트워크: %1$s
+ 과금 Wi-Fi 네트워크 제어
+ 비과금 2G 고려
+ 비과금 3G 고려
+ 비과금 LTE 고려
+ 국제 로밍 무시
+ EU 로밍 무시
+ 통화 중 비활성화
+ Wi-Fi 차단
+ 모바일 데이터 차단
+ 연결 변경 시마다 다시 불러오기
+ 고급 설정
+ 시스템 앱 설정
+ 인터넷 접속 로그
+ 인터넷 접속 시 알림
+ 트래픽 필터
+ UDP 트래픽 필터
+ 재시작 시 끊김 없이 VPN 전환
+ 다시 불러올 때 연결 종료
+ 트래픽 차단
+ 네트워크 사용량 추적
+ 네트워크 사용량 초기화
+ 확인된 도메인 이름 표시
+ 도메인 이름 차단
+ DNS 응답 코드: %s
+ 포트 포워딩
VPN IPv4: %s
VPN IPv6: %s
VPN DNS: %s
- Validate at: %s
- Minimum DNS TTL: %s s
- Use SOCKS5 proxy
- SOCKS5 address: %s
- SOCKS5 port: %s
- SOCKS5 username: %s
- SOCKS5 password: %s
- PCAP record size: %s B
- PCAP max. file size: %s MB
- Watchdog: every %s minutes
- Speed notification
- Show speed notification
- Show top apps
- Sample interval: %s ms
- Number of samples: %s s
+ 검증 주소: %s
+ 최소 DNS TTL: %s초
+ SOCKS5 프록시 사용
+ SOCKS5 주소: %s
+ SOCKS5 포트: %s
+ SOCKS5 사용자명: %s
+ SOCKS5 비밀번호: %s
+ PCAP 기록 크기: %sB
+ PCAP 최대. 파일 크기: %sMB
+ 워치독: %s분마다
+ 속도 알림
+ 속도 알림 표시
+ 상위 앱 표시
+ 샘플 간격: %sms
+ 샘플 수: %s s
백업
설정 내보내기
설정 가져오기
Hosts 파일 가져오기
- Import hosts file (append)
+ 호스트 파일 가져오기 (추가)
Hosts 파일 다운로드 URL
Hosts 파일 다운로드
- Technical information
- General
+ 기술적 정보
+ 일반
네트워크
구독
- Show status bar notification to directly configure newly installed apps (pro feature)
- After disabling using the widget, automatically enable NetGuard again after the selected number of minutes (enter zero to disable this option)
- After turning the screen off, keep screen on rules active for the selected number of minutes (enter zero to disable this option)
- Check for new releases on GitHub twice daily
- Depending on the Android version, tethering may work or may not work. Tethered traffic cannot be filtered.
- Enable subnet routing; might enable Wi-Fi calling, but might also trigger bugs in Android and increase battery usage
- Allow apps to connect to local area network addresses, like 10.0.0.0/8, 172.16.0.0/12 and 192.168.0.0/16
- Route IP version 6 traffic to NetGuard so it can selectively be allowed or blocked
- Apply Wi-Fi network rules for selected network only (apply mobile network rules for other Wi-Fi networks)
- Apply mobile network rules to metered (paid, tethered) Wi-Fi networks
- Apply Wi-Fi network rules for 2G data connections
- Apply Wi-Fi network rules for 3G data connections
- Apply Wi-Fi network rules for LTE data connections
- Do not apply roaming rules when the SIM and mobile network country are the same
- Do not apply roaming rules when the SIM and mobile network country are within the EU (roam like at home)
- Disable NetGuard on incoming or outgoing telephone call. This can be used to work around IP/Wi-Fi calling problems.
- Define rules for system apps (for experts)
- Log attempts to access the internet for apps. This might result in extra battery usage.
- Show a status bar notification when an app attempts to access a new internet address (when filtering is disabled, only blocked internet access attempts will be notified)
- Filter IP packets going out of the VPN tunnel. This might result in extra battery usage.
- Track the number of bytes sent and received for each app and address. This might result in extra battery usage.
- Respond with the configured DNS response code for blocked domain names. This switch is disabled when no hosts file is available.
- The default value is 3 (NXDOMAIN), which means \'non-existent domain\'.
- Domain name used to validate the internet connection at port 443 (https).
- Only TCP traffic will be sent to the proxy server
- Periodically check if NetGuard is still running (enter zero to disable this option). This might result in extra battery usage.
- Show network speed graph in status bar notification
+ 새로 설치된 앱을 곧바로 설정하기 위해 상태 표시줄 알림 표시 (PRO 기능)
+ 위젯 아용을 비활성화한 후, 설정한 시간(분) 후에 NetGuard를 자동으로 다시 활성화합니다(설정을 끄려면 0을 입력하세요).
+ 화면을 끈 후, 선택한 시간(분) 동안 화면이 켜졌을 때의 규칙을 유지합니다(이 설정을 끄려면 0을 입력).
+ 하루에 두 번 GitHub에 새 릴리즈가 있는지 확인합니다
+ 안드로이드 버전에 따라 테더링이 작동하거나 작동하지 않을 수 있습니다. 테더링 트래픽은 필터링할 수 없습니다.
+ 서브넷 라우팅을 활성화합니다. Wi-Fi 통화가 가능하게 될 수도 있지만, Android 내에서 버그가 발생하고 배터리 사용량이 증가할 수 있습니다.
+ 앱이 10.0.0.0/8, 172.16.0.0/12, 192.168.0.0/16과 같은 근거리 통신망에 연결할 수 있도록 허용합니다.
+ IPv6을 NetGuard로 라우팅하여 선택적으로 허용 및 차단할 수 있도록 합니다.
+ 선택한 네트워크에만 Wi-Fi 네트워크 규칙 적용 (다른 Wi-Fi 네트워크에 대해서는 모바일 네트워크 규칙 적용)
+ 과금(요금 발생, 테더링) Wi-Fi 네트워크에 모바일 네트워크 규칙 적용
+ 2G 데이터 연결에 Wi-Fi 네트워크 규칙 적용
+ 3G 데이터 연결에 Wi-Fi 네트워크 규칙 적용
+ LTE 데이터 연결에 Wi-Fi 네트워크 규칙 적용
+ SIM과 모바일 네트워크의 국가가 같은 경우 로밍 규칙을 적용하지 않음
+ SIM과 모바일 네트워크의 국가가 EU 소속인 경우 로밍 규칙을 적용하지 않음 (roam like at home)
+ 전화를 수발신할 때 NetGuard를 비활성화합니다. IP/Wi-Fi 전화 이용 시 발생하는 문제를 해결할 때 사용할 수 있습니다.
+ 시스템 앱에 대한 규칙 정의 (숙련자용)
+ 앱의 인터넷 접속 시도를 기록합니다. 배터리 사용량이 증가할 수 있습니다.
+ 앱이 새 인터넷 주소로 접근하려 할 때 상태 표시줄에 알림을 표시합니다 (필터링이 비활성화된 경우, 차단된 인터넷 접근 시도만 알림)
+ VPN 터널로 나가는 IP 패킷을 필터링합니다. 배터리 사용량이 증가할 수 있습니다.
+ 각 앱 및 주소에서 송수신한 바이트 수를 추적합니다. 배터리 사용량이 증가할 수 있습니다.
+ 차단된 도메인 이름에 대하여 \'구성됨\' DNS 응답 코드로 응답합니다. 호스트 파일을 사용할 수 없는 경우 비활성화됩니다.
+ 기본값은 3(NXDOMAIN)입니다. 이는 \'존재하지 않는 도메인\'이라는 뜻입니다.
+ 포트 443(HTTPS)을 통한 인터넷 연결을 인증하는 데 쓰이는 도메인 이름입니다.
+ TCP 트래픽만이 프록시 서버로 전송될 것입니다
+ NetGuard가 계속 작동하고 있는지 주기적으로 확인합니다. (이 설정을 비활성화하려면 0 입력) 배터리 사용량이 증가할 수 있습니다.
+ 상태 표시줄 알림에 네트워크 속도 그래프를 표시합니다
계속 하시겠습니까?
- Enforcing rules
- %1$d allowed, %2$d blocked
- %1$d allowed, %2$d blocked, %3$d hosts
- Waiting for event
+ 규칙 적용 중
+ %1$d건 허용됨, %2$d건 차단됨
+ %1$d건 허용됨, %2$d건 차단됨, 호스트 %3$d개
+ 이벤트를 기다리는 중
넷가드가 해제되어 있습니다. 상단 스위치를 사용해 넷가드를 활성화하세요.
- NetGuard has been disabled, likely by using another VPN based app
- \'%1$s\' installed
- Has been installed
- %1$s attempted internet access
- Attempted internet access
+ 다른 VPN 기반 앱이 사용 중이라 NetGuard가 꺼졌습니다
+ \'%1$s\' 설치됨
+ 설치되었습니다
+ %1$s 앱이 인터넷 접속 시도함
+ 인터넷 접속 시도됨
작업 완료
- NetGuard uses a local VPN to filter internet traffic.
-For this reason, please allow a VPN connection in the next dialog.
-Your internet traffic is not being sent to a remote VPN server.
- NetGuard could not start automatically. This is likely because of a bug in your Android version.
- An unexpected error has occurred: \'%s\'
- Android refused to start the VPN service at this moment. This is likely because of a bug in your Android version.
- Try NetGuard
- By donating you agree to the terms & conditions
- If you cannot press OK in the next dialog, another (screen dimming) app is likely manipulating the screen.
- ± %1$.3f▲ %2$.3f▼ MB/day
+ NetGuard는 인터넷 트래픽을 필터링하기 위해 로컬 VPN을 이용합니다.
+이에 따라, 다음 창에서 VPN 연결을 허용해주시기 바랍니다.
+당신의 인터넷 트래픽은 원격 VPN 서버로 전송되지 않습니다.
+ NetGuard가 자동으로 시작하는 데 실패했습니다. 사용 중인 Android 버전의 버그로 추정됩니다.
+ 예기치 못한 오류가 발생했습니다: \'%s\'
+ 현재 Android에서 VPN 서비스 시작을 거부했습니다. 해당 Android 버전의 오류로 추정됩니다.
+ NetGuard를 이용해보세요
+ 후원하면 이용 약관에 동의하게 됩니다
+ 다음 창에서 확인 버튼을 누를 수 없는 경우, 다른(화면 감광 등의) 앱이 화면을 제어하고 있을 가능성이 높습니다.
+ ± %1$.3f▲ %2$.3f▼ MB/일
%7.3f KB/s
%7.3f MB/s
%1$7.3f▲ %2$7.3f▼ KB
%1$7.3f▲ %2$7.3f▼ MB
%1$7.3f▲ %2$7.3f▼ GB
- %dx
- For consistent results, the Android battery optimizations should be disabled for NetGuard.
-\n\nIn the next dialog, select \"All apps\" at the top, tap on NetGuard in the list and select and confirm \"Don\'t optimize\".
- For consistent results, the Android data saving options should be disabled for NetGuard
-\n\nIn the next dialog, enable the options \"Background data\" and \"Unrestricted data usage\"
- Using filtering will cause Android to attribute data and power usage to NetGuard - Android assumes the data and power are being used by NetGuard, rather than the original apps
- Android 4 requires filtering to be enabled
- Traffic logging is disabled, use the switch above to enable logging. Traffic logging might result in extra battery usage.
- This will reset the rules and conditions to their default values
- This will delete access attempt log lines without allow/block rules
+ %d회
+ NetGuard가 안정적으로 동작하려면 안드로이드 배터리 최적화 설정이 꺼져 있어야 합니다.
+\n\n다음 창에서, 상단의 \"모든 앱\"을 누른 다음, 목록에서 NetGuard를 찾아 누른 다음 제외하십시오.
+ NetGuard가 안정적으로 동작하려면 안드로이드 데이터 절약 설정이 꺼져 있어야 합니다.
+\n\n다음 창에서, \"백그라운드 데이터 사용\" 및 \"무제한 데이터 사용\" 설정을 켜십시오.
+ 필터링을 사용하면 Android에서는 데이터나 배터리를 NetGuard에서 사용하는 것으로 인식할 수 있습니다. 즉 Android는 데이터와 배터리의 사용이 본래 앱이 아닌 NetGuard에서 발생한다고 가정하는 것입니다.
+ 안드로이드 4에서는 필터링을 활성화해야 합니다
+ 트래픽 기록이 꺼졌습니다. 기록을 시작하려면 위 스위치를 누르세요. 트래픽 기록 시 배터리 사용량이 증가할 수 있습니다.
+ 규칙과 조건이 기본값으로 초기화됩니다
+ 허용/차단 규칙이 적용되지 않은 상태에서 접근을 시도한 내역이 삭제됩니다
마지막 파일 추출: %s
\n%1s 다운로드 중
호스트 파일 다운로드 됨
마지막 다운로드: %s
- Start forwarding from %1$s port %2$d to %3$s:%4$d of \'%5$s\'?
- Stop forwarding of %1$s port %2$d?
- Network is metered
- No active internet connection
- NetGuard is busy
- Update available, tap to download
- You can allow (greenish) or deny (reddish) Wi-Fi or mobile internet access by tapping on the icons next to an app
- If you installed NetGuard to protect your privacy, you might be interested in FairEmail, an open source, privacy friendly email app, too
- Internet access is allowed by default (blacklist mode), this can be changed in the settings
- Incoming (push) messages are mostly handled by the system component Play services, which is allowed internet access by default
- Managing all (system) apps can be enabled in the settings
- Please describe the problem and indicate the time of the problem:
- VPN connection cancelled\nDid you configure another VPN to be an always-on VPN?
- Powering down your device with NetGuard enabled, will automatically start NetGuard on powering up your device
- This feature is not available on this Android version
- Another VPN is set as Always-on VPN
- Turn off \"Block connections without VPN\" in Android VPN settings to use NetGuard in filtering mode
- Turn off \"Private DNS\" in Android network settings to use NetGuard in filtering mode
- Traffic is locked down
- Unmetered traffic is allowed
- Unmetered traffic is blocked
- Unmetered rules are not applied
- Metered traffic is allowed
- Metered traffic is blocked
- Metered rules are not applied
- Address is allowed
- Address is blocked
- Allow when screen is on
+ %1$s 포트 %2$d에서 \'%5$s\'의 %3$s:%4$d로 포워딩을 시작하시겠습니까?
+ %1$s 포트 %2$d의 포워딩을 중단하시겠습니까?
+ 과금 네트워크입니다
+ 인터넷에 연결할 수 없습니다
+ NetGuard가 사용 중입니다
+ 업데이트 이용 가능, 눌러서 다운로드하세요
+ 앱 옆에 있는 아이콘을 눌러 Wi-Fi 또는 모바일 인터넷 접속을 허용(초록) 또는 거부(빨강)할 수 있습니다.
+ 개인정보를 보호하기 위하여 NetGuard를 설치하셨다면, 개인정보 보호를 중시하는 오픈소스 메일 앱인 FairEmail에도 흥미를 가지실 것 같습니다
+ 인터넷 접근은 기본적으로 허용됩니다(차단 목록 모드). 설정에서 이를 변경할 수 있습니다.
+ 대부분의 수신되는 (푸시) 메시지는 기본적으로 인터넷 접근이 허용되는 Play 서비스 시스템 구성 요소에 의해 처리됩니다.
+ 모든 (시스템) 앱 관리는 설정에서 켤 수 있습니다.
+ 문제와 문제 발생 시점에 대해 설명해주십시오:
+ VPN 연결 취소됨\n다른 VPN을 연결 유지 VPN으로 설정하셨습니까?
+ NetGuard가 켜진 채로 기기의 전원을 끄면, 기기를 켰을 때 NetGuard도 자동으로 실행됩니다
+ 이 안드로이드 버전에서는 지원하지 않는 기능입니다.
+ 다른 VPN이 항상 켜져 있는 VPN으로 설정되어 있습니다
+ 필터링 모드로 NetGuard를 사용하려면 안드로이드 VPN 설정에서 \"VPN 제외 연결 차단\" 설정을 끄십시오
+ 필터링 모드로 NetGuard를 사용하려면 안드로이드 네트워크 설정에서 \"사설 DNS\" 설정을 끄십시오
+ 트래픽이 차단되었습니다
+ 비과금 트래픽 허용됨
+ 비과금 트래픽 차단됨
+ 비과금 규칙이 적용되지 않음
+ 과금 트래픽 허용됨
+ 과금 트래픽 차단됨
+ 과금 규칙이 적용되지 않음
+ 주소가 허용되었습니다
+ 주소가 차단되었습니다
+ 화면이 켜져있을 때 허용
로밍시 차단
- By default a Wi-Fi connection is considered to be unmetered and a mobile connection to be metered
- has no internet permission
- is disabled
- Incoming messages are received by Google Play services and not by this app and can therefore not be blocked by blocking this app
- Downloads are performed by the download manager and not by this app and can therefore not be blocked by blocking this app
- Apply rules and conditions
- Conditions
- Allow Wi-Fi when screen is on
- Allow mobile when screen is on
+ 일반적으로 Wi-Fi 연결은 비과금, 모바일 데이터 연결은 과금으로 취급합니다
+ 인터넷을 사용할 수 없습니다
+ 꺼짐
+ 메시지는 이 앱이 아닌 Google Play 서비스로부터 받는 것이므로 이 앱의 메시지를 차단한다고 메시지가 차단되지 않습니다
+ 다운로드는 이 앱이 아닌 다운로드 관리자에 의해 수행되므로 이 앱을 차단하여 다운로드를 차단할 수는 없음
+ 규칙 및 조건 적용
+ 조건
+ 화면이 켜져 있을 때 Wi-Fi 허용
+ 화면이 켜져 있을 때 모바일 데이터 허용
R
로밍시 차단
- Allow in lockdown mode
- Filter related
- Access attempts
- Access rules take precedence over other rules
+ 차단 모드에서 허용
+ 관련 항목도 필터링
+ 접근 시도
+ 접근 관련 규칙이 다른 규칙보다 우선 적용됨
설정
- Notify internet access attempts
- Logging or filtering is not enabled
- Logging and filtering are enabled
+ 인터넷 접속 시도 알림
+ 로깅이나 필터링 꺼짐
+ 로깅 및 필터링 켜짐
환경설정
- Enable logging of blocked addresses only
- Enable filtering to log allowed addresses too
- Enable access notifications for newly logged addresses
- These settings are global settings that apply to all apps
- Filtering is also required to allow or block individual addresses
- Enabling logging (less) or filtering (more) might increase battery usage and might affect network speed
- Rate
+ 차단된 주소의 로깅만 활성화
+ 허용된 주소도 기록하도록 필터링 활성화
+ 새로 기록된 주소에 대하여 접근 알림 활성화
+ 이 설정은 모든 앱에 적용되는 전역 설정입니다
+ 주소를 개별적으로 허용하거나 차단하려면 필터링도 필요
+ 로그(영향 적음)나 필터링(영향 큼)을 사용하면 배터리 사용량이 증가하고 네트워크 속도에 영향을 끼칠 수 있습니다
+ 평가
허용
차단
Wi-Fi 허용
Wi-Fi 차단
- Allow mobile
- Block mobile
- root
+ 모바일 데이터 허용
+ 모바일 데이터 차단
+ 루트
미디어 서버
- nobody
- Don\'t ask again
+ 미지정
+ 다시 보지 않기
Whois %1$s
- Port %1$d
+ 포트 %1$d
복사
- Pro features
- The following pro features are available:
- View blocked traffic log
- Filter network traffic
- New app notifications
- Network speed graph notification
- Appearance (theme, colors)
- All above pro features
- Support development
+ PRO 기능
+ 아래의 PRO 기능들을 이용할 수 있습니다:
+ 차단된 트래픽 내역 보기
+ 네트워크 트래픽 필터
+ 새 앱 알림
+ 네트워크 속도 그래프 알림
+ 표시 (테마, 색상)
+ PRO 버전의 모든 기능
+ 개발 지원
구입
활성화
- Unavailable
- Tap on a title for more information
- Challenge
- Response
- This is a pro feature
- A monthly subscriptions of 1 or 2 euros (excluding local taxes) will activate all pro features.
- You can cancel or manage a subscription via the subscriptions tab in the Play store app.
+ 이용 불가
+ 제목을 눌러 자세한 정보를 확인하세요
+ 도전
+ 응답
+ PRO 기능입니다
+ 월간 구독료 1, 2유로만 지불하여도(지역 세금 제외) 모든 PRO 기능을 이용할 수 있습니다.
+ Play 스토어 앱의 구독 탭에서 구독을 취소하거나 관리할 수 있습니다.
- - teal/orange
- - blue/orange
- - purple/red
- - amber/blue
- - orange/grey
- - green
+ - 암청/주황
+ - 파랑/주황
+ - 보라/빨강
+ - 황토/파랑
+ - 주황/회색
+ - 초록
- UDP
diff --git a/app/src/main/res/values-lv/strings.xml b/app/src/main/res/values-lv/strings.xml
index 032efea88..9710049b8 100644
--- a/app/src/main/res/values-lv/strings.xml
+++ b/app/src/main/res/values-lv/strings.xml
@@ -3,7 +3,7 @@
NetGuard nodrošina vienkāršu un uzlabotu veidu, kā bloķēt piekļuvi internetam. Lietotnēm un adresēm var individuāli atļaut vai aizliegt piekļuvi internetam caur Wi-Fi un/vai mobilo datu savienojumu.
NetGuard nepieciešams Android 5.1 vai jaunāks
Xposed rada pārāk daudz avāriju, kas var radīt situāciju, ka NetGuard var tikt izņemts no Google Play veikala, tāpēc NetGuard netiek atbalstīs ar vienlaicīgi instalētu Xposed
- Privātuma politika
+ Privātuma politika
Liels darbs ir ieguldīts NetGuard izstrādē un testēšanā. Tai pat laikā nav iespējams garantēt, ka NetGuard darbosies korekti pilnīgi visās ierīcēs.
Es piekrītu
Nepiekrītu
diff --git a/app/src/main/res/values-my/strings.xml b/app/src/main/res/values-my/strings.xml
new file mode 100644
index 000000000..66b61b396
--- /dev/null
+++ b/app/src/main/res/values-my/strings.xml
@@ -0,0 +1,296 @@
+
+
+ NetGuard provides simple and advanced ways to block access to the internet - no root required. Apps and addresses can individually be allowed or denied access to your Wi-Fi and/or mobile connection.
+ NetGuard requires Android 5.1 or later
+ Xposed causes too many crashes, which might result in NetGuard being removed from the Google Play Store, therefore NetGuard isn\'t supported while Xposed is installed
+ Privacy policy
+ Great care has been taken to develop and test NetGuard, however it is impossible to guarantee NetGuard will work correctly on every device.
+ ကျွန်ုပ်သဘောတူတယ်
+ ကျွန်ုပ်သဘောမတူပါ
+ NetGuard မှ သင်တို့ရဲ့ အကူအညီကို လိုအပ်တယ်။ စီမံကိန်းဆက်လက် လုပ်ဆောင်နိုင်ရန် အထူးပြုလုပ်ထားသော Pro လုပ်ဆောင်ချက်များကို ၀ယ်ယူဖို့
+ခလုတ်ကို နှိပ်ပါ။
+ လည်ပတ်နေသောဝန်ဆောင်မှုများ
+ အထွေထွေအသိပေးချက်များ
+ အသိပေးချက်များဆီသို့ ၀င်ရောက်ကြည့်ရှုပါ
+ အက်ပလီကေးရှင်းကိုရှာပါ
+ အက်ပ်များကိုစစ်ထုတ်မယ်
+ အသုံးပြုသူအက်ပ်များကို ပြပါ
+ စစ်စတမ်အက်ပ်များကို ပြပါ
+ အင်တာနက်မပါဘဲ အက်ပ်များကို ပြပါ
+ ပိတ်ထားသော အက်ပ်များကို ပြပါ
+ အက်ပ်များကိုစီပါ
+ နာမည်အလိုက်စီပါ
+ uid အလိုက်စီပါ
+ ဒေတာအသုံးပြုမှုအလိုက် စီပါ
+ မှတ်တမ်းကိုပြပါ
+ Settings
+ ဖိတ်ပါ
+ Legend
+ ပံ့ပိုးမှု
+ အကြောင်း
+ အခြားအက်ပ်များ
+ အခြား
+ ခွင့်ပြုပြီးပြီ
+ Blocked
+ Live updates
+ Refresh
+ အမည်များကို ပြပါ
+ အဖွဲ့အစည်းကိုပြပါ
+ PCAP enabled
+ PCAP export
+ ရှင်းပါ
+ တင်ပို့ပါ
+ Reset
+ ထည့်ပါ
+ ဖျက်ပါ
+ Cleanup
+ Protocol
+ Source port
+ Destination address
+ Destination port
+ Destination app
+ For an external server select \'nobody\'
+ Defaults (white/blacklist)
+ Block Wi-Fi
+ Block mobile
+ Allow Wi-Fi when screen on
+ Allow mobile when screen on
+ Block roaming
+ Options
+ ဒီဇိုင်းပုံစံ - %1$s
+ အမှောင်ဒီဇိုင်းပုံစံကို သုံးပါ
+ Notify on new install
+ Apply \'when screen on\' rules
+ Auto enable after %1$s minutes
+ Delay screen off %1$s minutes
+ Check for updates
+ Network options
+ Subnet routing
+ Allow tethering
+ Allow LAN access
+ Enable IPv6 traffic
+ Wi-Fi home networks: %1$s
+ Handle metered Wi-Fi networks
+ Consider 2G unmetered
+ Consider 3G unmetered
+ Consider LTE unmetered
+ Ignore national roaming
+ Ignore EU roaming
+ Disable on call
+ Lockdown Wi-Fi
+ Lockdown mobile
+ Reload on every connectivity change
+ Advanced options
+ Manage system apps
+ Log internet access
+ Notify on internet access
+ Filter traffic
+ Filter UDP traffic
+ Seamless VPN handover on reload
+ Close connections on reload
+ Lockdown traffic
+ Track network usage
+ Reset network usage
+ Show resolved domain names
+ Block domain names
+ DNS response code: %s
+ Port forwarding
+ VPN IPv4: %s
+ VPN IPv6: %s
+ VPN DNS: %s
+ Validate at: %s
+ Minimum DNS TTL: %s s
+ Use SOCKS5 proxy
+ SOCKS5 address: %s
+ SOCKS5 port: %s
+ SOCKS5 username: %s
+ SOCKS5 password: %s
+ PCAP record size: %s B
+ PCAP max. file size: %s MB
+ Watchdog: every %s minutes
+ Speed notification
+ Show speed notification
+ Show top apps
+ Sample interval: %s ms
+ Number of samples: %s s
+ Backup
+ Export settings
+ Import settings
+ Import hosts file
+ Import hosts file (append)
+ Hosts file download URL
+ Download hosts file
+ Technical information
+ အထွေထွေ
+ ကွန်ယက်များ
+ Subscriptions
+ Show status bar notification to directly configure newly installed apps (pro feature)
+ After disabling using the widget, automatically enable NetGuard again after the selected number of minutes (enter zero to disable this option)
+ After turning the screen off, keep screen on rules active for the selected number of minutes (enter zero to disable this option)
+ Check for new releases on GitHub twice daily
+ Depending on the Android version, tethering may work or may not work. Tethered traffic cannot be filtered.
+ Enable subnet routing; might enable Wi-Fi calling, but might also trigger bugs in Android and increase battery usage
+ Allow apps to connect to local area network addresses, like 10.0.0.0/8, 172.16.0.0/12 and 192.168.0.0/16
+ Route IP version 6 traffic to NetGuard so it can selectively be allowed or blocked
+ Apply Wi-Fi network rules for selected network only (apply mobile network rules for other Wi-Fi networks)
+ Apply mobile network rules to metered (paid, tethered) Wi-Fi networks
+ Apply Wi-Fi network rules for 2G data connections
+ Apply Wi-Fi network rules for 3G data connections
+ Apply Wi-Fi network rules for LTE data connections
+ Do not apply roaming rules when the SIM and mobile network country are the same
+ Do not apply roaming rules when the SIM and mobile network country are within the EU (roam like at home)
+ Disable NetGuard on incoming or outgoing telephone call. This can be used to work around IP/Wi-Fi calling problems.
+ Define rules for system apps (for experts)
+ Log attempts to access the internet for apps. This might result in extra battery usage.
+ Show a status bar notification when an app attempts to access a new internet address (when filtering is disabled, only blocked internet access attempts will be notified)
+ Filter IP packets going out of the VPN tunnel. This might result in extra battery usage.
+ Track the number of bytes sent and received for each app and address. This might result in extra battery usage.
+ Respond with the configured DNS response code for blocked domain names. This switch is disabled when no hosts file is available.
+ The default value is 3 (NXDOMAIN), which means \'non-existent domain\'.
+ Domain name used to validate the internet connection at port 443 (https).
+ Only TCP traffic will be sent to the proxy server
+ Periodically check if NetGuard is still running (enter zero to disable this option). This might result in extra battery usage.
+ Show network speed graph in status bar notification
+
+ သင်သေချာလား။
+ Enforcing rules
+ %1$d allowed, %2$d blocked
+ %1$d allowed, %2$d blocked, %3$d hosts
+ Waiting for event
+ NetGuard is disabled, use the switch above to enable NetGuard
+ NetGuard has been disabled, likely by using another VPN based app
+ \'%1$s\' installed
+ Has been installed
+ %1$s attempted internet access
+ Attempted internet access
+ Action completed
+ NetGuard uses a local VPN to filter internet traffic.
+For this reason, please allow a VPN connection in the next dialog.
+Your internet traffic is not being sent to a remote VPN server.
+ NetGuard could not start automatically. This is likely because of a bug in your Android version.
+ An unexpected error has occurred: \'%s\'
+ Android refused to start the VPN service at this moment. This is likely because of a bug in your Android version.
+ Try NetGuard
+ By donating you agree to the terms & conditions
+ If you cannot press OK in the next dialog, another (screen dimming) app is likely manipulating the screen.
+ ± %1$.3f▲ %2$.3f▼ MB/day
+ %7.3f KB/s
+ %7.3f MB/s
+ %1$7.3f▲ %2$7.3f▼ KB
+ %1$7.3f▲ %2$7.3f▼ MB
+ %1$7.3f▲ %2$7.3f▼ GB
+ %dx
+ For consistent results, the Android battery optimizations should be disabled for NetGuard.
+\n\nIn the next dialog, select \"All apps\" at the top, tap on NetGuard in the list and select and confirm \"Don\'t optimize\".
+ For consistent results, the Android data saving options should be disabled for NetGuard
+\n\nIn the next dialog, enable the options \"Background data\" and \"Unrestricted data usage\"
+ Using filtering will cause Android to attribute data and power usage to NetGuard - Android assumes the data and power are being used by NetGuard, rather than the original apps
+ Android 4 requires filtering to be enabled
+ Traffic logging is disabled, use the switch above to enable logging. Traffic logging might result in extra battery usage.
+ This will reset the rules and conditions to their default values
+ This will delete access attempt log lines without allow/block rules
+ Last import: %s
+ Downloading\n%1s
+ Hosts file downloaded
+ Last download: %s
+ Start forwarding from %1$s port %2$d to %3$s:%4$d of \'%5$s\'?
+ Stop forwarding of %1$s port %2$d?
+ Network is metered
+ No active internet connection
+ NetGuard is busy
+ Update available, tap to download
+ You can allow (greenish) or deny (reddish) Wi-Fi or mobile internet access by tapping on the icons next to an app
+ If you installed NetGuard to protect your privacy, you might be interested in FairEmail, an open source, privacy friendly email app, too
+ Internet access is allowed by default (blacklist mode), this can be changed in the settings
+ Incoming (push) messages are mostly handled by the system component Play services, which is allowed internet access by default
+ Managing all (system) apps can be enabled in the settings
+ Please describe the problem and indicate the time of the problem:
+ VPN connection cancelled\nDid you configure another VPN to be an always-on VPN?
+ Powering down your device with NetGuard enabled, will automatically start NetGuard on powering up your device
+ This feature is not available on this Android version
+ Another VPN is set as Always-on VPN
+ Turn off \"Block connections without VPN\" in Android VPN settings to use NetGuard in filtering mode
+ Turn off \"Private DNS\" in Android network settings to use NetGuard in filtering mode
+ Traffic is locked down
+ Unmetered traffic is allowed
+ Unmetered traffic is blocked
+ Unmetered rules are not applied
+ Metered traffic is allowed
+ Metered traffic is blocked
+ Metered rules are not applied
+ Address is allowed
+ Address is blocked
+ Allow when screen is on
+ Block when roaming
+ By default a Wi-Fi connection is considered to be unmetered and a mobile connection to be metered
+ has no internet permission
+ is disabled
+ Incoming messages are received by Google Play services and not by this app and can therefore not be blocked by blocking this app
+ Downloads are performed by the download manager and not by this app and can therefore not be blocked by blocking this app
+ Apply rules and conditions
+ Conditions
+ Allow Wi-Fi when screen is on
+ Allow mobile when screen is on
+ R
+ Block when roaming
+ Allow in lockdown mode
+ Filter related
+ Access attempts
+ Access rules take precedence over other rules
+ Options
+ Notify internet access attempts
+ Logging or filtering is not enabled
+ Logging and filtering are enabled
+ Configure
+ Enable logging of blocked addresses only
+ Enable filtering to log allowed addresses too
+ Enable access notifications for newly logged addresses
+ These settings are global settings that apply to all apps
+ Filtering is also required to allow or block individual addresses
+ Enabling logging (less) or filtering (more) might increase battery usage and might affect network speed
+ Rate
+ Allow
+ Block
+ Allow Wi-Fi
+ Block Wi-Fi
+ Allow mobile
+ Block mobile
+ root
+ mediaserver
+ nobody
+ Don\'t ask again
+ Whois %1$s
+ Port %1$d
+ Copy
+ Pro features
+ The following pro features are available:
+ View blocked traffic log
+ Filter network traffic
+ New app notifications
+ Network speed graph notification
+ Appearance (theme, colors)
+ All above pro features
+ Support development
+ Buy
+ Enabled
+ Unavailable
+ Tap on a title for more information
+ Challenge
+ Response
+ This is a pro feature
+ A monthly subscriptions of 1 or 2 euros (excluding local taxes) will activate all pro features.
+ You can cancel or manage a subscription via the subscriptions tab in the Play store app.
+
+
+ - teal/orange
+ - blue/orange
+ - purple/red
+ - amber/blue
+ - orange/grey
+ - green
+
+
+ - UDP
+ - TCP
+
+
diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml
index 0580e79c0..0058f6f30 100644
--- a/app/src/main/res/values-pt-rBR/strings.xml
+++ b/app/src/main/res/values-pt-rBR/strings.xml
@@ -3,7 +3,7 @@
NetGuard fornece maneiras simples e avançadas para bloquear o acesso à internet - sem necessidade de root. Apps e endereços podem ter o acesso permitido ou negado individualmente via Wi-Fi e ou dados móveis.
NetGuard requer Android versão 5.1 ou superior
Xposed provoca muitos erros, que podem resultar no NetGuard sendo removido da Google Play Store, portanto NetGuard não é suportado quando o Xposed estiver instalado
- Política de privacidade
+ Política de privacidade
Muito cuidado foi tomado para desenvolver e testar o NetGuard, entretanto, é impossível garantir que o NetGuard funcionará corretamente em todos os dispositivos.
Eu concordo
Eu discordo
diff --git a/app/src/main/res/values-pt-rPT/strings.xml b/app/src/main/res/values-pt-rPT/strings.xml
index 66417f41e..24138fff6 100644
--- a/app/src/main/res/values-pt-rPT/strings.xml
+++ b/app/src/main/res/values-pt-rPT/strings.xml
@@ -1,13 +1,13 @@
- NetGuard fornece maneiras simples e avançadas para bloquear o acesso à internet - sem acesso root exigido. Aplicações e endereços podem ser individualmente permitidos ou negados o acesso ao seu Wi-Fi e/ou à conexão móvel.
+ NetGuard fornece maneiras simples e avançadas para bloquear o acesso à internet - sem exigir o acesso root. As aplicações e os endereços podem ser individualmente permitidas ou negadas para ter acesso à rede Wi-Fi e/ou à rede de telemóveis.
NetGuard requer Android 5.1 ou superior
Xposed provoca muitas falhas, que podem resultar no NetGuard ser removido da Google Play Store. Portanto, o NetGuard não é suportado enquanto o Xposed estiver instalado
Política de privacidade
- Houve um grande cuidado a desenvolver e testar a NetGuard, contudo é impossível garantir que a NetGuard funcione correctamente em todos os dispositivos.
+ Houve um grande cuidado a desenvolver e testar a NetGuard, contudo é impossível garantir que o NetGuard funcione corretamente em todos os dispositivos.
Concordo
Discordo
- NetGuard necessita da sua ajuda. Toque para comprar funcionalidades pro para manter o projecto em andamento.
+ NetGuard necessita da sua ajuda. Toque para comprar funcionalidades pro para manter o projeto em andamento.
Serviços em execução
Notificações gerais
Aceder às notificações
@@ -49,22 +49,22 @@
Porta de destino
Aplicação de destino
Para um servidor externo, selecione \'ninguém\'
- Predefinições
+ Predefinições (lista branca/negra)
Bloquear Wi-Fi
Bloquear Dados Móveis
Permitir Wi-Fi com o ecrã ligado
- Permitir Dados Móveis com o ecrã ligado
+ Com o ecrã ligado permitir dados móveis
Bloquear Roaming
Opções
Tema: %1$s
- Ativar tema escuro
+ Usar tema escuro
Notificar nova instalação
Aplicar regras \'com ecrã ligado\'
Auto habilitar após %1$s minutos
- Delay de %1$s minutos após desligar a tela
- Procurar actualizações
+ Atraso de %1$s minutos após desligar o ecrã
+ Procurar atualizações
Opções de rede
- Encaminhamento Subnet
+ Encaminhamento subnet
Permitir tethering
Permitir o acesso à LAN
Ativar tráfego IPv6
@@ -73,8 +73,8 @@
Considerar 2G ilimitado
Considerar 3G ilimitado
Considerar LTE ilimitado
- Ignorar Roaming nacional
- Ignorar roaming EU
+ Ignorar roaming nacional
+ Ignorar roaming UE
Desativar durante chamada
Bloquear Wi-Fi
Bloquear rede de dados
@@ -85,7 +85,7 @@
Notificar acesso à internet
Filtrar tráfego
Filtrar tráfego UDP
- Seamless VPN handover on reload
+ Controlar o VPN sem interrupção ao recarregar
Fechar as conexões ao recarregar
Bloquear tráfego
Controlar o uso de rede
@@ -93,11 +93,11 @@
Mostrar nomes de domínio resolvidos
Bloquear nomes de domínio
Código de resposta DNS: %s
- Encaminhamento de porta
+ Reencaminhamento de porta
IPv4 VPN: %s
- IPv4 VPN: %s
+ VPN IPv6: %s
DNS da VPN: %s
- Validate at: %s
+ Validar com: %s
TTL mínimo de DNS: %s s
Usar proxy SOCKS5
Endereço SOCKS5: %s
@@ -112,64 +112,64 @@
Mostrar aplicações principais
Frequência da amostra: %s ms
Número de amostras: %s s
- Cópia de Segurança
+ Cópia de segurança
Exportar definições
Importar definições
Importar ficheiro hosts
Importar ficheiro de hosts (acrescentar)
- URL de download de ficheiro de hosts
+ URL de descarregamento do ficheiro de hosts
Descarregar ficheiro hosts
Informações técnicas
Geral
Redes
Subscrições
Mostrar notificação na barra de notificações para configurar diretamente aplicações acabadas de instalar (funcionalidade pro)
- Após desabilitar usando o widget, automaticamente habilitar outra vez após o número de minutos selecionados\nInsira zero para desabilitar essa opção
- Após desligar o ecrã, manter as regras ativas pelo número de minutos selecionados (digite 0 para desabilitar essa opção)
+ Após desativar usando o widget, ativar automaticamente outra vez após o número de minutos selecionados\nInsira zero para desativar esta opção
+ Após desligar o ecrã, manter as regras ativas pelo número de minutos selecionados (digite 0 para desativar esta opção)
Procurar novos lançamentos no GitHub duas vezes por dia
- Dependendo da versão do Android, tethering pode ou não trabalhar. O tráfego em tethering não pode ser filtrado.
- Ativar encaminhamento subnet; pode permitir chamadas Wi-Fi, mas pode também desencadear bugs no Android e aumento do uso da bateria
+ Dependendo da versão do Android, o tethering pode ou não funcionar. O tráfego em tethering não pode ser filtrado.
+ Ativar encaminhamento subnet. Pode permitir chamadas em Wi-Fi, mas pode também desencadear erros no Android e aumentar a utilização da bateria
Permitir que as aplicações se conectem a endereços de rede local, como 10.0.0.0/8, 172.16.0.0/12 e 192.168.0.0/16
Encaminhar tráfego IP versão 6 para o NetGuard para que possa ser seletivamente permitido ou bloqueado
- Aplicar regras Wi-Fi somente a rede selecionada (aplica regras de dados móveis às outras redes Wi-Fi)
- Aplicar regras de Dados Móveis a redes Wi-Fi compartilhadas (pagas, limitadas)
+ Aplicar regras Wi-Fi apenas à rede selecionada (aplica regras de dados móveis às outras redes Wi-Fi)
+ Aplicar regras de dados móveis a redes Wi-Fi partilhadas (pagas, limitadas)
Aplicar regras de rede Wi-Fi para ligações de dados em 2G
Aplicar regras de rede Wi-Fi para ligações de dados em 3G
Aplicar regras de rede Wi-Fi para ligações de dados em LTE
- Não aplicar regras de Roaming quando o chip SIM e a rede móvel forem do mesmo país
+ Não aplicar regras de roaming quando o cartão SIM e a rede móvel forem do mesmo país
Não aplicar regras de roaming quando o país do cartão SIM e da rede móvel estiverem dentro da EU (roaming como em casa)
Desactivar o NetGuard em chamadas telefónicas. Isto pode ser usado para contornar problemas de chamadas em IP/Wi-Fi.
Definir regras para aplicações de sistema (para utilizadores experientes)
Registar tentativas de acesso à internet para aplicações. Isto pode resultar no uso extra da bateria.
Mostrar uma notificação na barra de estado quando uma aplicação tenta aceder um endereço de internet novo (quando a filtragem está desativada, só serão indicadas tentativas de acesso bloqueadas)
- Filtrar pacotes de IP que saiem do sumidouro VPN. Isto pode resultar num uso adicional de bateria.
+ Filtrar pacotes de IP que saem do sumidouro VPN. Isto pode resultar num uso adicional de bateria.
Controlar o número de bytes enviados e recebidos para cada aplicação e endereço. Isto pode resultar num uso adicional da bateria.
Responder com o código de resposta do DNS configurado para nomes de domínio bloqueados. Esta opção é desativada quando não está disponível nenhum ficheiro hosts.
O valor padrão é 3 (NXDOMAIN), que significa \"domínio inexistente\".
- Domain name used to validate the internet connection at port 443 (https).
- Somente o tráfego TCP será enviado para o servidor proxy
- Verificar periodicamente se o NetGuard ainda está em execução (entrar zero para desativar esta opção). Isto pode resultar num uso extra de bateria.
+ Nome de domínio utilizado para validar a conexão de Internet na porta 443 (https).
+ Apenas o tráfego TCP será enviado para o servidor proxy
+ Verificar periodicamente se o NetGuard ainda está em execução (introduza zero para desativar esta opção). Isto pode resultar na utilização adicional da bateria.
Mostrar gráfico de velocidade da rede na barra de notificação
Tem a certeza?
A impor regras
- %1$d permitido, %2$d bloqueado
+ %1$d permitidos, %2$d bloqueados
%1$d permitidos, %2$d bloqueados, %3$d anfitriões
A aguardar o evento
NetGuard desativado, use o interruptor acima para o ativar
- NetGuard foi desativado, provavelmente outro aplicativo baseado em VPN está a ser usado
+ NetGuard foi desativado, provavelmente está a ser utilizada outra aplicação que usa uma VPN
\'%1$s\' instalado
Foi instalada
%1$s tentaram acesso à internet
Tentativa de acesso à internet
Ação concluída
NetGuard usa uma VPN local para filtrar o tráfego de internet. Por este motivo, por favor, permita uma conexão VPN na caixa de diálogo seguinte. O seu tráfego de internet não está a ser enviado para um servidor VPN remoto.
- NetGuard não pôde ser iniciado automaticamente na inicialização por causa de um bug na sua versão do Android
+ NetGuard não pôde ser iniciado automaticamente na inicialização por causa de um erro na sua versão do Android.
Ocorreu um erro inesperado: \'%s\'
Android recusou iniciar o serviço de VPN neste momento. Isto deve-se provavelmente a um erro na sua versão do Android.
Testar NetGuard
- Doando, você concorda com os termos & condições
- Caso não consiga pressionar OK no dialogo a seguir, então provavelmente alguma aplicacão (screen dimming) está a manipular a tela.
+ Ao fazer um donativo, concorda com os termos e condições
+ Caso não consiga pressionar OK no diálogo a seguir, então provavelmente alguma aplicação (escurecimento do ecrã) está a manipular o ecrã.
± %1$.3f▲ %2$.3f▼ MB/dia
%7.3f KB/s
%7.3f MB/s
@@ -177,31 +177,31 @@
%1$7.3f▲ %2$7.3f▼ MB
%1$7.3f▲ %2$7.3f▼ GB
%dx
- Para resultados consistentes, as otimizações de bateria Android devem ser desabilitadas para NetGuard. \n\nNa próxima caixa de diálogo, selecione \"Todos os apps\" na parte superior, toque no NetGuard na lista e selecione e confirme \"Não otimizar\".
- Para resultados consistentes, as opções de guardar dados do Android devem ser desativados para o NetGuard \n\nNo próxima caixa de diálogo, ative as opções \"dados em segundo plano\" e \"uso de dados sem restrições\"
- Usando a filtragem faz com que o Android atribua o uso de dados e energia ao NetGuard - o Android assume que os dados e a energia estão a ser usados pelo NetGuard, em vez de pelas aplicações originais
- Android 4 requere que a filtragem esteja ativa
- Registo de tráfego desabilitado, use o botão acima para habilitar o registo. Registar o tráfego pode resultar numa utilização extra da bateria.
- Isto irá redefinir as regras e condições para os seus valores padrão
+ Para resultados consistentes, as otimizações de bateria do Android devem ser desativadas para o NetGuard. \n\nNa próxima caixa de diálogo, selecione \"Todas as aplicações\" na parte superior, toque em NetGuard na lista, selecione e confirme \"Não otimizar\".
+ Para resultados consistentes, as opções de guardar dados do Android devem ser desativadas para o NetGuard \n\nNa próxima caixa de diálogo, ative as opções \"dados em segundo plano\" e \"acesso a dados sem restrições\"
+ Usar a filtragem faz com que o Android atribua o uso de dados e energia ao NetGuard - o Android assume que os dados e a energia estão a ser usados pelo NetGuard, e não pelas aplicações efetivas
+ Android 4 requer que a filtragem esteja ativa
+ Registo de tráfego desativado. Use o botão acima para ativar o registo. Registar o tráfego pode resultar numa utilização extra da bateria.
+ Isto irá repor as regras e condições nos seus valores padrão
Isto irá apagar as linhas de registo relativas a tentativas de acesso sem regras de permitir/bloquear
Última importação: %s
A descarregar\n%1s
Ficheiro hosts descarregado
Último descarregamento: %s
- Começar o encaminhamento do %1$s porto %2$d a %3$s:%4$d de \'%5$s\'?
- Parar o encaminhamento de %2$d de porto %1$s?
+ Começar o reencaminhamento de %1$s porta %2$d a %3$s:%4$d de \'%5$s\'?
+ Parar o reencaminhamento de %2$d na porta %1$s?
Rede é limitada
Sem ligação à Internet
NetGuard está ocupado
- Actualização disponivel, toque para descarregar
- Você pode permitir (esverdeado) ou negar (avermelhado) o acesso Wi-Fi ou aos dados móveis tocando nos ícones ao lado de uma aplicação
+ Atualização disponível, toque para descarregar
+ Pode permitir (esverdeado) ou negar (avermelhado) o acesso Wi-Fi ou aos dados móveis tocando nos ícones ao lado de uma aplicação
Se instalou o NetGuard para proteger a sua privacidade, poderá estar também interessado em FairEmail, uma aplicação de e-mail, de código aberto e amiga da privacidade
Acesso à internet é permitido por omissão, isto pode ser mudado nas definições
Mensagens push são geridas principalmente pelo componente de serviço do Play, a que é permitido o acesso à internet por omissão
- Gerir aplicações de sistema pode ser ativado nas definições
- Por favor descreva o problema e indique o momento do problema:
- Ligação VPN cancelada\nVocê configurou outro VPN para estar sempre ligado?
- Desligando o seu dispositivo com NetGuard habilitado, automaticamente iniciará NetGuard ao ligar o seu dispositivo
+ A gestão de todas as aplicações de sistema pode ser ativada nas definições
+ Por favor descreva o problema e indique quando ocorreu:
+ Ligação VPN cancelada\nConfigurou outra VPN para estar sempre ligada?
+ Ao desligar o seu dispositivo com o NetGuard ativado, este será iniciado automaticamente ao ligar o dispositivo
Este recurso não está disponível nesta versão do Android
Outra VPN está definida como VPN sempre ligada
Desligar \"Bloquear conexões sem VPN\" nas configurações de VPN do Android para utilizar o modo de filtragem do NetGuard
@@ -212,37 +212,37 @@
Regras de dados ilimitados não estão aplicadas
Tráfego limitado é permitido
Tráfego limitado é bloqueado
- Regras de dados limitados não estão aplicadas
+ Regras de dados limitados não estão a ser aplicadas
Endereço é permitido
Endereço é bloqueado
Permitir quando o ecrã está ligado
Bloquear quando em roaming
Por padrão uma ligação Wi-Fi é considerada ilimitada e uma ligação móvel é considerada limitada
- não tem permissão de acesso a internet
+ não tem permissão de acesso à internet
está desativado
As mensagens são recebidas pelos serviços Google Play e não por esta aplicação. Por este motivo não podem ser bloqueadas bloqueando esta aplicação
- Downloads are performed by the download manager and not by this app and can therefore not be blocked by blocking this app
+ Os descarregamentos são realizados pelo gestor de descarregamentos e não por esta aplicação, por isso não podem ser bloqueados pelo bloqueio desta aplicação
Aplicar as regras e condições
Condições
- Permitir Wi-Fi ao ligar a tela
- Permitir Dados Móveis ao ligar a tela
+ Permitir Wi-Fi quando o ecrã estiver ligado
+ Permitir dados móveis quando o ecrã estiver ligado
R
- Bloquear quando em Roaming
+ Bloquear quando em roaming
Permitir em modo de bloqueio
Filtrar relacionados
Tentativas de acesso
As regras de acesso têm precedência sobre outras regras
Opções
Notificar das tentativas de acesso à internet
- Log ou filtragem não está ativo
- Log ou filtragem está ativo
+ O registo ou filtragem não está ativo
+ O registo ou filtragem está ativo
Configurar
- Ativar apenas o log de endereços bloqueados
- Ativar filtragem para o log também dos endereços permitidos
+ Ativar apenas o registo de endereços bloqueados
+ Ativar filtragem para o registo também dos endereços permitidos
Ativar acesso às notificações para endereços registados recentemente
Estas definições são definições gerais, que se aplicam a todas as aplicações
A filtragem também é necessária para permitir ou bloquear endereços individuais
- Habilitando o log (menos) ou filtragem (mais) pode aumentar o uso da bateria e pode afetar a velocidade da rede
+ Ativando o registo (menos impacto na bateria) ou filtragem (mais impacto) pode aumentar o uso da bateria e pode afetar a velocidade da rede
Classificar
Permitir
Bloquear
@@ -257,7 +257,7 @@
Whois %1$s
Porta %1$d
Copiar
- Funcionalidades Pro
+ Funcionalidades pro
Os seguintes recursos pro estão disponíveis:
Visualizar registo de tráfego bloqueado
Filtrar o tráfego de rede
@@ -273,8 +273,8 @@
Código de verificação
Resposta
Esta é uma funcionalidade da versão pro
- A monthly subscriptions of 1 or 2 euros (excluding local taxes) will activate all pro features.
- You can cancel or manage a subscription via the subscriptions tab in the Play store app.
+ Uma assinatura mensal de 1 ou 2 euros (excluindo impostos locais) ativará todos os recursos profissionais.
+ Pode cancelar ou gerir a assinatura através do guia de assinaturas na aplicação da Play Store.
- verde-azulado/laranja
diff --git a/app/src/main/res/values-ro/strings.xml b/app/src/main/res/values-ro/strings.xml
index cda57c1c5..ead66fb59 100644
--- a/app/src/main/res/values-ro/strings.xml
+++ b/app/src/main/res/values-ro/strings.xml
@@ -2,24 +2,24 @@
NetGuard oferă modalități simple și avansate de a bloca accesul la internet, ce nu necesită acces root. Accesul aplicațiilor la conexiunile Wi-Fi și/sau mobile poate fi permis sau blocat atât la nivel individual cât și la nivel de adresă.
NetGuard necesită Android 5.1 sau mai nou
- Xposed cauzează prea multe erori care ar putea duce la scoaterea NetGuard din Google Play store, prin urmare, NetGuard nu va fi suportat atunci când Xposed este instalat
+ Xposed cauzează prea multe erori care ar putea duce la ștergerea NetGuard din Google Play Store, prin urmare NetGuard nu este suportat atâta timp cât Xposed este instalat
Politica de confidențialitate
- NetGuard este dezvoltat și testat cu mare atenție, cu toate acestea este imposibil de garantat că va funcționa corect pe fiecare sau pe orice dispozitiv.
+ NetGuard este dezvoltat și testat cu mare atenție, cu toate acestea este imposibil de garantat că va funcționa corect pe oricare dispozitiv.
Accept
Nu accept
- NetGuard are nevoie de ajutorul dumneavoastră. Atingeți pentru a achiziționa caracteristici pro și a putea dezvolta proiectul în continuare.
+ NetGuard are nevoie de ajutorul dumneavoastră. Atingeți pentru a achiziționa funcții Pro și a susține proiectul.
Serviciile care rulează
Notificări generale
Notificări acces
- Caută aplicații
- Filtrează aplicațiile
+ Caută app
+ Filtrează app
Arată aplicațiile utilizatorului
- Arată aplicațiile de sistem
- Arată aplicațiile fără permisiuni internet
+ Arată aplicații de sistem
+ Arată aplicații fără permisiuni internet
Arată aplicațiile dezactivate
Sortează aplicațiile
Sortare după nume
- Sortare după uid
+ Sortare după UID
Sortare după traficul de date
Arată jurnal
Setări
@@ -32,12 +32,12 @@
Permis
Blocat
Actualizare în timp real
- Reîmprospătare
+ Actualizare
Arată nume domenii
Arată organizația
Activează PCAP
Exportă PCAP
- Curăță jurnalul
+ Golește jurnalul
Exportă
Resetează
Adaugă
@@ -49,7 +49,7 @@
Portul de destinație
Aplicație destinație
Pentru un server extern alegeți \'Proces fără utilizator\'
- Setări implicite
+ Setări implicite (whitelist/blacklist)
Blochează Wi-Fi
Blochează datele mobile
Permite Wi-Fi cu ecranul pornit
@@ -59,11 +59,11 @@
Tema: %1$s
Folosește tema întunecată
Notificare la o instalare nouă
- Aplică regulile când \'ecranul este pornit\'
+ Aplică regulile pentru \'ecran pornit\'
Activează automat după %1$s minute
- Temporizare la oprirea ecranului %1$s minute
+ Întârzie regulile pentru \"ecran oprit\" %1$s minute
Verificați dacă există actualizări
- Opțiuni conexiune
+ Opțiuni rețea
Rutare subrețea
Permite partajarea conexiunii
Permite acces LAN
@@ -109,9 +109,9 @@
Repornire automată: o dată la %s minute
Notificare viteză conexiune
Arată notificare viteză
- Arată aplicațiile consumatoare
+ Arată aplicațiile consumătoare
Interval de eșantionare: %s ms
- Numar de esantioane: %s s
+ Număr de eșantioane: %s s
Copie de siguranță
Exportă setări
Importă setări
@@ -227,8 +227,8 @@ Din acest motiv, va rugăm să permiteți conexiunea VPN în caseta de dialog ur
Descărcările sunt realizate de către managerul de descărcări și nu de către această aplicație, în consecință nu pot fi blocate prin blocarea acesteia
Aplică regulile și condițiile
Restricții
- Permite Wi-Fi cand ecranul e pornit
- Permite date mobile cand ecranul e pornit
+ Permite Wi-Fi când ecranul este pornit
+ Permite date mobile când ecranul este pornit
R
Blochează în roaming
Permite când traficul este închis
@@ -266,7 +266,7 @@ Din acest motiv, va rugăm să permiteți conexiunea VPN în caseta de dialog ur
Filtrează traficul de rețea
Notificare aplicație nou instalată
Notificare cu grafic viteza conexiune
- Tema, culori configurabile
+ Aspect (temă, culori)
Toate funcțiile avansate de mai sus
Sprijină dezvoltarea
Cumpără
@@ -282,7 +282,7 @@ Din acest motiv, va rugăm să permiteți conexiunea VPN în caseta de dialog ur
- verde albăstrui/portocaliu
- albastru/portocaliu
- - mov/rosu
+ - mov/roșu
- culoarea chihlimbarului/albastru
- portocaliu/gri
- verde
diff --git a/app/src/main/res/values-ta/strings.xml b/app/src/main/res/values-ta/strings.xml
index 2f131ad39..19ffed13f 100644
--- a/app/src/main/res/values-ta/strings.xml
+++ b/app/src/main/res/values-ta/strings.xml
@@ -6,61 +6,61 @@
தனியுரிமைக் கொள்கை
நெட்கார்ட்டை உருவாக்க மற்றும் சோதிக்க மிகுந்த கவனம் செலுத்தப்பட்டுள்ளது, இருப்பினும் ஒவ்வொரு சாதனத்திலும் நெட்கார்ட் சரியாக வேலை செய்யும் என்று உத்தரவாதம் அளிக்க முடியாது.
நான் ஏற்கிறேன்
- நான் ஏற்றுக் கொள்ள முடியாது
+ நான் மறுக்கிறேன்
நெட்கார்டுக்கு உங்கள் உதவி தேவை. திட்டத்தை தொடர சார்பு அம்சங்களை வாங்க தட்டவும்.
இயங்கும் சேவைகள்
பொது அறிவிப்புகள்
அறிவிப்புகளை அணுகவும்
- செயலிகளை தேடுக
- வடிகட்டி பயன்பாடுகள்
- பயனர் பயன்பாடுகள் காண்பி
+ செயலியை தேட
+ செயலிகளை வடிகட்ட
+ பயனர் செயலிகளை காண்பி
காட்சி அமைப்பு பயன்பாடுகள்
- இல்லாமல் இணைய பயன்பாடுகள் காண்பி
- ஊனமுற்ற பயன்பாடுகள் காண்பி
- அடுக்கு பயன்பாடுகள்
- பெயரில் அடுக்கு
- அன்று uid வரிசைப்படுத்து
- தரவு பயன்பாட்டு அடுக்கு
+ இணையம் இல்லா செயலிகளை காண்பி
+ முடக்கப்பட்ட பயன்பாடுகள் காண்பி
+ செயலிகளை வரிசைப்படுத்த
+ பெயரால் வரிசைப்படுத்த
+ uid-ஆல் வரிசைப்படுத்து
+ தரவு பயன்பாட்டால் வரிசைப்படுத்து
வெளியேறு காண்பி
அமைப்புகள்
- அழைக்கவும்
+ அழை
உள் பட்டியல்
ஆதரவு
பற்றி
- பிற பயன்பாடுகள்
+ பிற செயலிகள்
பிற
- அனுமதிக்கப்பட்டது
- தடுக்கப்பட்டது
+ அனுமதிக்கப்பட்டவை
+ தடுக்கப்பட்டவை
நேரடி புதுப்பித்தல்கள்
புதுப்பி
- பெயர்களை காட்டவும்
- நிறுவன காண்பி
+ பெயர்களை காண்பி
+ நிறுவனத்தை காண்பி
PCAP செயலாக்கம்
PCAP ஏற்றுமதி
- அழி
+ அகற்று
ஏற்றுமதி
மீட்டமை
சேர்
அழி
- சுத்தம் செய்
+ சுத்தமாக்கு
நெறிமுறை
மூல முணையம்
இலக்கு முகவரி
இலக்கு முணையம்
- இலக்கு பயன்பாடு
+ இலக்கு செயலி
ஒரு வெளிப்புற சேவையகத்திற்காக தேர்ந்தெடுத்து \'யாரும்\'
இயல்புநிலைகள்
- தொகுதி Wi-Fi
+ Wi-Fi-யை தடு
மொபைல் தடு
Wi-Fi அனுமதிக்கும் போது திரை மீது
மொபைல் எப்போது திரை அனுமதி
சுற்றும் தடு
- அமைப்புகள்
+ விருப்பங்கள்
கருப்பொருள்: %1$s
கருத்த கருப்பொருளை உபயோகி
- தெரிவி மீது புதிய நிறுவல்
+ புதிய நிறுவல்களை தெரிவி
\'ஸ்கிரீன் ஆன்\' விதிகளைப் பயன்படுத்துங்கள்
- பிறகு %1$s நிமிடங்கள் தானாக இயக்கு
+ %1$s நிமிடங்களுக்கு பிறகு தானாக இயக்கு
அணை %1$s நிமிடங்கள் தாமதம் திரை
மேம்படுத்தலுக்கு சோதி
பிணைய விருப்பங்கள்
@@ -76,42 +76,42 @@
தேசிய சுற்றும் புறக்கணி
ஐரோப்பிய ஒன்றிய ரோமிங்கை புறக்கணிக்கவும்
அழைப்பில் முடக்கு
- பூட்டுதல் வைஃபை
- பூட்டுதல் மொபைல்
+ வைஃபையை பூட்டு
+ மொபைலை பூட்டு
ஒவ்வொரு இணைப்பு மாற்றத்திலும் மீண்டும் ஏற்றவும்
மேம்பட்ட விருப்பங்கள்
கணினி பயன்பாடுகள் நிர்வகி
பதிவை இணைய அணுகல்
இணைய அணுகல் தெரிவி
- வடிகட்டி போக்குவரத்து
+ போக்குவரத்தை வடிகட்டு
யுடிபி போக்குவரத்தை வடிகட்டவும்
மீண்டும் ஏற்றும்போது தடையற்ற VPN கையளிப்பு
மீண்டும் ஏற்றும்போது இணைப்புகளை மூடு
- பூட்டுதல் போக்குவரத்து
+ போக்குவரத்தை பூட்டு
பிணைய பயன்பாடு அறி
பிணைய பயன்பாடு மீட்டமை
தீர்க்கப்பட்ட டொமைன் பெயர்களைக் காட்டு
- தொகுதி டொமைன் பெயர்கள்
+ டொமைன் பெயர்களை தடு
டிஎன்எஸ் மறுமொழி குறியீடு:%s
முணையம் மேலனுப்ப
VPN IPv4: %s
VPN IPv6: %s
VPN DNS: %s
- இல் சரிபார்க்கவும்:%s
+ %s - இல் சரிபார்க்கவும்
குறைந்தபட்ச DNS TTL:%s s
SOCKS5 பதிலி பயன்படுத்தவும்
SOCKS5 முகவரி: %s
SOCKS5 போர்ட்: %s
SOCKS5 பயனர் பெயர்: %s
- கடவுச்சொல் SOCKS5: %s
+ SOCKS5 கடவுச்சொல்: %s
PCAP சாதனை அளவு: %s B
- PCAP மேக்ஸ். கோப்பு அளவு: %s MB
- கண்காணிப்பு: ஒவ்வொரு %s நிமிடங்கள்
- வேகம் அறிவிப்பு
- வேகம் அறிவிக்கையை காண்பி
+ PCAP அதிகபட்ச கோப்பு அளவு: %s MB
+ கண்காணிப்பு: ஒவ்வொரு %s நிமிடங்களும்
+ வேக அறிவிப்பு
+ வேக அறிவிப்பை காண்பி
மேல் பயன்பாடுகள் காண்பி
மாதிரி இடைவேளை: %s ms
- பல மாதிரிகள்: %s s
+ மாதிரிகளின் எண்ணிக்கை: %s s
மறுபிரதி
ஏற்றுமதி அமைப்புகள்
இறக்குமதி அமைப்புகள்
@@ -151,31 +151,31 @@
அவ்வப்போது என்றால் NetGuard இயங்கிக்கொண்டிருக்கும் சரிபார்க்கவும் (இந்த விருப்பத்தை முடக்க பூஜ்யம் உள்ளிட). கூடுதல் மின்கல பயன்பாட்டு இது இதனால் இருக்கலாம்.
நிலை பட்டி அறிவிக்கை பிணைய வேகம் வரைபடம் காண்பி
- நிச்சயமாக?
+ உறுதியாக?
விதிகளை அமலாக்கம்
- %1$d அனுமதிக்கப்பட்ட, %2$d தடுக்கப்பட்டது
- %1$d அனுமதிக்கப்பட்ட, %2$d தடை, %3$d மந்தமான
- நிகழ்வு காத்திருக்கிறது
+ %1$d அனுமதிக்கப்பட்டவை, %2$d தடுக்கப்பட்டவை
+ %1$d அனுமதிக்கப்பட்டவை, %2$d தடுக்கப்பட்டவை, %3$d மந்தமான
+ நிகழ்வுக்காக காத்திருக்கிறது
NetGuard முடக்கப்பட்டது, NetGuard செயல்படுத்த மேலுள்ள பொத்தான் பயன்படுத்தவும்
NetGuard முடக்கப்பட்டுள்ளது, தெரிகிறது நாளுக்கு பயன்படுத்தி வேறு VPN அடிப்படையிலான பயன்பாடு
- \'%1$s\' நிறுவப்படவில்லை
+ \'%1$s\' நிறுவப்பட்டவை
நிறுவப்பட்டது
%1$s முற்பட்டபோது இணைய அணுகல்
முயற்சிக்காக இணைய அணுகல்
- செயல் நிறைவடைந்தது
+ செயல் நிறைவுற்றது
இணைய போக்குவரத்து வடிகட்ட உள்ளூர் VPN NetGuard பயன்படுத்துகிறது. இந்த காரணத்திற்காக, தயவுசெய்து ஒரு VPN இணைப்பை அனுமதிக்க அடுத்த உரையாடலில். உங்கள் இணைய போக்குவரத்து ஒரு தொலைநிலை VPN சேவையகத்திற்கு அனுப்பப்பட்டுள்ளது இல்லை.
NetGuard தொடங்க இயலாது தானாகவே. இது பயன்பாட்டையும் காரணமாக உங்கள் Android பதிப்பில் போன்று.
ஒரு எதிர்பாராத பிழை ஏற்பட்டது: \'%s\'
இந்த நேரத்தில் VPN சேவையைத் தொடங்க Android மறுத்துவிட்டது. உங்கள் Android பதிப்பில் உள்ள பிழை காரணமாக இது இருக்கலாம்.
- NetGuard முயற்சி
+ NetGuard-யை முயற்சிசெய்
கொடுப்பதன் மூலம் நீங்கள் ஒப்புக்கொள்கிறீர்கள், விதிமுறைகள் & நிபந்தனைகள்
நீங்கள், அடுத்த உரையாடலில் உள்ள சரி என்பதை அழுத்தினால் முடியாது, வேறு (திரை dimming) பயன்பாடு என்பது தெரிகிறது manipulating திரை.
± %1$.3f▲ %2$.3f▼ MB/நாள்
%7.3f KB/s
%7.3f MB/s
%1$7.3f▲ %2$7.3f▼ KB
- %1$7.3f▲ %2$7.3f▼ KB
- %1$7.3f▲ %2$7.3f▼ KB
+ %1$7.3f▲ %2$7.3f▼ MB
+ %1$7.3f▲ %2$7.3f▼ GB
%dx
ஒத்திருக்கும் முடிவுகளுக்கு, அண்ட்ராய்டு மின்கல optimizations வேண்டும் இருக்க முடக்கப்பட்டுள்ளது NetGuard. \n\nIn அடுத்த உரையாடல், மேலே \"அனைத்து பயன்பாடுகள்\" தேர்ந்தெடுக்கவும், துறையில் உள்ள NetGuard பட்டியல் மற்றும் தேர்வு செய்து உறுதி \"வேண்டாம் உகப்பாக்கு\".
ஒத்திருக்கும் முடிவுகளுக்கு, அண்ட்ராய்டு தரவு விருப்பங்கள் சேமிக்க வேண்டும் முடக்க NetGuard \n\nIn அடுத்த உரையாடல், விருப்பங்கள் \"பின்னணி தகவல்\" மற்றும் \"கட்டுப்பாடற்ற தரவு பயன்பாட்டு\" செயல்படுத்த திட்டம்
@@ -185,15 +185,15 @@
இது உரைகளையும் விதிகள் மற்றும் நிபந்தனைகள் தங்களுடைய இயல்பு நிலைக்கு
அணுகல் முயற்சி பதிவை வரிகள் இல்லாமல் அனுமதி/தடு விதிகளை நீக்கி விடும்
கடைசி இறக்குமதி: %s
- Downloading\n%1s
+ பதிவிறக்கப்படுகிறது \n%1s
சேவையகங்கள் கோப்பு தகவலிறக்கம்
- இறுதியாக பதிவிறக்கம்: %s
+ கடைசி பதிவிறக்கம்: %s
மேலனுப்ப \'%5$s\' %3$s:%4$d %1$s போர்ட் %2$d இருந்து தொடங்கும்?
%1$s போர்ட் %2$d மேலனுப்ப நிறுத்து?
பிணைய metered
- செயலில் இணைய இணைப்பு இல்லை
+ இணைய இணைப்பு இல்லை
NetGuard பணியில் உள்ளது
- பதிவிறக்கம் புதுப்பித்தல் கிடைக்கும், ஆணி
+ புதிய பதிப்பு உள்ளது, பதிவிறக்க தட்டவும்
நீங்கள் அனுமதி (வண்ணச்சாயலில்) அல்லது (சிவந்த) Wi-Fi அல்லது மொபைல் இணைய அணுகலை அருகில் ஒரு பயன்பாடு படவுருக்களை ஒட்டுக்கேட்பு மூலம் மறு
உங்கள் தனியுரிமையைப் பாதுகாக்க நீங்கள் நெட்கார்டை நிறுவியிருந்தால், திறந்த மூல, தனியுரிமை நட்பு மின்னஞ்சல் பயன்பாடான FairEmail இல் நீங்கள் ஆர்வமாக இருக்கலாம்
இணைய அணுகல் அனுமதிக்கப்படும் இயல்பாக, இது முடியும் மாற்ற அமைப்புகளில்
@@ -202,7 +202,7 @@
தயவுசெய்து சிக்கலை விளக்க மற்றும் பிரச்சினையின் நேரம் என்பதை குறிப்பிடவும்:
VPN இணைப்பு ரத்துசெய்யப்பட்டது. \nமற்றொரு VPN ஐ எப்போதும் இயங்கும் VPN ஆக உள்ளமைக்கிறீர்களா?
நெட்கார்ட் இயக்கப்பட்ட நிலையில் உங்கள் சாதனத்தை இயக்குவது, உங்கள் சாதனத்தை இயக்குவதில் தானாகவே நெட்கார்டைத் தொடங்கும்
- இந்த அம்சம் இந்த Android பதிப்பில் கிடைக்கவில்லை
+ இந்த அம்சம் இந்த Android பதிப்பில் இல்லை
மற்றொரு VPN எப்போதும் இயங்கும் VPN ஆக அமைக்கப்பட்டுள்ளது
வடிகட்டுதல் பயன்முறையில் நெட்கார்டைப் பயன்படுத்த Android VPN அமைப்புகளில் \"VPN இல்லாமல் இணைப்புகளைத் தடு\" என்பதை முடக்கு
வடிகட்டுதல் பயன்முறையில் நெட்கார்டைப் பயன்படுத்த Android பிணைய அமைப்புகளில் \"தனியார் டிஎன்எஸ்\" ஐ முடக்கு
@@ -213,13 +213,13 @@
Metered போக்குவரத்து அனுமதிக்கப்படும்
Metered போக்குவரத்து தடைசெய்யப்பட்டது
மீட்டர் விதிகள் பயன்படுத்தப்படவில்லை
- முகவரி அனுமதிக்கப்படும்
+ முகவரி அனுமதிக்கப்பட்டது
முகவரி தடுக்கப்பட்டது
திரை இயக்கத்தில் இருந்தால் அனுமதி
தொகுதி சுற்றும் போது
இயல்புநிலை ஒரு Wi-Fi இணைப்பு இருக்கும்படி கொள்ளப்படும் unmetered மற்றும் மொபைல் இணைப்பை metered இருக்க
- எந்த இணைய அனுமதி அளித்துள்ளது
- செயலிழக்கம் செய்யப்பட்டுள்ளது
+ இணைய அனுமதி இல்லை
+ %s முடக்கப்பட்டது
உள்வரும் செய்திகள் Google Play சேவைகளால் பெறப்படுகின்றன, இந்த பயன்பாட்டின் மூலம் அல்ல, எனவே இந்த பயன்பாட்டைத் தடுப்பதன் மூலம் தடுக்க முடியாது
பதிவிறக்கங்கள் பதிவிறக்க மேலாளரால் செய்யப்படுகின்றன, இந்த பயன்பாட்டால் அல்ல, எனவே இந்த பயன்பாட்டைத் தடுப்பதன் மூலம் தடுக்க முடியாது
விதிகள் மற்றும் நிபந்தனைகள் பயன்படுத்து
@@ -232,7 +232,7 @@
தொடர்புடைய வடிகட்டு
அணுகல் முயற்சிகள்
அனுமதி விதிகளை எடுத்துக் நடிகையும் மற்ற விதிகள்
- அமைப்புகள்
+ விருப்பங்கள்
இணைய அணுகல் முயற்சிகள் தெரிவி
பதிவுசெய்தல் அல்லது வடிகட்டுதல் இயக்கப்படவில்லை
பதிவு மற்றும் வடிகட்டுதல் இயக்கப்பட்டன
@@ -243,34 +243,34 @@
இந்த அமைப்புகள் எல்லா பயன்பாடுகளுக்கும் பொருந்தும் உலகளாவிய அமைப்புகள்
தனிப்பட்ட முகவரிகளை அனுமதிக்க அல்லது தடுக்க வடிகட்டலும் தேவை
உள்நுழைவு (குறைவாக) அல்லது வடிகட்டுதல் (மேலும்) இயக்குவது பேட்டரி பயன்பாட்டை அதிகரிக்கக்கூடும் மற்றும் பிணைய வேகத்தை பாதிக்கலாம்
- மதிப்பிடுக
+ மதிப்பிடு
அனுமதி
- தடைசெய்
- வைஃபை அனுமதிக்கவும்
- வைஃபை தடு
- மொபைலை அனுமதிக்கவும்
+ தடு
+ வைஃபையை அனுமதி
+ வைஃபையை தடு
+ மொபைலை அனுமதி
மொபைலைத் தடு
வேர்
mediaserver
- யாரும்
+ யாருமில்லை
மீண்டும் கேட்காதே
Whois %1$s
போர்ட் %1$d
- நகலெடுக்கவும்
+ நகலெடு
ப்ரோ அம்சங்கள்
கீழ்கண்ட ப்ரோ அம்சங்கள் உள்ளன:
போக்குவரத்து குறிப்பேட்டு காண் தடுக்கப்பட்டது
- வடிகட்டி பிணைய போக்குவரத்து
- புதிய பயன்பாட்டு அறிவிக்கைகள்
- பிணைய வேகம் வரைபடம் அறிவிப்பு
+ பிணைய போக்குவரத்தை வடிகட்ட
+ புதிய பயன்பாட்டு அறிவிப்புகள்
+ பிணைய வேக வரைபட அறிவிப்பு
தோற்றம் (கருப்பொருள், நிறங்கள்)
- ப்ரோ அம்சங்கள் மேலே
- ஆதரவு வளர்ச்சி
+ மேலுள்ள எல்லா ப்ரோ அம்சங்கள்
+ வளர்ச்சியை ஆதரிக்க
வாங்கு
- எண்ணை திருத்து
+ வாங்கப்பட்டது
கிடைக்கவில்லை
- மேலும் தகவலுக்கு ஒரு தலைப்பு துறையில்
- சவால்விடு
+ மேலும் தகவலுக்கு ஒரு தலைப்பில் தட்டு
+ சவால்
பதில்
இது ஒரு சார்பு அம்சமாகும்
1 அல்லது 2 யூரோக்களின் மாதாந்திர சந்தாக்கள் (உள்ளூர் வரிகளைத் தவிர) அனைத்து சார்பு அம்சங்களையும் செயல்படுத்தும்.
@@ -279,8 +279,8 @@
- வெளிர்நீலம்/ஆரஞ்சு
- நீலம்/ஆரஞ்சு
- ஊதா/சிவப்பு
- - amber/நீலம்
- - ஆரஞ்சு/கிரே
+ - பொன்/நீலம்
+ - ஆரஞ்சு/சாம்பல்
- பச்சை
diff --git a/app/src/main/res/values-tr/strings.xml b/app/src/main/res/values-tr/strings.xml
index 83f7e4ade..1df19482c 100644
--- a/app/src/main/res/values-tr/strings.xml
+++ b/app/src/main/res/values-tr/strings.xml
@@ -7,7 +7,7 @@
NetGuard\'ın geliştirilip test edilmesi için büyük özen gösterilmiştir fakat her cihazda doğru çalışacağını garanti etmek imkansızdır.
Kabul ediyorum
Reddediyorum
- NetGuard\'ın yardımınıza ihtiyacı var. Projeyi devam ettirmek için pro özellikleri satın almak için dokunun.
+ Netguard\'ın yardımınıza ihtiyacı var. Projenin devam etmesi için pro özelliklerini satın almak için dokunun.
Çalışan hizmetler
Genel bildirimler
Erişim bildirimleri
@@ -275,7 +275,7 @@ Bu yüzden bir sonraki diyalogda lütfen VPN bağlantısına izin verin.
Mevcut değil
Daha fazla bilgi için başlığa dokunun
Challenge
- Yanıt
+ Response
Bu bir pro özelliğidir
Aylık 1 veya 2 euroluk abonelik (vergiler hariç) tüm pro özelliklerini etkinleştirir.
Aboneliği yönetmek için Play store uygulamasındaki abonelikler sekmesini kullanabilirsini.
diff --git a/app/src/main/res/values-vi/strings.xml b/app/src/main/res/values-vi/strings.xml
index 85641c420..6769423ea 100644
--- a/app/src/main/res/values-vi/strings.xml
+++ b/app/src/main/res/values-vi/strings.xml
@@ -97,7 +97,7 @@
VPN IPv4: %s
VPN IPv6: %s
VPN DNS: %s
- Validate at: %s
+ Xác thực tại: %s
Tối thiểu DNS TTL: %s s
Dùng Socks5 proxy
Địa chỉ (Socks5): %s
@@ -146,7 +146,7 @@
Theo dõi số lượng byte gửi và nhận được cho mỗi ứng dụng và địa chỉ. Điều này có thể dẫn đến việc hao pin.
DNS được định cấu hình cho các tên miền bị chặn. Tùy chọn này bị vô hiệu hóa khi không có sẵn file hosts.
Giá trị mặc định là 3 (NXDOMAIN), có nghĩa là \'không tồn tại tên miền\'.
- Domain name used to validate the internet connection at port 443 (https).
+ Tên miền được sử dụng để xác thực kết nối internet tại cổng 443 (https).
Lưu lượng TCP sẽ được gửi đến máy chủ proxy
Định kỳ kiểm tra nếu NetGuard vẫn chạy (nhập 0 để tắt tùy chọn này). Điều này có thể dẫn đến việc hao pin.
Hiển thị đồ thị tốc độ mạng trên thanh thông báo trạng thái
@@ -220,8 +220,8 @@
Theo mặc định, kết nối Wi-Fi được coi là không trả phí và kết nối điện thoại di động được coi là có trả phí
không có sự cho phép của internet
bị vô hiệu hóa
- Incoming messages are received by Google Play services and not by this app and can therefore not be blocked by blocking this app
- Downloads are performed by the download manager and not by this app and can therefore not be blocked by blocking this app
+ Các thông báo đến được dịch vụ Google Play nhận và không phải ứng dụng này và do đó không thể bị chặn bằng cách chặn ứng dụng này
+ Các lượt tải xuống được trình quản lý tải xuống thực hiện và không phải ứng dụng này và do đó không thể bị chặn bằng cách chặn ứng dụng này
Áp dụng các quy tắc và trạng thái
Điều kiện
Cho phép Wi-Fi khi màn hình bật
@@ -273,11 +273,11 @@
Thử thách
Phản ứng:
Đây là một tính năng pro
- A monthly subscriptions of 1 or 2 euros (excluding local taxes) will activate all pro features.
- You can cancel or manage a subscription via the subscriptions tab in the Play store app.
+ Một gói đăng ký 1 hoặc 2 euro (chưa bao gồm thuế ở địa phương) sẽ kích hoạt tất cả tính năng pro.
+ Bạn có thể huỷ hoặc quản lý gói đăng ký qua tab gói đăng ký trong ứng dụng CH Play.
- - teal/orange
+ - xanh mòng két/cam
- xanh dương/cam
- tím/đỏ
- hổ phách/xanh dương
diff --git a/build.gradle b/build.gradle
index 2e250a253..34c7c6531 100644
--- a/build.gradle
+++ b/build.gradle
@@ -9,7 +9,7 @@ buildscript {
// http://tools.android.com/tech-docs/new-build-system/gradle-experimental
// https://bintray.com/android/android-tools/com.android.tools.build.gradle-experimental/view
// https://bintray.com/android/android-tools/com.google.gms.google-services/view
- classpath 'com.android.tools.build:gradle:4.1.2'
+ classpath 'com.android.tools.build:gradle:4.2.1'
// NOTE: Do not place your application dependencies here; they belong
// in the individual module build.gradle files
diff --git a/gradle/wrapper/gradle-wrapper.properties b/gradle/wrapper/gradle-wrapper.properties
index da53a98ae..d44ef938c 100644
--- a/gradle/wrapper/gradle-wrapper.properties
+++ b/gradle/wrapper/gradle-wrapper.properties
@@ -3,4 +3,4 @@ distributionBase=GRADLE_USER_HOME
distributionPath=wrapper/dists
zipStoreBase=GRADLE_USER_HOME
zipStorePath=wrapper/dists
-distributionUrl=https\://services.gradle.org/distributions/gradle-6.5-bin.zip
+distributionUrl=https\://services.gradle.org/distributions/gradle-6.7.1-bin.zip