diff --git a/apps/ios/Shared/AppDelegate.swift b/apps/ios/Shared/AppDelegate.swift
index 236784a39..01afa18a1 100644
--- a/apps/ios/Shared/AppDelegate.swift
+++ b/apps/ios/Shared/AppDelegate.swift
@@ -95,7 +95,7 @@ class AppDelegate: NSObject, UIApplicationDelegate {
}
func applicationWillTerminate(_ application: UIApplication) {
- logger.debug("AppDelegate: applicationWillTerminate")
+ logger.debug("DEBUGGING: AppDelegate: applicationWillTerminate")
ChatModel.shared.filesToDelete.forEach {
removeFile($0)
}
diff --git a/apps/ios/Shared/ContentView.swift b/apps/ios/Shared/ContentView.swift
index 436819c14..f2e67c4aa 100644
--- a/apps/ios/Shared/ContentView.swift
+++ b/apps/ios/Shared/ContentView.swift
@@ -179,10 +179,13 @@ struct ContentView: View {
}
private func runAuthenticate() {
+ logger.debug("DEBUGGING: runAuthenticate")
if !prefPerformLA {
userAuthorized = true
} else {
+ logger.debug("DEBUGGING: before dismissAllSheets")
dismissAllSheets(animated: false) {
+ logger.debug("DEBUGGING: in dismissAllSheets callback")
chatModel.chatId = nil
justAuthenticate()
}
@@ -193,7 +196,7 @@ struct ContentView: View {
userAuthorized = false
let laMode = privacyLocalAuthModeDefault.get()
authenticate(reason: NSLocalizedString("Unlock app", comment: "authentication reason"), selfDestruct: true) { laResult in
- logger.debug("authenticate callback: \(String(describing: laResult))")
+ logger.debug("DEBUGGING: authenticate callback: \(String(describing: laResult))")
switch (laResult) {
case .success:
userAuthorized = true
diff --git a/apps/ios/Shared/Model/SuspendChat.swift b/apps/ios/Shared/Model/SuspendChat.swift
index 175b67195..58ed46a05 100644
--- a/apps/ios/Shared/Model/SuspendChat.swift
+++ b/apps/ios/Shared/Model/SuspendChat.swift
@@ -76,9 +76,11 @@ private func _chatSuspended() {
}
func activateChat(appState: AppState = .active) {
+ logger.debug("DEBUGGING: activateChat")
suspendLockQueue.sync {
appStateGroupDefault.set(appState)
if ChatModel.ok { apiActivateChat() }
+ logger.debug("DEBUGGING: activateChat: after apiActivateChat")
}
}
@@ -95,10 +97,14 @@ func initChatAndMigrate(refreshInvitations: Bool = true) {
}
func startChatAndActivate() {
+ logger.debug("DEBUGGING: startChatAndActivate")
if ChatModel.shared.chatRunning == true {
ChatReceiver.shared.start()
+ logger.debug("DEBUGGING: startChatAndActivate: after ChatReceiver.shared.start")
}
if .active != appStateGroupDefault.get() {
+ logger.debug("DEBUGGING: startChatAndActivate: before activateChat")
activateChat()
+ logger.debug("DEBUGGING: startChatAndActivate: after activateChat")
}
}
diff --git a/apps/ios/Shared/Views/Helpers/LocalAuthenticationUtils.swift b/apps/ios/Shared/Views/Helpers/LocalAuthenticationUtils.swift
index d9b1bfed3..7a90a3f83 100644
--- a/apps/ios/Shared/Views/Helpers/LocalAuthenticationUtils.swift
+++ b/apps/ios/Shared/Views/Helpers/LocalAuthenticationUtils.swift
@@ -37,7 +37,7 @@ struct LocalAuthRequest {
}
func authenticate(title: LocalizedStringKey? = nil, reason: String, selfDestruct: Bool = false, completed: @escaping (LAResult) -> Void) {
- logger.debug("authenticate")
+ logger.debug("DEBUGGING: authenticate")
switch privacyLocalAuthModeDefault.get() {
case .system: systemAuthenticate(reason, completed)
case .passcode:
@@ -58,21 +58,24 @@ func authenticate(title: LocalizedStringKey? = nil, reason: String, selfDestruct
}
func systemAuthenticate(_ reason: String, _ completed: @escaping (LAResult) -> Void) {
+ logger.debug("DEBUGGING: systemAuthenticate")
let laContext = LAContext()
var authAvailabilityError: NSError?
if laContext.canEvaluatePolicy(.deviceOwnerAuthentication, error: &authAvailabilityError) {
+ logger.debug("DEBUGGING: systemAuthenticate: canEvaluatePolicy callback")
laContext.evaluatePolicy(.deviceOwnerAuthentication, localizedReason: reason) { success, authError in
+ logger.debug("DEBUGGING: systemAuthenticate evaluatePolicy callback")
DispatchQueue.main.async {
if success {
completed(LAResult.success)
} else {
- logger.error("authentication error: \(authError.debugDescription)")
+ logger.error("DEBUGGING: systemAuthenticate authentication error: \(authError.debugDescription)")
completed(LAResult.failed(authError: authError?.localizedDescription))
}
}
}
} else {
- logger.error("authentication availability error: \(authAvailabilityError.debugDescription)")
+ logger.error("DEBUGGING: authentication availability error: \(authAvailabilityError.debugDescription)")
completed(LAResult.unavailable(authError: authAvailabilityError?.localizedDescription))
}
}
diff --git a/apps/ios/Shared/Views/UserSettings/NotificationsView.swift b/apps/ios/Shared/Views/UserSettings/NotificationsView.swift
index 1f8abc561..5befe405c 100644
--- a/apps/ios/Shared/Views/UserSettings/NotificationsView.swift
+++ b/apps/ios/Shared/Views/UserSettings/NotificationsView.swift
@@ -14,9 +14,9 @@ struct NotificationsView: View {
@State private var notificationMode: NotificationsMode = ChatModel.shared.notificationMode
@State private var showAlert: NotificationAlert?
@State private var legacyDatabase = dbContainerGroupDefault.get() == .documents
- @AppStorage(DEFAULT_DEVELOPER_TOOLS) private var developerTools = false
- @AppStorage(GROUP_DEFAULT_NTF_ENABLE_LOCAL, store: groupDefaults) private var ntfEnableLocal = false
- @AppStorage(GROUP_DEFAULT_NTF_ENABLE_PERIODIC, store: groupDefaults) private var ntfEnablePeriodic = false
+// @AppStorage(DEFAULT_DEVELOPER_TOOLS) private var developerTools = false
+// @AppStorage(GROUP_DEFAULT_NTF_ENABLE_LOCAL, store: groupDefaults) private var ntfEnableLocal = false
+// @AppStorage(GROUP_DEFAULT_NTF_ENABLE_PERIODIC, store: groupDefaults) private var ntfEnablePeriodic = false
var body: some View {
List {
@@ -89,12 +89,12 @@ struct NotificationsView: View {
}
}
- if developerTools {
- Section(String("Experimental")) {
- Toggle(String("Always enable local"), isOn: $ntfEnableLocal)
- Toggle(String("Always enable periodic"), isOn: $ntfEnablePeriodic)
- }
- }
+// if developerTools {
+// Section(String("Experimental")) {
+// Toggle(String("Always enable local"), isOn: $ntfEnableLocal)
+// Toggle(String("Always enable periodic"), isOn: $ntfEnablePeriodic)
+// }
+// }
}
.disabled(legacyDatabase)
}
diff --git a/apps/ios/SimpleX Localizations/cs.xcloc/Localized Contents/cs.xliff b/apps/ios/SimpleX Localizations/cs.xcloc/Localized Contents/cs.xliff
index 61d8cbec9..cf658cc7e 100644
--- a/apps/ios/SimpleX Localizations/cs.xcloc/Localized Contents/cs.xliff
+++ b/apps/ios/SimpleX Localizations/cs.xcloc/Localized Contents/cs.xliff
@@ -74,6 +74,7 @@
%1$@ at %2$@:
+ %1$@ na %2$@:copied message info, <sender> at <time>
@@ -305,6 +306,9 @@
- more stable message delivery.
- a bit better groups.
- and more!
+ - více stabilní doručování zpráv.
+- o trochu lepší skupiny.
+- a více!No comment provided by engineer.
@@ -385,6 +389,7 @@
A few more things
+ Ještě pár věcíNo comment provided by engineer.
@@ -416,14 +421,17 @@
Abort
+ PřerušitNo comment provided by engineer.Abort changing address
+ Přerušit změnu adresyNo comment provided by engineer.Abort changing address?
+ Přerušit změnu adresy?No comment provided by engineer.
@@ -509,6 +517,7 @@
Address change will be aborted. Old receiving address will be used.
+ Změna adresy bude přerušena. Budou použity staré přijímací adresy.No comment provided by engineer.
@@ -603,6 +612,7 @@
Allow to send files and media.
+ Povolit odesílání souborů a médii.No comment provided by engineer.
@@ -1143,6 +1153,7 @@
Contacts
+ KontaktyNo comment provided by engineer.
@@ -1540,10 +1551,12 @@
Delivery receipts are disabled!
+ Potvrzení o doručení jsou vypnuté!No comment provided by engineer.Delivery receipts!
+ Potvrzení o doručení!No comment provided by engineer.
@@ -1593,6 +1606,7 @@
Disable (keep overrides)
+ Vypnout (zachovat přepsání)No comment provided by engineer.
@@ -1602,6 +1616,7 @@
Disable for all
+ Vypnout pro všechnyNo comment provided by engineer.
@@ -1666,6 +1681,7 @@
Don't enable
+ NepovolovatNo comment provided by engineer.
@@ -1710,6 +1726,7 @@
Enable (keep overrides)
+ Povolit (zachovat přepsání)No comment provided by engineer.
@@ -1729,6 +1746,7 @@
Enable for all
+ Povolit pro všechnyNo comment provided by engineer.
@@ -1848,6 +1866,7 @@
Error aborting address change
+ Chyba přerušení změny adresyNo comment provided by engineer.
@@ -1942,6 +1961,7 @@
Error enabling delivery receipts!
+ Chyba povolení potvrzení o doručení!No comment provided by engineer.
@@ -2045,6 +2065,7 @@
Error synchronizing connection
+ Chyba synchronizace připojeníNo comment provided by engineer.
@@ -2089,6 +2110,7 @@
Even when disabled in the conversation.
+ I při vypnutí v konverzaci.No comment provided by engineer.
@@ -2128,6 +2150,7 @@
Favorite
+ OblíbenéNo comment provided by engineer.
@@ -2157,18 +2180,22 @@
Files and media
+ Soubory a médiachat featureFiles and media are prohibited in this group.
+ Soubory a média jsou zakázány v této skupině.No comment provided by engineer.Files and media prohibited!
+ Soubory a média jsou zakázány!No comment provided by engineer.Filter unread and favorite chats.
+ Filtrovat nepřečtené a oblíbené chaty.No comment provided by engineer.
@@ -2178,30 +2205,37 @@
Find chats faster
+ Najděte chaty rychlejiNo comment provided by engineer.Fix
+ OpravitNo comment provided by engineer.Fix connection
+ Opravit připojeníNo comment provided by engineer.Fix connection?
+ Opravit připojení?No comment provided by engineer.Fix encryption after restoring backups.
+ Opravit šifrování po obnovení zálohy.No comment provided by engineer.Fix not supported by contact
+ Opravit nepodporované kontaktemNo comment provided by engineer.Fix not supported by group member
+ Opravit nepodporované členem skupinyNo comment provided by engineer.
@@ -2311,6 +2345,7 @@
Group members can send files and media.
+ Členové skupiny mohou posílat soubory a média.No comment provided by engineer.
@@ -2510,6 +2545,7 @@
In reply to
+ V odpovědi nacopied message info
@@ -2697,6 +2733,7 @@
Keep your connections
+ Zachovat vaše připojeníNo comment provided by engineer.
@@ -2791,6 +2828,7 @@
Make one message disappear
+ Nechat jednu zprávu zmizetNo comment provided by engineer.
@@ -2865,6 +2903,7 @@
Message delivery receipts!
+ Potvrzení o doručení zprávy!No comment provided by engineer.
@@ -3059,6 +3098,7 @@
No filtered chats
+ Žádné filtrované chatyNo comment provided by engineer.
@@ -3068,6 +3108,7 @@
No history
+ Žádná historieNo comment provided by engineer.
@@ -3156,6 +3197,7 @@
Only group owners can enable files and media.
+ Pouze majitelé skupiny mohou povolit soubory a média.No comment provided by engineer.
@@ -3480,6 +3522,7 @@
Prohibit sending files and media.
+ Zakázat odesílání souborů a médií.No comment provided by engineer.
@@ -3659,14 +3702,17 @@
Renegotiate
+ Znovu vyjednatNo comment provided by engineer.Renegotiate encryption
+ Znovu vyjednat šifrováníNo comment provided by engineer.Renegotiate encryption?
+ Znovu vyjednat šifrování?No comment provided by engineer.
@@ -3965,6 +4011,7 @@
Send receipts
+ Odeslat potvrzeníNo comment provided by engineer.
@@ -3984,10 +4031,12 @@
Sending delivery receipts will be enabled for all contacts in all visible chat profiles.
+ Odesílání potvrzení o doručení bude povoleno pro všechny kontakty ve všech viditelných chat profilech.No comment provided by engineer.Sending delivery receipts will be enabled for all contacts.
+ Odesílání potvrzení o doručení bude povoleno pro všechny kontakty.No comment provided by engineer.
@@ -3997,10 +4046,12 @@
Sending receipts is disabled for %lld contacts
+ Odesílání potvrzení o doručení je vypnuto pro %lld kontaktyNo comment provided by engineer.Sending receipts is enabled for %lld contacts
+ Odesílání potvrzení o doručení je povoleno pro %lld kontaktyNo comment provided by engineer.
@@ -4442,6 +4493,7 @@ Může se to stát kvůli nějaké chybě, nebo pokud je spojení kompromitován
The encryption is working and the new encryption agreement is not required. It may result in connection errors!
+ Šifrování funguje a nové povolení šifrování není vyžadováno. To může vyvolat chybu v připojení!No comment provided by engineer.
@@ -4510,10 +4562,12 @@ Může se to stát kvůli nějaké chybě, nebo pokud je spojení kompromitován
These settings are for your current profile **%@**.
+ Toto nastavení je pro váš aktuální profil **%@**.No comment provided by engineer.They can be overridden in contact settings
+ Mohou být přepsány v nastavení kontaktůNo comment provided by engineer.
@@ -4645,6 +4699,7 @@ Před zapnutím této funkce budete vyzváni k dokončení ověření.
Unfav.
+ Odobl.No comment provided by engineer.
@@ -4996,10 +5051,12 @@ Chcete-li se připojit, požádejte svůj kontakt o vytvoření dalšího odkazu
You can enable later via Settings
+ Můžete povolit později v NastaveníNo comment provided by engineer.You can enable them later via app Privacy & Security settings.
+ Můžete je povolit později v nastavení Soukromí & Bezpečnosti aplikaceNo comment provided by engineer.
@@ -5340,10 +5397,12 @@ Servery SimpleX nevidí váš profil.
agreeing encryption for %@…
+ povoluji šifrování pro %@…chat item textagreeing encryption…
+ povoluji šifrování…chat item text
@@ -5408,10 +5467,12 @@ Servery SimpleX nevidí váš profil.
changing address for %@…
+ změna adresy pro %@…chat item textchanging address…
+ změna adresy…chat item text
@@ -5569,34 +5630,42 @@ Servery SimpleX nevidí váš profil.
encryption agreed
+ šifrování povolenochat item textencryption agreed for %@
+ šifrování povoleno pro %@chat item textencryption ok
+ šifrování okchat item textencryption ok for %@
+ šifrování ok pro %@chat item textencryption re-negotiation allowed
+ opětovné vyjednávání šifrování povolenochat item textencryption re-negotiation allowed for %@
+ opětovné vyjednávání šifrování povoleno pro %@chat item textencryption re-negotiation required
+ vyžadováno opětovné vyjednávání šifrováníchat item textencryption re-negotiation required for %@
+ vyžadováno opětovné vyjednávání šifrování pro %@chat item text
@@ -5872,6 +5941,7 @@ Servery SimpleX nevidí váš profil.
security code changed
+ bezpečnostní kód změněnchat item text
diff --git a/apps/ios/SimpleX Localizations/de.xcloc/Localized Contents/de.xliff b/apps/ios/SimpleX Localizations/de.xcloc/Localized Contents/de.xliff
index ae31f2e42..56a34d095 100644
--- a/apps/ios/SimpleX Localizations/de.xcloc/Localized Contents/de.xliff
+++ b/apps/ios/SimpleX Localizations/de.xcloc/Localized Contents/de.xliff
@@ -306,6 +306,9 @@
- more stable message delivery.
- a bit better groups.
- and more!
+ - stabilere Zustellung von Nachrichten.
+- ein bisschen verbesserte Gruppen.
+- und mehr!No comment provided by engineer.
@@ -386,6 +389,7 @@
A few more things
+ Ein paar weitere DingeNo comment provided by engineer.
@@ -1602,6 +1606,7 @@
Disable (keep overrides)
+ Deaktivieren (vorgenommene Einstellungen bleiben erhalten)No comment provided by engineer.
@@ -1611,6 +1616,7 @@
Disable for all
+ Für Alle deaktivierenNo comment provided by engineer.
@@ -1675,6 +1681,7 @@
Don't enable
+ Nicht aktivierenNo comment provided by engineer.
@@ -1719,6 +1726,7 @@
Enable (keep overrides)
+ Aktivieren (vorgenommene Einstellungen bleiben erhalten)No comment provided by engineer.
@@ -1738,6 +1746,7 @@
Enable for all
+ Für Alle aktivierenNo comment provided by engineer.
@@ -1952,6 +1961,7 @@
Error enabling delivery receipts!
+ Fehler beim Aktivieren der Empfangsbestätigungen!No comment provided by engineer.
@@ -2036,6 +2046,7 @@
Error setting delivery receipts!
+ Fehler beim Setzen der Empfangsbestätigungen!No comment provided by engineer.
@@ -2100,6 +2111,7 @@
Even when disabled in the conversation.
+ Auch wenn sie im Chat deaktiviert sind.No comment provided by engineer.
@@ -2184,6 +2196,7 @@
Filter unread and favorite chats.
+ Nach ungelesenen und favorisierten Chats filtern.No comment provided by engineer.
@@ -2193,6 +2206,7 @@
Find chats faster
+ Chats schneller findenNo comment provided by engineer.
@@ -2212,6 +2226,7 @@
Fix encryption after restoring backups.
+ Reparatur der Verschlüsselung nach wiedereinspielen von Backups.No comment provided by engineer.
@@ -2719,6 +2734,7 @@
Keep your connections
+ Ihre Verbindungen beibehaltenNo comment provided by engineer.
@@ -2813,6 +2829,7 @@
Make one message disappear
+ Eine verschwindende Nachricht verfassenNo comment provided by engineer.
@@ -2887,6 +2904,7 @@
Message delivery receipts!
+ Empfangsbestätigungen für Nachrichten!No comment provided by engineer.
@@ -4020,10 +4038,12 @@
Sending delivery receipts will be enabled for all contacts in all visible chat profiles.
+ Das Senden von Empfangsbestätigungen an alle Kontakte in allen sichtbaren Chat-Profilen wird aktiviert.No comment provided by engineer.Sending delivery receipts will be enabled for all contacts.
+ Das Senden von Empfangsbestätigungen an alle Kontakte wird aktiviert.No comment provided by engineer.
@@ -4033,10 +4053,12 @@
Sending receipts is disabled for %lld contacts
+ Das Senden von Empfangsbestätigungen an %lld Kontakte ist deaktiviertNo comment provided by engineer.Sending receipts is enabled for %lld contacts
+ Das Senden von Empfangsbestätigungen an %lld Kontakte ist aktiviertNo comment provided by engineer.
@@ -4518,6 +4540,7 @@ Dies kann passieren, wenn es einen Fehler gegeben hat oder die Verbindung kompro
The second tick we missed! ✅
+ Das zweite Häkchen, welches wir vermisst haben! ✅No comment provided by engineer.
@@ -5036,11 +5059,12 @@ Bitten Sie Ihren Kontakt darum einen weiteren Verbindungs-Link zu erzeugen, um s
You can enable later via Settings
+ Sie können diese später in den Einstellungen aktivierenNo comment provided by engineer.You can enable them later via app Privacy & Security settings.
- Diese können später in den Datenschutz & Sicherheits-Einstellungen durch Sie aktiviert werden.
+ Sie können diese später in den Datenschutz & Sicherheits-Einstellungen der App aktivieren.No comment provided by engineer.
diff --git a/apps/ios/SimpleX Localizations/es.xcloc/Localized Contents/es.xliff b/apps/ios/SimpleX Localizations/es.xcloc/Localized Contents/es.xliff
index 334d567c7..ea50b18f5 100644
--- a/apps/ios/SimpleX Localizations/es.xcloc/Localized Contents/es.xliff
+++ b/apps/ios/SimpleX Localizations/es.xcloc/Localized Contents/es.xliff
@@ -99,7 +99,7 @@
%@ wants to connect!
- %@ ¡quiere conectar!
+ ¡ %@ quiere contactar!notification title
@@ -306,6 +306,9 @@
- more stable message delivery.
- a bit better groups.
- and more!
+ - entrega de mensajes más estable.
+- grupos un poco mejores.
+- ¡y más!No comment provided by engineer.
@@ -380,12 +383,13 @@
<p>Hi!</p>
<p><a href="%@">Connect to me via SimpleX Chat</a></p>
- <p>Hola!</p>
+ <p>¡Hola!</p>
<p><a href="%@"> Conecta conmigo a través de SimpleX Chat</a></p>email textA few more things
+ Algunas cosas másNo comment provided by engineer.
@@ -405,13 +409,13 @@
A separate TCP connection will be used **for each chat profile you have in the app**.
- Se utilizará una conexión TCP independiente **por cada perfil que tengas en la aplicación**.
+ Se usará una conexión TCP independiente **por cada perfil que tengas en la aplicación**.No comment provided by engineer.A separate TCP connection will be used **for each contact and group member**.
**Please note**: if you have many connections, your battery and traffic consumption can be substantially higher and some connections may fail.
- Se utilizará una conexión TCP independiente **por cada contacto y miembro de grupo**.
+ Se usará una conexión TCP independiente **por cada contacto y miembro de grupo**.
**Atención**: si tienes muchas conexiones, tu consumo de batería y tráfico pueden ser sustancialmente mayores y algunas conexiones pueden fallar.No comment provided by engineer.
@@ -1084,12 +1088,12 @@
Connection error
- Error de conexión
+ Error conexiónNo comment provided by engineer.Connection error (AUTH)
- Error de conexión (Autenticación)
+ Error conexión (Autenticación)No comment provided by engineer.
@@ -1293,7 +1297,7 @@
Database error
- Error de la base de datos
+ Error base de datosNo comment provided by engineer.
@@ -1357,7 +1361,7 @@
Decryption error
- Error de descifrado
+ Error descifradomessage decrypt error item
@@ -1547,12 +1551,12 @@
Delivery receipts are disabled!
- ¡Los justificantes de entrega están desactivados!
+ ¡Las confirmaciones de entrega están desactivadas!No comment provided by engineer.Delivery receipts!
- ¡Justificantes de entrega!
+ ¡Confirmación de entrega!No comment provided by engineer.
@@ -1602,6 +1606,7 @@
Disable (keep overrides)
+ Desactivar (mantener anulaciones)No comment provided by engineer.
@@ -1611,6 +1616,7 @@
Disable for all
+ Desactivar para todosNo comment provided by engineer.
@@ -1675,6 +1681,7 @@
Don't enable
+ No activarNo comment provided by engineer.
@@ -1719,6 +1726,7 @@
Enable (keep overrides)
+ Activar (conservar anulaciones)No comment provided by engineer.
@@ -1738,6 +1746,7 @@
Enable for all
+ Activar para todosNo comment provided by engineer.
@@ -1792,17 +1801,17 @@
Encrypted message: database error
- Mensaje cifrado: error en base de datos
+ Mensaje cifrado: error base de datosnotificationEncrypted message: database migration error
- Mensaje cifrado: error de migración de base de datos
+ Mensaje cifrado: error migración base de datosnotificationEncrypted message: keychain error
- Mensaje cifrado: error en Keychain
+ Mensaje cifrado: error Keychainnotification
@@ -1857,17 +1866,17 @@
Error aborting address change
- Error al cancelar el cambio de dirección
+ Error al cancelar cambio de direcciónNo comment provided by engineer.Error accepting contact request
- Error aceptando la solicitud del contacto
+ Error al aceptar solicitud del contactoNo comment provided by engineer.Error accessing database file
- Error de acceso al archivo de base de datos
+ Error al acceder al archivo de la base de datosNo comment provided by engineer.
@@ -1877,12 +1886,12 @@
Error changing address
- Error cambiando la dirección
+ Error al cambiar direcciónNo comment provided by engineer.Error changing role
- Error cambiando rol
+ Error al cambiar rolNo comment provided by engineer.
@@ -1892,12 +1901,12 @@
Error creating address
- Error creando dirección
+ Error al crear direcciónNo comment provided by engineer.Error creating group
- Error creando grupo
+ Error al crear grupoNo comment provided by engineer.
@@ -1907,76 +1916,77 @@
Error creating profile!
- Error creando perfil!
+ ¡Error al crear perfil!No comment provided by engineer.Error deleting chat database
- Error eliminando la base de datos
+ Error al eliminar base de datosNo comment provided by engineer.Error deleting chat!
- ¡Error eliminando chat!
+ ¡Error al eliminar chat!No comment provided by engineer.Error deleting connection
- Error eliminando conexión
+ Error al eliminar conexiónNo comment provided by engineer.Error deleting contact
- Error eliminando contacto
+ Error al eliminar contactoNo comment provided by engineer.Error deleting database
- Error eliminando base de datos
+ Error al eliminar base de datosNo comment provided by engineer.Error deleting old database
- Error eliminando base de datos antigua
+ Error al eliminar base de datos antiguaNo comment provided by engineer.Error deleting token
- Error eliminando token
+ Error al eliminar tokenNo comment provided by engineer.Error deleting user profile
- Error eliminando perfil de usuario
+ Error al eliminar perfilNo comment provided by engineer.Error enabling delivery receipts!
+ ¡Error al activar confirmaciones de entrega!No comment provided by engineer.Error enabling notifications
- Error activando notificaciones
+ Error al activar notificacionesNo comment provided by engineer.Error encrypting database
- Error cifrando la base de datos
+ Error al cifrar base de datosNo comment provided by engineer.Error exporting chat database
- Error exportando la base de datos
+ Error al exportar base de datosNo comment provided by engineer.Error importing chat database
- Error importando la base de datos
+ Error al importar base de datosNo comment provided by engineer.Error joining group
- Error uniéndose al grupo
+ Error al unirse al grupoNo comment provided by engineer.
@@ -1986,42 +1996,42 @@
Error receiving file
- Error recibiendo archivo
+ Error al recibir archivoNo comment provided by engineer.Error removing member
- Error eliminando miembro
+ Error al eliminar miembroNo comment provided by engineer.Error saving %@ servers
- Error guardando servidores %@
+ Error al guardar servidores %@No comment provided by engineer.Error saving ICE servers
- Error guardando servidores ICE
+ Error al guardar servidores ICENo comment provided by engineer.Error saving group profile
- Error guardando perfil de grupo
+ Error al guardar perfil de grupoNo comment provided by engineer.Error saving passcode
- Error al guardar el código de acceso
+ Error al guardar código de accesoNo comment provided by engineer.Error saving passphrase to keychain
- Error guardando contraseña en Keychain
+ Error al guardar contraseña en KeychainNo comment provided by engineer.Error saving user password
- Error guardando la contraseña de usuario
+ Error al guardar contraseña de usuarioNo comment provided by engineer.
@@ -2031,26 +2041,27 @@
Error sending message
- Error enviando mensaje
+ Error al enviar mensajeNo comment provided by engineer.Error setting delivery receipts!
+ ¡Error al configurar confirmaciones de entrega!No comment provided by engineer.Error starting chat
- Error iniciando chat
+ Error al iniciar ChatNo comment provided by engineer.Error stopping chat
- Error deteniendo Chat
+ Error al detener ChatNo comment provided by engineer.Error switching profile!
- ¡Error cambiando perfil!
+ ¡Error al cambiar perfil!No comment provided by engineer.
@@ -2060,22 +2071,22 @@
Error updating group link
- Error actualizando el enlace de grupo
+ Error al actualizar enlace de grupoNo comment provided by engineer.Error updating message
- Error actualizando mensaje
+ Error al actualizar mensajeNo comment provided by engineer.Error updating settings
- Error actualizando configuración
+ Error al actualizar configuraciónNo comment provided by engineer.Error updating user privacy
- Error actualizando la privacidad de usuario
+ Error al actualizar privacidad de usuarioNo comment provided by engineer.
@@ -2100,6 +2111,7 @@
Even when disabled in the conversation.
+ Incluso si está desactivado para la conversación.No comment provided by engineer.
@@ -2114,7 +2126,7 @@
Export error:
- Error exportando:
+ Error al exportar:No comment provided by engineer.
@@ -2124,12 +2136,12 @@
Exporting database archive…
- Exportando archivo de base de datos…
+ Exportando base de datos…No comment provided by engineer.Failed to remove passphrase
- Error eliminando la contraseña
+ Error al eliminar la contraseñaNo comment provided by engineer.
@@ -2154,7 +2166,7 @@
File will be received when your contact is online, please wait or check later!
- El archivo se recibirá cuando tu contacto esté en línea, por favor espera o compruébalo más tarde.
+ El archivo se recibirá cuando tu contacto esté en línea, ¡por favor espera o compruébalo más tarde!No comment provided by engineer.
@@ -2184,6 +2196,7 @@
Filter unread and favorite chats.
+ Filtrar chats no leídos y favoritos.No comment provided by engineer.
@@ -2193,6 +2206,7 @@
Find chats faster
+ Encontrar chats mas rápidoNo comment provided by engineer.
@@ -2207,11 +2221,12 @@
Fix connection?
- Reparar problemas de conexión ?
+ ¿Reparar conexión?No comment provided by engineer.Fix encryption after restoring backups.
+ Reparar el cifrado tras restaurar copias de seguridad.No comment provided by engineer.
@@ -2491,7 +2506,7 @@
Image will be received when your contact is online, please wait or check later!
- La imagen se recibirá cuando tu contacto esté en línea, por favor espera o compruébalo más tarde.
+ La imagen se recibirá cuando tu contacto esté en línea, ¡por favor espera o compruébalo más tarde!No comment provided by engineer.
@@ -2684,7 +2699,7 @@
It seems like you are already connected via this link. If it is not the case, there was an error (%@).
- Parece que ya está conectado mediante este enlace. Si no es así ha habido un error (%@).
+ Parece que ya estás conectado mediante este enlace. Si no es así ha habido un error (%@).No comment provided by engineer.
@@ -2719,16 +2734,17 @@
Keep your connections
+ Mantén tus conexionesNo comment provided by engineer.KeyChain error
- Error en Keychain
+ Error KeychainNo comment provided by engineer.Keychain error
- Error en Keychain
+ Error KeychainNo comment provided by engineer.
@@ -2813,6 +2829,7 @@
Make one message disappear
+ Escribir un mensaje temporalNo comment provided by engineer.
@@ -2887,6 +2904,7 @@
Message delivery receipts!
+ ¡Confirmación de entrega de mensajes!No comment provided by engineer.
@@ -2926,7 +2944,7 @@
Migrating database archive…
- Migrando archivo de base de datos…
+ Migrando base de datos…No comment provided by engineer.
@@ -3081,7 +3099,7 @@
No filtered chats
- Ningún chat filtrado
+ Sin chats filtradosNo comment provided by engineer.
@@ -3345,7 +3363,7 @@
Permanent decryption error
- Error de descifrado permanente
+ Error permanente descifradomessage decrypt error item
@@ -3505,7 +3523,7 @@
Prohibit sending files and media.
- Prohibir el envío de archivos y multimedia.
+ No permitir el envío de archivos y multimedia.No comment provided by engineer.
@@ -3545,7 +3563,7 @@
React…
- Reaccione…
+ Reacciona…chat item menu
@@ -3660,7 +3678,7 @@
Relay server is only used if necessary. Another party can observe your IP address.
- El servidor de retransmisión sólo se utiliza en caso necesario. Un tercero podría ver tu dirección IP.
+ El servidor de retransmisión sólo se usará en caso necesario. Un tercero podría ver tu dirección IP.No comment provided by engineer.
@@ -3735,7 +3753,7 @@
Restart the app to use imported chat database
- Reinicia la aplicación para utilizar la base de datos de chats importada
+ Reinicia la aplicación para usar la base de datos de chats importadaNo comment provided by engineer.
@@ -3755,7 +3773,7 @@
Restore database error
- Error al restaurar la base de datos
+ Error al restaurar base de datosNo comment provided by engineer.
@@ -3960,7 +3978,7 @@
Send delivery receipts to
- Enviar recibos de entrega a
+ Enviar confirmaciones de entrega aNo comment provided by engineer.
@@ -4000,7 +4018,7 @@
Send receipts
- Enviar recibos
+ Enviar confirmacionesNo comment provided by engineer.
@@ -4020,10 +4038,12 @@
Sending delivery receipts will be enabled for all contacts in all visible chat profiles.
+ El envío de confirmaciones de entrega se activará para todos los contactos en todos los perfiles visibles.No comment provided by engineer.Sending delivery receipts will be enabled for all contacts.
+ El envío de confirmaciones de entrega se activará para todos los contactos.No comment provided by engineer.
@@ -4033,10 +4053,12 @@
Sending receipts is disabled for %lld contacts
+ El envío de confirmaciones está desactivado para %lld contactosNo comment provided by engineer.Sending receipts is enabled for %lld contacts
+ El envío de confirmaciones está activado para %lld contactosNo comment provided by engineer.
@@ -4478,7 +4500,7 @@ Puede ocurrir por algún bug o cuando la conexión está comprometida.
The encryption is working and the new encryption agreement is not required. It may result in connection errors!
- El cifrado funciona y el nuevo acuerdo de encriptación no es necesario. ¡Puede provocar errores de conexión!
+ El cifrado funciona y un cifrado nuevo no es necesario. ¡Podría dar lugar a errores de conexión!No comment provided by engineer.
@@ -4518,6 +4540,7 @@ Puede ocurrir por algún bug o cuando la conexión está comprometida.
The second tick we missed! ✅
+ ¡El doble check que nos faltaba! ✅No comment provided by engineer.
@@ -4547,7 +4570,7 @@ Puede ocurrir por algún bug o cuando la conexión está comprometida.
These settings are for your current profile **%@**.
- Estos ajustes son para tu perfil actual **%@**.
+ Esta configuración afecta a tu perfil actual **%@**.No comment provided by engineer.
@@ -4602,7 +4625,7 @@ Puede ocurrir por algún bug o cuando la conexión está comprometida.
To protect privacy, instead of user IDs used by all other platforms, SimpleX has identifiers for message queues, separate for each of your contacts.
- Para proteger la privacidad, en lugar de los identificadores de usuario que utilizan el resto de plataformas, SimpleX dispone de identificadores para las colas de mensajes, independientes para cada uno de tus contactos.
+ Para proteger la privacidad, en lugar de los identificadores de usuario que usan el resto de plataformas, SimpleX dispone de identificadores para las colas de mensajes, independientes para cada uno de tus contactos.No comment provided by engineer.
@@ -4649,7 +4672,7 @@ Se te pedirá que completes la autenticación antes de activar esta función.
Trying to connect to the server used to receive messages from this contact.
- Intentando conectar con el servidor utilizado para recibir mensajes de este contacto.
+ Intentando conectar con el servidor usado para recibir mensajes de este contacto.No comment provided by engineer.
@@ -4714,7 +4737,7 @@ Se te pedirá que completes la autenticación antes de activar esta función.
Unknown database error: %@
- Error desconocido en base de datos: %@
+ Error desconocido base de datos: %@No comment provided by engineer.
@@ -4731,7 +4754,7 @@ Se te pedirá que completes la autenticación antes de activar esta función.Unless your contact deleted the connection or this link was already used, it might be a bug - please report it.
To connect, please ask your contact to create another connection link and check that you have a stable network connection.
A menos que tu contacto haya eliminado la conexión o
-que este enlace ya se haya utilizado, podría tratarse de un error. Por favor, notifícalo.
+que este enlace ya se haya usado, podría ser un error. Por favor, notifícalo.
Para conectarte, pide a tu contacto que cree otro enlace de conexión y comprueba que tienes buena conexión de red.No comment provided by engineer.
@@ -4837,7 +4860,7 @@ Para conectarte, pide a tu contacto que cree otro enlace de conexión y comprueb
Using .onion hosts requires compatible VPN provider.
- Utilizar hosts .onion requiere un proveedor VPN compatible.
+ Usar hosts .onion requiere un proveedor VPN compatible.No comment provided by engineer.
@@ -5012,7 +5035,7 @@ Para conectarte, pide a tu contacto que cree otro enlace de conexión y comprueb
You are connected to the server used to receive messages from this contact.
- Estás conectado al servidor utilizado para recibir mensajes de este contacto.
+ Estás conectado al servidor usado para recibir mensajes de este contacto.No comment provided by engineer.
@@ -5037,11 +5060,12 @@ Para conectarte, pide a tu contacto que cree otro enlace de conexión y comprueb
You can enable later via Settings
+ Puedes activar más tarde en ConfiguraciónNo comment provided by engineer.You can enable them later via app Privacy & Security settings.
- Puedes activarlos más tarde a través de la aplicación en los ajustes de Privacidad y Seguridad.
+ Puedes activarlos más tarde en la configuración de Privacidad y Seguridad.No comment provided by engineer.
@@ -5081,7 +5105,7 @@ Para conectarte, pide a tu contacto que cree otro enlace de conexión y comprueb
You can turn on SimpleX Lock via Settings.
- Puedes activar el Bloqueo SimpleX a través de Ajustes.
+ Puedes activar el Bloqueo SimpleX a través de Configuración.No comment provided by engineer.
@@ -5382,12 +5406,12 @@ Los servidores de SimpleX no pueden ver tu perfil.
agreeing encryption for %@…
- acordando la encriptación para %@…
+ acordando cifrado para %@…chat item textagreeing encryption…
- acordando la encriptación…
+ acordando cifrado…chat item text
@@ -5417,7 +5441,7 @@ Los servidores de SimpleX no pueden ver tu perfil.
call error
- error en la llamada
+ error en llamadacall status
@@ -5617,42 +5641,42 @@ Los servidores de SimpleX no pueden ver tu perfil.
encryption agreed
- encriptación acordada
+ cifrado acordadochat item textencryption agreed for %@
- encriptación acordada para %@
+ cifrado acordado para %@chat item textencryption ok
- encriptación ok
+ cifrado okchat item textencryption ok for %@
- encriptación ok para %@
+ cifrado ok para %@chat item textencryption re-negotiation allowed
- renegociación de encriptación permitida
+ renegociación de cifrado permitidachat item textencryption re-negotiation allowed for %@
- renegociación de encriptación permitida para %@
+ renegociación de cifrado permitida para %@chat item textencryption re-negotiation required
- se requiere renegociación de la encriptación
+ se requiere renegociar el cifradochat item textencryption re-negotiation required for %@
- se requiere renegociación de la encriptación para %@
+ se requiere renegociar el cifrado para %@chat item text
diff --git a/apps/ios/SimpleX Localizations/fr.xcloc/Localized Contents/fr.xliff b/apps/ios/SimpleX Localizations/fr.xcloc/Localized Contents/fr.xliff
index ac0315adb..6ae4c956c 100644
--- a/apps/ios/SimpleX Localizations/fr.xcloc/Localized Contents/fr.xliff
+++ b/apps/ios/SimpleX Localizations/fr.xcloc/Localized Contents/fr.xliff
@@ -306,6 +306,9 @@
- more stable message delivery.
- a bit better groups.
- and more!
+ - une diffusion plus stable des messages.
+- des groupes un peu plus performants.
+- et bien d'autres choses encore !No comment provided by engineer.
@@ -386,6 +389,7 @@
A few more things
+ Encore quelques pointsNo comment provided by engineer.
@@ -1602,6 +1606,7 @@
Disable (keep overrides)
+ Désactiver (conserver les remplacements)No comment provided by engineer.
@@ -1611,6 +1616,7 @@
Disable for all
+ Désactiver pour tousNo comment provided by engineer.
@@ -1675,6 +1681,7 @@
Don't enable
+ Ne pas activerNo comment provided by engineer.
@@ -1719,6 +1726,7 @@
Enable (keep overrides)
+ Activer (conserver les remplacements)No comment provided by engineer.
@@ -1738,6 +1746,7 @@
Enable for all
+ Activer pour tousNo comment provided by engineer.
@@ -1952,6 +1961,7 @@
Error enabling delivery receipts!
+ Erreur lors de l'activation des accusés de réception !No comment provided by engineer.
@@ -2036,6 +2046,7 @@
Error setting delivery receipts!
+ Erreur lors de la configuration des accusés de réception !No comment provided by engineer.
@@ -2100,6 +2111,7 @@
Even when disabled in the conversation.
+ Même s'il est désactivé dans la conversation.No comment provided by engineer.
@@ -2184,6 +2196,7 @@
Filter unread and favorite chats.
+ Filtrer les messages non lus et favoris.No comment provided by engineer.
@@ -2193,6 +2206,7 @@
Find chats faster
+ Trouver des messages plus rapidementNo comment provided by engineer.
@@ -2212,6 +2226,7 @@
Fix encryption after restoring backups.
+ Réparer le chiffrement après la restauration des sauvegardes.No comment provided by engineer.
@@ -2719,6 +2734,7 @@
Keep your connections
+ Conserver vos connexionsNo comment provided by engineer.
@@ -2813,6 +2829,7 @@
Make one message disappear
+ Rendre un message éphémèreNo comment provided by engineer.
@@ -2887,6 +2904,7 @@
Message delivery receipts!
+ Accusés de réception des messages !No comment provided by engineer.
@@ -4020,10 +4038,12 @@
Sending delivery receipts will be enabled for all contacts in all visible chat profiles.
+ L'envoi d'accusés de réception sera activé pour tous les contacts dans tous les profils de chat visibles.No comment provided by engineer.Sending delivery receipts will be enabled for all contacts.
+ L'envoi d'accusés de réception sera activé pour tous les contacts.No comment provided by engineer.
@@ -4033,10 +4053,12 @@
Sending receipts is disabled for %lld contacts
+ L'envoi d'accusés de réception est désactivé pour %lld contactsNo comment provided by engineer.Sending receipts is enabled for %lld contacts
+ L'envoi d'accusés de réception est activé pour %lld contactsNo comment provided by engineer.
@@ -4518,6 +4540,7 @@ Cela peut se produire en raison d'un bug ou lorsque la connexion est compromise.
The second tick we missed! ✅
+ Le deuxième coche que nous avons manqué ! ✅No comment provided by engineer.
@@ -5036,6 +5059,7 @@ Pour vous connecter, veuillez demander à votre contact de créer un autre lien
You can enable later via Settings
+ Vous pouvez l'activer ultérieurement via ParamètresNo comment provided by engineer.
@@ -5386,7 +5410,7 @@ Les serveurs SimpleX ne peuvent pas voir votre profil.
agreeing encryption…
- acceptant le chiffrement…
+ accord sur le chiffrement…chat item text
diff --git a/apps/ios/SimpleX Localizations/it.xcloc/Localized Contents/it.xliff b/apps/ios/SimpleX Localizations/it.xcloc/Localized Contents/it.xliff
index 9ba312394..04163b80d 100644
--- a/apps/ios/SimpleX Localizations/it.xcloc/Localized Contents/it.xliff
+++ b/apps/ios/SimpleX Localizations/it.xcloc/Localized Contents/it.xliff
@@ -74,6 +74,7 @@
%1$@ at %2$@:
+ %1$@ alle %2$@:copied message info, <sender> at <time>
@@ -305,6 +306,9 @@
- more stable message delivery.
- a bit better groups.
- and more!
+ - recapito dei messaggi più stabile.
+- gruppi un po' migliorati.
+- e altro ancora!No comment provided by engineer.
@@ -385,6 +389,7 @@
A few more things
+ Qualche altra cosaNo comment provided by engineer.
@@ -1148,6 +1153,7 @@
Contacts
+ ContattiNo comment provided by engineer.
@@ -1545,10 +1551,12 @@
Delivery receipts are disabled!
+ Le ricevute di consegna sono disattivate!No comment provided by engineer.Delivery receipts!
+ Ricevute di consegna!No comment provided by engineer.
@@ -1598,6 +1606,7 @@
Disable (keep overrides)
+ Disattiva (mantieni sostituzioni)No comment provided by engineer.
@@ -1607,6 +1616,7 @@
Disable for all
+ Disattiva per tuttiNo comment provided by engineer.
@@ -1671,6 +1681,7 @@
Don't enable
+ Non attivareNo comment provided by engineer.
@@ -1715,6 +1726,7 @@
Enable (keep overrides)
+ Attiva (mantieni sostituzioni)No comment provided by engineer.
@@ -1734,6 +1746,7 @@
Enable for all
+ Attiva per tuttiNo comment provided by engineer.
@@ -1948,6 +1961,7 @@
Error enabling delivery receipts!
+ Errore nell'attivazione delle ricevute di consegna!No comment provided by engineer.
@@ -2032,6 +2046,7 @@
Error setting delivery receipts!
+ Errore nell'impostazione delle ricevute di consegna!No comment provided by engineer.
@@ -2051,6 +2066,7 @@
Error synchronizing connection
+ Errore nella sincronizzazione della connessioneNo comment provided by engineer.
@@ -2095,6 +2111,7 @@
Even when disabled in the conversation.
+ Anche quando disattivato nella conversazione.No comment provided by engineer.
@@ -2179,6 +2196,7 @@
Filter unread and favorite chats.
+ Filtra le chat non lette e preferite.No comment provided by engineer.
@@ -2188,30 +2206,37 @@
Find chats faster
+ Trova le chat più velocementeNo comment provided by engineer.Fix
+ CorreggiNo comment provided by engineer.Fix connection
+ Correggi connessioneNo comment provided by engineer.Fix connection?
+ Correggere la connessione?No comment provided by engineer.Fix encryption after restoring backups.
+ Correggi la crittografia dopo il ripristino dei backup.No comment provided by engineer.Fix not supported by contact
+ Correzione non supportata dal contattoNo comment provided by engineer.Fix not supported by group member
+ Correzione non supportata dal membro del gruppoNo comment provided by engineer.
@@ -2521,6 +2546,7 @@
In reply to
+ In risposta acopied message info
@@ -2708,6 +2734,7 @@
Keep your connections
+ Mantieni le tue connessioniNo comment provided by engineer.
@@ -2802,6 +2829,7 @@
Make one message disappear
+ Fai sparire un messaggioNo comment provided by engineer.
@@ -2876,6 +2904,7 @@
Message delivery receipts!
+ Ricevute di consegna dei messaggi!No comment provided by engineer.
@@ -3080,6 +3109,7 @@
No history
+ Nessuna cronologiaNo comment provided by engineer.
@@ -3518,6 +3548,7 @@
Protocol timeout per KB
+ Scadenza del protocollo per KBNo comment provided by engineer.
@@ -3532,6 +3563,7 @@
React…
+ Reagisci…chat item menu
@@ -3606,10 +3638,12 @@
Reconnect all connected servers to force message delivery. It uses additional traffic.
+ Riconnetti tutti i server connessi per imporre il recapito dei messaggi. Utilizza traffico aggiuntivo.No comment provided by engineer.Reconnect servers?
+ Riconnettere i server?No comment provided by engineer.
@@ -3674,14 +3708,17 @@
Renegotiate
+ RinegoziareNo comment provided by engineer.Renegotiate encryption
+ Rinegoziare crittografiaNo comment provided by engineer.Renegotiate encryption?
+ Rinegoziare la crittografia?No comment provided by engineer.
@@ -3941,6 +3978,7 @@
Send delivery receipts to
+ Invia ricevute di consegna aNo comment provided by engineer.
@@ -3980,6 +4018,7 @@
Send receipts
+ Invia ricevuteNo comment provided by engineer.
@@ -3999,10 +4038,12 @@
Sending delivery receipts will be enabled for all contacts in all visible chat profiles.
+ L'invio delle ricevute di consegna sarà attivo per tutti i contatti in tutti i profili di chat visibili.No comment provided by engineer.Sending delivery receipts will be enabled for all contacts.
+ L'invio delle ricevute di consegna sarà attivo per tutti i contatti.No comment provided by engineer.
@@ -4012,10 +4053,12 @@
Sending receipts is disabled for %lld contacts
+ L'invio di ricevute è disattivato per %lld contattiNo comment provided by engineer.Sending receipts is enabled for %lld contacts
+ L'invio di ricevute è attivo per %lld contattiNo comment provided by engineer.
@@ -4457,6 +4500,7 @@ Può accadere a causa di qualche bug o quando la connessione è compromessa.
The encryption is working and the new encryption agreement is not required. It may result in connection errors!
+ La crittografia funziona e il nuovo accordo sulla crittografia non è richiesto. Potrebbero verificarsi errori di connessione!No comment provided by engineer.
@@ -4496,6 +4540,7 @@ Può accadere a causa di qualche bug o quando la connessione è compromessa.
The second tick we missed! ✅
+ Il secondo segno di spunta che ci mancava! ✅No comment provided by engineer.
@@ -4525,10 +4570,12 @@ Può accadere a causa di qualche bug o quando la connessione è compromessa.
These settings are for your current profile **%@**.
+ Queste impostazioni sono per il tuo profilo attuale **%@**.No comment provided by engineer.They can be overridden in contact settings
+ Possono essere sovrascritte nelle impostazioni dei contattiNo comment provided by engineer.
@@ -5012,10 +5059,12 @@ Per connetterti, chiedi al tuo contatto di creare un altro link di connessione e
You can enable later via Settings
+ Puoi attivarle più tardi nelle impostazioniNo comment provided by engineer.You can enable them later via app Privacy & Security settings.
+ Puoi attivarle più tardi nelle impostazioni di privacy e sicurezza dell'app.No comment provided by engineer.
@@ -5356,10 +5405,12 @@ I server di SimpleX non possono vedere il tuo profilo.
agreeing encryption for %@…
+ concordando la crittografia per %@…chat item textagreeing encryption…
+ concordando la crittografia…chat item text
@@ -5424,10 +5475,12 @@ I server di SimpleX non possono vedere il tuo profilo.
changing address for %@…
+ cambio indirizzo per %@…chat item textchanging address…
+ cambio indirizzo…chat item text
@@ -5532,10 +5585,12 @@ I server di SimpleX non possono vedere il tuo profilo.
default (no)
+ predefinito (no)No comment provided by engineer.default (yes)
+ predefinito (sì)No comment provided by engineer.
@@ -5585,34 +5640,42 @@ I server di SimpleX non possono vedere il tuo profilo.
encryption agreed
+ crittografia concordatachat item textencryption agreed for %@
+ crittografia concordata per %@chat item textencryption ok
+ crittografia okchat item textencryption ok for %@
+ crittografia ok per %@chat item textencryption re-negotiation allowed
+ rinegoziazione della crittografia consentitachat item textencryption re-negotiation allowed for %@
+ rinegoziazione della crittografia consentita per %@chat item textencryption re-negotiation required
+ richiesta rinegoziazione della crittografiachat item textencryption re-negotiation required for %@
+ richiesta rinegoziazione della crittografia per %@chat item text
@@ -5888,6 +5951,7 @@ I server di SimpleX non possono vedere il tuo profilo.
security code changed
+ codice di sicurezza modificatochat item text
diff --git a/apps/ios/SimpleX Localizations/nl.xcloc/Localized Contents/nl.xliff b/apps/ios/SimpleX Localizations/nl.xcloc/Localized Contents/nl.xliff
index 700edf2c8..d4c73f56c 100644
--- a/apps/ios/SimpleX Localizations/nl.xcloc/Localized Contents/nl.xliff
+++ b/apps/ios/SimpleX Localizations/nl.xcloc/Localized Contents/nl.xliff
@@ -306,6 +306,9 @@
- more stable message delivery.
- a bit better groups.
- and more!
+ - stabielere berichtbezorging.
+- een beetje betere groepen.
+- en meer!No comment provided by engineer.
@@ -386,6 +389,7 @@
A few more things
+ Nog een paar dingenNo comment provided by engineer.
@@ -1602,6 +1606,7 @@
Disable (keep overrides)
+ Uitschakelen (overschrijvingen behouden)No comment provided by engineer.
@@ -1611,6 +1616,7 @@
Disable for all
+ Uitschakelen voor iedereenNo comment provided by engineer.
@@ -1675,6 +1681,7 @@
Don't enable
+ Niet inschakelenNo comment provided by engineer.
@@ -1719,6 +1726,7 @@
Enable (keep overrides)
+ Inschakelen (overschrijvingen behouden)No comment provided by engineer.
@@ -1738,6 +1746,7 @@
Enable for all
+ Inschakelen voor iedereenNo comment provided by engineer.
@@ -1952,6 +1961,7 @@
Error enabling delivery receipts!
+ Fout bij het inschakelen van ontvangstbevestiging!No comment provided by engineer.
@@ -2036,6 +2046,7 @@
Error setting delivery receipts!
+ Fout bij het instellen van ontvangstbevestiging!No comment provided by engineer.
@@ -2100,6 +2111,7 @@
Even when disabled in the conversation.
+ Zelfs wanneer uitgeschakeld in het gesprek.No comment provided by engineer.
@@ -2184,6 +2196,7 @@
Filter unread and favorite chats.
+ Filter ongelezen en favoriete chats.No comment provided by engineer.
@@ -2193,6 +2206,7 @@
Find chats faster
+ Vind gesprekken snellerNo comment provided by engineer.
@@ -2212,6 +2226,7 @@
Fix encryption after restoring backups.
+ Repareer versleuteling na het herstellen van back-ups.No comment provided by engineer.
@@ -2719,6 +2734,7 @@
Keep your connections
+ Behoud uw verbindingenNo comment provided by engineer.
@@ -2813,6 +2829,7 @@
Make one message disappear
+ Eén bericht laten verdwijnenNo comment provided by engineer.
@@ -2887,6 +2904,7 @@
Message delivery receipts!
+ Ontvangstbevestiging voor berichten!No comment provided by engineer.
@@ -4020,10 +4038,12 @@
Sending delivery receipts will be enabled for all contacts in all visible chat profiles.
+ Het verzenden van ontvangstbevestiging wordt ingeschakeld voor alle contacten in alle zichtbare chatprofielen.No comment provided by engineer.Sending delivery receipts will be enabled for all contacts.
+ Het verzenden van ontvangstbevestiging wordt ingeschakeld voor alle contactpersonen.No comment provided by engineer.
@@ -4033,10 +4053,12 @@
Sending receipts is disabled for %lld contacts
+ Het verzenden van ontvangstbevestiging is uitgeschakeld voor %lld-contactpersonenNo comment provided by engineer.Sending receipts is enabled for %lld contacts
+ Het verzenden van ontvangstbevestiging is ingeschakeld voor %lld-contactpersonenNo comment provided by engineer.
@@ -4518,6 +4540,7 @@ Het kan gebeuren vanwege een bug of wanneer de verbinding is aangetast.
The second tick we missed! ✅
+ De tweede vink die we gemist hebben! ✅No comment provided by engineer.
@@ -5036,6 +5059,7 @@ Om verbinding te maken, vraagt u uw contactpersoon om een andere verbinding link
You can enable later via Settings
+ U kunt later inschakelen via InstellingenNo comment provided by engineer.
@@ -5130,7 +5154,7 @@ Om verbinding te maken, vraagt u uw contactpersoon om een andere verbinding link
You must use the most recent version of your chat database on one device ONLY, otherwise you may stop receiving the messages from some contacts.
- U mag de meest recente versie van uw chat database ALLEEN op één apparaat gebruiken, anders ontvangt u mogelijk geen berichten meer van sommige contacten.
+ U mag ALLEEN de meest recente versie van uw chat database op één apparaat gebruiken, anders ontvangt u mogelijk geen berichten meer van sommige contacten.No comment provided by engineer.
diff --git a/apps/ios/SimpleX Localizations/pl.xcloc/Localized Contents/pl.xliff b/apps/ios/SimpleX Localizations/pl.xcloc/Localized Contents/pl.xliff
index 132be2c9e..2845a11a1 100644
--- a/apps/ios/SimpleX Localizations/pl.xcloc/Localized Contents/pl.xliff
+++ b/apps/ios/SimpleX Localizations/pl.xcloc/Localized Contents/pl.xliff
@@ -74,6 +74,7 @@
%1$@ at %2$@:
+ %1$@ o %2$@:copied message info, <sender> at <time>
@@ -305,6 +306,9 @@
- more stable message delivery.
- a bit better groups.
- and more!
+ - bardziej stabilne dostarczanie wiadomości.
+- nieco lepsze grupy.
+- i więcej!No comment provided by engineer.
@@ -385,6 +389,7 @@
A few more things
+ Jeszcze kilka rzeczyNo comment provided by engineer.
@@ -1148,6 +1153,7 @@
Contacts
+ KontaktyNo comment provided by engineer.
@@ -1545,10 +1551,12 @@
Delivery receipts are disabled!
+ Potwierdzenia dostawy są wyłączone!No comment provided by engineer.Delivery receipts!
+ Potwierdzenia dostawy!No comment provided by engineer.
@@ -1598,6 +1606,7 @@
Disable (keep overrides)
+ Wyłącz (zachowaj nadpisania)No comment provided by engineer.
@@ -1607,6 +1616,7 @@
Disable for all
+ Wyłącz dla wszystkichNo comment provided by engineer.
@@ -1671,6 +1681,7 @@
Don't enable
+ Nie włączajNo comment provided by engineer.
@@ -1715,6 +1726,7 @@
Enable (keep overrides)
+ Włącz (zachowaj nadpisania)No comment provided by engineer.
@@ -1734,6 +1746,7 @@
Enable for all
+ Włącz dla wszystkichNo comment provided by engineer.
@@ -1948,6 +1961,7 @@
Error enabling delivery receipts!
+ Błąd włączania potwierdzeń dostawy!No comment provided by engineer.
@@ -2032,6 +2046,7 @@
Error setting delivery receipts!
+ Błąd ustawiania potwierdzeń dostawy!No comment provided by engineer.
@@ -2051,6 +2066,7 @@
Error synchronizing connection
+ Błąd synchronizacji połączeniaNo comment provided by engineer.
@@ -2095,6 +2111,7 @@
Even when disabled in the conversation.
+ Nawet po wyłączeniu w rozmowie.No comment provided by engineer.
@@ -2179,6 +2196,7 @@
Filter unread and favorite chats.
+ Filtruj nieprzeczytane i ulubione czaty.No comment provided by engineer.
@@ -2188,30 +2206,37 @@
Find chats faster
+ Szybciej znajduj czatyNo comment provided by engineer.Fix
+ NaprawNo comment provided by engineer.Fix connection
+ Napraw połączenieNo comment provided by engineer.Fix connection?
+ Naprawić połączenie?No comment provided by engineer.Fix encryption after restoring backups.
+ Napraw szyfrowanie po przywróceniu kopii zapasowych.No comment provided by engineer.Fix not supported by contact
+ Naprawa nie jest obsługiwana przez kontaktNo comment provided by engineer.Fix not supported by group member
+ Naprawa nie jest obsługiwana przez członka grupyNo comment provided by engineer.
@@ -2521,6 +2546,7 @@
In reply to
+ W odpowiedzi nacopied message info
@@ -2708,6 +2734,7 @@
Keep your connections
+ Zachowaj swoje połączeniaNo comment provided by engineer.
@@ -2802,6 +2829,7 @@
Make one message disappear
+ Spraw, aby jedna wiadomość zniknęłaNo comment provided by engineer.
@@ -2876,6 +2904,7 @@
Message delivery receipts!
+ Potwierdzenia dostarczenia wiadomości!No comment provided by engineer.
@@ -3080,6 +3109,7 @@
No history
+ Brak historiiNo comment provided by engineer.
@@ -3518,6 +3548,7 @@
Protocol timeout per KB
+ Limit czasu protokołu na KBNo comment provided by engineer.
@@ -3532,6 +3563,7 @@
React…
+ Reaguj…chat item menu
@@ -3606,10 +3638,12 @@
Reconnect all connected servers to force message delivery. It uses additional traffic.
+ Połącz ponownie wszystkie połączone serwery, aby wymusić dostarczanie wiadomości. Wykorzystuje dodatkowy ruch.No comment provided by engineer.Reconnect servers?
+ Ponownie połączyć serwery?No comment provided by engineer.
@@ -3674,14 +3708,17 @@
Renegotiate
+ RenegocjujNo comment provided by engineer.Renegotiate encryption
+ Renegocjuj szyfrowanieNo comment provided by engineer.Renegotiate encryption?
+ Renegocjować szyfrowanie?No comment provided by engineer.
@@ -3941,6 +3978,7 @@
Send delivery receipts to
+ Wyślij potwierdzenia dostawy doNo comment provided by engineer.
@@ -3980,6 +4018,7 @@
Send receipts
+ Wyślij potwierdzeniaNo comment provided by engineer.
@@ -3999,10 +4038,12 @@
Sending delivery receipts will be enabled for all contacts in all visible chat profiles.
+ Wysyłanie potwierdzeń dostawy zostanie włączone dla wszystkich kontaktów we wszystkich widocznych profilach czatu.No comment provided by engineer.Sending delivery receipts will be enabled for all contacts.
+ Wysyłanie potwierdzeń dostawy zostanie włączone dla wszystkich kontaktów.No comment provided by engineer.
@@ -4012,10 +4053,12 @@
Sending receipts is disabled for %lld contacts
+ Wysyłanie potwierdzeń jest wyłączone dla %lld kontaktówNo comment provided by engineer.Sending receipts is enabled for %lld contacts
+ Wysyłanie potwierdzeń jest włączone dla %lld kontaktówNo comment provided by engineer.
@@ -4457,6 +4500,7 @@ Może się to zdarzyć z powodu jakiegoś błędu lub gdy połączenie jest skom
The encryption is working and the new encryption agreement is not required. It may result in connection errors!
+ Szyfrowanie działa, a nowe uzgodnienie szyfrowania nie jest wymagane. Może to spowodować błędy w połączeniu!No comment provided by engineer.
@@ -4496,6 +4540,7 @@ Może się to zdarzyć z powodu jakiegoś błędu lub gdy połączenie jest skom
The second tick we missed! ✅
+ Drugi tik, który przegapiliśmy! ✅No comment provided by engineer.
@@ -4525,10 +4570,12 @@ Może się to zdarzyć z powodu jakiegoś błędu lub gdy połączenie jest skom
These settings are for your current profile **%@**.
+ Te ustawienia dotyczą Twojego bieżącego profilu **%@**.No comment provided by engineer.They can be overridden in contact settings
+ Można je nadpisać w ustawieniach kontaktuNo comment provided by engineer.
@@ -5012,10 +5059,12 @@ Aby się połączyć, poproś Twój kontakt o utworzenie kolejnego linku połąc
You can enable later via Settings
+ Możesz włączyć później w UstawieniachNo comment provided by engineer.You can enable them later via app Privacy & Security settings.
+ Możesz je włączyć później w ustawieniach Prywatności i Bezpieczeństwa aplikacji.No comment provided by engineer.
@@ -5356,10 +5405,12 @@ Serwery SimpleX nie mogą zobaczyć Twojego profilu.
agreeing encryption for %@…
+ uzgadnianie szyfrowania dla %@…chat item textagreeing encryption…
+ uzgadnianie szyfrowania…chat item text
@@ -5424,10 +5475,12 @@ Serwery SimpleX nie mogą zobaczyć Twojego profilu.
changing address for %@…
+ zmienienie adresu dla %@…chat item textchanging address…
+ zmiana adresu…chat item text
@@ -5532,10 +5585,12 @@ Serwery SimpleX nie mogą zobaczyć Twojego profilu.
default (no)
+ domyślnie (nie)No comment provided by engineer.default (yes)
+ domyślnie (tak)No comment provided by engineer.
@@ -5585,34 +5640,42 @@ Serwery SimpleX nie mogą zobaczyć Twojego profilu.
encryption agreed
+ uzgodniono szyfrowaniechat item textencryption agreed for %@
+ uzgodniono szyfrowanie dla %@chat item textencryption ok
+ szyfrowanie okchat item textencryption ok for %@
+ szyfrowanie ok dla %@chat item textencryption re-negotiation allowed
+ renegocjacja szyfrowania dozwolonachat item textencryption re-negotiation allowed for %@
+ renegocjacja szyfrowania dozwolona dla %@chat item textencryption re-negotiation required
+ renegocjacja szyfrowania wymaganachat item textencryption re-negotiation required for %@
+ renegocjacja szyfrowania wymagana dla %@chat item text
@@ -5888,6 +5951,7 @@ Serwery SimpleX nie mogą zobaczyć Twojego profilu.
security code changed
+ kod bezpieczeństwa zmienionychat item text
diff --git a/apps/ios/SimpleX Localizations/ru.xcloc/Localized Contents/ru.xliff b/apps/ios/SimpleX Localizations/ru.xcloc/Localized Contents/ru.xliff
index 8484ccad4..245bd51b2 100644
--- a/apps/ios/SimpleX Localizations/ru.xcloc/Localized Contents/ru.xliff
+++ b/apps/ios/SimpleX Localizations/ru.xcloc/Localized Contents/ru.xliff
@@ -74,6 +74,7 @@
%1$@ at %2$@:
+ %1$@ в %2$@:copied message info, <sender> at <time>
@@ -305,6 +306,9 @@
- more stable message delivery.
- a bit better groups.
- and more!
+ - более стабильная доставка сообщений.
+- немного улучшенные группы.
+- и прочее!No comment provided by engineer.
@@ -385,6 +389,7 @@
A few more things
+ Еще несколько измененийNo comment provided by engineer.
@@ -416,14 +421,17 @@
Abort
+ ПрекратитьNo comment provided by engineer.Abort changing address
+ Прекратить изменение адресаNo comment provided by engineer.Abort changing address?
+ Прекратить изменение адреса?No comment provided by engineer.
@@ -509,6 +517,7 @@
Address change will be aborted. Old receiving address will be used.
+ Изменение адреса будет прекращено. Будет использоваться старый адрес.No comment provided by engineer.
@@ -603,6 +612,7 @@
Allow to send files and media.
+ Разрешить посылать файлы и медиа.No comment provided by engineer.
@@ -1143,6 +1153,7 @@
Contacts
+ КонтактыNo comment provided by engineer.
@@ -1540,10 +1551,12 @@
Delivery receipts are disabled!
+ Отчёты о доставке выключены!No comment provided by engineer.Delivery receipts!
+ Отчёты о доставке!No comment provided by engineer.
@@ -1593,6 +1606,7 @@
Disable (keep overrides)
+ Выключить (кроме исключений)No comment provided by engineer.
@@ -1602,6 +1616,7 @@
Disable for all
+ Выключить для всехNo comment provided by engineer.
@@ -1666,6 +1681,7 @@
Don't enable
+ Не включатьNo comment provided by engineer.
@@ -1710,6 +1726,7 @@
Enable (keep overrides)
+ Включить (кроме исключений)No comment provided by engineer.
@@ -1729,6 +1746,7 @@
Enable for all
+ Включить для всехNo comment provided by engineer.
@@ -1848,6 +1866,7 @@
Error aborting address change
+ Ошибка при прекращении изменения адресаNo comment provided by engineer.
@@ -1942,6 +1961,7 @@
Error enabling delivery receipts!
+ Ошибка при включении отчётов о доставке!No comment provided by engineer.
@@ -2026,6 +2046,7 @@
Error setting delivery receipts!
+ Ошибка настроек отчётов о доставке!No comment provided by engineer.
@@ -2045,6 +2066,7 @@
Error synchronizing connection
+ Ошибка синхронизации соединенияNo comment provided by engineer.
@@ -2089,6 +2111,7 @@
Even when disabled in the conversation.
+ Даже когда они выключены в разговоре.No comment provided by engineer.
@@ -2128,6 +2151,7 @@
Favorite
+ ИзбранныйNo comment provided by engineer.
@@ -2157,18 +2181,22 @@
Files and media
+ Файлы и медиаchat featureFiles and media are prohibited in this group.
+ Файлы и медиа запрещены в этой группе.No comment provided by engineer.Files and media prohibited!
+ Файлы и медиа запрещены!No comment provided by engineer.Filter unread and favorite chats.
+ Фильтровать непрочитанные и избранные чаты.No comment provided by engineer.
@@ -2178,30 +2206,37 @@
Find chats faster
+ Быстро найти чатыNo comment provided by engineer.Fix
+ ПочинитьNo comment provided by engineer.Fix connection
+ Починить соединениеNo comment provided by engineer.Fix connection?
+ Починить соединение?No comment provided by engineer.Fix encryption after restoring backups.
+ Починить шифрование после восстановления из бэкапа.No comment provided by engineer.Fix not supported by contact
+ Починка не поддерживается контактомNo comment provided by engineer.Fix not supported by group member
+ Починка не поддерживается членом группыNo comment provided by engineer.
@@ -2311,6 +2346,7 @@
Group members can send files and media.
+ Члены группы могут слать файлы и медиа.No comment provided by engineer.
@@ -2510,6 +2546,7 @@
In reply to
+ В ответ наcopied message info
@@ -2697,6 +2734,7 @@
Keep your connections
+ Сохраните Ваши соединенияNo comment provided by engineer.
@@ -2791,6 +2829,7 @@
Make one message disappear
+ Одно исчезающее сообщениеNo comment provided by engineer.
@@ -2865,6 +2904,7 @@
Message delivery receipts!
+ Отчеты о доставке сообщений!No comment provided by engineer.
@@ -3059,6 +3099,7 @@
No filtered chats
+ Нет отфильтрованных разговоровNo comment provided by engineer.
@@ -3068,6 +3109,7 @@
No history
+ Нет историиNo comment provided by engineer.
@@ -3156,6 +3198,7 @@
Only group owners can enable files and media.
+ Только владельцы группы могут разрешить файлы и медиа.No comment provided by engineer.
@@ -3480,6 +3523,7 @@
Prohibit sending files and media.
+ Запретить слать файлы и медиа.No comment provided by engineer.
@@ -3504,6 +3548,7 @@
Protocol timeout per KB
+ Таймаут протокола на KBNo comment provided by engineer.
@@ -3518,6 +3563,7 @@
React…
+ Реакция…chat item menu
@@ -3572,6 +3618,7 @@
Receiving address will be changed to a different server. Address change will complete after sender comes online.
+ Адрес получения сообщений будет перемещён на другой сервер. Изменение адреса завершится после того как отправитель будет онлайн.No comment provided by engineer.
@@ -3591,10 +3638,12 @@
Reconnect all connected servers to force message delivery. It uses additional traffic.
+ Повторно подключите все серверы, чтобы принудительно доставить сообщения. Используется дополнительный трафик.No comment provided by engineer.Reconnect servers?
+ Переподключить серверы?No comment provided by engineer.
@@ -3659,14 +3708,17 @@
Renegotiate
+ ПересогласоватьNo comment provided by engineer.Renegotiate encryption
+ Пересогласовать шифрованиеNo comment provided by engineer.Renegotiate encryption?
+ Пересогласовать шифрование?No comment provided by engineer.
@@ -3926,6 +3978,7 @@
Send delivery receipts to
+ Отправка отчётов о доставкеNo comment provided by engineer.
@@ -3965,6 +4018,7 @@
Send receipts
+ Отправлять отчёты о доставкеNo comment provided by engineer.
@@ -3984,10 +4038,12 @@
Sending delivery receipts will be enabled for all contacts in all visible chat profiles.
+ Отправка отчётов о доставке будет включена для всех контактов во всех видимых профилях чата.No comment provided by engineer.Sending delivery receipts will be enabled for all contacts.
+ Отправка отчётов о доставке будет включена для всех контактов.No comment provided by engineer.
@@ -3997,10 +4053,12 @@
Sending receipts is disabled for %lld contacts
+ Отправка отчётов о доставке выключена для %lld контактовNo comment provided by engineer.Sending receipts is enabled for %lld contacts
+ Отправка отчётов о доставке включена для %lld контактовNo comment provided by engineer.
@@ -4225,6 +4283,7 @@
Some non-fatal errors occurred during import - you may see Chat console for more details.
+ Во время импорта произошли некоторые ошибки - для получения более подробной информации вы можете обратиться к консоли.No comment provided by engineer.
@@ -4441,6 +4500,7 @@ It can happen because of some bug or when the connection is compromised.
The encryption is working and the new encryption agreement is not required. It may result in connection errors!
+ Шифрование работает, и новое соглашение не требуется. Это может привести к ошибкам соединения!No comment provided by engineer.
@@ -4480,6 +4540,7 @@ It can happen because of some bug or when the connection is compromised.
The second tick we missed! ✅
+ Вторая галочка - знать, что доставлено! ✅No comment provided by engineer.
@@ -4509,10 +4570,12 @@ It can happen because of some bug or when the connection is compromised.
These settings are for your current profile **%@**.
+ Установки для Вашего активного профиля **%@**.No comment provided by engineer.They can be overridden in contact settings
+ Они могут быть переопределены в настройках контактовNo comment provided by engineer.
@@ -4644,6 +4707,7 @@ You will be prompted to complete authentication before this feature is enabled.<
Unfav.
+ Не избр.No comment provided by engineer.
@@ -4995,10 +5059,12 @@ To connect, please ask your contact to create another connection link and check
You can enable later via Settings
+ Вы можете включить их позже в НастройкахNo comment provided by engineer.You can enable them later via app Privacy & Security settings.
+ Вы можете включить их позже в настройках Конфиденциальности.No comment provided by engineer.
@@ -5339,10 +5405,12 @@ SimpleX серверы не могут получить доступ к Ваше
agreeing encryption for %@…
+ шифрование согласовывается для %@…chat item textagreeing encryption…
+ шифрование согласовывается…chat item text
@@ -5407,10 +5475,12 @@ SimpleX серверы не могут получить доступ к Ваше
changing address for %@…
+ смена адреса для %@…chat item textchanging address…
+ смена адреса…chat item text
@@ -5515,10 +5585,12 @@ SimpleX серверы не могут получить доступ к Ваше
default (no)
+ по умолчанию (нет)No comment provided by engineer.default (yes)
+ по умолчанию (да)No comment provided by engineer.
@@ -5568,34 +5640,42 @@ SimpleX серверы не могут получить доступ к Ваше
encryption agreed
+ шифрование согласованоchat item textencryption agreed for %@
+ шифрование согласовано для %@chat item textencryption ok
+ шифрование работаетchat item textencryption ok for %@
+ шифрование работает для %@chat item textencryption re-negotiation allowed
+ новое соглашение о шифровании разрешеноchat item textencryption re-negotiation allowed for %@
+ новое соглашение о шифровании разрешено для %@chat item textencryption re-negotiation required
+ требуется новое соглашение о шифрованииchat item textencryption re-negotiation required for %@
+ требуется новое соглашение о шифровании для %@chat item text
@@ -5780,6 +5860,7 @@ SimpleX серверы не могут получить доступ к Ваше
no text
+ нет текстаcopied message info in history
@@ -5870,6 +5951,7 @@ SimpleX серверы не могут получить доступ к Ваше
security code changed
+ код безопасности изменилсяchat item text
diff --git a/apps/ios/SimpleX NSE/NotificationService.swift b/apps/ios/SimpleX NSE/NotificationService.swift
index 12e9d2517..43ba3ab32 100644
--- a/apps/ios/SimpleX NSE/NotificationService.swift
+++ b/apps/ios/SimpleX NSE/NotificationService.swift
@@ -76,7 +76,7 @@ class NotificationService: UNNotificationServiceExtension {
var badgeCount: Int = 0
override func didReceive(_ request: UNNotificationRequest, withContentHandler contentHandler: @escaping (UNNotificationContent) -> Void) {
- logger.debug("NotificationService.didReceive")
+ logger.debug("DEBUGGING: NotificationService.didReceive")
if let ntf = request.content.mutableCopy() as? UNMutableNotificationContent {
setBestAttemptNtf(ntf)
}
@@ -149,7 +149,7 @@ class NotificationService: UNNotificationServiceExtension {
}
override func serviceExtensionTimeWillExpire() {
- logger.debug("NotificationService.serviceExtensionTimeWillExpire")
+ logger.debug("DEBUGGING: NotificationService.serviceExtensionTimeWillExpire")
deliverBestAttemptNtf()
}
diff --git a/apps/ios/SimpleX.xcodeproj/project.pbxproj b/apps/ios/SimpleX.xcodeproj/project.pbxproj
index 33348b31e..cb908cbab 100644
--- a/apps/ios/SimpleX.xcodeproj/project.pbxproj
+++ b/apps/ios/SimpleX.xcodeproj/project.pbxproj
@@ -68,11 +68,6 @@
5C93293129239BED0090FFF9 /* ProtocolServerView.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5C93293029239BED0090FFF9 /* ProtocolServerView.swift */; };
5C93293F2928E0FD0090FFF9 /* AudioRecPlay.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5C93293E2928E0FD0090FFF9 /* AudioRecPlay.swift */; };
5C9329412929248A0090FFF9 /* ScanProtocolServer.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5C9329402929248A0090FFF9 /* ScanProtocolServer.swift */; };
- 5C96CC292A6581E0006729D5 /* libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 5C96CC242A6581E0006729D5 /* libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk.a */; };
- 5C96CC2A2A6581E0006729D5 /* libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk-ghc8.10.7.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 5C96CC252A6581E0006729D5 /* libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk-ghc8.10.7.a */; };
- 5C96CC2B2A6581E0006729D5 /* libffi.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 5C96CC262A6581E0006729D5 /* libffi.a */; };
- 5C96CC2C2A6581E0006729D5 /* libgmp.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 5C96CC272A6581E0006729D5 /* libgmp.a */; };
- 5C96CC2D2A6581E0006729D5 /* libgmpxx.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 5C96CC282A6581E0006729D5 /* libgmpxx.a */; };
5C971E1D27AEBEF600C8A3CE /* ChatInfoView.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5C971E1C27AEBEF600C8A3CE /* ChatInfoView.swift */; };
5C971E2127AEBF8300C8A3CE /* ChatInfoImage.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5C971E2027AEBF8300C8A3CE /* ChatInfoImage.swift */; };
5C9A5BDB2871E05400A5B906 /* SetNotificationsMode.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5C9A5BDA2871E05400A5B906 /* SetNotificationsMode.swift */; };
@@ -142,6 +137,11 @@
5CE2BA97284537A800EC33A6 /* dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 5CE2BA96284537A800EC33A6 /* dummy.m */; };
5CE2BA9D284555F500EC33A6 /* SimpleX NSE.appex in Embed App Extensions */ = {isa = PBXBuildFile; fileRef = 5CDCAD452818589900503DA2 /* SimpleX NSE.appex */; settings = {ATTRIBUTES = (RemoveHeadersOnCopy, ); }; };
5CE2BAA62845617C00EC33A6 /* SimpleXChat.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 5CE2BA682845308900EC33A6 /* SimpleXChat.framework */; platformFilter = ios; };
+ 5CE381D72A69AE88004FB9E1 /* libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 5CE381D22A69AE88004FB9E1 /* libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI.a */; };
+ 5CE381D82A69AE88004FB9E1 /* libgmp.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 5CE381D32A69AE88004FB9E1 /* libgmp.a */; };
+ 5CE381D92A69AE88004FB9E1 /* libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI-ghc8.10.7.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 5CE381D42A69AE88004FB9E1 /* libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI-ghc8.10.7.a */; };
+ 5CE381DA2A69AE88004FB9E1 /* libffi.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 5CE381D52A69AE88004FB9E1 /* libffi.a */; };
+ 5CE381DB2A69AE88004FB9E1 /* libgmpxx.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 5CE381D62A69AE88004FB9E1 /* libgmpxx.a */; };
5CE4407227ADB1D0007B033A /* Emoji.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5CE4407127ADB1D0007B033A /* Emoji.swift */; };
5CE4407927ADB701007B033A /* EmojiItemView.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5CE4407827ADB701007B033A /* EmojiItemView.swift */; };
5CEACCE327DE9246000BD591 /* ComposeView.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5CEACCE227DE9246000BD591 /* ComposeView.swift */; };
@@ -327,11 +327,6 @@
5C93293029239BED0090FFF9 /* ProtocolServerView.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = ProtocolServerView.swift; sourceTree = ""; };
5C93293E2928E0FD0090FFF9 /* AudioRecPlay.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = AudioRecPlay.swift; sourceTree = ""; };
5C9329402929248A0090FFF9 /* ScanProtocolServer.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = ScanProtocolServer.swift; sourceTree = ""; };
- 5C96CC242A6581E0006729D5 /* libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk.a */ = {isa = PBXFileReference; lastKnownFileType = archive.ar; path = "libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk.a"; sourceTree = ""; };
- 5C96CC252A6581E0006729D5 /* libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk-ghc8.10.7.a */ = {isa = PBXFileReference; lastKnownFileType = archive.ar; path = "libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk-ghc8.10.7.a"; sourceTree = ""; };
- 5C96CC262A6581E0006729D5 /* libffi.a */ = {isa = PBXFileReference; lastKnownFileType = archive.ar; path = libffi.a; sourceTree = ""; };
- 5C96CC272A6581E0006729D5 /* libgmp.a */ = {isa = PBXFileReference; lastKnownFileType = archive.ar; path = libgmp.a; sourceTree = ""; };
- 5C96CC282A6581E0006729D5 /* libgmpxx.a */ = {isa = PBXFileReference; lastKnownFileType = archive.ar; path = libgmpxx.a; sourceTree = ""; };
5C971E1C27AEBEF600C8A3CE /* ChatInfoView.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = ChatInfoView.swift; sourceTree = ""; };
5C971E2027AEBF8300C8A3CE /* ChatInfoImage.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = ChatInfoImage.swift; sourceTree = ""; };
5C9A5BDA2871E05400A5B906 /* SetNotificationsMode.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = SetNotificationsMode.swift; sourceTree = ""; };
@@ -420,6 +415,11 @@
5CE2BA78284530CC00EC33A6 /* SimpleXChat.docc */ = {isa = PBXFileReference; lastKnownFileType = folder.documentationcatalog; path = SimpleXChat.docc; sourceTree = ""; };
5CE2BA8A2845332200EC33A6 /* SimpleX.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = SimpleX.h; sourceTree = ""; };
5CE2BA96284537A800EC33A6 /* dummy.m */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.objc; path = dummy.m; sourceTree = ""; };
+ 5CE381D22A69AE88004FB9E1 /* libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI.a */ = {isa = PBXFileReference; lastKnownFileType = archive.ar; path = "libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI.a"; sourceTree = ""; };
+ 5CE381D32A69AE88004FB9E1 /* libgmp.a */ = {isa = PBXFileReference; lastKnownFileType = archive.ar; path = libgmp.a; sourceTree = ""; };
+ 5CE381D42A69AE88004FB9E1 /* libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI-ghc8.10.7.a */ = {isa = PBXFileReference; lastKnownFileType = archive.ar; path = "libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI-ghc8.10.7.a"; sourceTree = ""; };
+ 5CE381D52A69AE88004FB9E1 /* libffi.a */ = {isa = PBXFileReference; lastKnownFileType = archive.ar; path = libffi.a; sourceTree = ""; };
+ 5CE381D62A69AE88004FB9E1 /* libgmpxx.a */ = {isa = PBXFileReference; lastKnownFileType = archive.ar; path = libgmpxx.a; sourceTree = ""; };
5CE4407127ADB1D0007B033A /* Emoji.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = Emoji.swift; sourceTree = ""; };
5CE4407827ADB701007B033A /* EmojiItemView.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = EmojiItemView.swift; sourceTree = ""; };
5CEACCE227DE9246000BD591 /* ComposeView.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = ComposeView.swift; sourceTree = ""; };
@@ -501,13 +501,13 @@
isa = PBXFrameworksBuildPhase;
buildActionMask = 2147483647;
files = (
- 5C96CC292A6581E0006729D5 /* libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk.a in Frameworks */,
- 5C96CC2A2A6581E0006729D5 /* libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk-ghc8.10.7.a in Frameworks */,
5CE2BA93284534B000EC33A6 /* libiconv.tbd in Frameworks */,
- 5C96CC2B2A6581E0006729D5 /* libffi.a in Frameworks */,
- 5C96CC2C2A6581E0006729D5 /* libgmp.a in Frameworks */,
+ 5CE381DA2A69AE88004FB9E1 /* libffi.a in Frameworks */,
5CE2BA94284534BB00EC33A6 /* libz.tbd in Frameworks */,
- 5C96CC2D2A6581E0006729D5 /* libgmpxx.a in Frameworks */,
+ 5CE381D82A69AE88004FB9E1 /* libgmp.a in Frameworks */,
+ 5CE381D72A69AE88004FB9E1 /* libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI.a in Frameworks */,
+ 5CE381D92A69AE88004FB9E1 /* libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI-ghc8.10.7.a in Frameworks */,
+ 5CE381DB2A69AE88004FB9E1 /* libgmpxx.a in Frameworks */,
);
runOnlyForDeploymentPostprocessing = 0;
};
@@ -568,11 +568,11 @@
5C764E5C279C70B7000C6508 /* Libraries */ = {
isa = PBXGroup;
children = (
- 5C96CC262A6581E0006729D5 /* libffi.a */,
- 5C96CC272A6581E0006729D5 /* libgmp.a */,
- 5C96CC282A6581E0006729D5 /* libgmpxx.a */,
- 5C96CC252A6581E0006729D5 /* libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk-ghc8.10.7.a */,
- 5C96CC242A6581E0006729D5 /* libHSsimplex-chat-5.2.0.2-31P8h1ZTCBQCHVWqC2oSIk.a */,
+ 5CE381D52A69AE88004FB9E1 /* libffi.a */,
+ 5CE381D32A69AE88004FB9E1 /* libgmp.a */,
+ 5CE381D62A69AE88004FB9E1 /* libgmpxx.a */,
+ 5CE381D42A69AE88004FB9E1 /* libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI-ghc8.10.7.a */,
+ 5CE381D22A69AE88004FB9E1 /* libHSsimplex-chat-5.2.0.3-9DDzk5dukPe6oTQ1CZlGPI.a */,
);
path = Libraries;
sourceTree = "";
@@ -1478,7 +1478,7 @@
CLANG_ENABLE_MODULES = YES;
CODE_SIGN_ENTITLEMENTS = "SimpleX (iOS).entitlements";
CODE_SIGN_STYLE = Automatic;
- CURRENT_PROJECT_VERSION = 155;
+ CURRENT_PROJECT_VERSION = 159;
DEVELOPMENT_TEAM = 5NN7GUYB6T;
ENABLE_BITCODE = NO;
ENABLE_PREVIEWS = YES;
@@ -1520,7 +1520,7 @@
CLANG_ENABLE_MODULES = YES;
CODE_SIGN_ENTITLEMENTS = "SimpleX (iOS).entitlements";
CODE_SIGN_STYLE = Automatic;
- CURRENT_PROJECT_VERSION = 155;
+ CURRENT_PROJECT_VERSION = 159;
DEVELOPMENT_TEAM = 5NN7GUYB6T;
ENABLE_BITCODE = NO;
ENABLE_PREVIEWS = YES;
@@ -1600,7 +1600,7 @@
CODE_SIGN_ENTITLEMENTS = "SimpleX NSE/SimpleX NSE.entitlements";
CODE_SIGN_IDENTITY = "Apple Development";
CODE_SIGN_STYLE = Automatic;
- CURRENT_PROJECT_VERSION = 155;
+ CURRENT_PROJECT_VERSION = 159;
DEVELOPMENT_TEAM = 5NN7GUYB6T;
ENABLE_BITCODE = NO;
GENERATE_INFOPLIST_FILE = YES;
@@ -1632,7 +1632,7 @@
CODE_SIGN_ENTITLEMENTS = "SimpleX NSE/SimpleX NSE.entitlements";
CODE_SIGN_IDENTITY = "Apple Development";
CODE_SIGN_STYLE = Automatic;
- CURRENT_PROJECT_VERSION = 155;
+ CURRENT_PROJECT_VERSION = 159;
DEVELOPMENT_TEAM = 5NN7GUYB6T;
ENABLE_BITCODE = NO;
GENERATE_INFOPLIST_FILE = YES;
@@ -1664,7 +1664,7 @@
APPLICATION_EXTENSION_API_ONLY = YES;
CLANG_ENABLE_MODULES = YES;
CODE_SIGN_STYLE = Automatic;
- CURRENT_PROJECT_VERSION = 71;
+ CURRENT_PROJECT_VERSION = 159;
DEFINES_MODULE = YES;
DEVELOPMENT_TEAM = 5NN7GUYB6T;
DYLIB_COMPATIBILITY_VERSION = 1;
@@ -1688,7 +1688,7 @@
"$(inherited)",
"$(PROJECT_DIR)/Libraries/sim",
);
- MARKETING_VERSION = 4.0;
+ MARKETING_VERSION = 5.2;
PRODUCT_BUNDLE_IDENTIFIER = chat.simplex.SimpleXChat;
PRODUCT_NAME = "$(TARGET_NAME:c99extidentifier)";
SDKROOT = iphoneos;
@@ -1710,7 +1710,7 @@
APPLICATION_EXTENSION_API_ONLY = YES;
CLANG_ENABLE_MODULES = YES;
CODE_SIGN_STYLE = Automatic;
- CURRENT_PROJECT_VERSION = 71;
+ CURRENT_PROJECT_VERSION = 159;
DEFINES_MODULE = YES;
DEVELOPMENT_TEAM = 5NN7GUYB6T;
DYLIB_COMPATIBILITY_VERSION = 1;
@@ -1734,7 +1734,7 @@
"$(inherited)",
"$(PROJECT_DIR)/Libraries/sim",
);
- MARKETING_VERSION = 4.0;
+ MARKETING_VERSION = 5.2;
PRODUCT_BUNDLE_IDENTIFIER = chat.simplex.SimpleXChat;
PRODUCT_NAME = "$(TARGET_NAME:c99extidentifier)";
SDKROOT = iphoneos;
diff --git a/apps/ios/cs.lproj/Localizable.strings b/apps/ios/cs.lproj/Localizable.strings
index 51e6daa0d..d3c165ab0 100644
--- a/apps/ios/cs.lproj/Localizable.strings
+++ b/apps/ios/cs.lproj/Localizable.strings
@@ -19,6 +19,9 @@
/* No comment provided by engineer. */
"_italic_" = "\\_kurzíva_";
+/* No comment provided by engineer. */
+"- more stable message delivery.\n- a bit better groups.\n- and more!" = "- více stabilní doručování zpráv.\n- o trochu lepší skupiny.\n- a více!";
+
/* No comment provided by engineer. */
"- voice messages up to 5 minutes.\n- custom time to disappear.\n- editing history." = "- 5 minutové hlasové zprávy.\n- vlastní čas mizení.\n- historie úprav.";
@@ -103,6 +106,9 @@
/* No comment provided by engineer. */
"%@ %@" = "%@ %@";
+/* copied message info, at