From b08691bda6bd6827c3fe017372d2d1903d98067d Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Thu, 28 Aug 2025 07:26:55 -0500 Subject: [PATCH 01/21] New Crowdin updates (#2899) --- app/src/main/res/values-fi/strings.xml | 1 + 1 file changed, 1 insertion(+) diff --git a/app/src/main/res/values-fi/strings.xml b/app/src/main/res/values-fi/strings.xml index 1616ecaea..0d579eef9 100644 --- a/app/src/main/res/values-fi/strings.xml +++ b/app/src/main/res/values-fi/strings.xml @@ -750,6 +750,7 @@ Maasto Hybridi Hallitse Karttatasoja + Mukautetut karttatasot tukevat .kml- tai .kmz-tiedostoja. Karttatasot Mukautettuja karttatasoja ei ladattu. Lisää taso From 177138ac8f2de92171ec867ff34eebe072707f50 Mon Sep 17 00:00:00 2001 From: Phil Oliver <3497406+poliver@users.noreply.github.com> Date: Thu, 28 Aug 2025 16:04:27 -0400 Subject: [PATCH 02/21] More migration to top-level Settings (#2903) --- .../java/com/geeksville/mesh/MainActivity.kt | 35 --- .../mesh/navigation/SettingsRoutes.kt | 4 +- .../main/java/com/geeksville/mesh/ui/Main.kt | 16 +- .../mesh/ui/common/components/MainAppBar.kt | 2 - .../mesh/ui/settings/SettingsScreen.kt | 217 ++++++++++++++ .../mesh/ui/settings/radio/RadioConfig.kt | 279 ++++-------------- app/src/main/res/values/strings.xml | 1 + 7 files changed, 279 insertions(+), 275 deletions(-) create mode 100644 app/src/main/java/com/geeksville/mesh/ui/settings/SettingsScreen.kt diff --git a/app/src/main/java/com/geeksville/mesh/MainActivity.kt b/app/src/main/java/com/geeksville/mesh/MainActivity.kt index a6128be8b..ecb15d6fc 100644 --- a/app/src/main/java/com/geeksville/mesh/MainActivity.kt +++ b/app/src/main/java/com/geeksville/mesh/MainActivity.kt @@ -227,42 +227,7 @@ class MainActivity : createRangetestLauncher.launch(intent) } - MainMenuAction.THEME -> { - chooseThemeDialog() - } - - MainMenuAction.LANGUAGE -> { - chooseLangDialog() - } - else -> warn("Unexpected action: $action") } } - - private fun chooseThemeDialog() { - val styles = - mapOf( - getString(R.string.dynamic) to MODE_DYNAMIC, - getString(R.string.theme_light) to AppCompatDelegate.MODE_NIGHT_NO, - getString(R.string.theme_dark) to AppCompatDelegate.MODE_NIGHT_YES, - getString(R.string.theme_system) to AppCompatDelegate.MODE_NIGHT_FOLLOW_SYSTEM, - ) - - val theme = uiPrefs.theme - debug("Theme from prefs: $theme") - model.showAlert( - title = getString(R.string.choose_theme), - message = "", - choices = styles.mapValues { (_, value) -> { model.setTheme(value) } }, - ) - } - - private fun chooseLangDialog() { - val languageTags = LanguageUtils.getLanguageTags(this) - val lang = LanguageUtils.getLocale() - debug("Lang from prefs: $lang") - val langMap = languageTags.mapValues { (_, value) -> { LanguageUtils.setLocale(value) } } - - model.showAlert(title = getString(R.string.preferences_language), message = "", choices = langMap) - } } diff --git a/app/src/main/java/com/geeksville/mesh/navigation/SettingsRoutes.kt b/app/src/main/java/com/geeksville/mesh/navigation/SettingsRoutes.kt index 91d61c3b4..1eb97d589 100644 --- a/app/src/main/java/com/geeksville/mesh/navigation/SettingsRoutes.kt +++ b/app/src/main/java/com/geeksville/mesh/navigation/SettingsRoutes.kt @@ -56,8 +56,8 @@ import com.geeksville.mesh.AdminProtos import com.geeksville.mesh.MeshProtos.DeviceMetadata import com.geeksville.mesh.R import com.geeksville.mesh.model.UIViewModel +import com.geeksville.mesh.ui.settings.SettingsScreen import com.geeksville.mesh.ui.settings.radio.CleanNodeDatabaseScreen -import com.geeksville.mesh.ui.settings.radio.RadioConfigScreen import com.geeksville.mesh.ui.settings.radio.RadioConfigViewModel import com.geeksville.mesh.ui.settings.radio.components.AmbientLightingConfigScreen import com.geeksville.mesh.ui.settings.radio.components.AudioConfigScreen @@ -161,7 +161,7 @@ fun NavGraphBuilder.settingsGraph(navController: NavHostController, uiViewModel: ) { backStackEntry -> val parentEntry = remember(backStackEntry) { navController.getBackStackEntry(SettingsRoutes.SettingsGraph::class) } - RadioConfigScreen(uiViewModel = uiViewModel, viewModel = hiltViewModel(parentEntry)) { + SettingsScreen(uiViewModel = uiViewModel, viewModel = hiltViewModel(parentEntry)) { navController.navigate(it) { popUpTo(SettingsRoutes.Settings()) { inclusive = false } } } } diff --git a/app/src/main/java/com/geeksville/mesh/ui/Main.kt b/app/src/main/java/com/geeksville/mesh/ui/Main.kt index f46e00900..28e102abe 100644 --- a/app/src/main/java/com/geeksville/mesh/ui/Main.kt +++ b/app/src/main/java/com/geeksville/mesh/ui/Main.kt @@ -83,7 +83,6 @@ import com.geeksville.mesh.model.BluetoothViewModel import com.geeksville.mesh.model.DeviceVersion import com.geeksville.mesh.model.Node import com.geeksville.mesh.model.UIViewModel -import com.geeksville.mesh.navigation.ChannelsRoutes import com.geeksville.mesh.navigation.ConnectionsRoutes import com.geeksville.mesh.navigation.ContactsRoutes import com.geeksville.mesh.navigation.MapRoutes @@ -115,6 +114,7 @@ import com.google.accompanist.permissions.isGranted import com.google.accompanist.permissions.rememberPermissionState import kotlinx.coroutines.flow.collectLatest import kotlinx.coroutines.launch +import kotlin.reflect.KClass enum class TopLevelDestination(@StringRes val label: Int, val icon: ImageVector, val route: Route) { Conversations(R.string.conversations, MeshtasticIcons.Conversations, ContactsRoutes.ContactsGraph), @@ -125,14 +125,14 @@ enum class TopLevelDestination(@StringRes val label: Int, val icon: ImageVector, ; companion object { - fun NavDestination.isTopLevel(): Boolean = listOf( - ContactsRoutes.Contacts, - NodesRoutes.Nodes, - MapRoutes.Map, - ChannelsRoutes.Channels, - ConnectionsRoutes.Connections, + fun NavDestination.isTopLevel(): Boolean = listOf>( + ContactsRoutes.Contacts::class, + NodesRoutes.Nodes::class, + MapRoutes.Map::class, + ConnectionsRoutes.Connections::class, + SettingsRoutes.Settings::class, ) - .any { this.hasRoute(it::class) } + .any { this.hasRoute(it) } fun fromNavDestination(destination: NavDestination?): TopLevelDestination? = entries.find { dest -> destination?.hierarchy?.any { it.hasRoute(dest.route::class) } == true } diff --git a/app/src/main/java/com/geeksville/mesh/ui/common/components/MainAppBar.kt b/app/src/main/java/com/geeksville/mesh/ui/common/components/MainAppBar.kt index e41879e9a..e1fae2155 100644 --- a/app/src/main/java/com/geeksville/mesh/ui/common/components/MainAppBar.kt +++ b/app/src/main/java/com/geeksville/mesh/ui/common/components/MainAppBar.kt @@ -208,8 +208,6 @@ private fun TopBarActions( enum class MainMenuAction(@StringRes val stringRes: Int) { DEBUG(R.string.debug_panel), EXPORT_RANGETEST(R.string.save_rangetest), - THEME(R.string.theme), - LANGUAGE(R.string.preferences_language), SHOW_INTRO(R.string.intro_show), QUICK_CHAT(R.string.quick_chat), } diff --git a/app/src/main/java/com/geeksville/mesh/ui/settings/SettingsScreen.kt b/app/src/main/java/com/geeksville/mesh/ui/settings/SettingsScreen.kt new file mode 100644 index 000000000..a4c3ba2b3 --- /dev/null +++ b/app/src/main/java/com/geeksville/mesh/ui/settings/SettingsScreen.kt @@ -0,0 +1,217 @@ +/* + * Copyright (c) 2025 Meshtastic LLC + * + * This program is free software: you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation, either version 3 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program. If not, see . + */ + +package com.geeksville.mesh.ui.settings + +import android.app.Activity +import android.content.Intent +import androidx.activity.compose.rememberLauncherForActivityResult +import androidx.activity.result.contract.ActivityResultContracts +import androidx.appcompat.app.AppCompatDelegate +import androidx.compose.foundation.layout.Column +import androidx.compose.foundation.layout.padding +import androidx.compose.foundation.rememberScrollState +import androidx.compose.foundation.verticalScroll +import androidx.compose.material.icons.Icons +import androidx.compose.material.icons.filled.BugReport +import androidx.compose.material.icons.rounded.FormatPaint +import androidx.compose.material.icons.rounded.Language +import androidx.compose.runtime.Composable +import androidx.compose.runtime.getValue +import androidx.compose.runtime.mutableStateOf +import androidx.compose.runtime.remember +import androidx.compose.runtime.setValue +import androidx.compose.ui.Modifier +import androidx.compose.ui.platform.LocalContext +import androidx.compose.ui.res.stringResource +import androidx.compose.ui.unit.dp +import androidx.hilt.navigation.compose.hiltViewModel +import androidx.lifecycle.compose.collectAsStateWithLifecycle +import com.geeksville.mesh.ClientOnlyProtos.DeviceProfile +import com.geeksville.mesh.DeviceUIProtos.Language +import com.geeksville.mesh.R +import com.geeksville.mesh.android.BuildUtils.debug +import com.geeksville.mesh.model.UIViewModel +import com.geeksville.mesh.navigation.Route +import com.geeksville.mesh.navigation.getNavRouteFrom +import com.geeksville.mesh.ui.common.components.TitledCard +import com.geeksville.mesh.ui.common.theme.MODE_DYNAMIC +import com.geeksville.mesh.ui.settings.components.SettingsItem +import com.geeksville.mesh.ui.settings.components.SettingsItemSwitch +import com.geeksville.mesh.ui.settings.radio.RadioConfigItemList +import com.geeksville.mesh.ui.settings.radio.RadioConfigViewModel +import com.geeksville.mesh.ui.settings.radio.components.EditDeviceProfileDialog +import com.geeksville.mesh.ui.settings.radio.components.PacketResponseStateDialog +import com.geeksville.mesh.util.LanguageUtils + +@Suppress("LongMethod", "CyclomaticComplexMethod") +@Composable +fun SettingsScreen( + viewModel: RadioConfigViewModel = hiltViewModel(), + uiViewModel: UIViewModel = hiltViewModel(), + onNavigate: (Route) -> Unit = {}, +) { + uiViewModel.setTitle(stringResource(R.string.bottom_nav_settings)) + + val excludedModulesUnlocked by uiViewModel.excludedModulesUnlocked.collectAsStateWithLifecycle() + val localConfig by uiViewModel.localConfig.collectAsStateWithLifecycle() + + val state by viewModel.radioConfigState.collectAsStateWithLifecycle() + var isWaiting by remember { mutableStateOf(false) } + if (isWaiting) { + PacketResponseStateDialog( + state = state.responseState, + onDismiss = { + isWaiting = false + viewModel.clearPacketResponse() + }, + onComplete = { + getNavRouteFrom(state.route)?.let { route -> + isWaiting = false + viewModel.clearPacketResponse() + onNavigate(route) + } + }, + ) + } + + var deviceProfile by remember { mutableStateOf(null) } + var showEditDeviceProfileDialog by remember { mutableStateOf(false) } + + val importConfigLauncher = + rememberLauncherForActivityResult(ActivityResultContracts.StartActivityForResult()) { + if (it.resultCode == Activity.RESULT_OK) { + showEditDeviceProfileDialog = true + it.data?.data?.let { uri -> viewModel.importProfile(uri) { profile -> deviceProfile = profile } } + } + } + + val exportConfigLauncher = + rememberLauncherForActivityResult(ActivityResultContracts.StartActivityForResult()) { + if (it.resultCode == Activity.RESULT_OK) { + it.data?.data?.let { uri -> viewModel.exportProfile(uri, deviceProfile!!) } + } + } + + if (showEditDeviceProfileDialog) { + EditDeviceProfileDialog( + title = + if (deviceProfile != null) { + stringResource(R.string.import_configuration) + } else { + stringResource(R.string.export_configuration) + }, + deviceProfile = deviceProfile ?: viewModel.currentDeviceProfile, + onConfirm = { + showEditDeviceProfileDialog = false + if (deviceProfile != null) { + viewModel.installProfile(it) + } else { + deviceProfile = it + val intent = + Intent(Intent.ACTION_CREATE_DOCUMENT).apply { + addCategory(Intent.CATEGORY_OPENABLE) + type = "application/*" + putExtra(Intent.EXTRA_TITLE, "device_profile.cfg") + } + exportConfigLauncher.launch(intent) + } + }, + onDismiss = { + showEditDeviceProfileDialog = false + deviceProfile = null + }, + ) + } + + Column(modifier = Modifier.verticalScroll(rememberScrollState()).padding(16.dp)) { + RadioConfigItemList( + state = state, + isManaged = localConfig.security.isManaged, + excludedModulesUnlocked = excludedModulesUnlocked, + onRouteClick = { route -> + isWaiting = true + viewModel.setResponseStateLoading(route) + }, + onImport = { + viewModel.clearPacketResponse() + deviceProfile = null + val intent = + Intent(Intent.ACTION_OPEN_DOCUMENT).apply { + addCategory(Intent.CATEGORY_OPENABLE) + type = "application/*" + } + importConfigLauncher.launch(intent) + }, + onExport = { + viewModel.clearPacketResponse() + deviceProfile = null + showEditDeviceProfileDialog = true + }, + onNavigate = onNavigate, + ) + + TitledCard(title = stringResource(R.string.phone_settings), modifier = Modifier.padding(top = 16.dp)) { + if (state.analyticsAvailable) { + SettingsItemSwitch( + text = stringResource(R.string.analytics_okay), + checked = state.analyticsEnabled, + leadingIcon = Icons.Default.BugReport, + onClick = { viewModel.toggleAnalytics() }, + ) + } + + val context = LocalContext.current + val languageTags = remember { LanguageUtils.getLanguageTags(context) } + SettingsItem( + text = stringResource(R.string.preferences_language), + leadingIcon = Icons.Rounded.Language, + trailingIcon = null, + ) { + val lang = LanguageUtils.getLocale() + debug("Lang from prefs: $lang") + val langMap = languageTags.mapValues { (_, value) -> { LanguageUtils.setLocale(value) } } + + uiViewModel.showAlert( + title = context.getString(R.string.preferences_language), + message = "", + choices = langMap, + ) + } + + val themeMap = remember { + mapOf( + context.getString(R.string.dynamic) to MODE_DYNAMIC, + context.getString(R.string.theme_light) to AppCompatDelegate.MODE_NIGHT_NO, + context.getString(R.string.theme_dark) to AppCompatDelegate.MODE_NIGHT_YES, + context.getString(R.string.theme_system) to AppCompatDelegate.MODE_NIGHT_FOLLOW_SYSTEM, + ) + } + SettingsItem( + text = stringResource(R.string.theme), + leadingIcon = Icons.Rounded.FormatPaint, + trailingIcon = null, + ) { + uiViewModel.showAlert( + title = context.getString(R.string.choose_theme), + message = "", + choices = themeMap.mapValues { (_, value) -> { uiViewModel.setTheme(value) } }, + ) + } + } + } +} diff --git a/app/src/main/java/com/geeksville/mesh/ui/settings/radio/RadioConfig.kt b/app/src/main/java/com/geeksville/mesh/ui/settings/radio/RadioConfig.kt index d7ef8119a..cd6f7cd78 100644 --- a/app/src/main/java/com/geeksville/mesh/ui/settings/radio/RadioConfig.kt +++ b/app/src/main/java/com/geeksville/mesh/ui/settings/radio/RadioConfig.kt @@ -17,35 +17,22 @@ package com.geeksville.mesh.ui.settings.radio -import android.app.Activity -import android.content.Intent import android.widget.Toast -import androidx.activity.compose.rememberLauncherForActivityResult -import androidx.activity.result.contract.ActivityResultContracts import androidx.annotation.StringRes import androidx.compose.foundation.layout.Arrangement import androidx.compose.foundation.layout.Column -import androidx.compose.foundation.layout.PaddingValues import androidx.compose.foundation.layout.Row import androidx.compose.foundation.layout.Spacer import androidx.compose.foundation.layout.fillMaxWidth import androidx.compose.foundation.layout.height import androidx.compose.foundation.layout.padding -import androidx.compose.foundation.layout.size -import androidx.compose.foundation.layout.width -import androidx.compose.foundation.layout.wrapContentSize -import androidx.compose.foundation.lazy.LazyColumn -import androidx.compose.foundation.lazy.items import androidx.compose.foundation.shape.RoundedCornerShape import androidx.compose.material.icons.Icons -import androidx.compose.material.icons.automirrored.twotone.KeyboardArrowRight -import androidx.compose.material.icons.filled.BugReport import androidx.compose.material.icons.filled.Download import androidx.compose.material.icons.filled.Upload import androidx.compose.material.icons.twotone.Warning import androidx.compose.material3.AlertDialog import androidx.compose.material3.Button -import androidx.compose.material3.Card import androidx.compose.material3.Icon import androidx.compose.material3.IconButton import androidx.compose.material3.MaterialTheme @@ -60,14 +47,11 @@ import androidx.compose.runtime.remember import androidx.compose.runtime.setValue import androidx.compose.ui.Alignment import androidx.compose.ui.Modifier -import androidx.compose.ui.graphics.vector.ImageVector import androidx.compose.ui.platform.LocalContext import androidx.compose.ui.res.stringResource import androidx.compose.ui.tooling.preview.Preview import androidx.compose.ui.unit.dp import androidx.hilt.navigation.compose.hiltViewModel -import androidx.lifecycle.compose.collectAsStateWithLifecycle -import com.geeksville.mesh.ClientOnlyProtos.DeviceProfile import com.geeksville.mesh.R import com.geeksville.mesh.model.UIViewModel import com.geeksville.mesh.navigation.AdminRoute @@ -75,156 +59,13 @@ import com.geeksville.mesh.navigation.ConfigRoute import com.geeksville.mesh.navigation.ModuleRoute import com.geeksville.mesh.navigation.Route import com.geeksville.mesh.navigation.SettingsRoutes -import com.geeksville.mesh.navigation.getNavRouteFrom import com.geeksville.mesh.ui.common.components.TitledCard import com.geeksville.mesh.ui.common.theme.AppTheme import com.geeksville.mesh.ui.common.theme.StatusColors.StatusRed import com.geeksville.mesh.ui.settings.components.SettingsItem -import com.geeksville.mesh.ui.settings.components.SettingsItemSwitch -import com.geeksville.mesh.ui.settings.radio.components.EditDeviceProfileDialog -import com.geeksville.mesh.ui.settings.radio.components.PacketResponseStateDialog import kotlinx.coroutines.delay import kotlin.time.Duration.Companion.seconds -@Suppress("LongMethod", "CyclomaticComplexMethod") -@Composable -fun RadioConfigScreen( - modifier: Modifier = Modifier, - viewModel: RadioConfigViewModel = hiltViewModel(), - uiViewModel: UIViewModel = hiltViewModel(), - onNavigate: (Route) -> Unit = {}, -) { - val node by viewModel.destNode.collectAsStateWithLifecycle() - val ourNode by uiViewModel.ourNodeInfo.collectAsStateWithLifecycle() - val isLocal = node?.num == ourNode?.num - val nodeName: String? = - node?.user?.longName?.let { - if (!isLocal) { - "$it (" + stringResource(R.string.remote) + ")" - } else { - it - } - } - - nodeName?.let { uiViewModel.setTitle(it) } - - val excludedModulesUnlocked by uiViewModel.excludedModulesUnlocked.collectAsStateWithLifecycle() - val localConfig by uiViewModel.localConfig.collectAsStateWithLifecycle() - - val state by viewModel.radioConfigState.collectAsStateWithLifecycle() - var isWaiting by remember { mutableStateOf(false) } - if (isWaiting) { - PacketResponseStateDialog( - state = state.responseState, - onDismiss = { - isWaiting = false - viewModel.clearPacketResponse() - }, - onComplete = { - getNavRouteFrom(state.route)?.let { route -> - isWaiting = false - viewModel.clearPacketResponse() - onNavigate(route) - } - }, - ) - } - - var deviceProfile by remember { mutableStateOf(null) } - var showEditDeviceProfileDialog by remember { mutableStateOf(false) } - - val importConfigLauncher = - rememberLauncherForActivityResult(ActivityResultContracts.StartActivityForResult()) { - if (it.resultCode == Activity.RESULT_OK) { - showEditDeviceProfileDialog = true - it.data?.data?.let { uri -> viewModel.importProfile(uri) { profile -> deviceProfile = profile } } - } - } - - val exportConfigLauncher = - rememberLauncherForActivityResult(ActivityResultContracts.StartActivityForResult()) { - if (it.resultCode == Activity.RESULT_OK) { - it.data?.data?.let { uri -> viewModel.exportProfile(uri, deviceProfile!!) } - } - } - - if (showEditDeviceProfileDialog) { - EditDeviceProfileDialog( - title = - if (deviceProfile != null) { - stringResource(R.string.import_configuration) - } else { - stringResource(R.string.export_configuration) - }, - deviceProfile = deviceProfile ?: viewModel.currentDeviceProfile, - onConfirm = { - showEditDeviceProfileDialog = false - if (deviceProfile != null) { - viewModel.installProfile(it) - } else { - deviceProfile = it - val intent = - Intent(Intent.ACTION_CREATE_DOCUMENT).apply { - addCategory(Intent.CATEGORY_OPENABLE) - type = "application/*" - putExtra(Intent.EXTRA_TITLE, "device_profile.cfg") - } - exportConfigLauncher.launch(intent) - } - }, - onDismiss = { - showEditDeviceProfileDialog = false - deviceProfile = null - }, - ) - } - - RadioConfigItemList( - modifier = modifier, - state = state, - isManaged = localConfig.security.isManaged, - excludedModulesUnlocked = excludedModulesUnlocked, - onRouteClick = { route -> - isWaiting = true - viewModel.setResponseStateLoading(route) - }, - onImport = { - viewModel.clearPacketResponse() - deviceProfile = null - val intent = - Intent(Intent.ACTION_OPEN_DOCUMENT).apply { - addCategory(Intent.CATEGORY_OPENABLE) - type = "application/*" - } - importConfigLauncher.launch(intent) - }, - onExport = { - viewModel.clearPacketResponse() - deviceProfile = null - showEditDeviceProfileDialog = true - }, - onToggleAnalytics = { viewModel.toggleAnalytics() }, - onNavigate = onNavigate, - ) -} - -@Composable -fun NavCard(title: String, enabled: Boolean, icon: ImageVector? = null, onClick: () -> Unit) { - Card(onClick = onClick, enabled = enabled, modifier = Modifier.fillMaxWidth().padding(vertical = 2.dp)) { - Row( - verticalAlignment = Alignment.CenterVertically, - modifier = Modifier.padding(vertical = 12.dp, horizontal = 16.dp), - ) { - if (icon != null) { - Icon(imageVector = icon, contentDescription = title, modifier = Modifier.size(24.dp)) - Spacer(modifier = Modifier.width(8.dp)) - } - Text(text = title, style = MaterialTheme.typography.bodyLarge, modifier = Modifier.weight(1f)) - Icon(Icons.AutoMirrored.TwoTone.KeyboardArrowRight, "trailingIcon", modifier = Modifier.wrapContentSize()) - } - } -} - @Suppress("LongMethod") @Composable private fun NavButton(@StringRes title: Int, enabled: Boolean, onClick: () -> Unit) { @@ -281,19 +122,18 @@ private fun NavButton(@StringRes title: Int, enabled: Boolean, onClick: () -> Un @Suppress("LongMethod") @Composable -private fun RadioConfigItemList( +fun RadioConfigItemList( state: RadioConfigState, isManaged: Boolean, excludedModulesUnlocked: Boolean = false, - modifier: Modifier = Modifier, onRouteClick: (Enum<*>) -> Unit = {}, onImport: () -> Unit = {}, onExport: () -> Unit = {}, - onToggleAnalytics: () -> Unit = {}, onNavigate: (Route) -> Unit, ) { val enabled = state.connected && !state.responseState.isWaiting() && !isManaged var modules by remember { mutableStateOf(ModuleRoute.filterExcludedFrom(state.metadata)) } + LaunchedEffect(excludedModulesUnlocked) { if (excludedModulesUnlocked) { modules = ModuleRoute.entries @@ -301,85 +141,68 @@ private fun RadioConfigItemList( modules = ModuleRoute.filterExcludedFrom(state.metadata) } } - LazyColumn(modifier = modifier, contentPadding = PaddingValues(16.dp)) { - item { - TitledCard(title = stringResource(R.string.radio_configuration)) { - if (isManaged) { - ManagedMessage() - } - ConfigRoute.filterExcludedFrom(state.metadata).forEach { - SettingsItem(text = stringResource(it.title), leadingIcon = it.icon, enabled = enabled) { - onRouteClick(it) - } + Column { + TitledCard(title = stringResource(R.string.radio_configuration)) { + if (isManaged) { + ManagedMessage() + } + + ConfigRoute.filterExcludedFrom(state.metadata).forEach { + SettingsItem(text = stringResource(it.title), leadingIcon = it.icon, enabled = enabled) { + onRouteClick(it) } } } - item { - TitledCard(title = stringResource(R.string.module_settings), modifier = Modifier.padding(top = 16.dp)) { - if (isManaged) { - ManagedMessage() - } + TitledCard(title = stringResource(R.string.module_settings), modifier = Modifier.padding(top = 16.dp)) { + if (isManaged) { + ManagedMessage() + } - modules.forEach { - SettingsItem(text = stringResource(it.title), leadingIcon = it.icon, enabled = enabled) { - onRouteClick(it) - } + modules.forEach { + SettingsItem(text = stringResource(it.title), leadingIcon = it.icon, enabled = enabled) { + onRouteClick(it) } } } + } - if (state.isLocal) { - item { - TitledCard(title = stringResource(R.string.backup_restore), modifier = Modifier.padding(top = 16.dp)) { - if (isManaged) { - ManagedMessage() - } - - SettingsItem( - text = stringResource(R.string.import_configuration), - leadingIcon = Icons.Default.Download, - enabled = enabled, - onClick = onImport, - ) - SettingsItem( - text = stringResource(R.string.export_configuration), - leadingIcon = Icons.Default.Upload, - enabled = enabled, - onClick = onExport, - ) - } + if (state.isLocal) { + TitledCard(title = stringResource(R.string.backup_restore), modifier = Modifier.padding(top = 16.dp)) { + if (isManaged) { + ManagedMessage() } + + SettingsItem( + text = stringResource(R.string.import_configuration), + leadingIcon = Icons.Default.Download, + enabled = enabled, + onClick = onImport, + ) + SettingsItem( + text = stringResource(R.string.export_configuration), + leadingIcon = Icons.Default.Upload, + enabled = enabled, + onClick = onExport, + ) + } + } + + Column(modifier = Modifier.padding(top = 16.dp)) { + AdminRoute.entries.forEach { NavButton(it.title, enabled) { onRouteClick(it) } } + } + + TitledCard(title = stringResource(R.string.advanced_title), modifier = Modifier.padding(top = 16.dp)) { + if (isManaged) { + ManagedMessage() } - items(AdminRoute.entries) { NavButton(it.title, enabled) { onRouteClick(it) } } - - item { - TitledCard(title = "Advanced", modifier = Modifier.padding(top = 16.dp)) { - if (isManaged) { - ManagedMessage() - } - - SettingsItem( - text = stringResource(R.string.clean_node_database_title), - enabled = enabled, - onClick = { onNavigate(SettingsRoutes.CleanNodeDb) }, - ) - } - } - item { - if (state.analyticsAvailable) { - TitledCard(title = stringResource(R.string.phone_settings), modifier = Modifier.padding(top = 16.dp)) { - SettingsItemSwitch( - text = stringResource(R.string.analytics_okay), - checked = state.analyticsEnabled, - leadingIcon = Icons.Default.BugReport, - onClick = onToggleAnalytics, - ) - } - } - } + SettingsItem( + text = stringResource(R.string.clean_node_database_title), + enabled = enabled, + onClick = { onNavigate(SettingsRoutes.CleanNodeDb) }, + ) } } diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 6939fe358..c830f5d33 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -673,6 +673,7 @@ Unknown This radio is managed and can only be changed by a remote admin. + Advanced Clean Node Database Clean up nodes last seen older than %1$d days Clean up only unknown nodes From 222436b92c0e0002f1113f54c77268347d77801e Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Thu, 28 Aug 2025 15:04:38 -0500 Subject: [PATCH 03/21] chore: Scheduled updates (Firmware, Hardware) (#2901) Co-authored-by: github-merge-queue <118344674+github-merge-queue@users.noreply.github.com> --- app/src/main/assets/device_hardware.json | 58 +++++++++++++++++++++++- 1 file changed, 56 insertions(+), 2 deletions(-) diff --git a/app/src/main/assets/device_hardware.json b/app/src/main/assets/device_hardware.json index 8ce583ee7..46f723d78 100644 --- a/app/src/main/assets/device_hardware.json +++ b/app/src/main/assets/device_hardware.json @@ -962,14 +962,17 @@ "hwModelSlug": "SEEED_WIO_TRACKER_L1_EINK", "platformioTarget": "seeed_wio_tracker_L1_eink", "architecture": "nrf52840", - "activelySupported": false, + "activelySupported": true, "supportLevel": 1, "displayName": "Seeed Wio Tracker L1 E-Ink", "tags": [ "Seeed" ], "requiresDfu": true, - "hasInkHud": true + "hasInkHud": true, + "images": [ + "wio_tracker_l1_eink.svg" + ] }, { "hwModel": 97, @@ -1044,5 +1047,56 @@ "requiresDfu": true, "hasMui": false, "partitionScheme": "16MB" + }, + { + "hwModel": 103, + "hwModelSlug": "T_LORA_PAGER", + "platformioTarget": "tlora-pager", + "architecture": "esp32-s3", + "activelySupported": false, + "supportLevel": 1, + "displayName": "LILYGO T-LoRa Pager", + "tags": [ + "LilyGo" + ], + "requiresDfu": true, + "hasMui": false, + "partitionScheme": "16MB", + "images": [ + "lilygo-tlora-pager.svg" + ] + }, + { + "hwModel": 108, + "hwModelSlug": "HELTEC_MESH_SOLAR", + "platformioTarget": "heltec-mesh-solar", + "architecture": "nrf52840", + "activelySupported": false, + "supportLevel": 1, + "displayName": "Heltec MeshSolar", + "tags": [ + "Heltec" + ], + "requiresDfu": true, + "images": [ + "heltec-mesh-solar.svg" + ] + }, + { + "hwModel": 109, + "hwModelSlug": "T_ECHO_LITE", + "platformioTarget": "t-echo-lite", + "architecture": "nrf52840", + "activelySupported": false, + "supportLevel": 1, + "displayName": "LILYGO T-Echo Lite", + "tags": [ + "LilyGo" + ], + "requiresDfu": true, + "hasInkHud": false, + "images": [ + "techo_lite.svg" + ] } ] \ No newline at end of file From c9771ab116a3a09d99daeff4a77b0eb823216390 Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Thu, 28 Aug 2025 15:04:57 -0500 Subject: [PATCH 04/21] New Crowdin updates (#2902) --- app/src/main/res/values-de/strings.xml | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml index 2f582cdc5..a7cbc0371 100644 --- a/app/src/main/res/values-de/strings.xml +++ b/app/src/main/res/values-de/strings.xml @@ -83,6 +83,7 @@ Senden Sie haben noch kein zu Meshtastic kompatibles Funkgerät mit diesem Telefon gekoppelt. Bitte koppeln Sie ein Gerät und legen Sie Ihren Benutzernamen fest.\n\nDiese quelloffene App befindet sich im Test. Wenn Sie Probleme finden, veröffentlichen Sie diese bitte auf unserer Website im Chat.\n\nWeitere Informationen finden Sie auf unserer Webseite - www.meshtastic.org. Du + Analyse und Absturzberichterstattung erlauben. Akzeptieren Abbrechen Änderungen löschen @@ -677,7 +678,7 @@ Alle Bedeutungen anzeigen Aktuellen Status anzeigen Tastatur ausblenden - Willst du diesen Node wirklich löschen? + Möchten Sie diesen Knoten wirklich löschen? Antworten auf %1$s Antwort abbrechen Nachricht löschen? @@ -749,6 +750,7 @@ Gelände Hybrid Kartenebenen verwalten + Benutzerdefinierte Ebenen für .kml oder .kmz Dateien. Kartenebenen Keine benutzerdefinierten Ebenen geladen. Ebene hinzufügen @@ -769,4 +771,5 @@ URL muss Platzhalter enthalten. URL Vorlage Verlaufspunkt + Telefoneinstellungen From 9e2a3227513c70641867dd5690b51935787e6bc0 Mon Sep 17 00:00:00 2001 From: "renovate[bot]" <29139614+renovate[bot]@users.noreply.github.com> Date: Thu, 28 Aug 2025 20:52:01 -0500 Subject: [PATCH 05/21] chore(deps): update agp to v8.12.2 (#2904) Co-authored-by: renovate[bot] <29139614+renovate[bot]@users.noreply.github.com> --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 259d58fee..f472af585 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -3,7 +3,7 @@ accompanistPermissions = "0.37.3" adaptive = "1.2.0-beta01" adaptive-navigation-suite = "1.3.2" -agp = "8.12.1" +agp = "8.12.2" appcompat = "1.7.1" awesome-app-rating = "2.8.0" coil = "3.3.0" From 2b771abc57c3d1b845ddbb0e6da30a1fa00dcfb8 Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Thu, 28 Aug 2025 20:53:48 -0500 Subject: [PATCH 06/21] New Crowdin updates (#2905) --- app/src/main/res/values-b+sr+Latn/strings.xml | 1 + app/src/main/res/values-bg/strings.xml | 1 + app/src/main/res/values-de/strings.xml | 1 + app/src/main/res/values-fi/strings.xml | 1 + app/src/main/res/values-fr/strings.xml | 1 + app/src/main/res/values-ko/strings.xml | 1 + app/src/main/res/values-sr/strings.xml | 1 + app/src/main/res/values-sv/strings.xml | 1 + app/src/main/res/values-tr/strings.xml | 1 + app/src/main/res/values-uk/strings.xml | 1 + app/src/main/res/values-zh-rCN/strings.xml | 1 + 11 files changed, 11 insertions(+) diff --git a/app/src/main/res/values-b+sr+Latn/strings.xml b/app/src/main/res/values-b+sr+Latn/strings.xml index 0647d15f4..f2d9be1fb 100644 --- a/app/src/main/res/values-b+sr+Latn/strings.xml +++ b/app/src/main/res/values-b+sr+Latn/strings.xml @@ -347,6 +347,7 @@ Датум Прекините везу Непознато + Напредно diff --git a/app/src/main/res/values-bg/strings.xml b/app/src/main/res/values-bg/strings.xml index ebb62e388..c6332dc90 100644 --- a/app/src/main/res/values-bg/strings.xml +++ b/app/src/main/res/values-bg/strings.xml @@ -507,6 +507,7 @@ Предупреждение Неизвестно Това радио се управлява и може да бъде променяно само от отдалечен администратор. + Разширени Почистване на базата данни с възлите Почистване на възлите, последно видяни преди повече от %1$d дни Почистване само на неизвестните възли diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml index a7cbc0371..9a89292f5 100644 --- a/app/src/main/res/values-de/strings.xml +++ b/app/src/main/res/values-de/strings.xml @@ -655,6 +655,7 @@ UV Lux Unbekannt Dieses Radio wird verwaltet und kann nur durch Fernverwaltung geändert werden. + Fortgeschritten Knotendatenbank leeren Knoten älter als %1$d Tage entfernen Nur unbekannte Knoten entfernen diff --git a/app/src/main/res/values-fi/strings.xml b/app/src/main/res/values-fi/strings.xml index 0d579eef9..bd49a0b77 100644 --- a/app/src/main/res/values-fi/strings.xml +++ b/app/src/main/res/values-fi/strings.xml @@ -655,6 +655,7 @@ UV-valon voimakkuus Tuntematon Tätä radiota hallitaan etänä, ja sitä voi muuttaa vain etähallinnassa oleva ylläpitäjä. + Lisäasetukset Tyhjennä NodeDB-tietokanta Poista laitteet, joita ei ole nähty yli %1$d päivään Poista vain tuntemattomat laitteet diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/values-fr/strings.xml index ae2a76fde..61e22757c 100644 --- a/app/src/main/res/values-fr/strings.xml +++ b/app/src/main/res/values-fr/strings.xml @@ -654,6 +654,7 @@ UV Lux Inconnu Cette radio est gérée et ne peut être modifiée que par un administrateur distant. + Avancé Nettoyer la base de données des nœuds Nettoyer les nœuds vus pour la dernière fois depuis %1$d jours Nettoyer uniquement les nœuds inconnus diff --git a/app/src/main/res/values-ko/strings.xml b/app/src/main/res/values-ko/strings.xml index bb1d298e6..2f31c016d 100644 --- a/app/src/main/res/values-ko/strings.xml +++ b/app/src/main/res/values-ko/strings.xml @@ -581,6 +581,7 @@ USB 시리얼 장치를 찾을 수 없습니다. Meshtastic 알 수 없는 + 고급 diff --git a/app/src/main/res/values-sr/strings.xml b/app/src/main/res/values-sr/strings.xml index 32a9e9b0c..7400ab19f 100644 --- a/app/src/main/res/values-sr/strings.xml +++ b/app/src/main/res/values-sr/strings.xml @@ -347,6 +347,7 @@ Датум Прекините везу Непознато + Напредно diff --git a/app/src/main/res/values-sv/strings.xml b/app/src/main/res/values-sv/strings.xml index 02c45f4af..52a376249 100644 --- a/app/src/main/res/values-sv/strings.xml +++ b/app/src/main/res/values-sv/strings.xml @@ -293,6 +293,7 @@ Svara Meshtastic Okänd + Advancerat diff --git a/app/src/main/res/values-tr/strings.xml b/app/src/main/res/values-tr/strings.xml index 5d0cdf03e..fe9e11d92 100644 --- a/app/src/main/res/values-tr/strings.xml +++ b/app/src/main/res/values-tr/strings.xml @@ -578,6 +578,7 @@ Taranıyor Güvenlik Durumu Güvenlik + Gelişmiş diff --git a/app/src/main/res/values-uk/strings.xml b/app/src/main/res/values-uk/strings.xml index 45b69a1ea..05659e393 100644 --- a/app/src/main/res/values-uk/strings.xml +++ b/app/src/main/res/values-uk/strings.xml @@ -282,6 +282,7 @@ Лише обрані Експортувати ключі Meshtastic + Розширені diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml index 72efc7d97..c4c29ce89 100644 --- a/app/src/main/res/values-zh-rCN/strings.xml +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -644,6 +644,7 @@ 溢出菜单 紫外线强度 未知 + 高级 清理节点数据库 清理上次看到的 %1$d 天以上的节点 仅清理未知节点 From 013a5c513a7310081095057f5559797caa12755b Mon Sep 17 00:00:00 2001 From: "renovate[bot]" <29139614+renovate[bot]@users.noreply.github.com> Date: Fri, 29 Aug 2025 02:01:49 +0000 Subject: [PATCH 07/21] chore(deps): update actions/attest-build-provenance action to v3 (#2908) Co-authored-by: renovate[bot] <29139614+renovate[bot]@users.noreply.github.com> --- .github/workflows/release.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/release.yml b/.github/workflows/release.yml index 5b2b532fb..5fed15144 100644 --- a/.github/workflows/release.yml +++ b/.github/workflows/release.yml @@ -238,7 +238,7 @@ jobs: # Attest the build artifacts for supply chain security. # See: https://github.com/meshtastic/Meshtastic-Android/attestations - name: Attest Build Provenance - uses: actions/attest-build-provenance@v2 + uses: actions/attest-build-provenance@v3 with: subject-path: | ./build-artifacts/google/bundle/app-google-release.aab From 9d380b41c40540af884d532f0eb132f9bd8e4cef Mon Sep 17 00:00:00 2001 From: "renovate[bot]" <29139614+renovate[bot]@users.noreply.github.com> Date: Fri, 29 Aug 2025 02:01:54 +0000 Subject: [PATCH 08/21] chore(deps): update com.google.firebase:firebase-bom to v34.2.0 (#2907) Co-authored-by: renovate[bot] <29139614+renovate[bot]@users.noreply.github.com> --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index f472af585..c19e2d83a 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -20,7 +20,7 @@ detekt = "1.23.8" devtools-ksp = "2.2.10-2.0.2" emoji2 = "1.5.0" espresso-core = "3.7.0" -firebase-bom = "34.1.0" +firebase-bom = "34.2.0" google-services = "4.4.3" hilt = "2.57.1" hilt-navigation-compose = "1.2.0" From 7e6aff6dd5922303a23bb9734d256460dd9ee8bc Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Fri, 29 Aug 2025 07:34:07 -0500 Subject: [PATCH 09/21] Update Crowdin configuration file --- crowdin.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/crowdin.yml b/crowdin.yml index ffe1d0e6e..5266193b4 100644 --- a/crowdin.yml +++ b/crowdin.yml @@ -3,6 +3,6 @@ pull_request_labels: - l10n files: - source: /*/src/main/res/values/strings.xml - translation: /%original_path%-%two_letters_code%/strings.xml + translation: /%original_path%-%android_code%/strings.xml translate_attributes: 0 content_segmentation: 0 From 2f2697a5bb61701311b48212da563cb8cc02914d Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Fri, 29 Aug 2025 07:44:31 -0500 Subject: [PATCH 10/21] refactor(l10n): start from scratch (#2914) --- app/src/main/res/values-ar/strings.xml | 142 ---- app/src/main/res/values-b+sr+Latn/strings.xml | 359 -------- app/src/main/res/values-bg/strings.xml | 590 ------------- app/src/main/res/values-ca/strings.xml | 198 ----- app/src/main/res/values-cs/strings.xml | 585 ------------- app/src/main/res/values-de/strings.xml | 776 ------------------ app/src/main/res/values-el/strings.xml | 197 ----- app/src/main/res/values-es/strings.xml | 413 ---------- app/src/main/res/values-et/strings.xml | 757 ----------------- app/src/main/res/values-fi/strings.xml | 776 ------------------ app/src/main/res/values-fr-rHT/strings.xml | 231 ------ app/src/main/res/values-fr/strings.xml | 770 ----------------- app/src/main/res/values-ga/strings.xml | 242 ------ app/src/main/res/values-gl/strings.xml | 155 ---- app/src/main/res/values-hr/strings.xml | 154 ---- app/src/main/res/values-hu/strings.xml | 209 ----- app/src/main/res/values-is/strings.xml | 133 --- app/src/main/res/values-it/strings.xml | 627 -------------- app/src/main/res/values-iw/strings.xml | 149 ---- app/src/main/res/values-ja/strings.xml | 536 ------------ app/src/main/res/values-ko/strings.xml | 592 ------------- app/src/main/res/values-lt/strings.xml | 249 ------ app/src/main/res/values-nb/strings.xml | 257 ------ app/src/main/res/values-night/colors.xml | 19 - app/src/main/res/values-night/styles.xml | 27 - app/src/main/res/values-nl/strings.xml | 459 ----------- app/src/main/res/values-pl/strings.xml | 370 --------- app/src/main/res/values-pt-rBR/strings.xml | 772 ----------------- app/src/main/res/values-pt/strings.xml | 561 ------------- app/src/main/res/values-ro/strings.xml | 136 --- app/src/main/res/values-ru/strings.xml | 709 ---------------- app/src/main/res/values-sk/strings.xml | 325 -------- app/src/main/res/values-sl/strings.xml | 261 ------ app/src/main/res/values-sq/strings.xml | 231 ------ app/src/main/res/values-sr/strings.xml | 359 -------- app/src/main/res/values-sv/strings.xml | 304 ------- app/src/main/res/values-tr/strings.xml | 602 -------------- app/src/main/res/values-uk/strings.xml | 291 ------- app/src/main/res/values-zh-rCN/strings.xml | 758 ----------------- app/src/main/res/values-zh-rTW/strings.xml | 773 ----------------- .../src/main/res/values-ar/strings.xml | 18 - .../src/main/res/values-b+sr+Latn/strings.xml | 18 - .../src/main/res/values-bg/strings.xml | 20 - .../src/main/res/values-ca/strings.xml | 18 - .../src/main/res/values-cs/strings.xml | 18 - .../src/main/res/values-de/strings.xml | 21 - .../src/main/res/values-el/strings.xml | 18 - .../src/main/res/values-es/strings.xml | 21 - .../src/main/res/values-et/strings.xml | 21 - .../src/main/res/values-fi/strings.xml | 21 - .../src/main/res/values-fr-rHT/strings.xml | 18 - .../src/main/res/values-fr/strings.xml | 21 - .../src/main/res/values-ga/strings.xml | 18 - .../src/main/res/values-gl/strings.xml | 18 - .../src/main/res/values-hr/strings.xml | 18 - .../src/main/res/values-hu/strings.xml | 18 - .../src/main/res/values-is/strings.xml | 18 - .../src/main/res/values-it/strings.xml | 21 - .../src/main/res/values-iw/strings.xml | 18 - .../src/main/res/values-ja/strings.xml | 18 - .../src/main/res/values-ko/strings.xml | 18 - .../src/main/res/values-lt/strings.xml | 18 - .../src/main/res/values-nb/strings.xml | 18 - .../src/main/res/values-night/themes.xml | 7 - .../src/main/res/values-nl/strings.xml | 18 - .../src/main/res/values-pl/strings.xml | 18 - .../src/main/res/values-pt-rBR/strings.xml | 21 - .../src/main/res/values-pt/strings.xml | 18 - .../src/main/res/values-ro/strings.xml | 18 - .../src/main/res/values-ru/strings.xml | 21 - .../src/main/res/values-sk/strings.xml | 18 - .../src/main/res/values-sl/strings.xml | 18 - .../src/main/res/values-sq/strings.xml | 18 - .../src/main/res/values-sr/strings.xml | 18 - .../src/main/res/values-sv/strings.xml | 20 - .../src/main/res/values-tr/strings.xml | 18 - .../src/main/res/values-uk/strings.xml | 21 - .../src/main/res/values-zh-rCN/strings.xml | 18 - .../src/main/res/values-zh-rTW/strings.xml | 21 - 79 files changed, 16779 deletions(-) delete mode 100644 app/src/main/res/values-ar/strings.xml delete mode 100644 app/src/main/res/values-b+sr+Latn/strings.xml delete mode 100644 app/src/main/res/values-bg/strings.xml delete mode 100644 app/src/main/res/values-ca/strings.xml delete mode 100644 app/src/main/res/values-cs/strings.xml delete mode 100644 app/src/main/res/values-de/strings.xml delete mode 100644 app/src/main/res/values-el/strings.xml delete mode 100644 app/src/main/res/values-es/strings.xml delete mode 100644 app/src/main/res/values-et/strings.xml delete mode 100644 app/src/main/res/values-fi/strings.xml delete mode 100644 app/src/main/res/values-fr-rHT/strings.xml delete mode 100644 app/src/main/res/values-fr/strings.xml delete mode 100644 app/src/main/res/values-ga/strings.xml delete mode 100644 app/src/main/res/values-gl/strings.xml delete mode 100644 app/src/main/res/values-hr/strings.xml delete mode 100644 app/src/main/res/values-hu/strings.xml delete mode 100644 app/src/main/res/values-is/strings.xml delete mode 100644 app/src/main/res/values-it/strings.xml delete mode 100644 app/src/main/res/values-iw/strings.xml delete mode 100644 app/src/main/res/values-ja/strings.xml delete mode 100644 app/src/main/res/values-ko/strings.xml delete mode 100644 app/src/main/res/values-lt/strings.xml delete mode 100644 app/src/main/res/values-nb/strings.xml delete mode 100644 app/src/main/res/values-night/colors.xml delete mode 100644 app/src/main/res/values-night/styles.xml delete mode 100644 app/src/main/res/values-nl/strings.xml delete mode 100644 app/src/main/res/values-pl/strings.xml delete mode 100644 app/src/main/res/values-pt-rBR/strings.xml delete mode 100644 app/src/main/res/values-pt/strings.xml delete mode 100644 app/src/main/res/values-ro/strings.xml delete mode 100644 app/src/main/res/values-ru/strings.xml delete mode 100644 app/src/main/res/values-sk/strings.xml delete mode 100644 app/src/main/res/values-sl/strings.xml delete mode 100644 app/src/main/res/values-sq/strings.xml delete mode 100644 app/src/main/res/values-sr/strings.xml delete mode 100644 app/src/main/res/values-sv/strings.xml delete mode 100644 app/src/main/res/values-tr/strings.xml delete mode 100644 app/src/main/res/values-uk/strings.xml delete mode 100644 app/src/main/res/values-zh-rCN/strings.xml delete mode 100644 app/src/main/res/values-zh-rTW/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-ar/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-bg/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-ca/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-cs/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-de/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-el/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-es/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-et/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-fi/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-fr-rHT/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-fr/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-ga/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-gl/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-hr/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-hu/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-is/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-it/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-iw/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-ja/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-ko/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-lt/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-nb/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-night/themes.xml delete mode 100644 mesh_service_example/src/main/res/values-nl/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-pl/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-pt-rBR/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-pt/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-ro/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-ru/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-sk/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-sl/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-sq/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-sr/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-sv/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-tr/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-uk/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-zh-rCN/strings.xml delete mode 100644 mesh_service_example/src/main/res/values-zh-rTW/strings.xml diff --git a/app/src/main/res/values-ar/strings.xml b/app/src/main/res/values-ar/strings.xml deleted file mode 100644 index 01d3bf5a9..000000000 --- a/app/src/main/res/values-ar/strings.xml +++ /dev/null @@ -1,142 +0,0 @@ - - - - عربي - عربي - عربي - المزيد - عربي - عربي - عربي - المسافة - عربي - فقط شبكة MQTT - اسم القناة - رمز الاستجابة السريع - أيقونة التطبيق - اسم المستخدم غير معروف - ارسل - أنت - قبول - إلغاء - تم تلقي رابط القناة الجديدة - الإبلاغ عن الخطأ - الإبلاغ عن خطأ - هل أنت متأكد من أنك تريد الإبلاغ عن خطأ؟ بعد الإبلاغ، يرجى النشر في https://github.com/orgs/meshtastic/discussions حتى نتمكن من مطابقة التقرير مع ما وجدته. - إبلاغ - اكتملت عملية الربط، سيتم بدء الخدمة - فشل عملية الربط، الرجاء الاختيار مرة أخرى - تم إيقاف الوصول إلى الموقع، لا يمكن تحديد موقع للشبكة. - مشاركة - انقطع الاتصال - الجهاز في وضعية السكون - عنوان الـ IP: - متصل بالراديو (%s) - غير متصل - تم الاتصال بالراديو، إلا أن الجهاز في وضعية السكون - مطلوب تحديث التطبيق - خدمة الإشعارات - حول - مسح - يجب عليك التحديث. - حسنا - واجب إدخال المنطقة! - البحث - أضف - تفعيل - الاسم - الوصف - مقفل - حفظ - اللغات - إعادة الإرسال - إعادة التشغيل - رسالة - رسالة مباشره - غلط - تجاهل - أضف \'%s\' إلى قائمة التجاهل؟ - حدد جهة التحميل - ابدأ التحميل - أغلق - أضف - تعديل - جاري الحساب… - كتم الإشهارات - 8 ساعات - أسبوع 1 - دائما - استبدال - العودة إلى الخلف - البطارية - استخدام القناة - الحرارة - الرطوبة - سجلات - معلومات - معدل جودة الهواء الداخلي - مفتاح مشترك - تستخدم الرسائل المباشرة المفتاح المشترك للقناة. - تشفير المفتاح العام - المفتاح العام غير متطابق - تبادل معلومات المستخدم - إشعارات العقدة الجديدة - المزيد من المعلومات - مؤشر القوة النسبية - سجل الموقع - الإدارة - سيئ - مناسب - جيد - لا يوجد - سجل تتبع المس… - الإشارة - جودة الإشارة - سجل تتبع المسار - مباشره - 24 ساعة - 48 ساعة - أسبوع - أسبوعين - اربع أسابيع - الأعلى - عمر غير معروف - نسخ - تنبيه حرج! - المفضلة - إضافة \'%s\' كعقدة مفضلة؟ - إزالة \'%s\' كعقدة مفضلة؟ - القناة 1 - القناة 2 - القناة 3 - الحالي - شدة التيار - هل أنت متيقِّن؟ - أنا أعرف ما أفعله. - إشعارات انخفاض شدة البطارية - البطارية منخفضه: %s - الضغط الجوي - الرسائل - المسافة - الإعدادات - - - - - رسالة - diff --git a/app/src/main/res/values-b+sr+Latn/strings.xml b/app/src/main/res/values-b+sr+Latn/strings.xml deleted file mode 100644 index f2d9be1fb..000000000 --- a/app/src/main/res/values-b+sr+Latn/strings.xml +++ /dev/null @@ -1,359 +0,0 @@ - - - - Filter - očisti filter čvorova - Uključi nepoznato - Prikaži detalje - A-Š - Kanal - Udaljenost - Skokova daleko - Poslednji put viđeno - preko MQTT-a - preko MQTT-a - Nekategorisano - Čeka na potvrdu - U redu za slanje - Potvrđeno - Nema rute - Primljena negativna potvrda - Isteklo vreme - Nema interfejsa - Dostignut maksimalni broj ponovnih slanja - Nema kanala - Paket prevelik - Nema odgovora - Loš zahtev - Dostignut regionalni limit ciklusa rada - Bez ovlašćenja - Šifrovani prenos nije uspeo - Nepoznat javni ključ - Loš ključ sesije - Javni ključ nije autorizovan - Povezana aplikacija ili samostalni uređaj za slanje poruka. - Uređaj koji ne prosleđuje pakete od drugih uređaja. - Infrastrukturni čvor za proširenje pokrivenosti mreže prosleđivanjem poruka. Vidljiv na listi čvorova. - Kombinacija i RUTERA i KLIJENTA. Nije namenjeno za mobilne uređaje. - Infrastrukturni čvor za proširenje pokrivenosti mreže prosleđivanjem poruka sa minimalnim troškovima energije. Nije vidljiv na listi čvorova. - Emituje GPS pakete položaja kao prioritet. - Emituje telemetrijske pakete kao prioritet. - Optimizovano za komunikaciju u ATAK sistemu, smanjuje rutinske emisije. - Uređaj koji prenosi samo kada je potrebno radi skrivenosti ili uštede energije. - Prenosi lokaciju kao poruku na podrazumevani kanal redovno kako bi pomogao u pronalasku uređaja. - Omogućava autmatske TAK PLI emisije i smanjuje rutinske emisije. - Infrastrukturni čvor koji uvek ponovo prenosi pakete jednom, ali tek nakon svih drugih načina, osiguravajući dodatno pokrivanje za lokalne klastere. Vidljiv u listi čvorova. - Ponovo prenosi svaku primećenu poruku, ako je bila na našem privatnom kanali ili iz druge mreže sa istim LoRA parametrima. - Isto kao ponašanje kod ALL moda, ali preskače dekodiranje paketa i jednostavno ih ponovo prenosi. Dostupno samo u Repeater ulozi. Postavljanje ovoga na bilo koju drugu ulogu rezultovaće ALL ponašanjem. - Ignoriše primećene poruke iz stranih mreža koje su otvorene ili one koje ne može da dekodira. Ponovo prenosi poruku samo na lokalne primarne/sekundarne kanale čvora. - Ignoriše primećene poruke iz stranih mreža kao LOCAL ONLY, ali ide korak dalje tako što takođe ignoriše poruke sa čvorova koji nisu već na listi nepoznatih čvorova. - Dozvoljeno samo za uloge SENSOR, TRACKER, TAK_TRACKER, ovo će onemogućiti sve ponovne prenose, slično kao uloga CLIENT_MUTE. - Ignoriše pakete sa nestandardnim brojevima porta kao što su: TAK, RangeTest, PaxCounter, itd. Ponovo prenosi samo pakete sa standardnim brojevima porta: NodeInfo, Text, Position, Temeletry i Routing. - Treniraj dvostruki dodir na podržanim akcelerometrima kao pritisak korisničkog dugmeta. - Onemogućava trostruki pritisak korisničkog dugmeta za uključivanje ili isključivanje GPS-a. - Kontroliše trepćući LED na uređaju. Kod većine uređaja ovo će kontrolisati jedan od do četiri LED-a, punjač i GPS LED-ovi nisu kontrolisani. - Da li bi osim slanja na MQTT i PhoneAPI, naš NeighborInfo trebalo da se prenosi preko LoRa. Nije dostupno na kanalu sa podrazumevanim ključem i imenom. - Javni ključ - Naziv kanala - QR kod - ikonica aplikacije - Nepoznato korisničko ime - Pošalji - Још нисте упарили Мештастик компатибилан радио са овим телефоном. Молимо вас да упарите уређај и поставите своје корисничко име.\n\nОва апликација отвореног кода је у развоју, ако нађете проблеме, молимо вас да их објавите на нашем форуму: https://github.com/orgs/meshtastic/discussions\n\nЗа више информација посетите нашу веб страницу - www.meshtastic.org. - Ti - Prihvati - Otkaži - Primljen novi link kanala - Prijavi grešku - Prijavi grešku - \"Da li ste sigurni da želite da prijavite grešku? Nakon prijavljivanja, molimo vas da postavite na https://github.com/orgs/meshtastic/discussions kako bismo mogli da povežemo izveštaj sa onim što ste pronašli. - Izveštaj - Uparivanje završeno, pokrećem servis - Uparivanje neuspešno, molim izaberite ponovo - Pristup lokaciji je isključen, ne može se obezbediti pozicija mreži. - Podeli - Raskačeno - Uređaj je u stanju spavanja - IP adresa: - Блутут повезан - Povezan na radio uređaj (%s) - Nije povezan - Povezan na radio uređaj, ali uređaj je u stanju spavanja - Nepohodno je ažuriranje aplikacije - Morate da ažurirate ovu aplikaciju na prodavnici aplikacija (ili Github-u). Previše je stara da bi razgovarala sa ovim radio firmverom. Molimo vas da pročitate naše dokumente o ovoj temi. - Ništa (onemogućeno) - Servisna obaveštenja - O nama - Ovaj URL kanala je nevažeći i ne može se koristiti. - Panel za otklanjanje grešaka - Očisti - Status prijema poruke - Обавештења о упозорењима - Ажурирање фирмвера је неопходно. - Радио фирмвер је превише стар да би комуницирао са овом апликацијом. За више информација о овоме погледајте наш водич за инсталацију фирмвера. - Океј - Мораш одабрати регион! - Није било могуће променити канал, јер радио још није повезан. Молимо покушајте поново. - Извези rangetest.csv - Поново покрени - Скенирај - Додај - Да ли сте сигурни да желите да промените на подразумевани канал? - Врати на подразумевана подешавања - Примени - Тема - Светла - Тамна - Прати систем - Одабери тему - Обезбедите локацију телефона меш мрежи - - Обриши поруку? - Обриши %s порука? - Обриши %s порука? - - Обриши - Обриши за све - Обриши за мене - Изабери све - Одабир стила - Регион за преузимање - Назив - Опис - Закључано - Сачувај - Језик - Подразумевано системско подешавање - Поново пошаљи - Искључи - Искључивање није подржано на овом уређају - Поново покрени - Праћење руте - Прикажи упутства - Порука - Опције за брзо ћаскање - Ново брзо ћаскање - Измени брзо ћаскање - Надодај на поруку - Моментално пошаљи - Рестартовање на фабричка подешавања - Директне поруке - Ресетовање базе чворова - Испорука потврђена - Грешка - Игнориши - Додати \'%s\' на листу игнорисаних? - Уклнити \'%s\' на листу игнорисаних? - Изаберите регион за преузимање - Процена преузимања плочица: - Започни преузимање - Затвори - Конфигурација радио уређаја - Конфигурација модула - Додај - Измени - Прорачунавање… - Менаџер офлајн мапа - Тренутна величина кеш меморије - Капацитет кеш меморије: %1$.2f MB\n Употреба кеш меморије: %2$.2f MB - Очистите преузете плочице - Извор плочица - Кеш SQL очишћен за %s - Пражњење SQL кеша није успело, погледајте logcat за детаље - Меначер кеш меморије - Преузимање готово! - Преузимање довршено са %d грешака - %d плочице - смер: %1$d° растојање: %2$s - Измените тачку путање - Обрисати тачку путање? - Нова тачка путање - Примљена тачка путање: %s - Достигнут је лимит циклуса рада. Не могу слати поруке тренутно, молимо вас покушајте касније. - Уклони - Овај чвор ће бити уклоњен са вашег списка док ваш чвор поново не добије податке од њега. - Утишај нотификације - 8 сати - 1 седмица - Увек - Замени - Скенирај ВајФај QR код - Неважећи формат QR кода за ВајФАј податке - Иди назад - Батерија - Искоришћеност канала - Искоришћеност ваздуха - Температура - Влажност - Дневници - Скокова удаљено - Информација - Искоришћење за тренутни канал, укључујући добро формиран TX, RX и неисправан RX (такође познат као шум). - Проценат искоришћења ефирског времена за пренос у последњем сату. - IAQ - Дељени кључ - Директне поруке користе дељени кључ за канал. - Шифровање јавним кључем - Директне поруке користе нову инфраструктуру јавног кључа за шифровање. Потребна је верзија фирмвера 2,5 или новија. - Неусаглашеност јавних кључева - Јавни кључ се не поклапа са забележеним кључем. Можете уклонити чвор и омогућити му поновну размену кључева, али ово може указивати на озбиљнији безбедносни проблем. Контактирајте корисника путем другог поузданог канала да бисте утврдили да ли је промена кључа резултат фабричког ресетовања или друге намерне акције. - Обавештење о новом чвору - Више детаља - SNR - Однос сигнал/шум SNR је мера која се користи у комуникацијама за квантитативно одређивање нивоа жељеног сигнала у односу на ниво позадинског шума. У Мештастик и другим бежичним системима, већи SNR указује на јаснији сигнал који може побољшати поузданост и квалитет преноса података. - RSSI - Indikator jačine primljenog signala RSSI, merenje koje se koristi za određivanje nivoa snage koji antena prima. Viša vrednost RSSI generalno ukazuje na jaču i stabilniju vezu. - (Kvalitet vazduha u zatvorenom prostoru) relativna skala vrednosti IAQ merena Bosch BME680. Raspon vrednosti 0–500. - Dnevnik metrika uređaja - Mapa čvorova - Dnevnik lokacija - Dnevnik metrika okoline - Dnevnik metrika signala - Administracija - Udaljena administracija - Loš - Prihvatljiv - Dobro - Bez - Podeli na… - Signal - Kvalitet signala - Dnevnik praćenja rute - Direktno - - 1 skok - %d skokova - %d skokova - - Skokova ka %1$d Skokova nazad %2$d - 28č - 48č - 1n - 2n - 4n - Maksimum - Непозната старост - Kopiraj - Karakter zvona za upozorenja! - Критично упозорење! - Омиљени - Додај „%s” у омиљене чворове? - Углони „%s” из листе омиљених чворова? - Логови метрика снаге - Канал 1 - Канал 2 - Канал 3 - Струја - Напон - Да ли сте сигурни? - Документацију улога уређаја и објаву на блогу Одабир праве улоге за уређај.]]> - Знам шта радим. - Нотификације о ниском нивоу батерије - Низак ниво батерије: %s - Нотификације о ниском нивоу батерије (омиљени чворови) - Барометарски притисак - UDP конфигурација - Корисник - Канали - Уређај - Позиција - Снага - Мрежа - Приказ - LoRA - Блутут - Сигурност - Серијска веза - Спољна обавештења - - Тест домета - Телеметрија (сензори) - Амбијентално осветљење - Сензор откривања - Блутут подешавања - Подразумевано - Окружење - Подешавања амбијенталног осветљења - GPIO пин за A порт ротационог енкодера - GPIO пин за Б порт ротационог енкодера - GPIO пин за порт клика ротационог енкодера - Поруке - Подешавања ензора откривања - Пријатељски назив - Подешавања уређаја - Улога - Подешавања приказа - Подешавање спољних обавештења - Мелодија звона - LoRA подешавања - Проток - Игнориши MQTT - MQTT подешавања - Адреса - Корисничко име - Лозинка - Конфигурација мреже - Подешавања позиције - Ширина - Дужина - Подешавања напајња - Конфигурација теста домета - Сигурносна подешавања - Javni ključ - Privatni ključ - Подешавања серијске везе - Isteklo vreme - Број записа - Сервер - Конфигурација телеметрије - Корисничка подешавања - Udaljenost - - Квалитет ваздуха у затвореном простору (IAQ) - Хардвер - Подржан - Број чвора - Време рада - Временска ознака - Смер - Брзина - Сателита - Висина - Примарни - Секундарни - Акције - Фирмвер - Мапа меша - Чворови - Подешавања - Одговори - Истиче - Време - Датум - Прекините везу - Непознато - Напредно - - - - - Отпусти - Порука - Сателит - Хибридни - diff --git a/app/src/main/res/values-bg/strings.xml b/app/src/main/res/values-bg/strings.xml deleted file mode 100644 index c6332dc90..000000000 --- a/app/src/main/res/values-bg/strings.xml +++ /dev/null @@ -1,590 +0,0 @@ - - - - Meshtastic %s - Филтър - clear node филтър - Включително неизвестните - Скриване на офлайн възлите - Показване само на директни възли - Преглеждате игнорирани възли.\nНатиснете , за да се върнете към списъка с възли. - Показване на детайли - Опции за сортиране на възлите - А-Я - Канал - Разстояние - Брой хопове - Последно чут - с MQTT - с MQTT - чрез Любим - Игнорирани възли - Неразпознат - Изчакване за потвърждение - Наредено на опашка за изпращане - Признато - Няма маршрут - Получено отрицателно потвърждение - Няма интерфейс - Достигнат максимален брой препращания - Няма канал - Пакетът е твърде голям - Няма отговор - Невалидна заявка - Достигнат е регионален лимит на работния цикъл - Не е оторизиран - Провалено шифрирано изпращане - Неизвестен публичен ключ - Невалиден ключ за сесия - Публичният ключ е неоторизиран - Свързано с приложение или самостоятелно устройство за съобщения. - Устройство, което не препредава пакети от други устройства. - Инфраструктурен възел за разширяване на мрежовото покритие чрез препредаване на съобщения. Вижда се в списъка с възли. - Комбинация от РУТЕР и КЛИЕНТ. Не е за мобилни устройства. - Инфраструктурен възел за разширяване на мрежовото покритие чрез препредаване на съобщения с минимални разходи. Не се вижда в списъка с възли. - Излъчва приоритетно пакети за GPS позиция - Излъчва приоритетно телеметрични пакети. - Дезактивира трикратното натискане на потребителския бутон за активиране или дезактивиране на GPS. - Публичен ключ - Име на канал - QR код - икона на приложението - Неизвестен потребител - Изпрати - Все още не сте сдвоили радио, съвместимо с Meshtastic, с този телефон. Моля, сдвоете устройство и задайте вашето потребителско име.\n\nТова приложение с отворен код е в процес на разработка, ако откриете проблеми, моля, публикувайте в нашия форум: https://github.com/orgs/meshtastic/discussions\n\nЗа повече информация вижте нашата уеб страница на адрес www.meshtastic.org. - Вие - Приеми - Отказ - Изчистване на промените - Получен е URL адрес на нов канал - Докладване за грешка - Докладвайте грешка - Сигурни ли сте, че искате да докладвате за грешка? След като докладвате, моля, публикувайте в https://github.com/orgs/meshtastic/discussions, за да можем да сравним доклада с това, което сте открили. - Докладвай - Сдвояването е завършено, услугата се стартира… - Сдвояването не бе успешно, моля, опитайте отново - Достъпът до местоположението е изключен, не може да предостави позиция на мрежата. - Сподели - Видян нов възел: %s - Прекъсната връзка - Устройството спи - Свързани: %1$s онлайн - IP адрес: - Порт: - Свързано - Свързан с радио (%s) - Няма връзка - Свързан е с радио, но рядиото е в режим на заспиване - Изисква се актуализация на приложението - Трябва да актуализирате това приложение в магазина за приложения (или GitHub). Приложението е твърде старо, за да говори с този фърмуер на радиото. Моля, прочетете нашите документи по тази тема. - Няма (деактивиране) - Сервизни известия - Относно - URL адресът на този канал е невалиден и не може да се използва - Панел за отстраняване на грешки - Експортиране на журнали - Филтри - Активни филтри - Търсене в журналите… - Следващо съответствие - Предишно съответствие - Изчистване на търсенето - Добавяне на филтър - Изчистване на всички филтри - Изчистване на журналите - Изчисти - Състояние на доставка на съобщението - Известия за директни съобщения - Известия за излъчвани съобщения - Известия за предупреждения - Необходима е актуализация на фърмуера. - Фърмуерът на радиото е твърде стар, за да общува с това приложение. За повече информация относно това вижте нашето ръководство за инсталиране на фърмуер. - Добре - Трябва да зададете регион! - Каналът не може да бъде сменен, тъй като радиото все още не е свързано. Моля, опитайте отново. - Експорт на rangetest.csv - Нулиране - Сканиране - Добавяне - Сигурни ли сте, че искате да промените канала по подразбиране? - Възстановяване на настройките по подразбиране - Приложи - Тема - Светла - Тъмна - По подразбиране на системата - Избор на тема - Изпращане на местоположение в мрежата - - Изтриване на съочщение? - Изтриване на %s съобщения? - - Изтриване - Изтриване за всички - Изтриване за мен - Избери всички - Затваряне на избраните - Изтриване на избраните - Избор на стил - Сваляне на регион - Име - Описание - Заключен - Запис - Език - По подразбиране на системата - Повторно изпращане - Изключване - Изключването не се поддържа на това устройство - Рестартиране - Трасиране на маршрут - Показване на въведение - Съобщение - Опции за бърз разговор - Нов бърз разговор - Редактиране на бърз разговор - Добавяне към съобщението - Незабавно изпращане - Показване на менюто за бърз чат - Скриване на менюто за бърз чат - Фабрично нулиране - Bluetooth е дезактивиран. Моля, активирайте го в настройките на устройството си. - Отваряне на настройките - Версия на фърмуера: %1$s - Meshtastic се нуждае от активирани разрешения за \"Устройства наблизо\", за да намира и да се свързва с устройства чрез Bluetooth. Можете да ги дезактивирате, когато не се използват. - Директно съобщение - Нулиране на базата данни с възли - Съобщението е доставено - Грешка - Игнорирай - Добави \'%s\' към списъка с игнорирани? - Изтрий \'%s\' от списъка с игнорирани? - Избор на регион за сваляне - Прогноза за изтегляне на картинки: - Започни свалянето - Размяна на позиция - Затвори - Конфигурация на радиото - Конфигурация на модула - Добавяне - Редактирай - Изчисляване… - Управление извън линия - Текущ размер на свалените данни - Капацитет: %1$.2f MB\nИзползвани: %2$.2f MB - Изчистване на свалените карти - Източник на карти - Свалените SQL данни бяха изчистени успешно за %s - Неуспешно изчистване на свалените SQL данни, вижте регистъра на приложението за повече информация - Управление на свалените данни - Свалянето приключи! - Свалянето приключи с %d грешки - %d картинки - посока: %1$d° разстояние: %2$s - Редакция на точка - Изтриване на точка? - Нова точка - Получен waypoint: %s - Достигнат лимит на Duty Cycle. Не може да се изпрати съобщение сега, опитайте по-късно. - Изтрий - Този node ще бъде изтрит от твоят лист докато вашият node не получи отново съобшение от него. - Заглуши нотификациите - 8 часа - 1 седмица - Винаги - Замяна - Сканиране на QR код за WiFi - Невалиден формат на QR кода на идентификационните данни за WiFi - Батерия - Използване на канала - Използване на ефира - Температура - Влажност - Температура на почвата - Влажност на почвата - Журнали - Брой отскоци - Брой отскоци: %1$d - Информация - Използване на текущия канал, включително добре формулиан TX, RX и деформиран RX (така наречен шум). - Процент от ефирното време за предаване, използвано през последния час. - IAQ - Споделен ключ - Директните съобщения използват споделения ключ за канала. - Криптиране с публичния ключ - Директните съобщения използват новата инфраструктура с публичен ключ за криптиране. Изисква се фърмуер версия 2.5 или по-нова. - Несъответствие на публичния ключ - Публичният ключ не съвпада със записания ключ. Можете да премахнете възела и да го оставите да обмени ключове отново, но това може да означава по-сериозен проблем със сигурността. Свържете се с потребителя чрез друг надежден канал, за да определите дали промяната на ключа се дължи на фабрично нулиране или друго умишлено действие. - Обмяна на потребителска информация - Известия за нови възли - Повече подробности - SNR - RSSI - Журнал на показателите на устройството - Карта на възела - Журнал на позициите - Последна актуализация на позицията - Журнал на показателите на околната среда - Администриране - Отдалечено администриране - Лош - Задоволителен - Добър - Няма - Сподели с… - Сигнал - Качество на сигнала - Директно - - 1 хоп - %d хопа - - Отскоци към %1$d Отскоци на връщане %2$d - 24Ч - 48Ч - - 2W - 4W - Макс - Неизвестна възраст - Копиране - Критичен сигнал! - Любим - Добавяне на \'%s\' като любим възел? - Премахване на \'%s\' като любим възел? - Журнал на показателите на захранването - Канал 1 - Канал 2 - Канал 3 - Текущ - Напрежение - Сигурни ли сте? - Документацията за ролите на устройствата и публикацията в блога за Избор на правилната роля на устройството.]]> - Знам какво правя. - Възелът %1$s има изтощена батерия (%2$d%%) - Известия за изтощена батерия - Батерията е изтощена: %s - Известия за изтощена батерия (любими възли) - Барометрично налягане - Активирана Mesh чрез UDP - Конфигуриране на UDP - Последно чут: %2$s
Последна позиция: %3$s
Батерия: %4$s]]>
- Потребител - Канали - Устройство - Позиция - Захранване - Мрежа - Дисплей - LoRa - Bluetooth - Сигурност - MQTT - Серийна - Външно известие - - Тест на обхвата - Телеметрия - Аудио - Отдалечен хардуер - Конфигуриране на аудиото - CODEC 2 е активиран - Пин за РТТ - Конфигуриране на Bluetooth - Bluetooth е активиран - Режим на сдвояване - Фиксиран ПИН - По подразбиране - Позицията е активирана - Точно местоположение - GPIO пин - Тип - Скриване на паролата - Показване на паролата - Подробности - Околна среда - Състояние на LED - Червен - Зелен - Син - Ротационен енкодер #1 е активиран - GPIO пин за ротационен енкодер A порт - GPIO пин за ротационен енкодер Б порт - GPIO пин за ротационен енкодер Press порт - Съобщения - Приятелско име - Използване на режим INPUT_PULLUP - Конфигуриране на устройството - Роля - Предефиниране на PIN_BUTTON - Предефиниране на PIN_BUZZER - Дезактивиране на трикратното щракване - POSIX часова зона - Конфигуриране на дисплея - Време за изключване на екрана (секунди) - Формат на GPS координатите - Автоматична смяна на екрана (секунди) - Север на компаса отгоре - Обръщане на екрана - Показвани единици - Режим на дисплея - Удебелено заглавие - Събуждане на екрана при докосване или движение - Ориентация на компаса - Конфигуриране за външни известия - Външните известия са активирани - Известия за получаване на съобщение - Известия при получаване на сигнал/позвъняване - Тон на звънене - Конфигуриране на LoRa - Използване на предварително зададени настройки на модема - Предварително настроен модем - Широчина на честотната лента - Отместване на честотата (MHz) - Регион (честотен план) - Лимит на хопове - TX е активирано - TX мощност (dBm) - Честотен слот - Игнориране на MQTT - Конфигуриране на MQTT - MQTT е активиран - Адрес - Потребителско име - Парола - Криптирането е активирано - TLS е активиран - Прокси към клиент е активиран - Интервал на актуализиране (секунди) - Предаване през LoRa - Конфигуриране на мрежата - Wi-Fi е активиран - SSID - PSK - Ethernet е активиран - NTP сървър - rsyslog сървър - Режим на IPv4 - IP - Шлюз - Подмрежа - Конфигуриране на Paxcounter - Paxcounter е активиран - Праг на WiFi RSSI (по подразбиране -80) - Праг на BLE RSSI (по подразбиране -80) - Конфигуриране на позицията - Интервал на излъчване на позицията (секунди) - Използване на фиксирана позиция - Геогр. ширина - Геогр. дължина - Надм. височина (метри) - Режим на GPS - Интервал на актуализиране на GPS (секунди) - Конфигуриране на захранването - Активиране на енергоспестяващ режим - Конфигуриране на Тест на обхвата - Тест на обхвата е активиран - Запазване на .CSV в хранилище (само за ESP32) - Конфигуриране на Отдалечен хардуер - Отдалечен хардуер е активиран - Налични пинове - Конфигуриране на сигурността - Публичен ключ - Частен ключ - Администраторски ключ - Управляем режим - Серийна конзола - Конфигуриране на серийната връзка - Серийната връзка е активирана - Серийна скорост на предаване - Сериен режим - - Брой записи - Сървър - Конфигуриране на телеметрията - Интервал на актуализиране на показателите на устройството (секунди) - Интервал на актуализиране на показателите на околната среда (секунди) - Модулът за измерване на околната среда е активиран - Показателите на околната среда на екрана са активирани - Показателите на околната среда използват Фаренхайт - Модулът за показатели за качеството на въздуха е активиран - Икона за качество на въздуха - Конфигуриране на потребителя - ID на възела - Дълго име - Кратко име - Модел на хардуера - Лицензиран радиолюбител (HAM) - Активирането на тази опция деактивира криптирането и не е съвместимо с мрежата Meshtastic по подразбиране. - Точка на оросяване - Налягане - Разстояние - Вятър - Тегло - Радиация - - Качество на въздуха на закрито (IAQ) - URL - - Конфигуриране на конфигурацията - Експортиране на конфигурацията - Хардуер - Поддържан - Номер на възела - ID на потребителя - Време на работа - Натоварване %1$d - Свободен диск %1$d - Времево клеймо - Скорост - Сат - н.в. - Чест. - Слот - Първичен - Периодично излъчване на местоположение и телеметрия - Вторичен - Без периодично излъчване на телеметрия - Натиснете и плъзнете, за да пренаредите - Динамична - Сканиране на QR кода - Споделяне на контакт - Импортиране на споделен контакт? - Без съобщения - Ненаблюдаван или инфраструктурен - Предупреждение: Този контакт е известен, импортирането ще презапише предишната информация за контакта. - Публичният ключ е променен - Импортиране - Действия - Фърмуер - Използване на 12ч формат - Когато е активирано, устройството ще показва времето на екрана в 12-часов формат. - Хост - Свободна памет - Свободен диск - Карта на Mesh - Разговори - Възли - Настройки - Задайте вашия регион - Отговор - Съгласен съм. - Препоръчва се актуализация на фърмуера. - Изтича - Време - Дата - Филтър на картата\n - Само любими - Показване на пътни точки - Открити са компрометирани ключове, изберете OK за регенериране. - Регенериране на частния ключ - Експортиране на ключовете - Експортира публичния и частния ключове във файл. Моля, съхранявайте го на сигурно място. - Отдалечен - (%1$d онлайн / %2$d общо) - Няма открити мрежови устройства. - Няма открити USB серийни устройства. - Превъртане до края - Meshtastic - Сканиране - Състояние на сигурността - Неизвестен канал - Предупреждение - Неизвестно - Това радио се управлява и може да бъде променяно само от отдалечен администратор. - Разширени - Почистване на базата данни с възлите - Почистване на възлите, последно видяни преди повече от %1$d дни - Почистване само на неизвестните възли - Почистване на възлите с ниско/никакво взаимодействие - Почистване на игнорираните възли - Почистете сега - Това ще премахне %1$d възела от вашата база данни. Това действие не може да бъде отменено. - - - Несигурен канал, прецизно местоположение - - - Сигурност на канала - Показване на текущия статус - Отхвърляне - Сигурни ли сте, че искате да изтриете този възел? - Отговор на %1$s - Да се изтрият ли съобщенията? - Изчистване на избора - Съобщение - Въведете съобщение - PAX - WiFi устройства - BLE устройства - Сдвоени устройства - Свързано устройство - Преглед на изданието - Изтегляне - Текущия инсталиран - Най-новия стабилен - Най-новия алфа - Поддържа се от общността Meshtastic - Версия на фърмуера - Скорошни мрежови устройства - Открити мрежови устройства - Започнете - Добре дошли в - Останете свързани навсякъде - Комуникирайте извън мрежата с вашите приятели и общността без клетъчна услуга. - Създайте свои собствени мрежи - Настройте лесно частни mesh мрежи за сигурна и надеждна комуникация в отдалечени райони. - Проследяване и споделяне на местоположения - Споделяйте местоположението си в реално време и координирайте групата си с вградени GPS функции. - Известия от приложението - Входящи съобщения - Известия за канал и директни съобщения. - Нови възли - Известия за новооткрити възли. - Изтощена батерия - Известия за изтощена батерия на свързаното устройство. - Избраните пакети, изпратени като критични, ще игнорират превключвателя за изключване на звука и настройките \"Не безпокойте\" в центъра за известия на операционната система. - Конфигуриране на разрешенията за известия - Местоположение на телефона - Споделяне на местоположение - Измервания на разстояния - Пропускане - настройки - Критични предупреждения - Конфигуриране на критични предупреждения - Meshtastic използва известия, за да ви държи в течение за нови съобщения и други важни събития. Можете да актуализирате разрешенията си за известия по всяко време от настройките. - Напред - Свързване с устройство - Нормален - Сателит - Терен - Хибриден - Управление на слоевете на картата - Слоеве на картата - Няма заредени персонализирани слоеве. - Добавяне на слой - Скриване на слоя - Показване на слой - Премахване на слой - Добавяне на слой - Възли на това място - Избран тип на картата - Името не може да бъде празно. - URL не може да бъде празен. - Шаблон за URL -
diff --git a/app/src/main/res/values-ca/strings.xml b/app/src/main/res/values-ca/strings.xml deleted file mode 100644 index 997996836..000000000 --- a/app/src/main/res/values-ca/strings.xml +++ /dev/null @@ -1,198 +0,0 @@ - - - - Meshtastic %s - Filtre - netejar filtre de node - Incloure desconegut - Oculta nodes offline - Només veure nodes directes - Estàs veient nodes ignorats, \n Prem per tornar al llistat de nodes - Veure detalls - Opcions per ordenar nodes - A-Z - Canal - Distància - Salts - Última notícia - via MQTT - via MQTT - via Favorits - Nodes Ignorats - No reconeguts - Esperant confirmació - En cua per enviar - Confirmat - Sense ruta - Rebuda confirmació negativa - Temps esgotat - Sense Interfície - Màx. retransmissions assolides - Sense canal - Packet massa llarg - Sense resposta - Sol·licitud errònia. - Límit regional de cicle de servei assolit - No Autoritzat - Falla d\'encriptació - Clau Pública Desconeguda - Clau de sessió incorrecta - Clau Pública no autoritzada - Dispositiu de missatgeria, connectat o autònom. - Dispositiu sense reenviament de paquets. - Node d’infraestructura per ampliar cobertura. Apareix a la llista de nodes. - Combinació ROUTER + CLIENT. No mòbils. - Node d’infraestructura per ampliar cobertura amb mínima càrrega. Ocult a la llista de nodes. - Difon paquets de posició GPS com a prioritat - Difon telemetria com a prioritat - Optimitzat per sistema ATAK, redueix les rutines de difusió. - Dispositiu que només difon quan cal, per discreció o estalvi d’energia. - Difon regularment la ubicació com a missatge al canal per defecte per ajudar a recuperar el dispositiu. - Activa les difusions automàtiques TAK PLI i redueix les difusions rutinàries. - Node d’infraestructura que sempre reenvia els paquets una vegada però només després de tots els altres modes, assegurant cobertura addicional per a clusters locals. Visible a la llista de nodes. - Reenvia qualsevol missatge observat si era al nostre canal privat o d’una altra malla. - .Mateix comportament que ALL, però sense decodificar paquets, només els reenvia. Només disponible en rol de Repeater. Configurar-ho en qualsevol altre rol resultarà en el comportament ALL. - Ignora els missatges observats de malles externes obertes o que no pot desxifrar. Només reenvia missatges als canals primari/secundari locals del node. - Ignora els missatges observats de malles externes com LOCAL ONLY, però va més enllà i també ignora missatges de nodes que no figuren a la llista de nodes coneguts del node. - Només permès per als rols SENSOR, TRACKER i TAK_TRACKER; això inhibirà tots els reenviaments, de manera similar al rol CLIENT_MUTE. - Ignora paquets amb ports no estàndard com: TAK, RangeTest, PaxCounter, etc. Només reenvia paquets amb ports estàndard: NodeInfo, Text, Position, Telemetry i Routing. - Nom del canal - Codi QR - icona de l\'aplicació - Nom d\'usuari desconegut - Enviar - Encara no has emparellat una ràdio compatible amb Meshtastic amb aquest telèfon. Si us plau emparella un dispositiu i configura el teu nom d\'usuari. \n\nAquesta aplicació de codi obert està en desenvolupament. Si hi trobes problemes publica-ho en el nostre fòrum https://github.com/orgs/meshtastic/discussions\n\nPer a més informació visita la nostra pàgina web - www.meshtastic.org. - Tu - Acceptar - Cancel·lar - Nova URL de canal rebuda - Informar d\'error - Informar d\'un error - Estàs segur que vols informar d\'un error? Després d\'informar-ne, si us plau publica en https://github.com/orgs/meshtastic/discussions de tal manera que puguem emparellar l\'informe amb allò que has trobat. - Informe - Emparellament completat, iniciar servei - Emparellament fallit, si us plau selecciona un altre cop - Accés al posicionament deshabilitat, no es pot proveir la posició a la xarxa. - Compartir - Desconnectat - Dispositiu hivernant - Adreça IP: - Connectat a ràdio (%s) - No connectat - Connectat a ràdio, però està hivernant - Actualització de l\'aplicació necessària - Has d\'actualitzar aquesta aplicació a la app store (o Github). És massa antiga per comunicar-se amb aquest firmware de la ràdio. Si us plau llegeix el nostre docs sobre aquesta temàtica. - Cap (desactivat) - Notificacions de servei - Sobre - La URL d\'aquest canal és invàlida i no es pot fer servir - Panell de depuració - Netejar - Estat d\'entrega del missatge - Actualització de firmware necessària. - El firmware de la ràdio és massa antic per comunicar-se amb aquesta aplicació. Per a més informació sobre això veure our Firmware Installation guide. - Acceptar - Has de configurar la regió! - No s\'ha pogut canviar el canal perquè la ràdio no està configurada correctament. Si us plau torna-ho a provar. - Exportat rangetest.csv - Restablir - Escanejar - Afegir - Estàs segur que vols canviar al canal per defecte? - Restablir els defectes - Aplicar - Tema - Clar - Fosc - Defecte del sistema - Escollir tema - Proveir la posició del telèfon a la xarxa - - Esborrar missatge? - Esborrar %s missatges? - - Esborrar - Esborrar per a tothom - Esborrar per a mi - Seleccionar tot - Selecció d\'estil - Descarregar regió - Nom - Descripció - Bloquejat - Desar - Idioma - Defecte del sistema - Reenviar - Apagar - Reiniciar - Traçar ruta - Mostrar Introducció - Missatge - Opcions de conversa ràpida - Nova conversa ràpida - Editar conversa ràpida - Afegir a missatge - Enviar instantàniament - Restauració dels paràmetres de fàbrica - Missatge directe - Restablir NodeDB - Entrega confirmada - Error - Ignorar - Afegir \'%s\' a la llista d\'ignorats? - Treure \'%s\' de la llista d\'ignorats? - Seleccionar regió a descarregar - Estimació de descàrrega de tessel·les: - Iniciar descarrega - Tancar - Configuració de ràdio - Configuració de mòdul - Afegir - Editar - Calculant… - Director fora de línia - Mida actual de la memòria cau - Mida total de la memòria cau: %1$.2f MB\nMemoria cau feta servir: %2$.2f MB - Netejar tessel·les descarregades - Font de tessel·la - Memòria cau SQL %s purgada - Error en la purga de la memòria cau SQL, veure logcat per a detalls - Director de la memòria cau - Descarrega completa! - Descarrega completa amb %d errors - %d tessel·les - rumb: %1$d° distància: %2$s - Editar punt de pas - Esborrar punt de pas? - Nou punt de pas - Punt de pas rebut: %s - Límit del cicle de treball assolit. No es podran enviar més missatges, intenta-ho més tard. - Eliminar - Aquest node serà eliminat de la teva llista fins que rebi dades un altre cop. - Silenciar notificacions - 8 hores - 1 setmana - Sempre - Distància - - - - - Missatge - diff --git a/app/src/main/res/values-cs/strings.xml b/app/src/main/res/values-cs/strings.xml deleted file mode 100644 index 31b02f9ab..000000000 --- a/app/src/main/res/values-cs/strings.xml +++ /dev/null @@ -1,585 +0,0 @@ - - - - Filtr - vyčistit filtr uzlů - Včetně neznámých - Skrýt offline uzly - Zobrazit jen přímé uzly - Zobrazit detaily - Možnosti řazení uzlů - A-Z - Kanál - Vzdálenost - Počet skoků - Naposledy slyšen - přes MQTT - přes MQTT - Oblíbené - Neznámý - Čeká na potvrzení - Ve frontě k odeslání - Potvrzený příjem - Žádná trasa - Obdrženo negativní potvrzení - Vypršel čas spojení - Žádné rozhraní - Dosaženo max. počet přeposlání - Žádný kanál - Příliš velký paket - Žádná odpověď - Špatný požadavek - Dosažen regionální časový limit - Neautorizovaný - Chyba při poslání šifrované zprávy - Neznámý veřejný klíč - Špatný klíč relace - Veřejný klíč není autorizován - Připojená aplikace nebo nezávislé zařízení. - Zařízení, které nepřeposílá pakety ostatních zařízení. - Uzel infrastruktury pro rozšíření pokrytí sítě přeposíláním zpráv. Viditelné v seznamu uzlů. - Kombinace ROUTER a CLIENT. Ne u mobilních zařízení. - Uzel infrastruktury pro rozšíření pokrytí sítě přenosem zpráv s minimální režií. Není viditelné v seznamu uzlů. - Prioritně vysílá pakety s pozicí GPS. - Prioritně vysílá pakety s telemetrií. - Optimalizované pro systémy komunikace ATAK, snižuje rutinní vysílání. - Zařízení, které vysílá pouze podle potřeby pro utajení nebo úsporu energie. - Pravidelně vysílá polohu jako zprávu do výchozího kanálu a pomáhá tak při hledání ztraceného zařízení. - Povolí automatické vysílání TAK PLI a snižuje běžné vysílání. - Infrastrukturní uzel, který vždy jednou zopakuje pakety, ale až po všech ostatních režimech, čímž zajišťuje lepší pokrytí místních clusterů. Je viditelný v seznamu uzlů. - Znovu odeslat jakoukoli pozorovanou zprávu, pokud byla na našem soukromém kanálu nebo z jiné sítě se stejnými parametry lory. - Stejné chování jako ALL, ale přeskočí dekódování paketů a jednoduše je znovu vysílá. Dostupné pouze v roli Repeater. Nastavení této možnosti pro jiné role povede k chování jako u ALL. - Ignoruje přijaté zprávy z cizích mesh sítí, které jsou otevřené nebo které nelze dešifrovat. Opakuje pouze zprávy na primárních / sekundárních kanálech místního uzlu. - Ignoruje přijaté zprávy z cizích mesh sítí, jako je LOCAL ONLY, ale jde ještě o krok dál tím, že také ignoruje zprávy od uzlů, které již nejsou v seznamu známých uzlů daného uzlu. - Povoleno pouze pro role SENSOR, TRACKER a TAK_TRACKER. Toto nastavení zabrání všem opakovaným vysíláním, podobně jako role CLIENT_MUTE. - Ignoruje pakety z nestandardních portů, jako jsou: TAK, RangeTest, PaxCounter atd. Opakuje pouze pakety se standardními porty: NodeInfo, Text, Position, Telemetry a Routing. - Zachází s dvojitým poklepáním na podporovaných akcelerometrech jako se stisknutím uživatelského tlačítka. - Zakáže funkci trojnásobného stisknutí uživatelského tlačítka pro zapnutí nebo vypnutí GPS. - Nastavuje blikání LED diody na zařízení. U většiny zařízení lze ovládat jednu ze čtyř LED diod, avšak LED diody nabíječky a GPS nelze ovládat. - Umožní odesílat informace o sousedních uzlech (NeighborInfo) nejen do MQTT a PhoneAPI, ale také přes LoRa. Nedostupné na kanálech s výchozím klíčem a názvem. - Veřejný klíč - Název kanálu - QR kód - Ikona aplikace - Neznámé uživatelské jméno - Odeslat - Ještě jste s tímto telefonem nespárovali rádio kompatibilní s Meshtastic. Spárujte prosím zařízení a nastavte své uživatelské jméno.\n\nTato open-source aplikace je ve vývoji, pokud narazíte na problémy, napište na naše fórum: https://github.com/orgs/meshtastic/discussions\n\nDalší informace naleznete na naší webové stránce - www. meshtastic.org. - Vy - Přijmout - Zrušit - Nová URL kanálu přijata - Nahlášení chyby - Nahlásit chybu - Jste si jistý, že chcete nahlásit chybu? Po odeslání prosím přidejte zprávu do https://github.com/orgs/meshtastic/discussions abychom mohli přiřadit Vaši nahlášenou chybu k příspěvku. - Odeslat chybové hlášení - Párování bylo úspěšné, spouštím službu - Párování selhalo, prosím zkuste to znovu - Přístup k poloze zařízení nebyl povolen, není možné poskytnout polohu zařízení do Mesh sítě. - Sdílet - Odpojeno - Zařízení spí - Připojeno: %1$s online - IP adresa: - Port: - Připojeno k vysílači (%s) - Nepřipojeno - Připojené k uspanému vysílači - Aplikace je příliš stará - Musíte aktualizovat aplikaci v obchodu Google Play (nebo z Githubu). Je příliš stará pro komunikaci s touto verzí firmware vysílače. Přečtěte si prosím naše dokumenty na toto téma. - Žádný (zakázat) - Servisní upozornění - O aplikaci - Tato adresa URL kanálu je neplatná a nelze ji použít - Panel pro ladění - Filtry - Aktivní filtry - Hledat v protokolech… - Vymazat protokoly - Vymazat - Stav doručení zprávy - Upozornění na přímou zprávu - Upozornění na hromadné zprávy - Upozornění na varování - Je vyžadována aktualizace firmwaru. - Firmware rádia je příliš starý na to, aby mohl komunikovat s touto aplikací. Více informací o tomto naleznete v naší firmware instalační příručce. - OK - Musíte specifikovat region! - Kanál nelze změnit, protože rádio ještě není připojeno. Zkuste to znovu. - Exportovat rangetest.csv - Reset - Skenovat - Přidat - Opravdu chcete změnit na výchozí kanál? - Obnovit výchozí nastavení - Použít - Vzhled - Světlý - Tmavý - Podle systému - Vyberte vzhled - Poskytnout polohu síti - - Smazat zprávu? - Smazat zprávy? - Smazat %s zpráv? - Smazat %s zpráv? - - Smazat - Smazat pro všechny - Smazat pro mě - Vybrat vše - Výběr stylu - Stáhnout oblast - Jméno - Popis - Uzamčeno - Uložit - Jazyk - Podle systému - Poslat znovu - Vypnout - Vypnutí není na tomto zařízení podporováno - Restartovat - Traceroute - Zobrazit úvod - Zpráva - Možnosti Rychlého chatu - Nový Rychlý chat - Upravit Rychlý chat - Připojit ke zprávě - Okamžitě odesílat - Obnovení továrního nastavení - Přímá zpráva - Reset NodeDB - Doručeno - Chyba - Ignorovat - Přidat \'%s\' do seznamu ignorovaných? - Odstranit \'%s\' ze seznamu ignorování? - Vyberte oblast stahování - Odhad stažení dlaždic: - Zahájit stahování - Vyžádat pozici - Zavřít - Nastavení zařízení - Nastavení modulů - Přidat - Upravit - Vypočítávám… - Správce Offline - Aktuální velikost mezipaměti - Kapacita mezipaměti: %1$.2f MB\nvyužití mezipaměti: %2$.2f MB - Vymazat stažené dlaždice - Zdroj dlaždic - Mezipaměť SQL vyčištěna pro %s - Vyčištění mezipaměti SQL selhalo, podrobnosti naleznete v logcat - Správce mezipaměti - Stahování dokončeno! - Stahování dokončeno s %d chybami - %d dlaždic - směr: %1$d° vzdálenost: %2$s - Upravit waypoint - Smazat waypoint? - Nový waypoint - Přijatý waypoint: %s - Byl dosažen limit pro cyklus. Momentálně nelze odesílat zprávy, zkuste to prosím později. - Odstranit - Tento uzel bude odstraněn z vašeho seznamu, dokud z něj váš uzel znovu neobdrží data. - Ztlumit notifikace - 8 hodin - 1 týden - Vždy - Nahradit - Skenovat WiFi QR kód - Neplatný formát QR kódu WiFi - Přejít zpět - Baterie - Využití kanálu - Využití přenosu - Teplota - Vlhkost - Logy - Počet skoků - Počet skoků: %1$d - Informace - Využití aktuálního kanálu, včetně dobře vytvořeného TX, RX a poškozeného RX (tzv. šumu). - Procento vysílacího času použitého během poslední hodiny. - IAQ - Sdílený klíč - Přímé zprávy používají sdílený klíč kanálu. - Šifrování veřejného klíče - Přímé zprávy používají novou infrastrukturu veřejných klíčů pro šifrování. Vyžaduje firmware verze 2.5 nebo vyšší. - Neshoda veřejného klíče - Veřejný klíč neodpovídá zaznamenanému klíči. Můžete odebrat uzel a nechat jej znovu vyměnit klíče, ale to může naznačovat závažnější bezpečnostní problém. Kontaktujte uživatele prostřednictvím jiného důvěryhodného kanálu, abyste zjistili, zda byla změna klíče způsobena resetováním továrního zařízení nebo jiným záměrným jednáním. - Vyžádat informace o uživateli - Oznámení o nových uzlech - Více detailů - SNR - Poměr signálu k šumu (SNR) je veličina používaná k vyjádření poměru mezi úrovní požadovaného signálu a úrovní šumu na pozadí. V Meshtastic a dalších bezdrátových systémech vyšší hodnota SNR značí čistší signál, což může zvýšit spolehlivost a kvalitu přenosu dat. - RSSI - Indikátor síly přijímaného signálu, měření, které se používá k určení hladiny výkonu přijímané anténou. Vyšší hodnota RSSI obvykle znamená silnější a stabilnější spojení. - (Vnitřní kvalita ovzduší) relativní hodnota IAQ měřená Bosch BME680. Hodnota rozsahu 0–500. - Protokol metrik zařízení - Mapa uzlu - Protokol pozic - Poslední aktualizace pozice - Protokol metrik prostředí - Protokol signálů - Administrace - Vzdálená administrace - Špatný - Slabý - Silný - Žádný - Sdílet do… - Signál - Kvalita signálu - Traceroute protokol - Přímý - - 1 skok - %d skoky - %d hopů - %d skoků - - Skok směrem k %1$d Skok zpět do %2$d - 24H - 48H - 1T - 2T - 4T - Max - Neznámé stáří - Kopírovat - Výstražný zvonek! - Kritické varování! - Oblíbené - Přidat \'%s\' jako oblíbený uzel? - Odstranit \'%s\' z oblíbených uzlů? - Protokol metrik napájení - Kanál 1 - Kanál 2 - Kanál 3 - Proud - Napětí - Jste si jistý? - dokumentaci o rolích zařízení a blogový příspěvek o výběru správné role zařízení.]]> - Vím co dělám. - Uzel %1$s má nízký stav baterie (%2$d%%) - Upozornění na nízký stav baterie - Nízký stav baterie: %s - Upozornění na nízký stav baterie (oblíbené uzly) - Barometrický tlak - Povoleno posílání přes UDP - UDP Konfigurace - Naposledy slyšen: %2$s
Poslední pozice: %3$s
Baterie: %4$s]]>
- Zapnout/vypnout pozici - Uživatel - Kanály - Zařízení - Pozice - Napájení - Síť - Obrazovka - LoRa - Bluetooth - Zabezpečení - MQTT - Sériová komunikace - Externí oznámení - - Zkouška dosahu - Telemetrie - Předpřipravené zprávy - Zvuk - Vzdálený hardware - Informace o sousedech - Ambientní osvětlení - Detekční senzor - Konfigurace zvuku - I2S výběr slov - I2S vstupní data - I2S výstupní data - Nastavení bluetooth - Bluetooth povoleno - Režim párování - Pevný PIN - Odesílání povoleno - Stahování povoleno - Výchozí - Pozice povolena - GPIO pin - Typ - Skrýt heslo - Zobrazit heslo - Podrobnosti - Životní prostředí - Nastavení ambientního osvětlení - Stav LED - Červená - Zelená - Modrá - Přednastavené zprávy - Přednastavené zprávy povoleny - Rotační enkodér #1 povolen - GPIO pin pro rotační enkodér A port - GPIO pin pro port B rotačního enkodéru - GPIO pin pro port Press rotačního enkodéru - Vytvořit vstupní akci při stisku Press - Vytvořit vstupní akci při otáčení ve směru hodinových ručiček - Vytvořit vstupní akci při otáčení proti směru hodinových ručiček - Vstup Nahoru/Dolů/Výběr povolen - Odeslat zvonek - Zprávy - Konfigurace detekčního senzoru - Detekční senzor povolen - Minimální vysílání (sekundy) - Poslat zvonek s výstražnou zprávou - Přezdívka - GPIO pin ke sledování - Typ spouštění detekce - Použít INPUT_PULLUP režim - Nastavení zařízení - Role - Předefinovat PIN_TLACITKO - Předefinovat PIN_BZUCAK - Režim opětovného vysílání - Interval vysílání NodeInfo (v sekundách) - Dvojité klepnutí jako stisk tlačítka - Zakázat trojkliknutí - POSIX časové pásmo - Deaktivovat signalizaci stavu pomocí LED - Nastavení zobrazení - Časový limit obrazovky (v sekundách) - Formát souřadnic GPS - Automatické přepínání obrazovek (v sekundách) - Zobrazit sever kompasu nahoře - Překlopit obrazovku - Zobrazení jednotek - Přepsat automatické rozpoznání OLED - Režim obrazovky - Nadpis tučně - Probudit obrazovku při klepnutí nebo pohybu - Orientace kompasu - Nastavení externího oznámení - Externí oznámení povoleno - Oznámení při příjmu zprávy - LED výstražné zprávy - Bzučák výstražné zprávy - Vibrace výstražné zprávy - Oznámení při příjmu výstrahy/zvonku - LED při výstražném zvonku - Bzučák při výstražném zvonku - Vibrace při výstražném zvonku - Výstupní LED (GPIO) - Výstupní LED aktivní při HIGH - Výstupní pin bzučáku (GPIO) - Použít PWM bzučák - Výstupní pin vybračního motorku (GPIO) - Doba trvání výstupu (v milisekundách) - Interval opakovaného zvonění (v sekundách) - Vyzváněcí tón - Použít I2S jako bzučák - LoRa nastavení - Použít předvolbu modemu - Předvolba modemu - Šířka pásma - Posun frekvence (MHz) - Region (plán frekvence) - Limit skoku - TX povoleno - Výkon TX (dBm) - Frekvenční slot - Přepsat střídu - Ignorovat příchozí - SX126X RX zesílený zisk - Přepsat frekvenci (MHz) - Ignorovat MQTT - OK do MQTT - Nastavení MQTT - MQTT povoleno - Adresa - Uživatelské jméno - Heslo - Šifrování povoleno - JSON výstup povolen - TLS povoleno - Kořenové téma - Proxy na klienta povoleno - Hlášení mapy - Interval hlášení mapy (v sekundách) - Nastavení informace o sousedech - Informace o sousedech povoleny - Interval aktualizace (v sekundách) - Přenos přes LoRa - Nastavení sítě - WiFi povoleno - SSID - PSK - Ethernet povolen - NTP server - rsyslog server - Režim IPv4 - IP adresa - Gateway/Brána - Podsíť - Práh WiFi RSSI (výchozí hodnota -80) - Práh BLE RSSI (výchozí hodnota -80) - Nastavení pozice - Interval vysílání pozice (v sekundách) - Chytrá pozice povolena - Minimální vzdálenost pro inteligentní vysílání (v metrech) - Minimální interval inteligentního vysílání (v sekundách) - Použít pevnou pozici - Zeměpisná šířka - Zeměpisná délka - Nadmořská výška (v metrech) - Režim GPS - Interval aktualizace GPS (v sekundách) - Předefinovat GPS_RX_PIN - Předefinovat GPS_TX_PIN - Předefinovat PIN_GPS_EN - Příznaky pozice - Nastavení napájení - Povolit úsporný režim - Interval vypnutí při napájení z baterie (sekundy) - Vlastní hodnota násobiče pro ADC - Čekat na Bluetooth (sekundy) - Trvání super hlubokého spánku (sekundy) - Trvání lehkého spánku (sekundy) - Minimální čas probuzení (sekundy) - Adresa INA_2XX I2C baterie - Nastavení testu pokrytí - Test pokrytí povolen - Interval odesílání zpráv (v sekundách) - Uložit .CSV do úložiště (pouze ESP32) - Konfigurace vzdáleného modulu - Vzdálený modul povolen - Povolit přiřazení nedefinovaného pinu - Dostupné piny - Nastavení zabezpečení - Veřejný klíč - Soukromý klíč - Administrátorský klíč - Řízený režim - Sériová komunikace - Ladící protokol API povolen - Starý kanál správce - Konfigurace sériové komunikace - Sériová komunikace povolena - Rychlost sériového přenosu - Vypršel čas spojení - Sériový režim - Přepsat sériový port komunikace - - Pulzující LED - Počet záznamů - Server - Nastavení telemetrie - Interval aktualizace měření spotřeby (v sekundách) - Interval aktualizace měření životního prostředí (v sekundách) - Modul měření životního prostředí povolen - Zobrazení měření životního prostředí povoleno - Měření životního prostředí používá Fahrenheit - Modul měření kvality ovzduší povolen - Interval aktualizace měření životního prostředí (v sekundách) - Modul měření spotřeby povolen - Interval aktualizace měření spotřeby (v sekundách) - Měření spotřeby na obrazovce povoleno - Nastavení uživatele - Identifikátor uzlu - Dlouhé jméno - Krátké jméno - Hardwarový model - Licencované amatérské rádio (HAM) - Povolení této možnosti zruší šifrování a není kompatibilní se základním nastavením Meshtastic sítě. - Rosný bod - Tlak - Odpor plynu - Vzdálenost - Osvětlení - Vítr - Hmotnost - Radiace - - Kvalita vnitřního ovzduší (IAQ) - Adresa URL - - Importovat nastavení - Exportovat nastavení - Hardware - Podporované - Číslo uzlu - Identifikátor uživatele - Doba provozu - Časová značka - Satelitů - Výška - Primární - Pravidelné vysílání pozice a telemetrie - Sekundární - Žádné pravidelné telemetrické vysílání - Je vyžadován manuální požadavek na pozici - Stiskněte a přetáhněte pro změnu pořadí - Zrušit ztlumení - Dynamický - Naskenovat QR kód - Sdílet kontakt - Importovat sdílený kontakt? - Nepřijímá zprávy - Nesledované nebo infrastruktura - Upozornění: Tento kontakt je znám, import přepíše předchozí kontaktní informace. - Veřejný klíč změněn - Vyžádat metadata - Akce - Firmware - Použít 12h formát hodin - Pokud je povoleno, zařízení bude na obrazovce zobrazovat čas ve 12 hodinovém formátu. - Volná paměť - Zatížení - Uzly - Nastavení - Nastavte svůj region - Váš uzel bude pravidelně odesílat nešifrovaný mapový paket na konfigurovaný MQTT server, který zahrnuje id, dlouhé a krátké jméno. přibližné umístění, hardwarový model, role, verze firmwaru, region LoRa, předvolba modemu a název primárního kanálu. - Souhlas se sdílením nešifrovaných dat uzlu prostřednictvím MQTT - Povolením této funkce potvrzujete a výslovně souhlasíte s přenosem zeměpisné polohy vašeho zařízení v reálném čase přes MQTT protokol bez šifrování. Tato lokalizační data mohou být použita pro účely, jako je hlášení živých map, sledování zařízení a související telemetrické funkce. - Četl jsem a rozumím výše uvedenému. Dobrovolně souhlasím s nešifrovaným přenosem dat svého uzlu přes MQTT - Souhlasím. - Doporučena aktualizace firmwaru. - Chcete-li využít nejnovějších oprav a funkcí, aktualizujte firmware vašeho uzlu.\n\nPoslední stabilní verze firmwaru: %1$s - Platnost do - Čas - Datum - Pouze oblíbené - Zobrazit trasové body - Zobrazit kruhy přesnosti - Oznámení klienta - Zjištěny kompromitované klíče, zvolte OK pro obnovení. - Obnovit soukromý klíč - Jste si jisti, že chcete obnovit svůj soukromý klíč?\n\nUzly, které si již vyměnily klíče s tímto uzlem, budou muset odebrat tento uzel a vyměnit klíče pro obnovení bezpečné komunikace. - Exportovat klíče - Exportuje veřejné a soukromé klíče do souboru. Uložte je prosím bezpečně. - (%1$d online / %2$d celkem) - Odpovědět - Varování - - - - - Zpráva -
diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml deleted file mode 100644 index 9a89292f5..000000000 --- a/app/src/main/res/values-de/strings.xml +++ /dev/null @@ -1,776 +0,0 @@ - - - - Meshtastic %s - Filter - Node Filter löschen - Unbekannte Stationen einbeziehen - Offline Knoten ausblenden - Nur direkte Knoten anzeigen - Sie sehen ignorierte Knoten,\ndrücken um zur Knotenliste zurückzukehren. - Details anzeigen - Sortieroptionen - A-Z - Kanal - Entfernung - Zwischenschritte entfernt - Zuletzt gehört - über MQTT - über MQTT - über Favorit - Ignorierte Knoten - Unbekannt - Warte auf Bestätigung - zur Warteschlange für das Senden hinzugefügt - Bestätigt - Keine Route - negative Bestätigung erhalten - Zeitüberschreitung - Keine Schnittstelle - Maximale Anzahl Weiterleitungen erreicht - Kein Kanal - Paket zu groß - Keine Reaktion - Schlechte Anfrage - Regionales Duty-Cycle-Limit erreicht - Nicht autorisiert - Verschlüsseltes Senden fehlgeschlagen - Unbekannter öffentlicher Schlüssel - Fehlerhafter Sitzungsschlüssel - Öffentlicher Schlüssel nicht autorisiert - Mit der App verbundenes oder eigenständiges Messaging-Gerät. - Gerät, welches keine Pakete von anderen Geräten weiterleitet. - Node zur Erweiterung der Netzabdeckung durch Weiterleiten von Nachrichten. In Knotenliste sichtbar. - Kombination von ROUTER und CLIENT. Nicht für mobile Endgeräte. - Infrastrukturknoten zur Erweiterung der Netzabdeckung durch Weiterleitung von Nachrichten mit minimalem Overhead. In der Knotenliste nicht sichtbar. - GPS-Positionspakete mit Priorität gesendet. - Telemetrie-Pakete mit Priorität gesendet. - Optimiert für Kommunikation des ATAK Systems, reduziert Routineübertragungen. - Gerät, das nur bei Bedarf sendet, um sich zu tarnen oder Strom zu sparen. - Sendet den Standort regelmäßig als Nachricht an den Standardkanal, um bei der Wiederherstellung des Geräts zu helfen. - Aktiviert automatische TAK PLI Übertragungen und reduziert Routineübertragungen. - Infrastruktur-Node, der Pakete immer einmal erneut sendet, jedoch erst, nachdem alle anderen Modi durchlaufen wurden, um zusätzliche Abdeckung für lokale Cluster sicherzustellen. Sichtbar in der Node-Liste. - Sende jede beobachtete Nachricht erneut aus, ob sie auf unserem privaten Kanal oder von einem anderen Netz mit den gleichen lora-Parametern stammt. - Das gleiche Verhalten wie ALLE aber überspringt die Paketdekodierung und sendet sie einfach erneut. Nur in Repeater Rolle verfügbar. Wenn Sie diese auf jede andere Rolle setzen, wird ALLE Verhaltensweisen folgen. - Ignoriert beobachtete Nachrichten aus fremden Netzen, die offen sind oder die, die nicht entschlüsselt werden können. Sendet nur die Nachricht auf den Knoten lokalen primären / sekundären Kanälen. - Ignoriert beobachtete Nachrichten von fremden Meshes wie bei LOCAL ONLY, geht jedoch einen Schritt weiter, indem auch Nachrichten von Nodes ignoriert werden, die nicht bereits in der bekannten Liste der Nodes enthalten sind. - Dies ist nur für SENSOR, TRACKER und TAK_TRACKER zulässig. Dies verhindert alle Übertragungen, nicht anders als CLIENT_MUTE Rolle. - Ignoriert Pakete von nicht standardmäßigen portnums wie: TAK, Range Test, PaxCounter, etc. Sendet nur Pakete mit Standardportnums: NodeInfo, Text, Position, Telemetrie und Routing erneut. - Behandle Doppeltippen auf unterstützten Beschleunigungssensoren wie einen Benutzer-Tastendruck. - Deaktiviert das dreifache Drücken der Benutzertaste zum Aktivieren oder Deaktivieren des GPS. - Steuert die blinkende LED auf dem Gerät. Bei den meisten Geräten wird damit eine von bis zu 4 LEDs gesteuert, die Lade- und GPS-LEDs sind jedoch nicht steuerbar. - Ob unsere Nachbarinformation zusätzlich zum Senden an MQTT und die Phone-API auch über LoRa übertragen werden soll. Nicht verfügbar auf einem Kanal mit Standardschlüssel und -name. - Öffentlicher Schlüssel - Kanalname - QR-Code - Anwendungssymbol - Unbekannter Nutzername - Senden - Sie haben noch kein zu Meshtastic kompatibles Funkgerät mit diesem Telefon gekoppelt. Bitte koppeln Sie ein Gerät und legen Sie Ihren Benutzernamen fest.\n\nDiese quelloffene App befindet sich im Test. Wenn Sie Probleme finden, veröffentlichen Sie diese bitte auf unserer Website im Chat.\n\nWeitere Informationen finden Sie auf unserer Webseite - www.meshtastic.org. - Du - Analyse und Absturzberichterstattung erlauben. - Akzeptieren - Abbrechen - Änderungen löschen - Neue Kanal-URL empfangen - Meshtastic benötigt aktivierte Standortberechtigungen, um neue Geräte über Bluetooth zu finden. Sie können die Funktion deaktivieren, wenn sie nicht verwendet wird. - Fehler melden - Fehler melden - Bist du sicher, dass du einen Fehler melden möchtest? Nach dem Melden bitte auf https://github.com/orgs/meshtastic/discussions eine Nachricht veröffentlichen, damit wir die Übereinstimmung der Fehlermeldung und dessen, was Sie gefunden haben, feststellen können. - Melden - Kopplung erfolgreich, der Dienst wird gestartet - Kopplung fehlgeschlagen, bitte wähle erneut - Standortzugriff ist deaktiviert, es kann keine Position zum Mesh bereitgestellt werden. - Teilen - Neuen Knoten gesehen: %s - Verbindung getrennt - Gerät schläft - Verbunden: %1$s online - IP-Adresse: - Port: - Verbunden - Mit Funkgerät verbunden (%s) - Nicht verbunden - Mit Funkgerät verbunden, aber es ist im Schlafmodus - Anwendungsaktualisierung erforderlich - Sie müssen diese App über den App Store (oder Github) aktualisieren. Sie ist zu alt, um mit dieser Funkgerät-Firmware zu kommunizieren. Bitte lesen Sie unsere Dokumentation zu diesem Thema. - Nichts (deaktiviert) - Dienst-Benachrichtigungen - Über - Diese Kanal-URL ist ungültig und kann nicht verwendet werden - Debug-Ausgaben - Dekodiertes Payload: - Protokolle exportieren - Filter - Aktive Filter - In Protokollen suchen - Nächste Übereinstimmung - Vorherige Übereinstimmung - Neue Suche - Filter hinzufügen - Filter enthält - Alle Filter löschen - Protokolle löschen - Irgendwas finden | Alle - Alle finden | Irgendwas - Es werden alle Log- und Datenbankeinträge von Ihrem Gerät entfernt. Dies ist eine vollständige Löschung und sie ist dauerhaft. - Leeren - Nachrichten-Zustellungsstatus - Benachrichtigung direkte Nachrichten - Benachrichtigung allgemeine Nachrichten - Benachrichtigungen - Firmware-Aktualisierung erforderlich. - Die Funkgerät-Firmware ist zu alt, um mit dieser App kommunizieren zu können. Für mehr Informationen darüber besuchen Sie unsere Firmware-Installationsanleitung. - OK - Sie müssen eine Region festlegen! - Konnte den Kanal nicht ändern, da das Funkgerät noch nicht verbunden ist. Bitte versuchen Sie es erneut. - Exportiere rangetest.csv - Zurücksetzen - Scannen - Hinzufügen - Sind Sie sicher, dass Sie in den Standardkanal wechseln möchten? - Auf Standardeinstellungen zurücksetzen - Anwenden - Design - Hell - Dunkel - System - Design auswählen - Standort zum Mesh angeben - - Nachricht löschen? - %s Nachrichten löschen? - - Löschen - Für jeden löschen - Für mich löschen - Alle auswählen - Auswahl schließen - Auswahl löschen - Stil-Auswahl - Region herunterladen - Name - Beschreibung - Gesperrt - Speichern - Sprache - System - Erneut senden - Herunterfahren - Herunterfahren wird auf diesem Gerät nicht unterstützt - Neustarten - Traceroute - Einführung zeigen - Nachricht - Schnellchat - Neuer Schnell-Chat - Schnell-Chat bearbeiten - An Nachricht anhängen - Sofort senden - Schnell-Chat Menü anzeigen - Schnell-Chat-Menü ausblenden - Auf Werkseinstellungen zurücksetzen - Bluetooth ist deaktiviert. Bitte aktivieren Sie es in Ihren Geräteeinstellungen. - Einstellungen öffnen - Firmware Version: %1$s - Meshtastic benötigt die Berechtigung „Geräte in der Nähe“, um Geräte über Bluetooth zu finden und eine Verbindung zu ihnen herzustellen. Sie können die Funktion deaktivieren, wenn sie nicht verwendet wird. - Direktnachricht - Node-Datenbank zurücksetzen - Zustellung Bestätigt - Fehler - Ignorieren - \'%s\' zur Ignorierliste hinzufügen? Deine Funkstation wird nach dieser Änderung neu gestartet. - \'%s\' von der Ignorieren-Liste entfernen? Deine Funkstation wird nach dieser Änderung neu starten. - Herunterlade-Region auswählen - Kachel-Herunterladen-Schätzung: - Herunterladen starten - Exchange Position - Schließen - Geräteeinstellungen - Moduleinstellungen - Hinzufügen - Bearbeiten - Berechnen … - Offline-Verwaltung - Aktuelle Zwischenspeichergröße - Zwischenspeichergröße: %1$.2f MB\nZwischenspeicherverwendung: %2$.2f MB - Heruntergeladene Kacheln löschen - Kachel-Quelle - SQL-Zwischenspeicher gelöscht für %s - Das Säubern des SQL-Zwischenspeichers ist fehlgeschlagen, siehe Logcat für Details - Zwischenspeicher-Verwaltung - Herunterladen abgeschlossen! - Herunterladen abgeschlossen mit %d Fehlern - %d Kacheln - Richtung: %1$d° Entfernung: %2$s - Wegpunkt bearbeiten - Wegpunkt löschen? - Wegpunkt hinzufügen - Wegpunkt: %s empfangen - Limit für den aktuellen Zyklus erreicht. Nachrichten können momentan nicht gesendet werden, bitte versuchen Sie es später erneut. - Entfernen - Diese Node wird aus deiner Liste entfernt, bis deine Node wieder Daten von ihr erhält. - Benachrichtigungen stummschalten - 8 Stunden - Eine Woche - Immer - Ersetzen - WiFi QR-Code scannen - Ungültiges QR-Code-Format für WiFi-Berechtigung - Zurück navigieren - Akku - Kanalauslastung - Luftauslastung - Temperatur - Luftfeuchte - Bodentemperatur - Bodenfeuchtigkeit - Protokolle - Zwischenschritte entfernt - Entfernung: %1$d Knoten - Information - Auslastung für den aktuellen Kanal, einschließlich gut geformtem TX, RX und fehlerhaftem RX (auch bekannt als Rauschen). - Prozent der Sendezeit für die Übertragung innerhalb der letzten Stunde. - IAQ - Geteilter Schlüssel - Direktnachrichten verwenden den gemeinsamen Schlüssel für den Kanal. - Public Key Verschlüsselung - Direkte Nachrichten verwenden die neue öffentliche Schlüssel-Infrastruktur für die Verschlüsselung. Benötigt Firmware-Version 2.5 oder höher. - Public-Key Fehler - Der öffentliche Schlüssel stimmt nicht mit dem aufgezeichneten Schlüssel überein. Sie können den Knoten entfernen und ihn erneut Schlüssel austauschen lassen, dies kann jedoch auf ein schwerwiegenderes Sicherheitsproblem hinweisen. Kontaktieren Sie den Benutzer über einen anderen vertrauenswürdigen Kanal, um festzustellen, ob die Schlüsseländerung auf eine Zurücksetzung auf die Werkseinstellungen oder eine andere absichtliche Aktion zurückzuführen ist. - Exchange Benutzer Informationen - Neue Node Benachrichtigungen - Mehr Details - SNR - Signal-Rausch-Verhältnis, ein in der Kommunikation verwendetes Maß, um den Pegel eines gewünschten Signals im Verhältnis zum Pegel des Hintergrundrauschens zu quantifizieren. Bei Meshtastic und anderen drahtlosen Systemen weist ein höheres SNR auf ein klareres Signal hin, das die Zuverlässigkeit und Qualität der Datenübertragung verbessern kann. - RSSI - Indikator für die empfangene Signalstärke, eine Messung zur Bestimmung der von der Antenne empfangenen Leistungsstärke. Ein höherer RSSI-Wert weist im Allgemeinen auf eine stärkere und stabilere Verbindung hin. - (Innenluftqualität) relativer IAQ-Wert gemessen von Bosch BME680. - Funkauslastung - Node Positionsverlaufkarte - Positions-Protokoll - Letzte Standortaktualisierung - Sensorprotokoll - Signalprotokoll - Administration - Fernadministration - Schlecht - Angemessen - Gut - Keine - Teile mit… - Signal - Signalqualität - Traceroute-Protokoll - Direkt - - 1 Hop - %d Hops - - %1$d Hopser vorwärts %2$d Hopser zurück - 24H - 48H - 1 Woche - 2 Wochen - 4W - Maximal - Alter unbekannt - Kopie - Warnklingelzeichen! - kritischer Fehler! - Favorit - \'%s\' als Favorit hinzufügen? - \'%s\' als Favorit entfernen? - Leistungsdaten Log - Kanal 1 - Kanal 2 - Kanal 3 - Strom - Spannung - Bist du sicher? - Geräte-Rollen Dokumentation und den dazugehörigen Blogpost über die Auswahl der Geräte Rolle.]]> - Ich weiß was ich tue. - Knoten %1$s hat einen niedrigen Ladezustand (%2$d%%) - Leere Batterie Benachrichtigung - Leere Batterie: %s - Akkustands Warnung (für Favoriten) - Luftdruck - Mesh über UDP ermöglichen - UDP Konfiguration - Zuletzt gehört:%2$s
Letzte Position:%3$s
Akku:%4$s]]>
- Position einschalten - Benutzer - Kanäle - Gerät - Position - Leistung - Netzwerk - Display - LoRa - Bluetooth - Sicherheit - MQTT - Seriell - Externe Benachrichtigung - - Reichweitentest - Telemetrie - Nachrichten-Vorlage - Audio - Entfernte Hardware - Nachbarinformation - Umgebungslicht - Erkennungssensor - Pax Zähler - Audioeinstellungen - CODEC 2 aktiviert - GPIO Pin PTT - CODEC2 Abtastrate - I2S Wortauswahl - I2S Daten Eingang - I2S Daten Ausgang - I2S Takt - Bluetooth Einstellungen - Bluetooth aktiviert - Kopplungsmodus - Festgelegter Pin - Uplink aktiviert - Downlink aktiviert - Standard - Position aktiviert - Genauer Standort - GPIO Pin - Typ - Passwort verbergen - Passwort anzeigen - Details - Umgebung - Umgebungsbeleuchtungseinstellungen - LED Zustand - Rot - Grün - Blau - Einstellung vordefinierte Nachrichten - Vordefinierte Nachrichten aktiviert - Drehencoder #1 aktiviert - GPIO-Pin für Drehencoder A Port - GPIO-Pin für Drehencoder B Port - GPIO-Pin für Drehencoder Knopf Port - Eingabeereignis beim Drücken generieren - Eingabeereignis bei Uhrzeigersinn generieren - Eingabeereignis bei Gegenuhrzeigersinn generieren - Up/Down/Select Eingang aktiviert - Eingabequelle zulassen - Glocke senden - Nachrichten - Sensoreinstellungen für Erkennung - Erkennungssensor aktiviert - Minimale Übertragungszeit (Sekunden) - Statusübertragung (Sekunden) - Glocke mit Alarmmeldung senden - Anzeigename - Zu überwachender GPIO-Pin - Typ der Erkennungsauslösung - Eingang PULLUP Einstellung - Geräteeinstellungen - Rolle - PIN_BUTTON neu definieren - PIN-SUMMER neu definieren - Übertragungsmodus - NodeInfo Übertragungsintervall (Sekunden) - Doppeltes Tippen als Knopfdruck - Dreifachklicken deaktivieren - POSIX Zeitzone - Heartbeat-LED deaktivieren - Anzeigeeinstellungen - Bildschirm Timeout (Sekunden) - GPS Koordinatenformat - Auto Bildschirmwechsel (Sekunden) - Kompass Norden oben - Bildschirm spiegeln - Anzeigeeinheiten - OLED automatische Erkennung überschreiben - Anzeigemodus - Überschrift fett - Bildschirm bei Tippen oder Bewegung aufwecken - Kompassausrichtung - Einstellungen für externe Benachrichtigungen - Externe Benachrichtigungen aktiviert - Benachrichtigungen für Empfangsbestätigung - Warnmeldungs LED - Warnmeldungs-Summer - Warnmeldungs-Vibration - Benachrichtigungen für erhaltene Alarmglocke - Alarmglocken LED - Alarmglocken Summer - Alarmglocken Vibration - Ausgabe LED (GPIO) - Ausgabe LED aktiv hoch - Ausgabe Summer (GPIO) - Benutze PWM Summer - Ausgabe Vibration (GPIO) - Ausgabedauer (GPIO) - Nervige Verzögerung (Sekunden) - Klingelton - I2S als Buzzer verwenden - LoRa Einstellungen - Modem Vorlage verwenden - Modem Voreinstellungen - Bandbreite - Spreizfaktor - Fehlerkorrektur - Frequenzversatz (MHz) - Region (Frequenzplan) - Sprung-Limit - TX aktiviert - TX-Leistung (dBm) - Frequenz Slot - Duty-Cycle überschreiben - Eingehende ignorieren - SX126X RX verbesserter gain - Überschreibe Frequenz (MHz) - PA Fan deaktiviert - MQTT ignorieren - OK für MQTT - MQTT Einstellungen - MQTT aktiviert - Adresse - Benutzername - Passwort - Verschlüsselung aktiviert - JSON-Ausgabe aktiviert - TLS aktiviert - Hauptthema - Proxy zu Client aktiviert - Kartenberichte - Karten-Berichtsintervall (Sekunden) - Nachbar Info Einstellungen - Nachbarinformationen aktiviert - Aktualisierungsintervall (Sekunden) - Übertragen über LoRa - Netzwerkeinstellungen - WiFi aktiviert - SSID - PSK - Ethernet aktiviert - NTP Server - rsyslog Server - IPv4 Modus - IP - Gateway - Subnetz - Pax Zähler Einstellung - Pax Zähler aktiviert - WiFi RSSI Schwellenwert (Standard -80) - BLE RSSI Schwellenwert (Standard -80) - Positionseinstellungen - Position Übertragungsintervall (Sekunden) - Intelligente Position aktiviert - Intelligente Position Minimum Distanz (Meter) - Intelligente Position Minimum Intervall (Sekunden) - Feste Position verwenden - Breitengrad - Längengrad - Höhenmeter (Meter) - Vom aktuellen Telefonstandort festlegen - GPS Modus - GPS Aktualisierungsintervall (Sekunden) - GPS RX PIN neu definieren - GPS TX PIN neu definieren - GPS EN PIN neu definieren - Standort Optionen - Power Konfiguration - Energiesparmodus aktivieren - Verzögerung zum Herunterfahren bei Akkubetrieb (Sekunden) - ADC Multiplikator Überschreibungsverhältnis - Warte auf Bluetooth (Sekunden) - Supertiefeschlaf (Sekunden) - Lichtschlaf (Sekunden) - Minimale Weckzeit (Sekunden), - Batterie INA_2XX I2C Adresse - Entfernungstest Einstellungen - Entfernungstest aktiviert - Sendernachrichtenintervall (Sekunden) - Speichere .CSV im Speicher (nur ESP32) - Entfernte Geräteeinstellungen - Entfernte Geräteeinstellungen - Erlaube undefinierten Pin-Zugriff - Verfügbare Pins - Sicherheitseinstellungen - Öffentlicher Schlüssel - Privater Schlüssel - Adminschlüssel - Verwalteter Modus - Serielle Konsole - Debug-Protokoll-API aktiviert - Veralteter Admin Kanal - Einstellungen Serielleschnittstelle - Serielleschnittstelle aktiviert - Echo aktiviert - Serielle Baudrate - Zeitlimit erreicht - Serieller Modus - Seriellen Port der Konsole überschreiben - - Puls - Anzahl Einträge - Verlauf Rückgabewert maximal - Zeitraum Rückgabewert - Server - Telemetrie Einstellungen - Aktualisierungsintervall für Gerätekennzahlen (Sekunden) - Aktualisierungsintervall für Umweltdaten (Sekunden) - Modul Umweltdaten aktiviert - Umweltdatenanzeige aktiviert - Umweltdaten in Fahrenheit - Modul Luftqualität aktiviert - Aktualisierungsintervall für Luftqualität (Sekunden) - Symbol für Luftqualität - Modul Energiedaten aktiviert - Aktualisierungsintervall für Energiedaten (Sekunden) - Energiedatenanzeige aktiviert - Benutzer Einstellungen - Knoten-ID - Vollständiger Name - Spitzname - Geräte-Modell - Amateurfunk lizenziert - Das Aktivieren dieser Option deaktiviert die Verschlüsselung und ist nicht mit dem Standardnetzwerk von Meshtastic kompatibel. - Taupunkt - Druck - Gaswiderstand - Distanz - Lux - Wind - Gewicht - Strahlung - - Luftqualität im Innenbereich (IAQ) - URL - - Einstellungen importieren - Einstellungen exportieren - Hardware - Unterstützt - Knotennummer - Benutzer ID - Laufzeit - Last %1$d - Laufwerkspeicher frei %1$d - Zeitstempel - Überschrift - Geschwindigkeit - Satelliten - Höhe - Frequenz - Position - Primär - Regelmäßiges senden von Position und Telemetrie - Sekundär - Kein regelmäßiges senden der Telemetrie - Manuelle Positionsanfrage erforderlich - Drücken und ziehen, um neu zu sortieren - Stummschaltung aufheben - Dynamisch - QR Code scannen - Kontakt teilen - Geteilte Kontakte importieren? - Nicht erreichbar - Unbeaufsichtigt oder Infrastruktur - Warnung: Dieser Kontakt ist bekannt, beim Importieren werden die vorherigen Kontaktinformationen überschreiben. - Öffentlicher Schlüssel geändert - Importieren - Metadaten anfordern - Aktionen - Firmware - 12h Uhrformat verwenden - Wenn aktiviert, zeigt das Gerät die Uhrzeit im 12-Stunden-Format auf dem Bildschirm an. - Protokoll Host Kennzahlen - Host - Freier Speicher - Freier Speicher - Last - Benutzerzeichenkette - Navigieren zu - Verbindung - Mesh Karte - Konversationen - Knoten - Einstellungen - Region festlegen - Antworten - Ihr Knoten sendet in regelmäßigen Abständen eine unverschlüsselte Nachricht mit Kartenbericht an den konfigurierten MQTT-Server. Einschließlich ID, langen und kurzen Namen, ungefährer Standort, Hardwaremodell, Geräterolle, Firmware-Version, LoRa Region, Modem-Voreinstellung und Name des Primärkanal. - Einwilligung zum Teilen von unverschlüsselten Node-Daten über MQTT - Indem Sie diese Funktion aktivieren, erklären Sie sich ausdrücklich Einverstanden mit der Übertragung des geographischen Standorts Ihres Gerätes in Echtzeit über das MQTT-Protokoll und ohne Verschlüsselung. Diese Standortdaten können zum Beispiel für Live-Kartenerichte, Geräteverfolgung und zugehörige Telemetriefunktionen verwendet werden. - Ich habe das oben stehende gelesen und verstanden. Ich willige ein in die unverschlüsselte Übertragung der Daten meines Nodes. - Ich stimme zu. - Firmware-Update empfohlen. - Um von den neuesten Fehlerkorrekturen und Funktionen zu profitieren, aktualisieren Sie bitte Ihre Node-Firmware.\n\nneueste stabile Firmware-Version: %1$s - Gültig bis - Zeit - Datum - Kartenfilter\n - Nur Favoriten - Zeige Wegpunkte - Präzise Bereiche anzeigen - Warnmeldung - Kompromittierte Schlüssel erkannt, wählen Sie OK, um diese neu zu erstellen. - Privaten Schlüssel neu erstellen - Sind Sie sicher, dass Sie den privaten Schlüssel neu erstellen möchten?\n\nAndere Knoten, die bereits Schlüssel mit diesem Knoten ausgetauscht haben, müssen diesen entfernen und erneut austauschen, um eine sichere Kommunikation fortzusetzen. - Schlüssel exportieren - Exportiert den öffentlichen und privaten Schlüssel in eine Datei. Bitte speichern Sie diese an einem sicheren Ort. - Entsperrte Module - Entfernt - (%1$d Online / %2$d Gesamt) - Reagieren - Trennen - Suche nach Bluetooth Geräten… - Keine gekoppelten Bluetooth Geräte. - Keine Netzwerkgeräte gefunden. - Keine seriellen USB Geräte gefunden. - Zum Ende springen - Meshtastic - Suche - Sicherheitsstatus - Sicher - Warnhinweis - Unbekannter Kanal - Warnung - Überlaufmenü - UV Lux - Unbekannt - Dieses Radio wird verwaltet und kann nur durch Fernverwaltung geändert werden. - Fortgeschritten - Knotendatenbank leeren - Knoten älter als %1$d Tage entfernen - Nur unbekannte Knoten entfernen - Knoten mit niedriger / ohne Aktivität entfernen - Ignorierte Knoten entfernen - Jetzt leeren - Dies wird %1$d Knoten aus Ihrer Datenbank entfernen. Diese Aktion kann nicht rückgängig gemacht werden. - Ein grünes Schloss bedeutet, dass der Kanal sicher mit einem 128 oder 256 Bit AES-Schlüssel verschlüsselt ist. - - Unsicherer Kanal, nicht genau - Ein gelbes offenes Schloss bedeutet, dass der Kanal nicht sicher verschlüsselt ist, nicht für genaue Standortdaten verwendet wird und entweder gar keinen Schlüssel oder einen bekannten 1 Byte Schlüssel verwendet. - - Unsicherer Kanal, genauer Standort - Ein rotes offenes Schloss bedeutet, dass der Kanal nicht sicher verschlüsselt ist, für genaue Standortdaten verwendet wird und entweder gar keinen Schlüssel oder einen bekannten 1 Byte Schlüssel verwendet. - - Warnung: Unsicherer, genauer Standort & MQTT Uplink - Ein rotes offenes Schloss mit Warnung bedeutet, dass der Kanal nicht sicher verschlüsselt ist, für präzise Standortdaten verwendet wird, die über MQTT ins Internet hochgeladen werden und entweder gar keinen Schlüssel oder einen bekannten 1 Byte Schlüssel verwendet. - - Kanalsicherheit - Bedeutung für Kanalsicherheit - Alle Bedeutungen anzeigen - Aktuellen Status anzeigen - Tastatur ausblenden - Möchten Sie diesen Knoten wirklich löschen? - Antworten auf %1$s - Antwort abbrechen - Nachricht löschen? - Auswahl löschen - Nachricht - Eine Nachricht schreiben - Protokoll Besucherzähler - Besucher - Keine Daten für den Besucherzähler verfügbar. - WLAN Geräte - BLE Geräte - Gekoppelte Geräte - Verbundene Geräte - Ausführen - Sendebegrenzung überschritten. Bitte versuchen Sie es später erneut. - Version ansehen - Herunterladen - Aktuell installiert - Neueste stabile Version - Neueste Alpha Version - Unterstützt von der Meshtastic Gemeinschaft - Firmware-Version - Kürzliche Netzwerkgeräte - Entdeckte Netzwerkgeräte - Erste Schritte - Willkommen bei - Bleibe überall in Verbindung - Kommunizieren Sie außerhalb des Netzwerks mit Ihren Freunden und der Gemeinschaft ohne Mobilfunkdienst. - Erstelle deine eigenen Netzwerke - Leicht einzurichtende, private Netznetze für sichere und zuverlässige Kommunikation in entlegenen Gebieten. - Standort verfolgen und teilen - Teilen Sie Ihren Standort in Echtzeit und koordinieren Sie Ihre Gruppe mit integrierten GPS Funktionen. - App-Benachrichtigungen - Eingehende Nachrichten - Benachrichtigungen für Kanal und Direktnachrichten. - Neue Knoten - Benachrichtigungen für neu entdeckte Knoten. - Niedriger Akkustand - Benachrichtigungen für niedrige Akku-Warnungen des angeschlossenen Gerätes. - Pakete, die als kritisch gesendet werden, ignorieren den Lautlos und Ruhemodus in den Benachrichtigungseinstellungen. - Benachrichtigungseinstellungen - Telefonstandort - Meshtastic nutzt den Standort Ihres Telefons, um einige Funktionen zu aktivieren. Sie können Ihre Standortberechtigungen jederzeit in den Einstellungen aktualisieren. - Standort teilen - Benutzen Sie das GPS Ihres Telefons um Standorte an Ihren Knoten zu senden, anstatt ein Hardware GPS in Ihrem Knoten zu verwenden. - Entfernungsmessungen - Zeigt den Abstand zwischen Ihrem Telefon und anderen Meshtastic Knoten mit einem Standort an. - Entfernungsfilter - Filtern Sie die Knotenliste und die Mesh-Karte nach der Nähe zu Ihrem Telefon. - Netzwerk Kartenstandort - Aktiviert den blauen Punkt für Ihr Telefon in der Netzwerkkarte. - Standortberechtigungen konfigurieren - Überspringen - Einstellungen - Kritische Warnungen - Um sicherzustellen, dass Sie kritische Benachrichtigungen wie - SOS-Nachrichten erhalten, auch wenn Ihr Gerät im \"Nicht stören\" Modus ist, müssen Sie eine spezielle - Berechtigung erteilen. Bitte aktivieren Sie dies in den Benachrichtigungseinstellungen. - - Kritische Warnungen konfigurieren - Meshtastic nutzt Benachrichtigungen, um Sie über neue Nachrichten und andere wichtige Ereignisse auf dem Laufenden zu halten. Sie können Ihre Benachrichtigungsrechte jederzeit in den Einstellungen aktualisieren. - Weiter - Berechtigungen erteilen - %d Knoten in der Warteschlange zum Löschen: - Achtung: Dies entfernt Knoten aus der App und Gerätedatenbank.\nDie Auswahl ist kumulativ. - Verbinde mit Gerät - Normal - Satellit - Gelände - Hybrid - Kartenebenen verwalten - Benutzerdefinierte Ebenen für .kml oder .kmz Dateien. - Kartenebenen - Keine benutzerdefinierten Ebenen geladen. - Ebene hinzufügen - Ebene ausblenden - Ebene anzeigen - Ebene entfernen - Ebene hinzufügen - Knoten an diesem Standort - Ausgewählter Kartentyp - Benutzerdefinierte Kachelquellen verwalten - Benutzerdefinierte Kachelquelle hinzufügen - Keine benutzerdefinierten Kachelquellen - Benutzerdefinierte Kachelquelle bearbeiten - Benutzerdefinierte Kachelquelle löschen - Name darf nicht leer sein. - Der Name des Anbieters existiert bereits. - URL darf nicht leer sein. - URL muss Platzhalter enthalten. - URL Vorlage - Verlaufspunkt - Telefoneinstellungen -
diff --git a/app/src/main/res/values-el/strings.xml b/app/src/main/res/values-el/strings.xml deleted file mode 100644 index 1eff56bf7..000000000 --- a/app/src/main/res/values-el/strings.xml +++ /dev/null @@ -1,197 +0,0 @@ - - - - Φίλτρο - A-Ω - Κανάλι - Απόσταση - μέσω MQTT - μέσω MQTT - Λήξη χρονικού ορίου - Εσφαλμένο Αίτημα - Άγνωστο Δημόσιο Κλειδί - Δημόσιο Κλειδί - Όνομα Καναλιού - Κώδικας QR - εικονίδιο εφαρμογής - Άγνωστο Όνομα Χρήστη - Αποστολή - Δεν έχετε κάνει ακόμη pair μια συσκευή συμβατή με Meshtastic με το τηλέφωνο. Παρακαλώ κάντε pair μια συσκευή και ορίστε το όνομα χρήστη.\n\nΗ εφαρμογή ανοιχτού κώδικα βρίσκεται σε alpha-testing, αν εντοπίσετε προβλήματα παρακαλώ δημοσιεύστε τα στο forum: https://github.com/orgs/meshtastic/discussions\n\nΠερισσότερες πληροφορίες στην ιστοσελίδα - www.meshtastic.org. - Εσύ - Αποδοχή - Ακύρωση - Λήψη URL νέου καναλιού - Αναφορά Σφάλματος - Αναφέρετε ένα σφάλμα - Είστε σίγουροι ότι θέλετε να αναφέρετε ένα σφαλμα? Μετά την αναφορά δημοσιεύστε στο https://github.com/orgs/meshtastic/discussions ώστε να συνδέσουμε την αναφορά με το συμβάν. - Αναφορά - Η διαδικασία pairing ολοκληρώθηκε, εκκίνηση υπηρεσίας - Η διαδικασία ζευγοποιησης απέτυχε, παρακαλώ επιλέξτε πάλι - Η πρόσβαση στην τοποθεσία είναι απενεργοποιημένη, δεν μπορεί να παρέχει θέση στο πλέγμα. - Κοινοποίηση - Αποσυνδεδεμένο - Συσκευή σε ύπνωση - IP διεύθυνση: - Θύρα: - Συνδεδεμένο στο radio (%s) - Αποσυνδεδεμένο - Συνδεδεμένο στο radio, αλλά βρίσκεται σε ύπνωση - Εφαρμογή πολύ παλαιά - Πρέπει να ενημερώσετε την εφαρμογή μέσω Google Play store (ή Github). Είναι πολύ παλαιά ώστε να συνδεθεί με το radio. - Κανένα (απενεργοποιημένο) - Ειδοποιήσεις Υπηρεσίας - Σχετικά - Αυτό το κανάλι URL δεν είναι ορθό και δεν μπορεί να χρησιμοποιηθεί - Πίνακας αποσφαλμάτωσης - Καθαρό, Εκκαθάριση, - Κατάσταση παράδοσης μηνύματος - Απαιτείται ενημέρωση υλικολογισμικού. - Το λογισμικό του πομποδεκτη είναι πολύ παλιό για να μιλήσει σε αυτήν την εφαρμογή. Για περισσότερες πληροφορίες σχετικά με αυτό ανατρέξτε στον οδηγό εγκατάστασης του Firmware. - Εντάξει - Πρέπει να ορίσετε μια περιοχή! - Εξαγωγή rangetest.csv - Επαναφορά - Σάρωση - Προσθήκη - Είστε σίγουροι ότι θέλετε να αλλάξετε στο προεπιλεγμένο κανάλι; - Επαναφορά προεπιλογών - Εφαρμογή - Θέμα - Φωτεινό - Σκούρο - Προκαθορισμένο του συστήματος - Επέλεξε θέμα - Παρέχετε τοποθεσία στο πλέγμα - - Διαγραφή μηνύματος; - Διαγραφή %s μηνυμάτων; - - Διαγραφή - Διαγραφή για όλους - Διαγραφή από μένα - Επιλογή όλων - Επιλογή Ύφους - Λήψη Περιοχής - Ονομα - Περιγραφή - Κλειδωμένο - Αποθήκευση - Γλώσσα - Προκαθορισμένο του συστήματος - Αποστολή ξανά - Τερματισμός λειτουργίας - Επανεκκίνηση - Traceroute - Προβολή Εισαγωγής - Μήνυμα - Γρήγορες επιλογές συνομιλίας - Νέα γρήγορη συνομιλία - Επεξεργασία ταχείας συνομιλίας - Άμεση αποστολή - Επαναφορά εργοστασιακών ρυθμίσεων - Άμεσο Μήνυμα - Σφάλμα - Παράβλεψη - Επιλογή περιοχής λήψης - Εκκίνηση Λήψης - Κλείσιμο - Ρυθμίσεις συσκευής - Ρυθμίσεις πρόσθετου - Προσθήκη - Επεξεργασία - Υπολογισμός… - Διαχειριστής Εκτός Δικτύου - Μέγεθος τρέχουσας προσωρινής μνήμης - Χωρητικότητα προσωρινής μνήμης: %1$.2f MB\nΧρήση προσωρινής μνήμης: %2$.2f MB - Η προσωρινή μνήμη SQL καθαρίστηκε για %s - Διαχείριση Προσωρινής Αποθήκευσης - Η λήψη ολοκληρώθηκε! - Λήψη ολοκληρώθηκε με %d σφάλματα - Επεξεργασία σημείου διαδρομής - Διαγραφή σημείου πορείας; - Νέο σημείο πορείας - Διαγραφή - Αυτός ο κόμβος θα αφαιρεθεί από τη λίστα σας έως ότου ο κόμβος σας λάβει εκ νέου δεδομένα από αυτόν. - Σίγαση ειδοποιήσεων - 8 ώρες - 1 εβδομάδα - Πάντα - Αντικατάσταση - Σάρωση QR κωδικού WiFi - Μη έγκυρη μορφή QR διαπιστευτηρίων WiFi - Μπαταρία - Θερμοκρασία - Υγρασία - Αρχεία καταγραφής - Πληροφορίες - Κοινόχρηστο Κλειδί - Κρυπτογράφηση Δημόσιου Κλειδιού - Ασυμφωνία δημόσιου κλειδιού - Αρχείο Καταγραφής Τοποθεσίας - Διαχείριση - Απομακρυσμένη Διαχείριση - Αντιγραφή - Αγαπημένο - Κανάλι 1 - Κανάλι 2 - Κανάλι 3 - Τάση - Ξέρω τι κάνω. - Βαρομετρική Πίεση - Χρήστης - Κανάλια - Συσκευή - Τοποθεσία - Δίκτυο - Οθόνη - LoRa - Bluetooth - Ασφάλεια - MQTT - Τηλεμετρία - Ήχος - Ρυθμίσεις Bluetooth - Λεπτομέρειες - Κόκκινο - Πράσινο - Μπλε - Μηνύματα - Διεύθυνση - Όνομα χρήστη - Κωδικός πρόσβασης - SSID - PSK - IP - Γεωγραφικό Πλάτος - Γεωγραφικό Μήκος - Υψόμετρο (μέτρα) - Δημόσιο Κλειδί - Ιδιωτικό Κλειδί - Λήξη χρονικού ορίου - Σημείο Δρόσου - Απόσταση - Βάρος - URL - Ρυθμίσεις - Απάντηση - - - - - Μήνυμα - diff --git a/app/src/main/res/values-es/strings.xml b/app/src/main/res/values-es/strings.xml deleted file mode 100644 index 499c7407a..000000000 --- a/app/src/main/res/values-es/strings.xml +++ /dev/null @@ -1,413 +0,0 @@ - - - - (No se ha podido obtener el nombre) Meshtastic %s - Filtro - quitar filtro de nodo - Incluir desconocidos - Ocultar nodos desconectados - Mostrar sólo nodos directos - Mostrar detalles - Opciones de orden de Nodos - A-Z - Canal - Distancia - Brinca afuera - Última escucha - vía MQTT - vía MQTT - vía Favorita - No reconocido - Esperando ser reconocido - En cola para enviar - Reconocido - Sin ruta - Recibido un reconocimiento negativo - Tiempo agotado - Sin interfaz - Máximo número de retransmisiones alcanzado - No hay canal - Paquete demasiado largo - Sin respuesta - Solicitud errónea - Se alcanzó el límite regional de ciclos de trabajo - No autorizado - Envío cifrado fallido - Clave pública desconocida - Mala clave de sesión - Clave pública no autorizada - Aplicación conectada o dispositivo de mensajería autónomo. - El dispositivo no reenvía mensajes de otros dispositivos. - Nodo de infraestructura para ampliar la cobertura de la red mediante la retransmisión de mensajes. Visible en la lista de nodos. - Combinación de ROUTER y CLIENTE. No para dispositivos móviles. - Nodo de infraestructura para ampliar la cobertura de la red mediante la retransmisión de mensajes. Visible en la lista de nodos. - Transmisión de paquetes de posición GPS como prioridad. - Transmite paquetes de telemetría como prioridad. - Optimizado para el sistema de comunicación ATAK, reduciendo las transmisiones rutinarias. - Dispositivo que solo emite según sea necesario por sigilo o para ahorrar energía. - Transmite regularmente la ubicación como mensaje al canal predeterminado para asistir en la recuperación del dispositivo. - Permite la transmisión automática TAK PLI y reduce las transmisiones rutinarias. - Nodo de infraestructura que permite la retransmisión de paquetes una vez posterior a los demás modos, asegurando cobertura adicional a los grupos locales. Es visible en la lista de nodos. - Si está en nuestro canal privado o desde otra red con los mismos parámetros lora, retransmite cualquier mensaje observado. - Igual al comportamiento que TODOS pero omite la decodificación de paquetes y simplemente los retransmite. Sólo disponible en el rol repetidor. Establecer esto en cualquier otro rol dará como resultado TODOS los comportamientos. - Ignora mensajes observados desde mallas foráneas que están abiertas o que no pueden descifrar. Solo retransmite mensajes en los nodos locales principales / canales secundarios. - Ignora los mensajes recibidos de redes externas como LOCAL ONLY, pero ignora también mensajes de nodos que no están ya en la lista de nodos conocidos. - Solo permitido para los roles SENSOR, TRACKER y TAK_TRACKER, esto inhibirá todas las retransmisiones, no a diferencia del rol de CLIENT_MUTE. - Trate un doble toque en acelerómetros soportados como una pulsación de botón de usuario. - Deshabilita la triple pulsación del botón de usuario para activar o desactivar GPS. - Controla el LED parpadeante del dispositivo. Para la mayoría de los dispositivos esto controlará uno de los hasta 4 LEDs, el cargador y el GPS tienen LEDs no controlables. - Clave Pública - Nombre del canal - Código QR - icono de la aplicación - Nombre de usuario desconocido - Enviar - Aún no ha emparejado una radio compatible con Meshtastic con este teléfono. Empareje un dispositivo y configure su nombre de usuario. \n\nEsta aplicación de código abierto es una prueba alfa; si encuentra un problema publiquelo en el foro: https://github.com/orgs/meshtastic/discussions\n\nPara obtener más información visite nuestra página web - www.meshtastic.org. - Usted - Aceptar - Cancelar - Borrar cambios - Nueva URL de canal recibida - Informar de un fallo - Informar de un fallo - ¿Está seguro de que quiere informar de un error? Después de informar por favor publique en https://github.com/orgs/meshtastic/discussions para que podamos comparar el informe con lo que encontró. - Informar - Emparejamiento completado, iniciando el servicio - El emparejamiento ha fallado, por favor seleccione de nuevo - El acceso a la localización está desactivado, no se puede proporcionar la posición a la malla. - Compartir - Desconectado - Dispositivo en reposo - Conectado: %1$s Encendido - Dirección IP: - Puerto: - Conectado - Conectado a la radio (%s) - No está conectado - Conectado a la radio, pero está en reposo - Es necesario actualizar la aplicación - Debe actualizar esta aplicación en la tienda de aplicaciones (o en Github). Es demasiado vieja para comunicarse con este firmware de radio. Por favor, lea nuestra documentación sobre este tema. - Ninguno (desactivado) - Notificaciones de servicio - Acerca de - La URL de este canal no es válida y no puede utilizarse - Panel de depuración - Exportar registros - Filtros - Filtros activos - Buscar en registros… - Siguiente coincidencia - Coincidencia anterior - Borrar búsqueda - Añadir filtro - Filtro incluido - Borrar todos los filtros - Limpiar los registros - Coincidir con cualquier | Todo - Coincidir todo | Cualquiera - Esto eliminará todos los paquetes de registro y las entradas de la base de datos de su dispositivo - Es un reinicio completo, y es permanente. - Limpiar - Estado de entrega del mensaje - Notificaciones de mensajes directos - Notificaciones de mensaje de difusión - Notificaciones de alerta - Es necesario actualizar el firmware. - El firmware de radio es demasiado viejo para comunicar con esta aplicación. Para obtener más información sobre esto consulte nuestra guía de instalación de Firmware. - Vale - ¡Debe establecer una región! - No se puede cambiar de canal porque la radio aún no está conectada. Por favor inténtelo de nuevo. - Guardar rangetest.csv - Reiniciar - Escanear - Añadir - ¿Estás seguro de que quieres cambiar al canal por defecto? - Restablecer los valores predeterminados - Aplique - Tema - Claro - Oscuro - Predeterminado del sistema - Elegir tema - Proporcionar la ubicación del teléfono a la malla - - Deseas eliminar el mensaje? - Deseas eliminar %s mensajes? - - Eliminar - Eliminar para todos - Eliminar para mí - Seleccionar todo - Cerrar selección - Borrar seleccionados - Selección de estilo - Descargar región - Nombre - Descripción - Bloqueado - Guardar - Idioma - Predeterminado del sistema - Reenviar - Apagar - Apagado no compatible con este dispositivo - Reiniciar - Traceroute - Mostrar Introducción - Mensaje - Opciones de chat rápido - Nuevo chat rápido - Editar chat rápido - Añadir al mensaje - Envía instantáneo - Restablecer los valores de fábrica - Mensaje Directo - Reinicio de NodeDB - Envío confirmado - Error - Ignorar - ¿Añadir \'%s\' para ignorar la lista? Tu radio se reiniciará después de hacer este cambio. - ¿Eliminar \'%s\' para ignorar la lista? Tu radio se reiniciará después de hacer este cambio. - Seleccionar región de descarga - Estimación de descarga de ficha: - Comenzar Descarga - Intercambiar Posición - Cerrar - Configuración de radio - Configuración de módulo - Añadir - Editar - Calculando… - Administrador sin conexión - Tamaño actual de Caché - Capacidad del caché: %1$.2f MB\nUso del caché: %2$.2f MB - Limpiar Fichas descargadas - Fuente de Fichas - Caché SQL purgado para %s - Error en la purga del caché SQL, consulte logcat para obtener más detalles - Gestor de Caché - ¡Descarga completa! - Descarga completa con %d errores - %d Fichas - rumbo: %1$d° distancia: %2$s - Editar punto de referencia - ¿Eliminar punto de referencia? - Nuevo punto de referencia - Punto de referencia recibido: %s - Límite de Ciclo de Trabajo alcanzado. No se pueden enviar mensajes en este momento, por favor inténtalo de nuevo más tarde. - Quitar - Este nodo será retirado de tu lista hasta que tu nodo reciba datos de él otra vez. - Silenciar notificaciones - 8 horas - 1 semana - Siempre - Reemplazar - Escanear código QR WiFi - Formato de código QR de credencial wifi inválido - Ir atrás - Batería - Utilización del canal - Tiempo de Transmisión - Temperatura: - Humedad - Temperatura del suelo/tierra - Humedad del suelo/tierra - Registros - Saltos de distancia - Número de saltos: %1$d - Información - Utilización del canal actual, incluyendo TX, RX bien formado y RX mal formado (ruido similar). - Porcentaje de tiempo de transmisión utilizado en la última hora. - IAQ - Clave compartida - Los mensajes directos están usando la clave compartida para el canal. - Cifrado de Clave Pública - Clave pública no coincide - Intercambiar información de usuario - Notificaciones de nuevo nodo - Más detalles - SNR - SNR: Ratio de señal a ruido, una medida utilizada en las comunicaciones para cuantificar el nivel de una señal deseada respecto al nivel del ruido de fondo. En Meshtastic y otros sistemas inalámbricos, un mayor SNR indica una señal más clara que puede mejorar la fiabilidad y la calidad de la transmisión de datos. - RSSI - (Calidad de Aire interior) escala relativa del valor IAQ como mediciones del sensor Bosch BME680. -Rango de Valores 0 - 500. - Registro de métricas del dispositivo - Mapa de Nodos - Registro de Posiciones - Última actualización - Registro de métricas ambientales - Registro de Señal Métrica - Administración - Administración remota - Mal - Aceptable - Bien - Ninguna - Compartir con… - Señal - Calidad de señal - Registro de Ruta - Directo - - 1 salto - %d saltos - - Salta hacia %1$d Salta de vuelta %2$d - 24H - 48H - 1Semana - 2Semanas - 4Semanas - Máximo - Edad desconocida - Copiar - ¡Carácter Campana de Alerta! - ¡Alerta Crítica! - Favorito - ¿Añadir \'%s\' como un nodo favorito? - ¿Eliminar \'%s\' como un nodo favorito? - Registro de métricas de energía - Canal 1 - Canal 2 - Canal 3 - Intensidad - Tensión - ¿Estás seguro? - Sé lo que estoy haciendo - El nodo %1$s tiene poca batería (%2$d%%) - Notificaciones de batería baja - Batería baja: %s - Notificaciones de batería baja (nodos favoritos) - Presión Barométrica - Mesh a través de UDP activado - Configuración UDP - Última escucha: %2$s
Última posición: %3$s
Batería: %4$s]]>
- Cambiar mi posición - Usuario - Canales - Dispositivo - Posición - Energía - Red - Pantalla - LoRa - Bluetooth - Seguridad - MQTT - Conexión Serial - Notificaciones Externas - - Test de Alcance - Telemetría - Mensajes Predefinidos - Audio - Hardware Remoto - Información de Vecinos - Luz Ambiental - Sensor de Presencia - Contador de Paquetes - Configuración de sonido - CODEC 2 activado - Pin PTT - Frecuencia de Muestreo CODEC2 - Entrada de datos I2S - Salida de datos I2S - Reloj del I2S - Configuración Bluetooth - Bluetooth activado - Modo de emparejamiento - Pin fijo - Por defecto - Posición activada - Pin GPIO - Tipo - Ocultar contraseña - Mostrar contraseña - Detalles - Ambiente - Configuración de la luz ambiental - Estado de led - Rojo - Verde - Azul - Configuración de mensajes predefinidos - Mensaje predefinidos activados - Mandar campana 🔔 - Mensajes - Configuración del sensor detector - Sensor detector activado - Tiempo mínimo de transmisión (segundos) - Mandar la campana con el mensaje de alerta - Mote - Pin GPIO para monitorizar - Tipo de detección para activar - Utilizar el modo de entrada PULL_UP - Configuración del dispositivo - Rol - Redefinir PIN_BOTÓN (PIN_BUTTON) - Redefinir PIN_BUZZER - Modo de retransmisión - Periodo entre transmisiones de la información del nodo (segundos) - Tratar las dobles pulsaciones como una de botón - Desactivar pulsaciones triples - Zona horaria POSIX - Desactivar el latido LED - Configuración de pantalla - Tiempo para apagar la pantalla (segundos) - Formato de las coordenadas GPS - Tiempo para pasar entre pantallas automáticamente (segundos) - La brújula apunta al norte - Girar la pantalla 180º - Unidades en pantalla - Sobrescribir la auto-detección OLED - Modo de la pantalla - Rumbo en negrita - Despertar al tocar o moverse - Orientación de la brújula - Configuración de las notificaciones externas - Notificaciones externas activadas - Notificación LED al recibir un mensaje - Notificación con el buzzer al recibir un mensaje - Notificación con vibración al recibir un mensaje - Notificaciones al recibir una alerta/campana - Notificación LED al recibir una campana - Notificación con el zumbador al recibir una campana - Notificación con vibración al recibir una campana - Salida LED (pin GPIO) - Salida buzzer (pin GPIO) - Utilizar buzzer PWM - Salida vibratoria (pin GPIO) - Duración en las salidas (milisegundos) - Tono de notificación - - Configuración de la posición - Clave Pública - Clave privada - Tiempo agotado - Pulso de vida - Icono de la calidad del aire - Distancia - Ajustes - Reaccionar - Lux ultravioletas - - - - - Mensaje - Saltar -
diff --git a/app/src/main/res/values-et/strings.xml b/app/src/main/res/values-et/strings.xml deleted file mode 100644 index 93cac2475..000000000 --- a/app/src/main/res/values-et/strings.xml +++ /dev/null @@ -1,757 +0,0 @@ - - - - Meshtastic %s - Filtreeri - eemalda sõlmefilter - Kaasa tundmatud - Peida ühenduseta - Kuva ainult otseühendusega - Sa vaatad eiratud sõlmi,\nVajuta tagasi minekuks sõlmede nimekirja. - Kuva üksikasjad - Sõlmede filter - A-Z - Kanal - Kaugus - Hüppeid - Viimati kuuldud - läbi MQTT - läbi MQTT - läbi Lemmikud - Eiratud sõlmed - Tundmatu - Ootab kinnitamist - Saatmise järjekorras - Kinnitatud - Marsruuti pole - Negatiivne kinnitus - Aegunud - Liidest pole - Maksimaalne kordusedastus on saavutatud - Kanalit pole - Liiga suur pakett - Vastust pole - Vigane päring - Piirkondlik töötsükli piirang saavutatud - Autoriseerimata - Krüpteeritud saatmine nurjus - Tundmatu avalik võti - Vigane sessiooni võti - Avalik võti autoriseerimata - Rakendusega ühendatud või iseseisev sõnumsideseade. - Seade, mis ei edasta pakette teistelt seadmetelt. - Infrastruktuuri sõlm võrgu leviala laiendamiseks sõnumite edastamise kaudu. Nähtav sõlmede loendis. - Ruuteri ja Kliendi kombinatsioon. Ei ole mõeldud mobiilseadmetele. - Infrastruktuuri sõlm võrgu leviala laiendamiseks, edastades sõnumeid minimaalse üldkuluga. Pole sõlmede loendis nähtav. - Esmajärjekorras edastatakse GPS asukoha pakette. - Esmalt edastatakse telemeetria pakette. - Optimeeritud ATAK süsteemi side jaoks, vähendab rutiinseid saateid. - Seade, mis edastab ülekandeid ainult siis, kui see on vajalik varjamiseks või energia säästmiseks. - Edastab asukohta regulaarselt vaikekanalile sõnumina, et aidata seadme leidmisel. - Võimaldab automaatseid TAK PLI saateid ja vähendab rutiinseid saateid. - Infrastruktuurisõlm, mis saadab pakette ainult ühe korra, ning alles peale kõiki teisi sõlmi, tagades kohalikele klastritele täiendava katvuse. Nähtav sõlmede loendis. - Saada uuesti mis tahes jälgitav sõnum, kui see oli privaatkanali või teisest samade LoRa parameetritega võrgus. - Sama käitumine nagu KÕIK puhul, aga pakete ei dekodeerita vaid need lihtsalt edastatakse. Saadaval ainult Repiiteri rollis. Teise rolli puhul toob kaasa KÕIK käitumise. - Ignoreerib jälgitavaid sõnumeid välisvõrkudest avatud või dekrüpteerida mittevõimalikke sõnumeid. Saadab sõnumeid ainult kohalikel primaarsetel/sekundaarsetel kanalitel. - Ignoreerib välismaistest võrgusilmadest, nt AINULT KOHALIK, saadud sõnumeid, kuid läheb sammu edasi, ignoreerides ka sõnumeid sõlmedelt, mis pole veel tuntud sõlme loendis. - Lubatud ainult rollidele SENSOR, TRACKER ja TAK_TRACKER, see blokeerib kõik kordus edastused, vastupidiselt CLIENT_MUTE rollile. - Ignoreerib pakette mittestandardsetest pordinumbritest, näiteks: TAK, RangeTest, PaxCounter jne. Edastatakse ainult standardsete pordinumbritega pakette: NodeInfo, Tekst, Asukoht, Telemeetia ja Routimine. - Topelt puudutust toetatud kiirendusmõõturitel käsitletakse kasutaja nupuvajutusena. - Keelab kolmikvajutuse GPS lubamiseks või keelamiseks. - Juhib seadme vilkuvaid LED. Enamiku seadmete puhul juhib see 1 kuni 4 LED, laadija ja GPS LED ei ole juhitavad. - Lisaks MQTT-le ja PhoneAPI-le saatmisele peaks meie NeighborInfo edastama ka LoRa kaudu. Ei tööta vaikimisi võtme ja - nimega kanalil. - Avalik võti - Kanali nimi - QR kood - rakenduse ikoon - Tundmatu kasutajanimi - Saada - Ei ole veel ühendanud Meshtastic -kokku sobivat raadiot telefoniga. Seo seade selle telefoniga ja määra kasutajanimi.\n\nSee avatud lähtekoodiga programm on alpha-testi staatuses. Kui märkad vigu, saada palun sõnum meie foorumisse: https://github.com/orgs/meshtastic/discussions\n\nLisateave kodulehel - www.meshtastic.org. - Sina - Nõustu - Tühista - Võta tagasi - Uued kanalid vastu võetud - Teata veast - Teata veast - Kas soovid kindlasti veast teatada? Saada hiljem selgitus aadressile https://github.com/orgs/meshtastic/discussions, et saaksime selgitust leituga sobitada. - Raport - Seade on seotud, taaskäivitan - Sidumine ebaõnnestus, vali palun uuesti - Juurdepääs asukohale on välja lülitatud, ei saa asukohta teistele jagada. - Jaga - Uus sõlm nähtud: %s - Ühendus katkenud - Seade on unerežiimis - Ühendatud: %1$s aktiivset - IP-aadress: - Port: - Ühendatud - Ühendatud raadioga (%s) - Ei ole ühendatud - Ühendatud raadioga, aga see on unerežiimis - Vajalik on rakenduse värskendus - Pead seda rakendust rakenduste poes (või Github) värskendama. See on liiga vana selle raadio püsivara jaoks. Loe selle kohta lisateavet meie dokumentatsioonist . - Puudub (pole kasutatud) - Teenuse teavitused - Teave - Kanali URL on kehtetu ja seda ei saa kasutada - Arendaja paneel - Dekodeeritud andmed: - Salvesta logi - Filtrid - Aktiivsed filtrid - Otsi logist… - Järgmine - Eelmine - Puhasta otsing - Lisa filter - Filter kaasa arvatud - Puhasta kõik filtrid - Puhasta logid - Sobib mõni | kõik - Sobib mõni | kõik - See eemaldab teie seadmest kõik logipaketid ja andmebaasikirjed – see on täielik lähtestamine ja see on jäädav. - Kustuta - Sõnumi edastamise olek - Otsesõnumi teated - Ringhäälingusõnumi teated - Märguteated - Püsivara värskendus on vajalik. - Raadio püsivara on selle rakenduse kasutamiseks liiga vana. Lisateabe saamiseks vaata meie püsivara paigaldusjuhendit. - Olgu - Pead valima regiooni! - Kanalit ei saanud vahetada, kuna raadio pole veel ühendatud. Proovi uuesti. - Lae alla rangetest.csv - Taasta - Otsi - Lisa - Kas oled kindel, et soovid vaikekanalit muuta? - Taasta vaikesätted - Rakenda - Teema - Hele - Tume - Süsteemi vaikesäte - Vali teema - Jaga telefoni asukohta mesh-võrku - - Kustuta sõnum? - Kustuta %s sõnumit? - - Eemalda - Eemalda kõigi jaoks - Eemalda minult - Vali kõik - Sulge valik - Kustuta valik - Stiili valik - Lae piirkond - Nimi - Kirjeldus - Lukustatud - Salvesta - Keel - Süsteemi vaikesäte - Saada uuesti - Lülita välja - Seade ei toeta väljalülitamist - Taaskäivita - Marsruudi - Näita tutvustust - Sõnum - Kiirvestlus valikud - Uus kiirvestlus - Kiirvestluse muutmine - Lisa sõnumisse - Saada kohe - Kuva kiirsõnumite valik - Peida kiirsõnumite valik - Tehasesätted - Otsesõnum - NodeDB lähtestamine - Kohale toimetatud - Viga - Eira - Lisa \'%s\' eiramis loendisse? - Eemaldada \'%s\' eiramis loendist? - Vali allalaetav piirkond - Paanide allalaadimise prognoos: - Alusta allalaadimist - Jaga asukohta - Sule - Raadio sätted - Mooduli sätted - Lisa - Muuda - Arvutan… - Võrguühenduseta haldur - Praegune vahemälu suurus - Vahemälu maht: %1$.2f MB\nVahemälu kasutus: %2$.2f MB - Tühjenda allalaetud paanid - Paani allikas - SQL-i vahemälu puhastatud %s jaoks - SQL-i vahemälu tühjendamine ebaõnnestus, vaata üksikasju logcat\'ist - Vahemälu haldamine - Allalaadimine on lõppenud! - Allalaadimine lõpetati %d veaga - %d paani - suund: %1$d° kaugus: %2$s - Muuda teekonnapunkti - Eemalda teekonnapunkt? - Uus teekonnapunkti - Vastuvõetud teekonnapunkt %s - Töötsükli limiit on saavutatud. Sõnumite saatmine ei ole hetkel võimalik. Proovi hiljem uuesti. - Eemalda - Antud sõlm eemaldatakse loendist kuniks sinu sõlm võtab sellelt vastu uuesti andmeid. - Vaigista teatised - 8 tundi - 1 nädal - Alati - Asenda - Skaneeri WiFi QR kood - Vigane WiFi tõendi QR koodi vorming - Liigu tagasi - Aku - Kanali kasutus - Eetri kasutus - Temperatuur - Niiskus - Mulla temperatuur - Maapinna niiskus - Logi kirjet - Hüppe kaugusel - %1$d hüppe kaugusel - Informatsioon - Praeguse kanali kasutamine, sealhulgas korrektne TX, RX ja vigane RX (ehk müra). - Viimase tunni jooksul kasutatud eetriaja protsent. - IAQ - Jagatud võti - Otsesõnumid kasutavad selle kanali jaoks jagatud võtit. - Avaliku võtme krüpteerimine - Otsesõnumid kasutavad krüpteerimiseks uut avaliku võtme taristut. Eeldab püsivara versiooni 2.5 või uuemat. - Kokkusobimatu avalik võti - Avalik võti ei ühti salvestatud võtmega. Võite sõlme eemaldada ja lasta sellel uuesti võtmeid vahetada, kuid see võib viidata tõsisemale turvaprobleemile. Võtke kasutajaga ühendust mõne muu usaldusväärse kanali kaudu, et teha kindlaks, kas võtme muudatuse põhjuseks oli tehaseseadete taastamine või muu tahtlik tegevus. - Kasutajate teabe vahetamine - Uue sõlme teade - Rohkem üksikasju - SNR - Signaali ja müra suhe (SNR) on mõõdik, mida kasutatakse soovitud signaali taseme ja taustamüra taseme vahelise suhte määramisel. Meshtastic ja teistes traadita süsteemides näitab kõrgem signaali ja müra suhe selgemat signaali, mis võib parandada andmeedastuse usaldusväärsust ja kvaliteeti. - RSSI - Vastuvõetud signaali tugevuse indikaator (RSSI), mõõt mida kasutatakse antenni poolt vastuvõetava võimsustaseme määramiseks. Kõrgem RSSI väärtus näitab üldiselt tugevamat ja stabiilsemat ühendust. - Siseõhu kvaliteet (IAQ) on suhtelise skaala väärtus, näiteks mõõtes Bosch BME680 abil. Väärtuste vahemik 0–500. - Seadme andurite logi - Sõlmede kaart - Asukoha logi - Viimase asukoha värskendus - Keskkonnaandurite logi - Signaalitugevuse andurite logi - Haldus - Kaughaldus - Halb - Rahuldav - Hea - Puudub - Jaga… - Levi - Levi Kvaliteet - Marsruutimise Logi - Otsene - - 1 hüpe - %d hüppet - - %1$d hüpet sõlmeni, %2$d hüpet tagasi - 24T - 48T - 1N - 2N - 4N - Maksimaalselt - Tundmatu vanus - Kopeeri - Häirekella sümbol! - Häiresõnum! - Lemmik - Lisa \'%s\' lemmik sõlmede hulka? - Eemalda \'%s\' lemmik sõlmede hulgast? - Toitepinge andurite logi - Kanal 1 - Kanal 2 - Kanal 3 - Pinge - Vool - Oled kindel? - seadme rollide juhendit ja blogi postitust valin õige seadme rolli.]]> - Ma tean mida teen. - Sõlmel %1$s on akupinge madal (%2$d%%) - Madala akupinge teavitus - Madal akupinge: %s - Madala akupinge teated (lemmik sõlmed) - Baromeetri rõhk - Mesh UDP kaudu lubatud - UDP sätted - Viimati kuuldud: %2$s
viimane asukoht: %3$s
Akupinge: %4$s]]>
- Lülita asukoht sisse - Kasutaja - Kanal - Seade - Asukoht - Toide - Võrk - Ekraan - LoRa - Sinihammas - Turvalisus - MQTT - Jadaport - Välised teated - - Ulatustest - Telemeetria - Salvestatud sõnum - Heli - Kaugriistvara - Naabri teave - Ambient valgus - Tuvastusandur - Pax loendur - Heli sätted - CODEC 2 lubatud - PTT klemm - CODEC2 test sagedus - I2S sõna valik - I2S info sisse - I2S info välja - I2S kell - Sinihamba sätted - Sinihammas lubatud - Sidumine - Fikseeritud PIN - Saatmine lubatud - Vastuvõtt lubatud - Vaikesäte - Asukoht lubatud - Täpne asukoht - GPIO klemm - Tüüp - Peida parool - Kuva parool - Üksikasjad - Keskkond - Ambient valguse sätted - LED olek - Punane - Roheline - Sinine - Salvestatud sõnumite sätted - Salvestatud sõnumid lubatud - Pöördvalik #1 lubatud - GPIO klemmi pöördvalik A-pordis - GPIO klemmi pöördvalik B-pordis - GPIO klemmi pöördvalik Vajuta-pordis - Sisendsündmus Vajuta sisendis - Sisendsündmus CW sisendis - Sisendsündmus CCW sisendis - Üles/Alla/Vali sisend lubatud - Luba sisend allikas - Saada Kõll - Sõnum - Tuvastusanduri sätted - Tuvastusandur lubatud - Minimaalne edastusaeg (sekund) - Oleku edastus (sekund) - Saada kõll koos hoiatus-sõnumiga - Kasutajasõbralik nimi - GPIO klemmi jälgimine - Identifitseerimistüüp - Kasuta INPUT_PULLUP režiimi - Seadme sätted - Roll - Seadista uuesti PIN_NUPP - Seadista uuesti PIN_SIGNAAL - Uuesti edastamise režiim - Sõlme Info edastuse sagedus (sekund) - Topelt puudutus nupuvajutusena - Kolmikvajutuse keelamine - POSIX ajatsoon - Keela südamelöögid - Ekraani sätted - Ekraani välja lükkamine (sekund) - GPS koordinaatide formaat - Automaatne ekraani karussell (sekund) - Kompassi põhjasuund üleval - Keera ekraani - Ekraani ühikud - OLED automaat tuvastamise tühistamine - Ekraani režiim - Pealkiri paksult - Ekraani äratamine puudutamise või liigutamisega - Kompassi suund - Välisete teadete sätted - Luba Välised teated - Sõnumi vastuvõtmise teated - Hoiatussõnumi LED - Hoiatussõnumi summer - Hoiatussõnumi värin - Hoiatuskella vastuvõtmise teated - Hoiatuskella LED - Hoiatuskella summer - Hoiatuskella värin - Väljund LED (GPIO) - Väljund LED aktiivne - Väljund summer (GPIO) - Kasuta PWM summerit - Väljund värin (GPIO) - Väljundi kestvus (millisekundit) - Häire ajalõpp (sekundit) - Helin - Kasuta I2S summerina - LoRa sätted - Kasuta modemi vaikesätteid - Modemi vaikesäte - Ribalaius - Levitustegur - Kodeerimiskiirus - Sagedusnihe (MHz) - Regioon (sagedusplaan) - Hüppe limiit - TX lubatud - TX võimsus (dBm) - Sageduspesa - Töötsükli tühistamine - Ignoreeri sissetulevaid - SX126X RX võimendamine - Kasuta kohandatud sagedust (MHz) - PA ventilaator keelatud - Keela MQTT - MQTT kasutuses - MQTT sätted - MQTT lubatud - Aadress - Kasutajatunnus - Parool - Krüptimine lubatud - JSON väljund lubatud - TLS lubatud - Juurteema - Kliendi proksi lubatud - Kaardi raport - Kaardi raporti sagedus (sekundit) - Naabri teabe sätted - Naabri teave lubatud - Uuenduste sagedus (sekundit) - Saada LoRa kaudu - Võrgu sätted - Wifi lubatud - SSID - PSK - Ethernet lubatud - NTP server - rsyslog server - IPv4 režiim - IP - Lüüs - Alamvõrk - Paxcounter sätted - Paxcounter lubatud - WiFi RSSI lävi (vaikeväärtus -80) - BLE RSSI lävi (vaikeväärtus -80) - Asukoha sätted - Asukoha jagamine sagedus (sekund) - Nutikas asukoht kasutuses - Nutika asukoha minimaalne muutus (meetrites) - Nutika asukoha minimaalne aeg (meetrites) - Kasuta fikseeritud asukohta - Laiuskraad - Pikkuskraad - Kõrgus (meetrites) - Kasuta telefoni hetkelist asukohta - GPS režiim - GPS värskendamise sagedus (sekund) - Määra GPS_RX_PIN - Määra GPS_TX_PIN - Määra PIN_GPS_EN - Asukoha märgid - Toite sätted - Luba energiasäästurežiim - Aku viivitus väljalükkamisel (sekund) - Asenda ADC kordistaja suhe - Sinihamba ootamine (sekund) - Super süvaune kestvus (sekund) - Kergune kestvus (sekundit) - Minimaalne ärkamise aeg (sekund) - Aku INA_2XX I2C aadress - Ulatustest sätted - Ulatustest lubatud - Saatja sõnumi sagedus (sekund) - Salvesta .CSV faili (ainult ESP32) - Kaug riistvara sätted - Kaug riistvara lubatud - Luba määratlemata klemmi juurdepääs - Saadaval klemmid - Turva sätted - Avalik võti - Salajane võti - Administraatori võti - Hallatud režiim - Jadapordi konsool - Silumislogi API lubatud - Pärandadministraatori kanal - Jadapordi sätted - Jadaport lubatud - Kaja lubatud - Jadapordi kiirus - Aegunud - Jadapordi režiim - Konsooli jadapordi alistamine - - Südamelöögid - Kirjete arv - Ajalookirjete maksimaalne arv - Ajalookirjete aken - Server - Telemeetria sätted - Seadme mõõdikute värskendamise sagedus (sekundit) - Keskkonnamõõdikute värskendamise sagedus (sekundit) - Keskkonnamõõdikute lubamine - Keskkonnamõõdikute ekraanil kuvamine lubatud - Keskkonnamõõdikud kasutavad Fahrenheiti - Õhukvaliteedi moodul on lubatud - Õhukvaliteedi värskendamise sagedus (sekundit) - Õhukvaliteedi ikoon - Toitemõõdiku moodul on lubatud - Toitemõõdiku värskendamise sagedus (sekundit) - Toitemõõdiku ekraanil kuvamine lubatud - Kasutaja sätted - Sõlme ID - Pikk nimi - Lühinimi - Seadme mudel - Litsentseeritud amatöörraadio (HAM) - Selle valiku lubamine keelab krüpteerimise ja ei ühildu Meshtastic vaikevõrguga. - Kastepunkt - Õhurõhk - Gaasi surve - Kaugus - Luksi - Tuul - Kaal - Radiatsioon - - Siseõhu kvaliteet (IAQ) - URL - - Lae sätted - Salvesta sätted - Raudvara - Toetatud - Sõlme number - Kasutaja ID - Töötamise aeg - Lae %1$d - Vaba kettamaht %1$d - Ajatempel - Suund - Kiirus - Sateliit - Kõrgus - Sagedus - Pesa - Peamine - Pidev asukoha ja telemeetria edastamine - Teisene - Pidevat telemeetria edastamist ei toimu - Vajalik käsitsi asukohapäring - Järjestamiseks vajuta ja lohista - Eemalda vaigistus - Dünaamiline - Skanneeri QR kood - Jaga kontakti - Impordi jagatud kontakt? - Ei võta sõnumeid vastu - Jälgimata või infrastruktuuripõhine - Hoiatus: See kontakt on olemas, importimine kirjutab eelmise kontakti kirje üle. - Avalik võti muudetud - Lae sisse - Küsi metainfot - Toimingud - Püsivara - Kasuta 12 tunni formaati - Kui see on lubatud, kuvab seade ekraanil aega 12 tunni formaadis. - Hosti andurite logi - Host - Vaba mälumaht - Vaba kettamaht - Lae - Kasutaja string - Mine asukohta - Sõlmed - Sätted - Määra regioon - Vasta - Teie sõlm saadab pidevalt määratletud MQTT serverile krüpteerimata kaardiaruande pakete, mis sisaldab ID-d, pikka- ja lühinime, ligikaudset asukohta, riistvaramudelit, rolli, püsivara versiooni, LoRa regiooni, modemi eelseadistust ja peamise kanali nime. - Nõusolek krüpteerimata sõlmeandmete jagamiseks MQTT kaudu - Selle funktsiooni lubamisega kinnitate ja nõustute selgesõnaliselt oma seadme reaalajas geograafilise asukoha edastamisega MQTT protokolli kaudu ilma krüpteerimiseta. Neid asukohaandmeid võidakse kasutada sellistel eesmärkidel nagu: reaalajas kaardi aruandlus, seadme jälgimine ja seotud telemeetriafunktsioonid. - Olen ülaltoodu läbi lugenud ja sellest aru saanud. Annan vabatahtlikult nõusoleku oma sõlmeandmete krüpteerimata edastamiseks MQTT kaudu - Nõustun. - Soovitatav püsivara värskendamine. - Uusimate paranduste ja funktsioonide kasutamiseks värskendage oma sõlme püsivara.\n\nUusim stabiilne püsivara versioon: %1$s - Aegub - Aeg - Kuupäev - Kaardi filter\n - Ainult lemmikud - Kuva teekonnapunktid - Näita täpsusringid - Kliendi teated - Tuvastati ohustatud võtmed, valige uuesti loomiseks OK. - Loo uus privaatvõti - Kas olete kindel, et soovite oma privaatvõtit uuesti luua?\n\nSõlmed, mis võisid selle sõlmega varem võtmeid vahetanud, peavad turvalise suhtluse jätkamiseks selle sõlme eemaldama ja võtmed uuesti vahetama. - Salvesta võtmed - Ekspordib avalikud- ja privaatvõtmed faili. Palun hoidke kuskil turvalises kohas. - Moodulid on lukustamata - Kaugjuhtimine - (%1$d võrgus / %2$d kokku) - Reageeri - Katkesta ühendus - Võrguseadmeid ei leitud. - USB seadmeid ei leita. - Mine lõppu - Meshtastic - Skaneerin - Turvalisuse olek - Turvaline - Hoiatusmärk - Tundmatu kanal - Hoiatus - Lisa valikud - UV Luks - Tundmatu - Tühjenda sõlmede andmebaas - Eemalda sõlmed mida pole nähtud rohkem kui %1$d päeva - Eemalda tundmatud sõlmed - Eemalda vähe aktiivsed sõlmed - Eemalda ignooritud sõlmed - Eemalda nüüd - See eemaldab %1$d seadet andmebaasist. Toimingut ei saa tagasi võtta. - Roheline lukk näitab, et kanal on turvaliselt krüpteeritud kas 128 või 256 bittise AES võtmega. - - Ebaturvaline kanal, ei ole täpne - Kollane avatud lukk näitab, et kanal ei ole turvaliselt krüpteeritud ning seda ei kasutata täpsete asukohaandmete edastamiseks. Võtit ei kasuta üldse või on vaike 1-baidine. - - Ebaturvaline kanal, asukoht täpne - Punane avatud lukk näitab, et kanal ei ole turvaliselt krüpteeritud ning seda kasutatakse täpsete asukohaandmete edastamiseks. Võtit ei kasuta üldse või on see vaike 1-baidine. - - Hoiatus: ebaturvaline, täpne asukoht & MQTT saatmine - Punane avatud lukk koos hoiatusega näitab, et kanal ei ole turvaliselt krüpteeritud ning seda kasutatakse täpsete asukohaandmete edastamiseks internetti läbi MQTT. Võtit ei kasuta või on see vaike 1-baidine. - - Kanali turvalisus - Kanali turvalisuse tähendus - Näita kõik tähendused - Näita hetke olukord - Loobu - Kas olete kindel, et soovite selle sõlme kustutada? - Vasta kasutajale %1$s - Tühista vastus - Kustuta sõnum? - Ära vali midagi - Sõnum - Sisesta sõnum - PAX andurite logi - PAX - PAX andurite logi ei ole saadaval. - WiFi seadmed - Sinihamba seadmed - Limiit ületatud. Proovi hiljem uuesti. - Näita versioon - Lae alla - Paigaldatud - Viimane stabiilne - Viimane alfa - Toetatud Meshtastic kommuuni poolt - Püsivara versioon - Hiljuti nähtud seadmed - Avastatud seadmed - Algusesse - Teretulemast - Igal pool ühenduses - Saada sõnumeid sõpradele ja kommuunile ilma võrguühenduse või mobiilivõrguta. - Loo oma võrk - Loo hõlpsalt privaatseid meshtastic võrke turvaliseks ja usaldusväärseks suhtluseks asustamata piirkondades. - Jälgi ja jaga asukohta - Jaga reaalajas oma asukohta ja hoia oma grupp ühtsena integreeritud GPS funktsioonide abil. - Rakenduse märguanded - Sissetulevad sõnumid - Kanali märguanded ja otsesõnumid. - Uus sõlm - Uue avastatud sõlme märguanded. - Madal akutase - Ühendatud seadme madala akutaseme märguanded. - Kriitilistena saadetud pakettide saatmisel ignoreeritakse operatsioonisüsteemi teavituskeskuse vaigistust ja režiimi „Ära sega” sätteid. - Määra märguannete load - Telefoni asukoht - Meshtastic kasutab teie telefoni asukohta mitmete funktsioonide lubamiseks. Saate oma asukohalubasid igal ajal seadetes muuta. - Jaga asukohta - Kasuta asukohana oma telefoni GPS, mitte sõlme riistvaralist GPS. - Kauguse mõõtmised - Kuva telefoni ja teiste Meshtastic sõlmede asukoha vaheline kaugus. - Kauguse filter - Filtreeri sõlmede loendit ja sõlmede kaarti kauguse põhjal sinu telefonist. - Meshtastic kaardi asukoht - Lubab telefoni asukoha kuvamine sinisena sõlmede kaardil. - Muuda asukoha kasutusload - Jäta vahele - sätted - Häiresõnumid - Et tagada teile kriitiliste teadete vastuvõtmine, näiteks - hädaabisõnumid, isegi siis, kui teie seade on „Ära sega” režiimis, pead lubama eri - load. Palun luba see teavitusseadetes. - - Kriitiliste hoiatuste seadistamine - Meshtastic kasutab märguandeid, et hoida teid kursis uute sõnumite ja muude oluliste sündmustega. Saate oma märguannete õigusi igal ajal seadetes muuta. - Järgmine - %d eemaldatavat sõlme nimekirjas: - Hoiatus: See eemaldab sõlmed rakendusest, kui ka seadmest.\nValikud on lisaks eelnevale. - Ühendan seadet - Normaalne - Sateliit - Maastik - Hübriid - Halda kaardikihte - Kaardikihid - Kaardikihid laadimata. - Lisa kiht - Peida kiht - Näita kiht - Eemalda kiht - Lisa kiht - Sõlmed siin asukohas - Vali kaardi tüüp - Halda kohandatud kardikihti - Lisa kohandatud kardikiht - Kohandatud kardikihte ei ole - Muuda kohandatud kardikihti - Kustuta kohandatud kardikiht - Nimi ei tohi olla tühi. - Teenusepakkuja nimi on olemas. - URL ei tohi olla tühi. - URL peab sisaldama vahesümboleid. - URL mall - jälgimispunkt -
diff --git a/app/src/main/res/values-fi/strings.xml b/app/src/main/res/values-fi/strings.xml deleted file mode 100644 index bd49a0b77..000000000 --- a/app/src/main/res/values-fi/strings.xml +++ /dev/null @@ -1,776 +0,0 @@ - - - - Meshtastic %s - Suodatus - tyhjennä suodatukset - Näytä tuntemattomat - Piilota ei yhteydessä olevat laitteet - Näytä vain suorat yhteydet - Katselet tällä hetkellä huomioimattomia laitteita,\nPaina palataksesi laitelistaan. - Näytä lisätiedot - Lajitteluvaihtoehdot - A-Ö - Kanava - Etäisyys - Hyppyjä - Viimeksi kuultu - MQTT:n kautta - MQTT:n kautta - Suosikkien kautta - Huomioimattomat laitteet - Tuntematon - Odottaa vahvistusta - Jonossa lähetettäväksi - Vahvistettu - Ei reittiä - Vastaanotettu kielteinen vahvistus - Aikakatkaisu - Ei Käyttöliittymää - Maksimimäärä uudelleenlähetyksiä saavutettu - Ei Kanavaa - Paketti on liian suuri - Ei vastausta - Virheellinen pyyntö - Alueellisen toimintasyklin raja saavutettu - Ei oikeuksia - Salattu lähetys epäonnistui - Tuntematon julkinen avain - Virheellinen istuntoavain - Julkinen avain ei ole valtuutettu - Yhdistetty sovellukseen tai itsenäinen viestintälaite. - Laite, joka ei välitä paketteja muilta laitteilta. - Laite, joka laajentaa verkon infrastruktuuria viestejä välittämällä. Näkyy solmulistauksessa. - Yhdistelmä ROUTER sekä CLIENT roolista. Ei mobiililaitteille. - Laite, joka laajentaa verkon kattavuutta välittämällä viestejä verkkoa kuormittamatta. Ei näy solmulistauksessa. - Lähettää GPS-sijaintitiedot ensisijaisesti. - Lähettää telemetriatiedot ensisijaisesti. - Optimoitu ATAK-järjestelmän viestintään, joka vähentää tavanomaisia lähetyksiä. - Laite, joka lähettää vain tarvittaessa tai virransäästotilassa. - Lähettää laitteen sijainnin viestillä oletuskanavalle sen löytämisen helpottamiseksi. - Ottaa käyttöön automaattisen TAK PLI -lähetyksen vähentäen tavanomaisia lähetyksiä. - Muuten samanlainen kuin ROUTER rooli, mutta se uudelleen lähettää paketteja vasta kaikkien muiden tilojen jälkeen, varmistaen paremman peittoalueen muille laitteille. Laite näkyy mesh-verkon solmuluettelossa muille käyttäjille. - Uudelleenlähettää kaikki havaitut viestit, jos ne ovat olleet omalla yksityisellä kanavalla tai toisessa mesh-verkosta, jossa on samat LoRa-parametrit. - Käyttäytyy samalla tavalla kuin ALL, mutta jättää pakettien purkamisen väliin ja lähettää niitä vain uudelleen. Mahdollista käyttää vain Repeater-roolissa. Tämän asettaminen muille rooleille johtaa ALL-käyttäytymiseen. - Ei ota huomioon havaittuja viestejä ulkomaisista verkoista, jotka ovat avoimia tai joita se ei voi purkaa. Lähettää uudelleen viestin vain solmun paikallisilla ensisijaisilla / toissijaisilla kanavilla. - Ei ota huomioon havaittuja viestejä ulkomaisista verkoista kuten LOCAL ONLY, mutta menee askeleen pidemmälle myös jättämällä huomiotta viestit solmuista, joita ei ole jo solmun tuntemassa listassa. - Sallittu vain SENSOR-, TRACKER- ja TAK_TRACKER -rooleille. Tämä estää kaikki uudelleenlähetykset, toisin kuin CLIENT_MUTE -roolissa. - Ei ota huomioon paketteja, jotka tulevat ei-standardeista porttinumeroista, kuten: TAK, RangeTest, PaxCounter jne. Lähettää uudelleen vain paketteja, jotka käyttävät standardeja porttinumeroita: NodeInfo, Text, Position, Telemetry ja Routing. - Käsittele tuetun kiihtyvyysanturin kaksoisnapautusta käyttäjäpainikkeella. - Poista käytöstä kolmoisnapautuksen GPS:n käyttöönoton painike. - Hallitsee laitteen vilkkuvaa LED-valoa. Useimmissa laitteissa tällä voidaan ohjata yhtä neljästä LED-valosta, mutta latauksen tai GPS:n valoja ei voi hallita. - Lähetetäänkö naapuritiedot LoRa:n kautta sen lisäksi, että ne lähetetään MQTT-protokollalla ja PhoneAPI sovellusrajapinnassa? Tämä ei ole tuettu kanavalla, joka käyttää oletussalausavainta ja nimeä. - Julkinen avain - Kanavan nimi - QR-koodi - Sovelluskuvake - Tuntematon käyttäjänimi - Lähetä - Et ole vielä yhdistänyt Meshtastic -yhteensopivaa radiota tähän puhelimeen. Muodosta laitepari puhelimen kanssa ja aseta käyttäjänimesi.\n\nTämä avoimen lähdekoodin sovellus on vielä kehitysvaiheessa. Jos löydät virheen, lähetä siitä viesti foorumillemme: https://github.com/orgs/meshtastic/discussions\n\nLisätietoja saat verkkosivuiltamme - www.meshtastic.org. - Sinä - Salli analytiikka ja virheraportit. - Hyväksy - Peruuta - Peru muutokset - Uusi kanavan URL-osoite vastaanotettu - Meshtastic tarvitsee sijaintioikeudet, jotta se voi löytää uusia laitteita Bluetoothin kautta. Voit poistaa oikeuden käytöstä, kun et käytä sovellusta. - Ilmoita virheestä - Ilmoita virheestä - Oletko varma, että haluat raportoida virheestä? Tee tämän jälkeen julkaisu https://github.com/orgs/meshtastic/discussions osoitteessa, jotta voimme yhdistää löytämäsi virheen raporttiin. - Raportti - Laitepari on muodostettu, käynnistettään palvelua - Laiteparin muodostaminen epäonnistui, valitse uudelleen - Sijainnin käyttöoikeus on poistettu käytöstä, joten emme voi tarjota sijaintia mesh-verkkoon. - Jaa - Uusi laite nähty: %s - Ei yhdistetty - Laite on lepotilassa - Yhdistetty: %1$s verkossa - IP-osoite: - Portti: - Yhdistetty - Yhdistetty radioon (%s) - Ei yhdistetty - Yhdistetty radioon, mutta se on lepotilassa - Sovelluspäivitys vaaditaan - Sinun täytyy päivittää tämä sovellus sovelluskaupassa (tai Githubissa). Sovelluksen versio on liian vanha toimimaan tämän radion ohjelmiston kanssa. Ole hyvä ja lue lisää aiheesta dokumenteistamme. - Ei mitään (ei käytössä) - Palveluilmoitukset - Tietoja - Kanavan URL-osoite on virheellinen, eikä sitä voida käyttää - Vianetsintäpaneeli - Dekoodattu data: - Vie lokitiedot - Suodattimet - Aktiiviset suodattimet - Hae lokitiedoista… - Seuraava osuma - Edellinen osuma - Tyhjennä haku - Lisää suodatin - Sisältää suodattimen - Tyhjennä kaikki suodattimet - Tyhjennä lokitiedot - Täsmää yhteen | kaikkiin - Täsmää yhteen | kaikkiin - Tämä poistaa kaikki lokipaketit ja tietokantamerkinnät laitteestasi – Kyseessä on täydellinen nollaus, ja se on pysyvä. - Tyhjennä - Viestin toimitustila - Suorien viestien ilmoitukset - Yleislähetysviestien ilmoitukset - Hälytysilmoitukset - Laiteohjelmistopäivitys vaaditaan. - Radion laiteohjelmisto on liian vanha toimiakseen tämän sovelluksen kanssa. Lisätietoja löydät ohjelmiston asennusoppaasta. - OK - Sinun täytyy määrittää alue! - Kanavaa ei voitu vaihtaa, koska radiota ei ole vielä yhdistetty. Yritä uudelleen. - Vie rangetest.csv - Palauta - Etsi - Lisää - Oletko varma, että haluat vaihtaa oletuskanavan? - Palauta oletusasetukset - Hyväksy - Teema - Vaalea - Tumma - Järjestelmän oletus - Valitse teema - Jaa puhelimen sijaintitietoa mesh-verkkoon - - Poistetaanko viesti? - Poistetaanko %s viestiä? - - Poista - Poista kaikilta - Poista minulta - Valitse kaikki - Sulje valinta - Poista valitut - Tyylin Valinta - Lataa alue - Nimi - Kuvaus - Lukittu - Tallenna - Kieli - Järjestelmän oletus - Lähetä uudestaan - Sammuta - Sammutusta ei tueta tällä laitteella - Käynnistä uudelleen - Reitinselvitys - Näytä esittely - Viesti - Pikaviestintävaihtoehdot - Uusi pikakeskustelu - Muokkaa pikaviestiä - Lisää viestiin - Lähetä välittömästi - Näytä pikaviestivalikko - Piilota pikaviestivalikko - Palauta tehdasasetukset - Bluetooth on pois käytöstä. Ota se käyttöön laitteen asetuksista. - Avaa asetukset - Firmwaren versio: %1$s - Meshtastic tarvitsee \"lähistön laitteet\" -oikeudet, jotta se voi löytää ja yhdistää laitteisiin Bluetoothin kautta. Voit poistaa oikeuden käytöstä, kun et käytä sovellusta. - Yksityisviesti - Tyhjennä NodeDB tietokanta - Toimitus vahvistettu - Virhe - Jätä huomiotta - Lisää \'%s\' jätä huomiotta listalle? Laite käynnistyy uudelleen muutoksen tekemisen jälkeen. - Poistetaanko \'%s\' jätä huomiotta listalta? Laite käynnistyy uudelleen muutoksen tekemisen jälkeen. - Valitse ladattava kartta-alue - Laattojen latauksessa kuluva aika-arvio: - Aloita Lataus - Tarkastele sijaintia - Sulje - Radion asetukset - Moduulin asetukset - Lisää - Muokkaa - Lasketaan… - Offline hallinta - Nykyinen välimuistin koko - Välimuistin tallennustilan määrä: %1$.2f Mt\nVälimuistin käyttö: %2$.2f Mt - Tyhjennä kartan laatat - Laatatietolähde - SQL-välimuisti tyhjennetty %s: lle - SQL-välimuistin tyhjennys epäonnistui, katso logcat saadaksesi lisätietoja - Välimuistin Hallinta - Lataus on valmis! - Lataus valmis %d virheellä - %d Laattaa - suunta: %1$d° etäisyys: %2$s - Muokkaa reittipistettä - Poista reittipiste? - Uusi reittipiste - Vastaanotettu reittipiste: %s - Duty Cyclen raja saavutettu. Viestien lähettäminen ei ole tällä hetkellä mahdollista. Yritä myöhemmin uudelleen. - Poista - Tämä laite poistetaan luettelosta siihen saakka, kunnes sen tiedot vastaanotetaan uudelleen. - Mykistä ilmoitukset - 8 tuntia - 1 viikko - Aina - Korvaa - Skannaa WiFi QR-koodi - WiFi-verkon käyttöoikeustiedoissa on virheellinen QR-koodin muoto - Siirry takaisin - Akku - Kanavan Käyttö - Ilmantien käyttöaste - Lämpötila - Kosteus - Maaperän lämpötila - Maaperän kosteus - lokitietoa - Hyppyjä - Hyppyjä: %1$d - Tiedot - Nykyisen kanavan lähetyksen (TX) ja vastaanoton (RX) käyttöaste ja virheelliset lähetykset, eli häiriöt. - Viimeisen tunnin aikana käytetyn lähetyksen prosenttiosuus. - IAQ - Jaettu avain - Suorat viestit käyttävät kanavan jaettua avainta. - Julkisen avaimen salaus - Suorat viestit käyttävät uutta julkisen avaimen infrastruktuuria salaukseen. Vaatii laiteohjelmiston version 2.5 tai uudemman. - Julkinen avain ei täsmää - Julkinen avain ei vastaa kirjattua avainta. Voit poistaa laitteen ja antaa sen vaihtaa avaimia uudelleen, mutta tämä saattaa merkitä vakavampaa turvallisuusongelmaa. Ota yhteyttä käyttäjään toisen luotetun kanavan kautta määrittääksesi, johtuiko avain tehtaan resetoinnista tai muusta tarkoituksellisesta toiminnosta. - Tarkastele käyttäjätietoja - Uuden laitteen ilmoitukset - Lisätietoja - SNR - Signaali-kohinasuhde (SNR) on mittari, jota käytetään viestinnässä halutun signaalin tason ja taustahälyn tason määrittämisessä. Meshtasticissa ja muissa langattomissa järjestelmissä korkeampi SNR tarkoittaa selkeämpää signaalia, joka voi parantaa tiedonsiirron luotettavuutta ja laatua. - RSSI - Vastaanotetun signaalin voimakkuusindikaattori (RSSI) on mittari, jota käytetään määrittämään antennilla vastaanotetun signaalin voimakkuus. Korkeampi RSSI-arvo yleensä osoittaa vahvemman ja vakaamman yhteyden. - Sisäilman laatu (IAQ) on suhteellinen asteikko, jota voidaan mitata mm. Bosch BME680 anturilla ja sen arvoväli on 0–500. - Laitteen mittausloki - Solmukartta - Sijainnin Loki - Viimeisin sijainnin päivitys - Ympäristöanturit - Signaalin voimakkuudet - Ylläpito - Etähallinta - Huono - Kohtalainen - Hyvä - ei mitään - Jaa… - Signaali - Signaalin laatu - Reitinselvitys loki - Suora - - 1 hyppy - %d hyppyä - - Reititettyjä hyppyjä %1$d, joista %2$d hyppyä takaisin - 24t - 48t - 1vko - 2vko - 4vko - Kaikki - Tuntematon ikä - Kopioi - Hälytysääni! - Kriittinen hälytys! - Suosikki - Lisää \'%s\' radio suosikkeihin? - Poista \'%s\' radio suosikeista? - Tehomittausdata - Kanava 1 - Kanava 2 - Kanava 3 - Virta - Jännite - Oletko varma? - Laitteen roolit ohjeen ja blogikirjoituksen valitakseni laitteelle oikean roolin.]]> - Tiedän mitä olen tekemässä. - Laitteen %1$s akun varaustila on vähissä (%2$d%%) - Akun vähäisen varauksen ilmoitukset - Akku vähissä: %s - Akun vähäisen varauksen ilmoitukset (suosikkilaitteet) - Barometrinen paine - Mesh-verkko UDP:n kautta käytössä - UDP asetukset - Viimeksi kuultu: %2$s
Viimeisin sijainti: %3$s
Akku: %4$s]]>
- Kytke sijainti päälle - Käyttäjä - Kanavat - Laite - Sijainti - Virta - Verkko - Näyttö - LoRa - Bluetooth - Turvallisuus - MQTT - Sarjaliitäntä - Ulkoiset ilmoitukset - - Kuuluvuustesti - Telemetria - Esiasetettu viesti - Ääni - Etälaitteisto - Naapuritieto - Ympäristövalaistus - Havaitsemisanturi - PAX-laskuri - Ääniasetukset - CODEC 2 käytössä - PTT-pinni - CODEC2 näytteenottotaajuus - I2S-sanan valinta - I2S-datatulo - I2S-datalähtö - I2S-kello - Bluetooth asetukset - Bluetooth käytössä - Paritustila - Kiinteä PIN-koodi - Lähetys käytössä - Vastaanotto käytössä - Oletus - Sijainti käytössä - Tarkka sijainti - GPIO pinni - Kirjoita - Piilota salasana - Näytä salasana - Tiedot - Ympäristö - Ympäristövalaistuksen asetukset - LED-tila - Punainen - Vihreä - Sininen - Esiasetetun viestin asetukset - Esiasetettu viesti käytössä - Kiertovalitsin #1 käytössä - GPIO-pinni kiertovalitsinta varten A-portti - GPIO-pinni kiertovalitsinta varten B-portti - GPIO-pinni kiertovalitsimen painallusportille - Luo syötetapahtuma painettaessa - Luo syötetapahtuma myötäpäivään käännettäessä - Luo syötetapahtuma vastapäivään käännettäessä - Ylös/Alas/Valitse syöte käytössä - Salli syötteen lähde - Lähetä äänimerkki - Viestit - Tunnistinsensorin asetukset - Tunnistinsensori käytössä - Minimilähetys (sekuntia) - Tilatiedon lähetys (sekuntia) - Lähetä äänimerkki hälytyssanoman kanssa - Käyttäjäystävälinen nimi - GPIO-pinni valvontaa varten - Tunnistuksen tyyppi - Käytä INPUT_PULLUP tilaa - Laitteen asetukset - Rooli - Uudelleenmääritä PIN_BUTTON - Uudelleenmääritä PIN_BUZZER - Uudelleenlähetyksen tila - Laitetiedon lähetyksen väli (sekuntia) - Kaksoisnapautus napin painalluksena - Poista kolmoisklikkaus käytöstä - POSIX-aikavyöhyke - Poista valvontasignaalin LED käytöstä - Näytön asetukset - Näyttö pois päältä (sekuntia) - GPS-koordinaattien formaatti - Automaattinen näytön karuselli (sekuntia) - Kompassin pohjoinen ylhäällä - Käännä näyttö - Näyttöyksiköt - Ohita OLED-näytön automaattinen tunnistus - Näyttötila - Lihavoitu otsikko - Herätä näyttö kosketuksella tai liikkeellä - Kompassin suuntaus - Ulkoisten ilmoituksien asetukset - Ulkoiset ilmoitukset käytössä - Ilmoitukset saapuneesta viestistä - Hälytysviestin LED - Hälytysviestin äänimerkki - Hälytysviestin värinä - Ilmoitukset hälytyksen/äänen saapumisesta - Hälytysäänen LED - Hälytysäänen äänimerkki - Hälytysäänen värinä - Ulostulon LED (GPIO) - Ulostulon LED aktiivinen - Ulostulon äänimerkki (GPIO) - Käytä PWM-äänimerkkiä - Ulostulon värinä (GPIO) - Ulostulon kesto (millisekuntia) - Hälytysaikakatkaisu (sekuntia) - Soittoääni - Käytä I2S protokollaa äänimerkille - LoRa:n asetukset - Käytä modeemin esiasetusta - Modeemin esiasetus - Kaistanlevyes - Signaalin levennyskerroin - Koodausnopeus - Taajuuspoikkeama (MHz) - Alue (taajuussuunnitelma) - Hyppyraja - TX käytössä - TX-lähetysteho (dBm) - Taajuuspaikka - Ohita käyttöaste (Duty Cycle) - Ohita saapuvat - SX126X RX tehostettu vahvistus - Käytä mukautettua taajuutta (MHz) - PA tuuletin pois käytöstä - Ohita MQTT - MQTT päällä - MQTT asetukset - MQTT käytössä - Osoite - Käyttäjänimi - Salasana - Salaus käytössä - JSON ulostulo käytössä - TLS käytössä - Palvelimen osoite (root topic) - Välityspalvelin käytössä - Karttaraportointi - Karttaraportoinnin aikaväli (sekuntia) - Naapuritietojen asetukset - Naapuritiedot käytössä - Päivityksen aikaväli (sekuntia) - Lähetä LoRa:n kautta - Verkon asetukset - WiFi käytössä - SSID - PSK - Ethernet käytössä - NTP palvelin - rsyslog-palvelin - IPv4-tila - IP - Yhdyskäytävä - Aliverkko - PAX-laskurin asetukset - PAX-laskuri käytössä - WiFi-signaalin RSSI-kynnysarvo (oletus -80) - BLE-signaalin RSSI-kynnysarvo (oletus -80) - Sijainnin asetukset - Sijainnin lähetyksen väli (sekuntia) - Älykäs sijainti käytössä - Älykkään sijainnin etäisyys (metriä) - Älykkään sijainnin pienin päivitysväli (sekuntia) - Käytä kiinteää sijaintia - Leveyspiiri - Pituuspiiri - Korkeus (metriä) - Aseta nykyisestä puhelimen sijainnista - GSP tila - GPS päivitysväli (sekuntia) - Määritä uudelleen GPS_RX_PIN - Uudelleenmääritä GPS_TX_PIN - Uudelleenmääritä PIN_GPS_EN - Sijaintimerkinnät - Virran asetukset - Ota virransäästötila käyttöön - Akun viivästetty sammutus (sekuntia) - Korvaava AD-muuntimen kerroin - Bluetoothin odotusaika (sekuntia) - Syväunivaiheen kesto (sekuntia) - Kevyen lepotilan kesto (sekintia) - Vähimmäisheräämisaika (sekuntia) - INA_2XX-akun valvontapiirin I2C-osoite - Kuuluvuustestin asetukset - Kuuluvuustesti käytössä - Viestien lähetyksen aikaväli (sekuntia) - Tallenna .CSV (ESP32 ainoastaan) - Etälaitteen asetukset - Etälaitteen ohjaus käytössä - Salli määrittämättömän pinnin käyttö - Käytettävissä olevat pinnit - Turvallisuusasetukset - Julkinen avain - Yksityinen avain - Ylläpitäjän avain - Hallintatila - Sarjaporttikonsoli - Vianetsintälokirajapinta käytössä - Vanha järjestelmänvalvojan kanava - Sarjaportin asetukset - Sarjaportti käytössä - Palautus päällä - Sarjaportin nopeus - Aikakatkaisu - Sarjaportin tila - Korvaa konsolin sarjaportti - - Valvontasignaali - Kirjausten määrä - Historian maksimimäärä - Historian aikamäärä - Palvelin - Ympäristön asetukset - Laitteen mittaustietojen päivitysväli (sekuntia) - Ympäristötietojen päivitysväli (sekuntia) - Ympäristötietojen moduuli käytössä - Näytä ympäristötiedot näytöllä - Käytä Fahrenheit yksikköä - Ilmanlaadun tietojen moduuli käytössä - Ilmanlaadun tietojen päivitysväli (sekuntia) - Ilmanlaadun kuvake - Virrankulutuksen moduuli käytössä - Virrankulutuksen päivitysväli (sekuntia) - Virrankulutuksen näyttö käytössä - Käyttäjäasetukset - Laiteen ID - Pitkä nimi - Lyhytnimi - Laitteen malli - Lisensoitu radioamatööri (HAM) - Jos otat tämän asetuksen käyttöön, salaus poistetaan käytöstä, eikä laite ole enää yhteensopiva oletusasetuksilla toimivan Meshtastic-verkon kanssa. - Kastepiste - Ilmanpaine - Kaasun vastus - Etäisyys - Luksi - Tuuli - Paino - Säteily - - Sisäilmanlaatu (IAQ) - URL-osoite - - Asetusten tuonti - Asetusten vienti - Laite - Tuettu - Laitteen numero - Käyttäjän ID - Käyttöaika - Lataa %1$d - Vapaa levytila %1$d - Aikaleima - Suunta - Nopeus - Satelliitit - Korkeus - Taajuus - Paikka - Ensisijainen - Säännöllinen sijainti- ja telemetrialähetys - Toissijainen - Telemetriatietoja ei lähetetä säännöllisesti - Manuaalinen sijaintipyyntö vaaditaan - Paina ja raahaa järjestääksesi uudelleen - Poista mykistys - Dynaaminen - Skannaa QR-koodi - Jaa yhteystieto - Tuo jaettu yhteystieto? - Ei vastaanota viestejä - Ei seurannassa tai toimii infrastruktuurilaitteena - Varoitus: Kontakti on jo olemassa, tuonti ylikirjoittaa aiemmat tiedot. - Julkinen avain vaihdettu - Tuo - Pyydä metatiedot - Toiminnot - Laiteohjelmisto - Käytä 12 tunnin kelloa - Kun asetus on käytössä, laite näyttää 12 tunnin ajan näytössä. - Isäntälaitteen lokitiedot - Isäntälaite - Vapaa muisti - Vapaa levytila - Lataa - Käyttäjän syöte - Siirry kohtaan - Yhteys - Mesh-kartta - Keskustelut - Laitteet - Asetukset - Määritä alue - Vastaa - Laitteesi lähettää määräajoin salaamattoman karttaraporttipaketin määritettyyn MQTT-palvelimeen. Tämä paketti sisältää seuraavat tiedot: tunnisteen, pitkän ja lyhyen nimen, likimääräisen sijainnin, laitemallin, roolin, laiteohjelmiston version, LoRa-alueen, modeemiesiasetuksen ja ensisijaisen kanavan nimen. - Salli salaamattomien laitetietojen jakaminen MQTT:n kautta - Ottamalla tämän ominaisuuden käyttöön hyväksyt ja annat suostumuksen siihen, että laitteesi reaaliaikainen sijaintitieto lähetetään MQTT-protokollan kautta ilman salausta. Näitä sijaintitietoja voidaan käyttää esimerkiksi reaaliaikaiseen karttaraportointiin, laitteen seurantaan ja muihin vastaaviin telemetriatoimintoihin. - Olen lukenut ja ymmärtänyt yllä olevan. Annan suostumuksen laitetietojeni salaamattomaan lähettämiseen MQTT:n kautta - Hyväksyn. - Laiteohjelmistopäivitystä suositellaan. - Hyötyäksesi uusimmista korjauksista ja ominaisuuksista, päivitä firmware laiteohjelmistosi.\n\nUusin vakaa laiteohjelmistoversio: %1$s - Päättyy - Aika - Päivä - Karttasuodatin\n - Vain suosikit - Näytä reittipisteet - Näytä tarkkuuspiirit - Sovellusilmoitukset - Turvallisuusriski havaittu: avaimet ovat vaarantuneet. Valitse OK luodaksesi uudet. - Luo uusi yksityinen avain - Haluatko varmasti luoda yksityisen avaimen uudelleen?\n\nLaitteet, jotka ovat aiemmin vaihtaneet avaimia tämän laitteen kanssa, joutuvat poistamaan kyseisen laitteen ja vaihtamaan avaimet uudelleen, jotta suojattu viestintä voi jatkua. - Vie avaimet - Vie julkiset ja yksityiset avaimet tiedostoon. Säilytä tiedosto turvallisessa paikassa. - Lukitsemattomat moduulit - Etäyhteys - (%1$d yhdistetty / %2$d yhteensä) - Reagoi - Katkaise yhteys - Etsitään bluetooth-laitteita… - Ei paritettuja Bluetooth-laitteita. - Verkkolaitteita ei löytynyt. - USB-sarjalaitteita ei löytynyt. - Siirry loppuun - Meshtastic - Etsitään - Turvallisuustila - Suojattu - Varoituskuvake - Tuntematon kanava - Varoitus - Lisävalikko - UV-valon voimakkuus - Tuntematon - Tätä radiota hallitaan etänä, ja sitä voi muuttaa vain etähallinnassa oleva ylläpitäjä. - Lisäasetukset - Tyhjennä NodeDB-tietokanta - Poista laitteet, joita ei ole nähty yli %1$d päivään - Poista vain tuntemattomat laitteet - Poista laitteet, joilla on vähän tai ei yhtään yhteyksiä - Poista huomioimatta olevat laitteet - Poista nyt - Tämä poistaa %1$d laitetta tietokannasta. Toimintoa ei voi peruuttaa. - Vihreä lukko tarkoittaa, että kanava on suojattu salauksella käyttäen joko 128- tai 256-bittistä AES-avainta. - - Kanava ei ole suojattu, sijaintitieto ei ole tarkka - Keltainen avoin lukko osoittaa, että yhteys ei ole salattu turvallisesti. Sitä ei käytetä tarkkaan sijaintitietoon, ja se käyttää joko salaamatonta yhteyttä tai tunnettua yhden tavun avainta. - - Kanava ei ole suojattu, sijaintitieto ei ole tarkka - Punainen avoin lukko osoittaa, että yhteys ei ole turvallisesti salattu, vaikka sitä käytetään tarkkojen sijaintitietojen siirtoon. Salaus on joko kokonaan puuttuva tai perustuu tunnettuun yhden tavun avaimen käyttöön. - - Varoitus: Salaamaton yhteys, tarkka sijainti & MQTT-lähetys käytössä - Punainen avoin lukko varoituksella tarkoittaa, että kanava ei ole suojattu salauksella, sitä käytetään tarkkoihin sijaintitietoihin, jotka lähetetään internetiin MQTT-protokallalla ja se käyttää joko ei lainkaan salausta tai tunnettua yhden tavun avainta. - - Kanavan turvallisuus - Kanavan turvallisuuden merkitykset - Näytä kaikki merkitykset - Näytä nykyinen tila - Hylkää - Oletko varma, että haluat poistaa tämän laitteen? - Vastataan käyttäjälle %1$s - Peruuta vastaus - Poistetaanko viestit? - Tyhjennä valinta - Viesti - Kirjoita viesti - PAX-laskurien lokitiedot - PAX - PAX-laskurien lokitietoja ei ole saatavilla. - WiFi-laitteet - Bluetooth-laitteet - Paritetut laitteet - Yhdistetty laite - Mene - Käyttöraja ylitetty. Yritä myöhemmin uudelleen. - Näytä versio - Lataa - Asennettu - Viimeisin vakaa (stable) - Viimeisin epävakaa (alpha) - Meshtastic-yhteisön tukema - Laiteohjelmistoversio - Äskettäin havaitut verkkolaitteet - Löydetyt verkkolaitteet - Näin pääset alkuun - Tervetuloa - Pysy yhteydessä kaikkialla - Viestitä ilman verkkoyhteyttä ystäviesi ja yhteisösi kanssa ilman matkapuhelinverkkoa. - Luo omia verkkoja - Luo vaivattomasti yksityisiä meshtastic verkkoja turvalliseen ja luotettavaan viestintään kaukana asutuista paikoista. - Seuraa ja jaa sijainteja - Jaa sijaintisi reaaliaikaisesti ja varmista ryhmäsi yhteistoiminta GPS-toimintojen avulla. - Sovellusilmoitukset - Saapuvat viestit - Kanavailmoitukset ja yksityisviestit. - Uudet laitteet - Ilmoitukset uusista löydetyistä laitteista. - Akku lähes tyhjä - Ilmoitukset yhdistetyn laitteen vähäisestä akun varauksesta. - Kriittiset paketit toimitetaan ilmoituksina, vaikka puhelin olisi äänettömällä tai älä häiritse -tilassa. - Määritä ilmoitusten käyttöoikeudet - Puhelimen sijainti - Meshtastic hyödyntää puhelimen sijaintia tarjotakseen erilaisia toimintoja. Voit muuttaa sijaintioikeuksia koska tahansa asetuksista. - Jaa sijainti - Lähetä sijaintitiedot puhelimen GPS:llä laitteen oman GPS:n sijasta. - Etäisyyden mittaukset - Näytä etäisyys puhelimen ja muiden sijainnin jakavien Meshtastic laitteiden välillä. - Etäisyyden suodattimet - Suodata laitelista ja meshtastic kartta puhelimesi läheisyyden perusteella. - Meshtastic kartan sijainti - Ottaa käyttöön puhelimen sijainnin sinisenä pisteenä meshtastic kartalla. - Määritä sijainnin käyttöoikeudet - Ohita - asetukset - Kriittiset hälytykset - Varmistaaksesi, että saat kriittiset hälytykset, kuten - SOS-viestit, vaikka laitteesi olisi \'älä häiritse\' -tilassa, vaativat erityisen - käyttöoikeuden. Ota se käyttöön ilmoitusasetuksissa. - - Määritä kriittiset hälytykset - Meshtastic käyttää ilmoituksia tiedottaakseen uusista viesteistä ja muista tärkeistä tapahtumista. Voit muuttaa ilmoitusasetuksia milloin tahansa. - Seuraava - Myönnä oikeudet - %d laitetta jonossa poistettavaksi: - Varoitus: Tämä poistaa laitteet sovelluksen sekä laitteen tietokannoista.\nValinnat lisätään aiempiin. - Yhdistetään laitteeseen - Normaali - Satelliitti - Maasto - Hybridi - Hallitse Karttatasoja - Mukautetut karttatasot tukevat .kml- tai .kmz-tiedostoja. - Karttatasot - Mukautettuja karttatasoja ei ladattu. - Lisää taso - Piilota taso - Näytä taso - Poista taso - Lisää taso - Laitteet tässä sijainnissa - Valittu karttatyyppi - Hallitse mukautettuja karttatasoja - Lisää mukautettu karttataso - Ei mukautettuja karttatasoja - Muokkaa mukautettua karttatasoa - Poista mukautettu karttataso - Nimi ei voi olla tyhjä. - Palveluntarjoajan nimi on olemassa. - URL-osoite ei voi olla tyhjä. - URL-osoitteessa on oltava paikkamerkkejä. - URL-mallipohja - seurantapiste - Puhelimen asetukset -
diff --git a/app/src/main/res/values-fr-rHT/strings.xml b/app/src/main/res/values-fr-rHT/strings.xml deleted file mode 100644 index 8baf7f676..000000000 --- a/app/src/main/res/values-fr-rHT/strings.xml +++ /dev/null @@ -1,231 +0,0 @@ - - - - Filtre - klarifye filtè nœud - Enkli enkoni - Montre detay - kanal - Distans - Sote lwen - Dènye fwa li tande - atravè MQTT - atravè MQTT - Inkonu - Ap tann pou li rekonèt - Kwen pou voye - Rekonekte - Pa gen wout - Rekòmanse avèk yon refi negatif - Tan pase - Pa gen entèfas - Limite retransmisyon maksimòm rive - Pa gen kanal - Pake twò gwo - Pa gen repons - Demann move - Limite sik devwa rejyonal rive - Pa otorize - Echèk voye ankripte - Kle piblik enkoni - Kle sesyon move - Kle piblik pa otorize - Aplikasyon konekte oswa aparèy mesaj endepandan. - Aparèy ki pa voye pake soti nan lòt aparèy. - Nœud enfrastrikti pou elaji kouvèti rezo pa relaye mesaj. Vizyèl nan lis nœud. - Kombinasyon de toude ROUTER ak CLIENT. Pa pou aparèy mobil. - Nœud enfrastrikti pou elaji kouvèti rezo pa relaye mesaj avèk ti overhead. Pa vizib nan lis nœud. - Voye pakè pozisyon GPS kòm priyorite. - Voye pakè telemetri kòm priyorite. - Optimizé pou kominikasyon sistèm ATAK, redwi emisyon regilye. - Aparèy ki sèlman voye kòm sa nesesè pou kachèt oswa ekonomi pouvwa. - Voye pozisyon kòm mesaj nan kanal default regilyèman pou ede ak rekiperasyon aparèy. - Pèmèt emisyon TAK PLI otomatik epi redwi emisyon regilye. - Rebroadcast nenpòt mesaj obsève, si li te sou kanal prive nou oswa soti nan yon lòt mesh ak menm paramèt lora. - Menm jan ak konpòtman kòm \"ALL\" men sote dekodaj pakè yo epi senpleman rebroadcast yo. Disponib sèlman nan wòl Repeater. Mete sa sou nenpòt lòt wòl ap bay konpòtman \"ALL\". - Ignoré mesaj obsève soti nan meshes etranje ki louvri oswa sa yo li pa ka dekripte. Sèlman rebroadcast mesaj sou kanal prensipal / segondè lokal nœud. - Ignoré mesaj obsève soti nan meshes etranje tankou \"LOCAL ONLY\", men ale yon etap pi lwen pa tou ignorer mesaj ki soti nan nœud ki poko nan lis konnen nœud la. - Sèlman pèmèt pou wòl SENSOR, TRACKER ak TAK_TRACKER, sa a ap entèdi tout rebroadcasts, pa diferan de wòl CLIENT_MUTE. - Ignoré pakè soti nan portnum ki pa estanda tankou: TAK, RangeTest, PaxCounter, elatriye. Sèlman rebroadcast pakè ak portnum estanda: NodeInfo, Tèks, Pozisyon, Telemetri, ak Routing. - Non kanal - Kòd QR - ikòn aplikasyon an - Non itilizatè enkoni - Voye - Ou poko konekte ak yon radyo ki konpatib ak Meshtastic sou telefòn sa a. Tanpri konekte yon aparèy epi mete non itilizatè w lan.\n\nSa a se yon aplikasyon piblik ki nan tès Alpha. Si ou gen pwoblèm, tanpri pataje sou fowòm nou an: https://github.com/orgs/meshtastic/discussions\n\nPou plis enfòmasyon, vizite sit wèb nou an - www.meshtastic.org. - Ou - Aksepte - Anile - Nouvo kanal URL resevwa - Rapòte yon pwoblèm - Rapòte pwoblèm - Èske ou sèten ou vle rapòte yon pwoblèm? Aprew fin rapòte, tanpri pataje sou https://github.com/orgs/meshtastic/discussions pou nou ka konpare rapò a ak sa ou jwenn nan. - Rapò - Koneksyon konplè, sèvis kòmanse - Koneksyon echwe, tanpri chwazi ankò - Aksè lokasyon enfim, pa ka bay pozisyon mesh la. - Pataje - Dekonekte - Aparèy ap dòmi - Adrès IP: - Konekte ak radyo (%s) - Pa konekte - Konekte ak radyo, men li ap dòmi - Aplikasyon twò ansyen - Ou dwe mete aplikasyon sa ajou nan magazen Google Jwèt. Li twò ansyen pou li kominike ak radyo sa a. - Okenn (enfim) - Notifikasyon sèvis - Sou - Kanal URL sa a pa valab e yo pa kapab itilize li - Panno Debug - Netwaye - Eta livrezon mesaj - Nouvo mizajou mikwo lojisyèl obligatwa. - Mikwo lojisyèl radyo a twò ansyen pou li kominike ak aplikasyon sa a. Pou plis enfòmasyon sou sa, gade gid enstalasyon mikwo lojisyèl nou an. - Dakò - Ou dwe mete yon rejyon! - Nou pa t kapab chanje kanal la paske radyo a poko konekte. Tanpri eseye ankò. - Eksporte rangetest.csv - Reyajiste - Eskane - Ajoute - Eske ou sèten ou vle chanje pou kanal default la? - Reyajiste nan paramèt default yo - Aplike - Tèm - Limen - Fènwa - Sistèm default - Chwazi tèm - Bay lokasyon telefòn ou bay mesh la - - Efase mesaj la? - Efase %s mesaj? - - Efase - Efase pou tout moun - Efase pou mwen - Chwazi tout - Seleksyon Style - Telechaje Rejyon - Non - Deskripsyon - Loken - Sove - Lang - Sistèm default - Reenvwaye - Fèmen - Fèmen pa sipòte sou aparèy sa a - Rekòmanse - Montre entwodiksyon - Mesaj - Opsyon chat rapid - Nouvo chat rapid - Modifye chat rapid - Ajoute nan mesaj - Voye imedyatman - Reyajiste nan faktori - Mesaj dirèk - Reyajiste NodeDB - Livrezon konfime - Erè - Ignoré - Ajoute \'%s\' nan lis ignòre? - Retire \'%s\' nan lis ignòre? - Chwazi rejyon telechajman - Estimasyon telechajman tèk - Kòmanse telechajman - Fèmen - Konfigirasyon radyo - Konfigirasyon modil - Ajoute - Modifye - Ap kalkile… - Manadjè Offline - Gwosè Kach aktyèl - Kapasite Kach: %1$.2f MB\nItilizasyon Kach: %2$.2f MB - Efase Tèk Telechaje - Sous Tèk - Kach SQL efase pou %s - Echèk efase Kach SQL, tcheke logcat pou detay - Manadjè Kach - Telechajman konplè! - Telechajman konplè avèk %d erè - %d tèk - ang: %1$d° distans: %2$s - Modifye pwen - Efase pwen? - Nouvo pwen - Pwen resevwa: %s - Limit sik devwa rive. Pa ka voye mesaj kounye a, tanpri eseye ankò pita. - Retire - Pwen sa a ap retire nan lis ou jiskaske nœud ou a resevwa done soti nan li ankò. - Fèmen notifikasyon - 8 èdtan - 1 semèn - Toujou - Ranplase - Skan QR Kòd WiFi - Fòma QR Kòd Kredi WiFi Invalid - Navige Tounen - Batri - Itilizasyon Kanal - Itilizasyon Ay - Tanperati - Imidite - Jounal - Hops Lwen - Enfòmasyon - Itilizasyon pou kanal aktyèl la, ki enkli TX, RX byen fòme ak RX mal fòme (sa yo rele bri). - Pousantaj tan lè transmisyon te itilize nan dènye èdtan an. - Kle Pataje - Mesaj dirèk yo ap itilize kle pataje pou kanal la. - Chifreman Kle Piblik - Mesaj dirèk yo ap itilize nouvo enfrastrikti kle piblik pou chifreman. Sa mande vèsyon lojisyèl 2.5 oswa plis. - Pa matche kle piblik - Kle piblik la pa matche ak kle anrejistre a. Ou ka retire nœud la e kite li echanje kle ankò, men sa ka endike yon pwoblèm sekirite pi grav. Kontakte itilizatè a atravè yon lòt chanèl ki fè konfyans, pou detèmine si chanjman kle a te fèt akòz yon reyajisteman faktori oswa lòt aksyon entansyonèl. - Notifikasyon nouvo nœud - Plis detay - Rapò Siynal sou Bri, yon mezi ki itilize nan kominikasyon pou mezire nivo siynal vle a kont nivo bri ki nan anviwònman an. Nan Meshtastic ak lòt sistèm san fil, yon SNR pi wo endike yon siynal pi klè ki ka amelyore fyab ak kalite transmisyon done. - Endikatè Fòs Siynal Resevwa, yon mezi ki itilize pou detèmine nivo pouvwa siynal ki resevwa pa antèn nan. Yon RSSI pi wo jeneralman endike yon koneksyon pi fò ak plis estab. - (Kalite Lèy Entèryè) echèl relatif valè IAQ jan li mezire pa Bosch BME680. Ranje valè 0–500. - Jounal Metik Aparèy - Kat Nœud - Jounal Pozisyon - Jounal Metik Anviwònman - Jounal Metik Siynal - Administrasyon - Administrasyon Remote - Move - Mwayen - Bon - Pa gen - Siynal - Kalite Siynal - Jounal Traceroute - Direk - Hops vèsus %1$d Hops tounen %2$d - Tan pase - Distans - - - - - Mesaj - diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/values-fr/strings.xml deleted file mode 100644 index 61e22757c..000000000 --- a/app/src/main/res/values-fr/strings.xml +++ /dev/null @@ -1,770 +0,0 @@ - - - - Meshtastic %s - Filtre - Effacer le filtre de nœud - Inclure inconnus - Masquer les nœuds hors ligne - Afficher uniquement les nœuds directs - Vous visualisez les nœuds ignorés,\nAppuyez pour retourner à la liste des nœuds. - Afficher les détails - Options de tri des nœuds - A-Z - Canal - Distance - Nœuds intermédiaires - Dernière écoute - via MQTT - via MQTT - par Favoris - Nœuds ignorés - Non reconnu - En attente d\'accusé de réception - En file d\'attente pour l\'envoi - Confirmé - Pas de routage - Accusé de réception négatif - Délai dépassé - Pas d\'interface - Nombre de retransmissions atteint - Pas de canal - Paquet trop grand - Aucune réponse - Mauvaise requête - Limite du cycle de fonctionnement régional atteinte - Non Autorisé - Échec de l\'envoi chiffré - Clé publique inconnue - Mauvaise clé de session - Clé publique non autorisée - Dispositif de messagerie autonome ou connecté à l\'application. - Le périphérique ne peut pas retransmettre les paquets des autres périphériques. - Nœud d\'infrastructure pour étendre la couverture réseau en relayant les messages. Visible dans la liste des nœuds. - Combinaison à la fois du ROUTER et du CLIENT. Pas pour les appareils mobiles. - Nœud d\'infrastructure pour étendre la couverture réseau en relayant les messages avec une surcharge minimale. Non visible dans la liste des nœuds. - Diffuse les paquets de position GPS en priorité. - Diffuse les paquets de télémétrie en priorité. - Optimisé pour la communication du système ATAK, réduit les diffusions de routine. - Appareil qui ne diffuse que si nécessaire pour économiser en énergie ou en furtivité. - Diffuse la localisation comme message vers le canal par défaut régulièrement afin d\'aider à la récupération de l\'appareil. - Active les diffusions automatiques de TAK PLI et réduit les diffusions de routine. - Nœud d\'infrastructure qui retransmet toujours les paquets une fois mais seulement après tous les autres modes, assurant une couverture supplémentaire pour les clusters locaux. Visible dans la liste des nœuds. - Rediffuse tout message observé, si il était sur notre canal privé ou depuis un autre maillage avec les mêmes paramètres lora. - Identique au comportement de TOUS mais ignore le décodage des paquets et les rediffuse simplement. Uniquement disponible pour le rôle Répéteur. Définir cela sur tout autre rôle entraînera le comportement de TOUS. - Ignoré mesaj obsève soti nan meshes etranje ki louvri oswa sa yo li pa ka dekripte. Sèlman rebroadcast mesaj sou kanal prensipal / segondè lokal nœud. - Ignoré mesaj obsève soti nan meshes etranje tankou \"LOCAL ONLY\", men ale yon etap pi lwen pa tou ignorer mesaj ki soti nan nœud ki poko nan lis konnen nœud la. - Seulement autorisé pour les rôles SENSOR, TRACKER et TAK_TRACKER, cela empêchera toutes les rediffusions, contrairement au rôle CLIENT_MUTE. - Ignoré pakè soti nan portnum ki pa estanda tankou: TAK, RangeTest, PaxCounter, elatriye. Sèlman rebroadcast pakè ak portnum estanda: NodeInfo, Tèks, Pozisyon, Telemetri, ak Routing. - Traiter un double appui sur les accéléromètres compatibles comme une pression de bouton utilisateur. - Désactive le triple appui du bouton utilisateur pour activer ou désactiver le GPS. - Contrôle la LED clignotante sur l\'appareil. Pour la plupart des appareils cela contrôlera une des 4 LED, celles du chargeur et du GPS ne sont pas contrôlables. - Que ce soit en plus de l\'envoyer à MQTT et à PhoneAPI, notre NeighborInfo devrait être transmis par LoRa. Non disponible sur un canal avec la clé et le nom par défaut. - Clé publique - Nom du canal - Code QR - icône de l\'application - Nom d\'Utilisateur inconnu - Envoyer - Aucune radio Meshtastic compatible n\'a été jumelée à ce téléphone. Jumelez un appareil et spécifiez votre nom d\'utilisateur.\n\nL\'application open-source est en test alpha, si vous rencontrez des problèmes postez au chat sur notre site web.\n\nPour plus d\'information visitez notre site web - www.meshtastic.org. - Vous - Accepter - Annuler - Annuler modifications - Réception de l\'URL d\'un nouveau cana - Meshtastic a besoin d\'autorisations de localisation activées pour trouver de nouveaux appareils via Bluetooth. Vous pouvez désactiver lorsque la localisation n\'est pas utilisée. - Rapporter Bogue - Rapporter un Bogue - Êtes-vous certain de vouloir rapporter un bogue ? Après l\'envoi, veuillez poster dans https://github.com/orgs/meshtastic/discussions afin que nous puissions examiner ce que vous avez trouvé. - Rapport - Jumelage terminé, démarrage du service - Le jumelage a échoué, veuillez sélectionner à nouveau - L\'accès à la localisation est désactivé, impossible de fournir la position du maillage. - Partager - Nouveau nœud vu : %s - Déconnecté - Appareil en veille - Connectés : %1$s sur en ligne - Adresse IP: - Port : - Connecté - Connecté à la radio (%s) - Non connecté - Connecté à la radio, mais en mode veille - Mise à jour de l’application requise - Vous devez mettre à jour cette application sur l\'app store (ou Github). Il est trop vieux pour parler à ce microprogramme radio. Veuillez lire nos docs sur ce sujet. - Aucun (désactivé) - Notifications de service - A propros - Cette URL de canal est invalide et ne peut pas être utilisée - Panneau de débogage - Contenu décodé : - Exporter les logs - Filtres - Filtres actifs - Rechercher dans les journaux… - Occurrence suivante - Occurrence précédente - Effacer la recherche - Ajouter un filtre - Filtre inclus - Supprimer tous les filtres - Effacer le journal - Correspondre à n\'importe lequel | Tous - Correspondre à tout | N\'importe quel - Cela supprimera tous les paquets de journaux et les entrées de la base de données de votre appareil - c\'est une réinitialisation complète, et est permanent. - Effacer - Statut d\'envoi du message - Notifications de message - Diffuser les notifications de message - Notifications d\'alerte - Mise à jour du micrologiciel requise. - Le micrologiciel de la radio est trop ancien pour communiquer avec cette application. Pour des informations, voir Guide d\'installation du micrologiciel. - D\'accord - Vous devez définir une région ! - Impossible de modifier le canal, car la radio n\'est pas encore connectée. Veuillez réessayer. - Exporter rangetest.csv - Réinitialiser - Scanner - Ajouter - Êtes-vous sûr de vouloir passer au canal par défaut ? - Rétablir les valeurs par défaut - Appliquer - Thème - Clair - Sombre - Valeur par défaut du système - Choisir un thème - Fournir l\'emplacement au maillage - - Supprimer le message ? - Supprimer %s messages ? - - Supprimer - Supprimer pour tout le monde - Supprimer pour moi - Sélectionner tout - Fermer le choix - Supprimer la sélection - Sélection du style - Télécharger la région - Nom - Description - Verrouillé - Enregistrer - Langue - Valeur par défaut du système - Renvoyer - Éteindre - Arrêt non pris en charge sur cet appareil - Redémarrer - Traceroute - Afficher l\'introduction - Message - Options du clavardage - Nouveau clavardage - Éditer le clavardage - Ajouter au message - Envoi instantané - Afficher le menu de discussion rapide - Masquer le menu de discussion rapide - Réinitialisation d\'usine - Le Bluetooth est désactivé. Veuillez l\'activer dans les paramètres de votre appareil. - Ouvrir les paramètres - Version du firmware : %1$s - Meshtastic a besoin des autorisations \"Périphériques à proximité\" activées pour trouver et se connecter à des appareils via Bluetooth. Vous pouvez désactiver la lorsque la localisation n\'est pas utilisée. - Message direct - Reconfiguration de NodeDB - Réception confirmée - Erreur - Ignorer - Ajouter \'%s\' à la liste des ignorés ? Votre radio va redémarrer après avoir effectué ce changement. - Supprimer \'%s\' de la liste des ignorés ? Votre radio va redémarrer après avoir effectué ce changement. - Sélectionnez la région de téléchargement - Estimation du téléchargement de tuiles : - Commencer le téléchargement - Échanger la position - Fermer - Réglages de l\'appareil - Réglages du module - Ajouter - Modifier - Calcul en cours… - Gestionnaire hors-ligne - Taille actuelle du cache - Capacité du cache : %1$.2f MB\nUtilisation du cache : %2$.2f MB - Effacer les vignettes inutiles - Source de la vignette - Cache SQL purgé pour %s - La purge du cache SQL a échoué, consultez « logcat » pour plus de détails - Gestionnaire du cache - Téléchargement terminé ! - Téléchargement terminé avec %d erreurs - Vignettes de %d - échelle : %1$d° distance : %2$s - Modifier le repère - Supprimer le repère ? - Nouveau point de repère - Point de passage reçu : %s - Limite du temps d\'utilisation atteinte. Vous ne pouvez pas envoyer de messages maintenant, veuillez réessayer plus tard. - Supprimer - Ce nœud sera supprimé de votre liste jusqu\'à ce que votre nœud reçoive à nouveau des données. - Désactiver les notifications - 8 heures - 1 semaine - Toujours - Remplacer - Scanner le code QR WiFi - Format du code QR d\'identification WiFi invalide - Précédent - Batterie - Utilisation du canal - Utilisation de la transmission - Température - Humidité - Température du sol - Humidité du sol - Journaux - Passer au suivant - Sauts : %1$d - Information - Utilisation pour le canal actuel, y compris TX bien formé, RX et RX mal formé (AKA bruit). - Pourcentage de temps d\'antenne pour la transmission utilisée au cours de la dernière heure. - IAQ - Clé partagée - Les messages directs utilisent la clé partagée du canal. - Chiffrement de clé publique - Les messages directs utilisent la nouvelle infrastructure de clé publique pour le chiffrement. Nécessite une version de firmware 2.5 ou plus. - Les messages directs utilisent la nouvelle infrastructure de clé publique pour le chiffrement. Nécessite une version de firmware 2.5 ou plus. - La clé publique ne correspond pas à la clé enregistrée. Vous pouvez supprimer le nœud et le laisser à nouveau échanger les clés, mais cela peut indiquer un problème de sécurité plus grave. Contactez l\'utilisateur à travers un autre canal de confiance, pour déterminer si le changement de clé est dû à une réinitialisation d\'usine ou à une autre action intentionnelle. - Connectés : %1$s sur en ligne - Notifikasyon nouvo nœud - Plus de détails - SNR - Rapò Siynal sou Bri, yon mezi ki itilize nan kominikasyon pou mezire nivo siynal vle a kont nivo bri ki nan anviwònman an. Nan Meshtastic ak lòt sistèm san fil, yon SNR pi wo endike yon siynal pi klè ki ka amelyore fyab ak kalite transmisyon done. - RSSI - Indicateur de force du signal reçu, une mesure utilisée pour déterminer le niveau de puissance reçu par l\'antenne. Une valeur RSSI plus élevée indique généralement une connexion plus forte et plus stable. - (Kalite Lèy Entèryè) echèl relatif valè IAQ jan li mezire pa Bosch BME680. Ranje valè 0–500. - Journal des métriques de l\'appareil - Carte des nœuds - Journal de position - Dernière mise à jour de position - Journal des métriques d\'environnement - Jounal Metik Siynal - Administration - Administration à distance - Mauvais - Passable - Bon - Aucun - Partager vers… - Signal - Qualité du signal - Jounal Traceroute - Direk - - 1 saut - %d sauts - - Sauts vers %1$d Sauts retour %2$d - 24H - 48H - 1S - 2S - 4S - Max - Age inconnu - Copier - Caractère d\'appel ! - Alerte Critique ! - Favoris - Ajouter \'%s\' votre noeud favoris - Supprimer \'%s\' votre noeud favoris - Journal des métriques de puissance - Canal 1 - Canal 2 - Canal 3 - Actif - Tension - Êtes-vous sûr ? - Documentation du rôle de l\'appareil et le message de blog sur Choisir le rôle de l\'appareil approprié.]]> - Je sais ce que je fais - La batterie du nœud %1$s est faible (%2$d%%) - Notifications de batterie faible - Batterie faible - Notifications de batterie faible (nœuds favoris) - Pression Barométrique - Maillage via UDP activer - Configuration UDP - Dernière écoute : %2$s
Dernière position : %3$s
Batterie : %4$s]]>
- Basculer ma position - Utilisateur - Canaux - Appareil - Position - Alimentation - Réseau - Ecran - LoRa - Bluetooth - Sécurité - MQTT - Série - Notification externe - - Tests de portée - Télémétrie - Message prédéfini - Audio - Matériel télécommande - Informations sur les voisins - Lumière ambiante - Capteur de détection - Compteur de passages - Configuration audio - CODEC 2 activé - Broche PTT - Taux d\'échantillonnage CODEC2 - Selection de mot I2S - Données d\'entrée I2S - Données de sortie I2S - Horloge I2C - Configuration Bluetooth - Bluetooth activé - Mode d\'appariement - Code PIN fixe - Liaison montante activée - Liaison descendante activé - Défaut - Position activée - Emplacement précis - Broche GPIO - Type - Masquer le mot de passe - Afficher le mot de passe - Détails - Environnement - Configuration lumière ambiante - État de la LED - Rouge - Vert - Bleu - Configuration des messages prédéfinis - Messages prédéfinis activés - Encodeur rotatif #1 activé - Broche GPIO pour un encodeur rotatif port A - Broche GPIO pour un encodeur rotatif port B - Broche GPIO pour un encodeur rotatif port Press - Générer un événement d\'entrée sur Press - Générer un événement d\'entrée sur CW - Générer un événement d\'entrée sur CCW - Entrée Haut/Bas/Select activée - Autoriser la source d\'entrée - Envoyer une sonnerie - Messages - Configuration du capteur de détection - Capteur de détection activé - Diffusion minimale (secondes) - Diffusion de l\'État (secondes) - Envoyer une sonnerie avec un message d\'alerte - Nom convivial - Broche GPIO a surveiller - Type du déclencheur de détection - Utiliser le mode INPUT_PULLUP - Configuration de l\'appareil - Rôle - Redéfinir le PIN_BUTTON - Redéfinir le PIN_BUZZER - Mode de retransmission - Intervalle de diffusion de NodeInfo (secondes) - Appuyer deux fois sur le bouton - Désactiver le triple-clic - Zone horaire POSIX - Désactiver la LED de pulsation - Configuration de l\'affichage - Délai de mise en veille de l\'écran (secondes) - Format des coordonnées GPS - Carrousel automatique des écrans (secondes) - Nord de la boussole vers le haut - Inverser l\'écran - Unités d\'affichage - Remplacer OLED auto-détection - Mode d\'affichage - Titre en gras - Réveiller l\'écran lors d\'un appui ou d\'un déplacement - Orientation de la boussole - Configuration de notification externe - Notifications externes activées - Notifications à la réception d\'un message - LED de message d\'alerte - Avertissement de message - Avertissement de message - Notifications sur réception d\'alerte/cloche - LED à la réception de la cloche d\'alerte - Buzzer à la réception de la cloche d\'alerte - Vibreur à la réception de la cloche d\'alerte - LED extérieure (GPIO) - Sortie LED active à l’état haut - Buzzer extérieur (GPIO) - Utiliser le buzzer PWM - Sortie vibreur (GPIO) - Durée de sortie (en millisecondes) - Délai d\'attente du nag - Sonnerie - Utiliser l\'I2S comme buzzer - Configuration LoRa - Utiliser le pré-réglage du modem - Préréglage du modem - Bande Passante - Facteur de propagation - Taux de codage - Décalage de fréquence (MHz) - Région (plan de fréquence) - Limite de saut - TX activé - Puissance TX (dBM) - Emplacement de fréquence - Ne pas prendre en compte la limite d\'utilisation - Ignorer les entrées - Gain de SX126X RX augmenté - Remplacer la fréquence (MHz) - Ventilateur PA désactivé - Ignorer MQTT - OK vers MQTT - Configuration MQTT - MQTT activé - Adresse - Nom d\'utilisateur - Mot de passe - Chiffrement activé - Sortie JSON activée - TLS activé - Sujet principal - Proxy pour le client activé - Rapport cartographique - Interval de rapport cartographique (secondes) - Configuration des informations du voisinage - Infos de voisinage activées - Intervalle de mise à jour (secondes) - Transmettre par LoRa - Configuration du réseau - WiFi activé - SSID - PSK - Ethernet activé - Serveur NTP - Serveur Rsyslog - Mode IPv4 - IP - Passerelle - Sous-réseau - Configuration du Paxcounter - Paxcounter activé - Seuil RSSI WiFi (par défaut -80) - Seuil BLE RSSI (par défaut -80) - Configuration de la position - Intervalle de diffusion de la position (secondes) - Position intelligente activée - Distance minimale de diffusion intelligente (mètres) - Intervalle minimum de diffusion intelligente (secondes) - Utiliser une position fixe - Latitude - Longitude - Altitude (mètres) - Définir à partir de l\'emplacement actuel du téléphone - Mode GPS - Intervalle de mise à jour GPS (secondes) - Redéfinir GPS_RX_PIN - Redéfinir GPS_TX_PIN - Redéfinir le code PIN_GPS_EN - Informations relatives à la position - Configuration de l\'alimentation - Activer le mode économie d\'énergie - Délai d’extinction sur batterie (secondes) - Facteur de remplacement du multiplicateur ADC - Temps d\'attente pour le Bluetooth - Durée de sommeil en profondeur (secondes) - Durée de sommeil léger (secondes) - Temps de réveil minimum (secondes) - Adresse I2C de la batterie INA_2XX - Configuration des tests de portée - Test de portée activé - Intervalle de message de l\'expéditeur (secondes) - Enregistrer .CSV dans le stockage (ESP32 seulement) - Configuration du matériel distant - Matériel distant activé - Autoriser l\'accès non défini aux broches - Broches disponibles - Configuration de sécurité - Clé publique - Clé privée - Clé Admin - Mode géré - Console série - API de journalisation de débogage activée - Ancien canal Admin - Configuration série - Série activée - Echo activé - Vitesse de transmission série - Délai d\'expiration - Mode série - Outrepasser le port série de la console - - Battement de coeur - Nombre d\'enregistrements - Limite d’historique renvoyé - Fenêtre de retour d’historique - Serveur - Configuration de la Télémétrie - Intervalle de mise à jour des métriques de l\'appareil (secondes) - Intervalle de mise à jour des métriques d\'environnement (secondes) - Module de métriques de l\'environnement activé - Mesures d\'environnement à l\'écran activées - Les mesures environnementales utilisent Fahrenheit - Module de mesure de la qualité de l\'air activé - Interval de mise à jours des mesures de la qualité de l\'air (seconde) - Icône de la qualité de l\'air - Module de mesure de puissance activé - Intervalle de mise à jour des mesures de puissance (secondes) - Indicateurs d\'alimentation à l\'écran activés - Configuration de l\'utilisateur - Identifiant (ID) du nœud - Nom long - Nom court - Modèle de matériel - Radioamateur licencié (HAM) - L\'activation de cette option désactive le chiffrement et n\'est pas compatible avec le réseau Meshtastic par défaut. - Point de rosée - Pression - Résistance au gaz - Distance - Lux - Vent - Poids - Radiation - - Qualité de l\'air intérieur (IAQ) - URL - - Importer la configuration - Exporter la configuration - Matériel - Pris en charge - Numéro de nœud - ID utilisateur - Durée de fonctionnement - Charge %1$d - Disque libre %1$d - Horodatage - En-tête - Vitesse - Sats - Alt - Fréq - Emplacement - Principal - Diffusion périodique de la position et des données de télémétrie - Secondaire - Diffusion de la télémétrie périodique désactivée - Requête manuelle de position requise - Appuyez et faites glisser pour réorganiser - Désactiver Muet - Dynamique - Scanner le code QR - Partager le contact - Importer le contact partagé ? - Non joignable par message - Non surveillé ou Infrastructure - Avertissement : Ce contact est connu, l\'importation écrasera les informations précédentes. - Clé publique modifiée - Importer - Récupérer les métadonnées - Actions - Micrologiciel - Utiliser le format horaire 12h - Affiche l’heure au format 12 h une fois activé. - Journal des métriques de l’hôte - Hôte - Mémoire libre - Espace disque libre - Charge - Texte utilisateur - Naviguer vers - Connexion - Carte de maillage - Conversations - Noeuds - Réglages - Définir votre région - Répondre - Votre nœud enverra périodiquement un paquet de rapport de position non chiffré au serveur MQTT configuré. Ce paquet inclut l\'identifiant, les noms long et court, la position approximative, le modèle matériel, le rôle, la version du micrologiciel, la région LoRa, le préréglage du modem et le nom du canal principal. - Consentir au partage des données non chiffrées du nœud via MQTT - En activant cette fonctionnalité, vous reconnaissez et consentez expressément à la transmission de la position géographique en temps réel de votre appareil via le protocole MQTT, sans chiffrement. Ces données de localisation peuvent être utilisées à des fins telles que l’affichage sur une carte en temps réel, le suivi de l’appareil et d’autres fonctions de télémétrie associées. - J’ai lu et compris ce qui précède. Je consens volontairement à la transmission non chiffrée des données de mon nœud via MQTT. - J\'accepte. - Mise à jour du micrologiciel recommandée. - Pour bénéficier des dernières corrections et fonctionnalités, veuillez mettre à jour le micrologiciel de votre nœud.\n\nDernière version stable du micrologiciel : %1$s - Expire - Heure - Date - Filtre de carte\n - Juste les favoris - Afficher les points de repère - Afficher les cercles de précision - Notification client - Clés compromises détectées, sélectionnez OK pour régénérer. - Régénérer la clé privée - Êtes-vous sûr de vouloir régénérer votre clé privée ?\n\nLes nœuds qui peuvent avoir précédemment échangé des clés avec ce nœud devront supprimer ce nœud et ré-échanger des clés afin de reprendre une communication sécurisée. - Exporter les clés - Exporte les clés publiques et privées vers un fichier. Veuillez stocker quelque part en toute sécurité. - Modules déverrouillés - Distant - (%1$d en ligne / %2$d total) - Réagir - Déconnecter - Recherche de périphériques Bluetooth… - Aucun périphérique Bluetooth associé. - Aucun périphérique réseau trouvé. - Aucun périphérique série USB détecté. - Défiler vers le bas - Meshtastic - Balayage - Statut de sécurité - Sécurisé - Badge d\'alerte - Canal inconnu - Attention - Menu supplémentaire - UV Lux - Inconnu - Cette radio est gérée et ne peut être modifiée que par un administrateur distant. - Avancé - Nettoyer la base de données des nœuds - Nettoyer les nœuds vus pour la dernière fois depuis %1$d jours - Nettoyer uniquement les nœuds inconnus - Nettoyer les nœuds avec une interaction faible/sans interaction - Nettoyer les nœuds ignorés - Nettoyer maintenant - Cela supprimera les %1$d nœuds de votre base de données. Cette action ne peut pas être annulée. - Un cadenas vert signifie que le canal est chiffré de façon sécurisée avec une clé AES 128 ou 256 bits. - - Canal non sécurisé, localisation non précise - Un cadenas ouvert jaune signifie que le canal n\'est pas crypté de manière sécurisée, n\'est pas utilisé pour des données de localisation précises, et n\'utilise aucune clé, ou une clé connue de 1 octet. - - Canal non sécurisé, localisation précise - Un cadenas rouge ouvert signifie que le canal n\'est pas crypté de manière sécurisée, est utilisé pour des données de localisation précises, et n\'utilise aucune clé, ou une clé connue de 1 octet. - - Attention : Localisation précise & MQTT non sécurisée - Un cadenas rouge ouvert avec un avertissement signifie que le canal n\'est pas crypté de manière sécurisée, est utilisé pour des données de localisation précises qui sont diffusées sur Internet via MQTT, et n\'utilise aucune clé, ou une clé connue de 1 octet. - - Sécurité du canal - Signification de la sécurité des canaux - Afficher toutes les significations - Afficher l\'état actuel - Annuler - Êtes-vous sûr de vouloir supprimer ce nœud ? - Répondre à %1$s - Annuler la réponse - Supprimer les messages ? - Effacer la sélection - Message - Composer un message - Journal des métriques PAX - PAX - Aucun journal de métriques PAX disponible. - Périphériques WiFi - Appareils BLE - Périphériques appairés - Périphérique connecté - Go - Limite de débit dépassée. Veuillez réessayer plus tard. - Voir la version - Télécharger - Actuellement installés - Dernière version stable - Dernière version alpha - Soutenu par la communauté Meshtastic - Version du micrologiciel - Périphériques réseaux récents - Appareils réseau découverts - Commencer - Bienvenue sur - Restez connecté n\'importe où - Communiquez en dehors du réseau avec vos amis et votre communauté sans service cellulaire. - Créez votre propre réseau - Installez facilement des réseaux de maillage privé pour une communication sûre et fiable dans les régions éloignées. - Suivre et partager les emplacements - Partagez votre position en temps réel et gardez votre groupe coordonné avec les fonctionnalités GPS intégrées. - Notifications de l’application - Messages entrants - Notifications pour le canal et les messages directs. - Nouveaux nœuds - Notifications pour les nouveaux nœuds découverts. - Batterie faible - Notifications d\'alertes de batterie faible pour l\'appareil connecté. - - Configurer les autorisations de notification - Localisation du téléphone - Meshtastic utilise la localisation de votre téléphone pour activer un certain nombre de fonctionnalités. Vous pouvez mettre à jour vos autorisations de localisation à tout moment à partir des paramètres. - Localisation partagée - Utilisez le GPS de votre téléphone pour envoyer des emplacements à votre nœud au lieu d\'utiliser le GPS de votre nœud. - Mesures de distance - Afficher la distance entre votre téléphone et les autres nœuds Meshtastic avec des positions. - Filtres de distance - Filtrer la liste de nœuds et la carte de maillage en fonction de la proximité de votre téléphone. - Emplacement de la carte de maillage - Active le point de localisation bleu de votre téléphone sur la carte de maillage. - Configurer les autorisations de localisation - Ignorer - Paramètres - Alertes critiques - Pour assurer la réception des alertes critiques, comme les messages de SOS, même lorsque votre périphérique est en mode \"Ne pas déranger\", vous devez donner les droits spéciaux. Activez cela dans les paramètres de notifications - Configurer les alertes critiques - Meshtastic utilise les notifications pour vous tenir à jour sur les nouveaux messages et autres événements importants. Vous pouvez mettre à jour vos autorisations de notification à tout moment à partir des paramètres. - Suivant - Accorder les autorisations - %d nœuds en attente de suppression : - Attention : Ceci supprime les nœuds des bases de données in-app et on-device.\nLes sélections sont additionnelles. - Connexion à l\'appareil - Normal - Satellite - Terrain - Hybride - Gérer les calques de la carte - Couches cartographiques - Aucun calque personnalisé chargé. - Ajouter un calque - Ajouter un calque - Afficher le calque - Supprimer le calque - Ajouter un calque - Nœuds à cet emplacement - Type de carte sélectionné - Gérer les sources de tuiles personnalisées - Ajouter une source de tuile personnalisée - Aucune source de tuiles personnalisée - Modifier la source de tuile personnalisée - Supprimer la source de tuile personnalisée - Le nom ne peut pas être vide. - Le nom du fournisseur existe déjà. - URL ne peut être vide. - L\'URL doit contenir des espaces réservés. - Modèle d\'URL - Point de suivi -
diff --git a/app/src/main/res/values-ga/strings.xml b/app/src/main/res/values-ga/strings.xml deleted file mode 100644 index cc7e7b8bc..000000000 --- a/app/src/main/res/values-ga/strings.xml +++ /dev/null @@ -1,242 +0,0 @@ - - - - Scagaire - Cuir scagaire na nóid in áirithe - Cuir Anaithnid san áireamh - Taispeáin sonraí - Cainéal - Sáth - Cúlaithe - Deiridh chluinmhu - trí MQTT - trí MQTT - Neamh-aithnidiúil - Ag fanacht le ceadú - Cur síos ar sheoladh - Faighte - Gan route - Fáilte atá faighte le haghaidh niúúáil - Am tráth - Gan anicéir - Ceannaire Máx Dúnadh - Gan cainéal - Pacáiste ró-mhór - Gan freagra - Iarratas Mícheart - Ceangail cileáil tráth - Gan aithne - Ní raibh níos saora phósach fadhach - Pre-set den x-teirí code - Earráid i eochair sesún an riarthóra - Eochair phoiblí riarthóra neamhúdaraithe - Feiste nascaithe nó feiste teachtaireachtaí standálaí. - Feiste nach dtarchuir pacáistí ó ghléasanna eile. - Ceannaire infreastruchtúrtha chun clúdach líonra a leathnú trí theachtaireachtaí a athsheoladh. Infheicthe i liosta na nóid. - Comhcheangail de dhá ról ROUTER agus CLIENT. Ní do ghléasanna soghluaiste. - Ceannaire infreastruchtúrtha chun clúdach líonra a leathnú trí theachtaireachtaí a athsheoladh le níos lú romha. - Bíonn sé ag seoladh pacáistí suíomh GPS mar thosaíocht. - Bíonn sé ag seoladh pacáistí teiliméadair mar thosaíocht. - Optamaithe le haghaidh cumarsáide ATAK, laghdaíonn sé cainéil seirbhíse beacht. - Feiste a seolann ach nuair is gá, chun éalú nó do chumas cothromóige. - Pacáiste leis an suíomh agus é seolta chuig an cainéal réamhshocraithe gach lá. - Ceadaíonn fadhb beathú do bhoganna PLI i sórtú PLI i feidhm reatha. - Athsheoladh aon teachtaireacht i ndáiríre má bhí sí oiriúnach le do cheist go léannais foghlamhrúcháin. - Ceim misniúla thosaí go lucht shnaithte! - Cuireann sé bac ar theachtaireachtaí a fhaightear ó mhóilíní seachtracha cosúil le LOCAL ONLY, ach téann sé céim níos faide trí theachtaireachtaí ó nóid nach bhfuil sa liosta aitheanta ag an nóid a chosc freisin. - Ceadaítear é seo ach amháin do na róil SENSOR, TRACKER agus TAK_TRACKER, agus cuirfidh sé bac ar gach athdháileadh, cosúil leis an róil CLIENT_MUTE. - Cuireann sé bac ar phacáistí ó phortníomhaíochtaí neamhchaighdeánacha mar: TAK, RangeTest, PaxCounter, srl. Ní athdháileann ach pacáistí le portníomhaíochtaí caighdeánacha: NodeInfo, Text, Position, Telemetry, agus Routing. - Ainm Cainéal - Cód QR - deilbhín feidhmchláir - Ainm Úsáideora Anaithnid - Seol - Níl raidió comhoiriúnach Meshtastic péireáilte leis an bhfón seo agat fós. Péireáil gléas le do thoil agus socraigh d’ainm úsáideora.\n\nTá an feidhmchlár foinse oscailte seo faoi alfa-thástáil, má aimsíonn tú fadhbanna cuir iad ar ár bhfóram: https://github.com/orgs/meshtastic/discussions\n\nLe haghaidh tuilleadh faisnéise féach ar ár leathanach gréasáin - www.meshtastic.org. - - Glac - Cealaigh - URL Cainéal nua faighte - Tuairiscigh fabht - Tuairiscigh fabht - An bhfuil tú cinnte gur mhaith leat fabht a thuairisciú? Tar éis tuairisciú a dhéanamh, cuir sa phost é le do thoil in https://github.com/orgs/meshtastic/discussions ionas gur féidir linn an tuarascáil a mheaitseáil leis an méid a d’aimsigh tú. - Tuairiscigh - Péireáil críochnaithe, ag tosú seirbhís - Péireáil neadaithe, le do thoil roghnaigh arís - Cead iontrála áit dúnta, ní féidir an suíomh a chur ar fáil chuig an mesh. - Roinn - Na ceangailte - Gléas ina chodladh - Seoladh IP: - Ceangailte le raidió (%s) - Ní ceangailte - Ceangailte le raidió, ach tá sé ina chodladh - Nuashonrú feidhmchláir riachtanach - Caithfidh tú an feidhmchlár seo a nuashonrú ón siopa feidhmchláir (nó Github). Tá sé ró-aois chun cumarsáid a dhéanamh leis an firmware raidió seo. Le do thoil, léigh ár doiciméid ar an ábhar seo. - Ní aon (diúscairt) - Fógraí seirbhíse - Maidir le - Tá an URL Cainéil seo neamhdhleathach agus ní féidir é a úsáid - Painéal Laige - Glan - Stádas seachadta teachtaireachta - Nuashonrú teastaíonn ar an gcórais. - Tá an firmware raidió ró-aoiseach chun cumarsáid a dhéanamh leis an aip seo. Chun tuilleadh eolais a fháil, féach ár gCúnamh Suiteála Firmware. - Ceadaigh - Caithfidh tú réigiún a shocrú! - Ní féidir an cainéal a athrú, toisc nach bhfuil an raidió nasctha fós. Déan iarracht arís. - Onnmhairigh rangetest.csv - Athshocraigh - Scanadh - Cuir leis - An bhfuil tú cinnte gur mhaith leat an cainéal réamhshocraithe a athrú? - Athshocrú go dtí na réamhshocruithe - Cuir i bhfeidhm - Téama - Solas - Dorcha - Réamhshocrú córas - Roghnaigh téama - Soláthra suíomh na fón do do líonra - - Ar mhaith leat teachtaireacht a scriosadh? - Ar mhaith leat %s teachtaireachtaí a scriosadh? - Ar mhaith leat %s teachtaireachtaí a scriosadh? - Ar mhaith leat %s teachtaireachtaí a scriosadh? - Ar mhaith leat %s teachtaireachtaí a scriosadh? - - Scrios - Scrios do gach duine - Scrios dom - Roghnaigh go léir - Roghnaigh stíl - Íoslódáil réigiún - Ainm - Cur síos - Ceangailte - Sábháil - Teanga - Réamhshocrú córas - Seol arís - Dún - Ní tacaítear le dúnadh ar an ngléas seo - Athmhaoinigh - Céim rianadóireachta - Taispeáin Úvod - Teachtaireacht - Roghanna comhrá tapa - Comhrá tapa nua - Cuir comhrá tapa in eagar - Cuir leis an teachtaireacht - Seol láithreach - Athshocraigh an fhactaraí - Teachtaireacht dhíreach - Athshocraigh NodeDB - Seachadadh deimhnithe - Earráid - Ignóra - Cuir ‘%s’ leis an liosta ignorálacha? - Bain ‘%s’ ón liosta ignorálacha? - Roghnaigh réigiún íoslódála - Meastachán íoslódála tile: - Tosaigh íoslódáil - Dún - Cumraíocht raidió - Cumraíocht an mhódule - Cuir leis - Cuir in eagar - Á ríomh… - Bainisteoir as líne - Méid na Cásla Reatha - Cumas an Cásla: %1$.2f MB\nÚsáid an Cásla: %2$.2f MB - Glan na Tíleanna Íoslódáilte - Foinse Tíle - Cásla SQL glanta do %s - Teip ar ghlanadh Cásla SQL, féach logcat le haghaidh sonraí - Bainisteoir Cásla - Íoslódáil críochnaithe! - Íoslódáil críochnaithe le %d earráidí - %d tíleanna - comhthéacs: %1$d° achar: %2$s - Cuir in eagar an pointe bealach - Scrios an pointe bealach? - Pointe bealach nua - Pointe bealach faighte: %s - Teorainn na Ciorcad Oibre bainte. Ní féidir teachtaireachtaí a sheoladh faoi láthair, déan iarracht arís níos déanaí. - Bain - Bainfear an nod seo ón liosta go dtí go bhfaighidh do nod sonraí uaidh arís. - Cuir foláirimh i gcíocha - 8 uair an chloig - 1 seachtain - I gcónaí - Ionad - Scan QR cód WiFi - Formáid QR cód Creidiúnachtaí WiFi neamhbhailí - Súil Siar - Cúis leictreachais - Úsáid cainéil - Úsáid aeir - Teocht - Laige - Lógáil - Céimeanna uaidh - Eolas - Úsáid na cainéil reatha, lena n-áirítear TX ceartaithe, RX agus RX mícheart (anáilís ar na fuaimeanna). - Céatadán de na hamaitear úsáideach atá in úsáid laistigh de uair an chloig atá caite. - QAÍ (Cáilíocht Aeir Inmheánach) - Eochair roinnte - Tá teachtaireachtaí díreacha á n-úsáid leis an eochair roinnte do na cainéil. - Cóid Poiblí Eochair - Tá teachtaireachtaí díreacha á n-úsáid leis an gcórais eochair phoiblí nua do chriptiú. Riachtanach atá leagan firmware 2.5 nó níos mó. - Mícomhoiriúnacht na heochrach phoiblí - Ní chomhoireann an eochair phoiblí leis an eochair atá cláraithe. Féachfaidh tú le hiarraidh na nod agus athmhaoin na heochrach ach seo féadfaidh a léiriú fadhb níos tromchúisí i gcúrsaí slándála. Téigh i dteagmháil leis an úsáideoir tríd an gcainéal eile atá ar fáil chun a fháil amach an bhfuil athrú eochrach de réir athshocrú monarcha nó aidhm eile ar do chuid. - Fógartha faoi na nodes nua - Tuilleadh sonraí - Ráta Sigineal go Torann, tomhas a úsáidtear i gcomhfhreagras chun an leibhéal de shígnéil inmhianaithe agus torann cúlra a mheas. I Meshtastic agus i gcórais gan sreang eile, ciallaíonn SNR níos airde go bhfuil sígneál níos soiléire ann agus ábalta méadú ar chreideamh agus cáilíocht an tarchur sonraí. - Táscaire Cumhachta Athnuachana Aithint an Aoise, tomhas a úsáidtear chun leibhéal cumhachta atá faighte ag an antsnáithe a mheas. Léiríonn RSSI níos airde gnóthachtáil níos laige atá i gceangal seasmhach agus níos láidre. - (Cáilíocht Aeir Inmheánach) scála ábhartha den luach QAÍ a thomhas ag Bosch BME680. Scála Luach 0–500. - Lógáil Táscairí Feiste - Léarscáil an Node - Lógáil Seirbhís - Lógáil Táscairí Comhshaoil - Lógáil Táscairí Sigineal - Rialachas - Rialú iargúlta - Go dona - Ceart go leor - Maith - Ní dhéanfaidh sé - Sígneal - Cáilíocht na Sígneal - Lógáil Traceroute - Direach - - 1 céim - %d céimeanna - %d céimeanna - %d céimeanna - %d céimeanna - - Céimeanna i dtreo %1$d Céimeanna ar ais %2$d - Am tráth - Sáth - - - - - Teachtaireacht - diff --git a/app/src/main/res/values-gl/strings.xml b/app/src/main/res/values-gl/strings.xml deleted file mode 100644 index 4ce203746..000000000 --- a/app/src/main/res/values-gl/strings.xml +++ /dev/null @@ -1,155 +0,0 @@ - - - - Filtro - quitar filtro de nodo - Incluír descoñecido - A-Z - Canle - Distancia - Brinca fóra - Última escoita - vía MQTT - vía MQTT - Fallou o envío cifrado - Aplicación conectada ou dispositivo de mensaxería autónomo. - Nome de canle - Código QR - icona da aplicación - Nome de usuario descoñecido - Enviar - Aínda non enlazaches unha radio compatible con Meshtástic neste teléfono. Por favor enlaza un dispositivo e coloca o teu nome de usuario. \n\n Esta aplicación de código aberto está en desenvolvemento. Se atopas problemas por favor publícaos no noso foro: https://github.com/orgs/meshtastic/discussions\n\nPara máis información visita a nosa páxina - www.meshtastic.org. - Ti - Aceptar - Cancelar - Novo enlace de canle recibida - Reportar erro - Reporta un erro - Seguro que queres reportar un erro? Despois de reportar, por favor publica en https://github.com/orgs/meshtastic/discussions para poder unir o reporte co que atopaches. - Reportar - Enlazado completado, comezando servizo - Enlazado fallou, por favor seleccione de novo - Acceso á úbicación está apagado, non se pode prover posición na rede. - Compartir - Desconectado - Dispositivo durmindo - Enderezo IP: - Conectado á radio (%s) - Non conectado - Conectado á radio, pero está durmindo - Actualización da aplicación requerida - Debe actualizar esta aplicación na tenda (ou Github). É moi vella para falar con este firmware de radio. Por favor lea a nosa documentación neste tema. - Ningún (desactivado) - Notificacións de servizo - Acerca de - A ligazón desta canle non é válida e non pode usarse - Panel de depuración - Limpar - Estado de envío de mensaxe - Actualización de firmware necesaria. - O firmware de radio é moi vello para falar con esta aplicación. Para máis información nisto visita a nosa guía de instalación de Firmware. - OK - Tes que seleccionar rexión! - Non se puido cambiar de canle, porque a radio aínda non está conectada. Por favor inténteo de novo. - Exportar rangetest.csv - Restablecer - Escanear - Engadir - Está seguro de que quere cambiar á canle predeterminada? - Restablecer a por defecto - Aplicar - Tema - Claro - Escuro - Por defecto do sistema - Escoller tema - Proporcionar a ubicación do teléfono á malla - - Eliminar mensaxe? - Eliminar %s mensaxes? - - Eliminar - Eliminar para todos - Eliminar para min - Seleccionar todo - Selección de Estilo - Descargar Rexión - Nome - Descrición - Bloqueado - Gardar - Linguaxe - Predeterminado do sistema - Reenviar - Apagar - Reiniciar - Traza-ruta - Amosar introdución - Mensaxe - Opcións de conversa rápida - Nova conversa rápida - Editar conversa rápida - Anexar a mensaxe - Enviar instantaneamente - Restablecemento de fábrica - Mensaxe directa - Restablecer NodeDB - Entrega confirmada - Erro - Ignorar - Engadir \'%s\' á lista de ignorar? - Quitar \'%s\' da lista de ignorar? - Seleccionar a rexión de descarga - Descarga de \'tile\' estimada: - Comezar a descarga - Pechar - Configuración de radio - Configuración de módulo - Engadir - Editar - Calculando… - Xestor sen rede - Tamaño de caché actual - Capacidade de Caché: %1$.2f MB\nUso de Caché: %2$.2f MB - Limpar \'tiles\' descargadas - Fonte de \'tile\' - Caché SQL purgada para %s - A purga de Caché SQL fallou, mira logcat para os detalles - Xestor de caché - Descarga completada! - Descarga completada con %d errores - %d \'tiles\' - rumbo: %1$d distancia:%2$s - Editar punto de ruta - Eliminar punto de ruta? - Novo punto de ruta - Punto de ruta recibido:%s - O límite do Ciclo de Traballo de Sinal foi alcanzado. Non se pode enviar mensaxes agora, inténtao despois. - Eliminar - Este nodo será retirado da túa lista ata que o teu nodo reciba datos seus de novo. - Silenciar notificacións - 8 horas - 1 semana - Sempre - Distancia - - - - - Mensaxe - diff --git a/app/src/main/res/values-hr/strings.xml b/app/src/main/res/values-hr/strings.xml deleted file mode 100644 index 51ca89989..000000000 --- a/app/src/main/res/values-hr/strings.xml +++ /dev/null @@ -1,154 +0,0 @@ - - - - Filtriraj - očisti filter čvorova - Uključujući nepoznate - A-Z - Kanal - Udaljenost - Broj skokova - Posljednje čuo - putem MQTT - putem MQTT - Naziv kanala - QR kod - ikona aplikacije - Nepoznati korisnik - Potvrdi - Još niste povezali Meshtastic radio uređaj s ovim telefonom. Povežite uređaj i postavite svoje korisničko ime.\n\nOva aplikacija otvorenog koda je u razvoju, ako naiđete na probleme, objavite na našem forumu: https://github.com/orgs/meshtastic/discussions\n\nZa više informacija pogledajte našu web stranicu - www.meshtastic.org. - Vi - Prihvati - Odustani - Primljen je URL novog kanala - Prijavi grešku - Prijavi grešku - Jeste li sigurni da želite prijaviti grešku? Nakon prijave, objavite poruku na https://github.com/orgs/meshtastic/discussions kako bismo mogli utvrditi dosljednost poruke o pogrešci i onoga što ste pronašli. - Izvješće - Uparivanje uspješno, usluga je pokrenuta - Uparivanje nije uspjelo, molim odaberite ponovno - Pristup lokaciji je isključen, Vaš Android ne može pružiti lokaciju mesh mreži. - Podijeli - Odspojeno - Uređaj je u stanju mirovanja - IP Adresa: - Spojen na radio (%s) - Nije povezano - Povezan na radio, ali je u stanju mirovanja - Potrebna je nadogradnja aplikacije - Potrebno je ažurirati ovu aplikaciju putem Play Storea (ili Githuba). Aplikacija je prestara za komunikaciju s ovim firmwerom radija. Pročitajte našu dokumentaciju o ovoj temi. - Ništa (onemogućeno) - Servisne obavijesti - O programu - Ovaj URL kanala je nevažeći i ne može se koristiti - Otklanjanje pogrešaka - Očisti - Status isporuke poruke - Potrebno ažuriranje firmwarea. - Firmware radija je prestar za komunikaciju s ovom aplikacijom. Za više informacija posjetite naš vodič za instalaciju firmwarea. - U redu - Potrebno je postaviti regiju! - Nije moguće promijeniti kanal jer radio još nije povezan. Molim pokušajte ponovno. - Izvezi rangetest.csv - Resetiraj - Pretraži - Dodaj - Jeste li sigurni da želite promijeniti na zadani kanal? - Vrati na početne postavke - Potvrdi - Tema - Svijetla - Tamna - Sistemski zadano - Odaberi temu - Navedi lokaciju telefona na mesh mreži - - Obriši poruku? - Obriši %s poruke? - Obriši %s poruke? - - Obriši - Izbriši za sve - Izbriši za mene - Označi sve - Odabir stila - Preuzmite regiju - Ime - Opis - Zaključano - Spremi - Jezik - Zadana vrijednost sustava - Ponovno pošalji - Isključi - Ponovno pokreni - Traceroute - Prikaži uvod - Poruka - Opcije brzog razgovora - Novi brzi razgovor - Uredi brzi chat - Dodaj poruci - Pošalji odmah - Vraćanje na tvorničke postavke - Izravna poruka - Resetiraj NodeDB bazu - Isporučeno - Pogreška - Ignoriraj - Dodati \'%s\' na popis ignoriranih? Vaš radio će se ponovno pokrenuti nakon ove promjene. - Ukloniti \'%s\' s popisa ignoriranih? Vaš radio će se ponovno pokrenuti nakon ove promjene. - Označite regiju za preuzimanje - Procjena preuzimanja: - Pokreni Preuzimanje - Zatvori - Konfiguracija uređaja - Konfiguracija modula - Dodaj - Uredi - Izračunavanje… - Izvanmrežni upravitelj - Trenutna veličina predmemorije - Kapacitet predmemorije: %1$.2f MB\nUpotreba predmemorije: %2$.2f MB - Ukloni preuzete datoteke - Izvor karte - SQL predmemorija očišćena za %s - Čišćenje SQL predmemorije nije uspjelo, pogledajte logcat za detalje - Upravitelj predmemorije - Preuzimanje je završeno! - Preuzimanje je završeno s %d pogrešaka - %d dijelova karte - smjer: %1$d° udaljenost: %2$s - Uredi putnu točku - Obriši putnu točku? - Nova putna točka - Primljena putna točka: %s - Dosegnuto je ograničenje radnog ciklusa. Trenutačno nije moguće poslati poruke, pokušajte ponovno kasnije. - Ukloni - Ovaj će čvor biti uklonjen s vašeg popisa sve dok vaš čvor ponovno ne primi podatke s njega. - Isključi obavijesti - 8 sati - 1 tjedan - Uvijek - Udaljenost - - - - - Poruka - diff --git a/app/src/main/res/values-hu/strings.xml b/app/src/main/res/values-hu/strings.xml deleted file mode 100644 index 8b59b9dad..000000000 --- a/app/src/main/res/values-hu/strings.xml +++ /dev/null @@ -1,209 +0,0 @@ - - - - Filter - állomás filter törlése - Ismeretlent tartalmaz - Részletek megjelenítése - A-Z - Csatorna - Távolság - Ugrás Messzire - Utoljára hallott - MQTT-n Keresztül - MQTT-n Keresztül - Ismeretlen - Visszajelzésre vár - Elküldésre vár - Visszaigazolva - Nincs út - Időtúllépés - Nincs Interfész - Maximális Újraküldés Elérve - Nincs Csatorna - Túl nagy csomag - Nincs Válasz - Hibás kérés - Helyi Üzemciklus Határ Elérve - Nem Engedélyezett - Titkosított Küldés Sikertelen - Nem Ismert Publikus Kulcs - Hibás munkamenet kulcs - Nem Engedélyezett Publikus Kulcs - Csatorna neve - QR kód - alkalmazás ikonja - Ismeretlen felhasználónév - Küldeni - Még nem párosított egyetlen Meshtastic rádiót sem ehhez a telefonhoz. Kérem pároztasson egyet és állítsa be a felhasználónevet.\n\nEz a szabad forráskódú alkalmazás fejlesztés alatt áll, ha hibát talál kérem írjon a projekt fórumába: https://github.com/orgs/meshtastic/discussions\n\nBővebb információért látogasson el a projekt weboldalára - www.meshtastic.org. - Te - Elfogadni - Megszakítani - Új csatorna URL érkezett - Hiba jelentése - Hiba jelentése - Biztosan jelenteni akarja a hibát? Bejelentés után kérem írjon a https://github.com/orgs/meshtastic/discussions fórumba, hogy így össze tudjuk hangolni a jelentést azzal, amit talált. - Jelentés - Pároztatás befejeződött, a szolgáltatás indítása - Pároztatás sikertelen, kérem próbálja meg újra. - A földrajzi helyhez való hozzáférés le van tiltva, nem lehet pozíciót közölni a mesh hálózattal. - Megosztás - Szétkapcsolva - Az eszköz alszik - IP cím: - Kapcsolódva a(z) %s rádióhoz - Nincs kapcsolat - Kapcsolódva a rádióhoz, de az alvó üzemmódban van - Az alkalmazás frissítése szükséges - Frissítenie kell ezt az alkalmazást a Google Play áruházban (vagy a GitHub-ról), mert túl régi, hogy kommunikálni tudjob ezzel a rádió firmware-rel. Kérem olvassa el a tudnivalókat ebből a docs-ből. - Egyik sem (letiltás) - Szolgáltatás értesítések - A programról - Ez a csatorna URL érvénytelen, ezért nem használható. - Hibakereső panel - Töröl - Üzenet kézbesítésének állapota - Firmware frissítés szükséges. - A rádió firmware túl régi ahhoz, hogy a programmal kommunikálni tudjon. További tudnivalókat a firmware frissítés leírásában talál, a Github-on. - Be kell állítania egy régiót - Nem lehet csatornát váltani, mert a rádió nincs csatlakoztatva. Kérem próbálja meg újra. - Rangetest.csv exportálása - Újraindítás - Keresés - Új hozzáadása - Biztosan meg akarja változtatni az alapértelmezett csatornát? - Alapértelmezett beállítások visszaállítása - Alkalmaz - Téma - Világos - Sötét - Rendszer alapértelmezett - Válasszon témát - Pozíció hozzáférés a mesh számára - - Töröljem az üzenetet? - Töröljek %s üzenetet? - - Törlés - Törlés mindenki számára - Törlés nekem - Összes kijelölése - Stílus választás - Letöltési régió - Név - Leírás - Zárolt - Mentés - Nyelv - Alapbeállítás - Újraküldés - Leállítás - Leállítás nem támogatott ezen az eszközön - Újraindítás - Traceroute - Bemutatkozás megjelenítése - Üzenet - Gyors csevegés opciók - Új gyors csevegés - Gyors csevegés szerkesztése - Hozzáfűzés az üzenethez - Azonnali küldés - Gyári beállítások visszaállítása - Közvetlen üzenet - NodeDB törlése - Kézbesítés sikeres - Hiba - Mellőzés - Válassz letöltési régiót - Csempe letöltés számítása: - Letöltés indítása - Bezárás - Eszköz beállítások - Modul beállítások - Új hozzáadása - Szerkesztés - Számolás… - Offline kezelő - Gyorsítótár mérete jelenleg - Gyorsítótár kapacitása: %1$.2f MB\nGyorsítótár kihasználtsága: %2$.2f MB - Letöltött csempék törlése - Csempe forrás - SQL gyorsítótár kiürítve %s számára - SQL gyorsítótár kiürítése sikertelen, a részleteket lásd a logcat-ben - Gyorsítótár kezelő - A letöltés befejeződött! - A letöltés %d hibával fejeződött be - %d csempe - irányszög: %1$d° távolság: %2$s - Útpont szerkesztés - Útpont törlés? - Új útpont - Törlés - Értesítések némítása - 8 óra - 1 hét - Mindig - Csere - WiFi QR kód szkennelése - Vissza - Akkumulátor - Csatornahasználat - Légidőhasználat - Hőmérséklet - Páratartalom - Naplók - Ugrás Messzire - Információ - IAQ - Megosztott kulcs - Publikus Kulcs Titkosítás - Publikus kulcs nem egyezik - Új állomás értesítések - Több részlet - SNR - RSSI - Eszközmérő Napló - Állomás Térkép - Pozíciónapló - Környezeti Mérés Napló - Jelminőség Napló - Adminisztráció - Távoli Adminisztráció - Rossz - Megfelelő - - Semmi - Jel - Jelminőség - Traceroute napló - Közvetlen - - 1 ugrás - %d ugrások - - Ugrások oda %1$d Vissza %2$d - Üzenetek - Időtúllépés - Távolság - Beállítások - - - - - Üzenet - diff --git a/app/src/main/res/values-is/strings.xml b/app/src/main/res/values-is/strings.xml deleted file mode 100644 index 348abc2b0..000000000 --- a/app/src/main/res/values-is/strings.xml +++ /dev/null @@ -1,133 +0,0 @@ - - - - Heiti rásar - QR kóði - tákn smáforrits - Óþekkt notendanafn - Senda - Þú hefur ekki parað Meshtastic radíó við þennan síma. Vinsamlegast paraðu búnað og veldu notendnafn.\n\nÞessi opni hugbúnaður er enn í þróun, finnir þú vandamál vinsamlegast búðu til þráð á spjallborðinu okkar: https://github.com/orgs/meshtastic/discussions\n\nFyrir frekari upplýsingar sjá vefsíðu - www.meshtastic.org. - Þú - Samþykkja - Hætta við - Ný slóð fyrir rás móttekin - Tilkynna villu - Tilkynna villu - Er þú viss um að vilja tilkynna villu? Eftir tilkynningu, settu vinsamlega inn þráð á https://github.com/orgs/meshtastic/discussions svo við getum tengt saman tilkynninguna við villuna sem þú fannst. - Tilkynna - Pörun lokið, ræsir þjónustu - Pörun mistókst, vinsamlegast veljið aftur - Aðgangur að staðsetningu ekki leyfður, staðsetning ekki send út á mesh. - Deila - Aftengd - Radíó er í svefnham - IP Tala: - Tengdur við radíó (%s) - Ekki tengdur - Tengdur við radíó, en það er í svefnham - Uppfærsla á smáforriti nauðsynleg - Þú verður að uppfæra þetta smáforrit í app store (eða Github). Það er of gamalt til að geta talað við fastbúnað þessa radíó. Vinsamlegast lestu leiðbeiningar okkar um þetta mál. - Ekkert (Afvirkjað) - Tilkynningar um þjónustu - Um smáforrit - Þetta rásar URL er ógilt og ónothæft - Villuleitarborð - Hreinsa - Staða sends skilaboðs - Uppfærsla fastbúnaðar nauðsynleg. - Fastbúnaður radíósins er of gamall til að tala við þetta smáforrit. Fyrir ítarlegri upplýsingar sjá Leiðbeiningar um uppfærslu fastbúnaðar. - Í lagi - Þú verður að velja svæði! - Gat ekki skipt um rás vegna þess að radíó er ekki enn tengt. Vinsamlegast reyndu aftur. - Flytja út skránna rangetest.csv - Endurræsa - Leita - Bæta við - Ert þú viss um að þú viljir skipta yfir á sjálfgefna rás? - Endursetja tæki - Virkja - Þema - Ljóst - Dökkt - Grunnstilling kerfis - Veldu þema - Áframsenda staðsetningu á möskvanet - - Eyða skilaboðum? - Eyða %s skilaboðum? - - Eyða - Eyða fyrir öllum - Eyða fyrir mér - Velja allt - Valmöguleikar stíls - Niðurhala svæði - Heiti - Lýsing - Læst - Vista - Tungumál - Grunnstilling kerfis - Endursenda - Slökkva - Endurræsa - Ferilkönnun - Sýna kynningu - Skilaboð - Flýtiskilaboð - Ný flýtiskilaboð - Breyta flýtiskilaboðum - Hengja aftan við skilaboð - Sent samtímis - Grunnstilla - Bein skilaboð - Endurræsa NodeDB - Hunsa - Bæta \'%s\' við Ignore lista? - Fjarlægja \'%s\' frá hunsa lista? - Veldu svæði til að niðurhala - Áætlaður niðurhalstími reits: - Hefja niðurhal - Loka - Stillingar radíós - Stillingar aukaeininga - Bæta við - Reiknar… - Sýsla með utankerfis kort - Núverandi stærð skyndiminnis - Stærð skyndiminnis: %1$.2f MB\nNýtt skyndiminni: %2$.2f MB - Hreinsa burt niðurhalaða reiti - Uppruni reits - SQL skyndiminni hreinsað fyrir %s - Hreinsun SQL skyndiminnis mistókts, sjá upplýsingar í logcat - Sýsla með skyndiminni - Niðurhali lokið! - Niðurhali lauk með %d villum - %d reitar - miðun: %1$d° fjarlægð: %2$s - Breyta leiðarpunkti - Eyða leiðarpunkti? - Nýr leiðarpunktur - Móttekin leiðarpunktur: %s - Hámarsksendingartíma náð. Ekki hægt að senda skilaboð, vinsamlegast reynið aftur síðar. - - - - - Skilaboð - diff --git a/app/src/main/res/values-it/strings.xml b/app/src/main/res/values-it/strings.xml deleted file mode 100644 index d8c5acfe4..000000000 --- a/app/src/main/res/values-it/strings.xml +++ /dev/null @@ -1,627 +0,0 @@ - - - - Meshtastic %s - Filtro - elimina filtro nodi - Includi sconosciuti - Nascondi i nodi offline - Mostra solamente i nodi diretti - Mostra dettagli - Opzioni ordinamento nodi - A-Z - Canale - Distanza - Distanza in Hop - Ricevuto più di recente - via MQTT - via MQTT - via Preferiti - Non riconosciuto - In attesa di conferma - In coda per l\'invio - Confermato - Nessun percorso - Ricevuta una conferma negativa - Timeout - Nessuna Interfaccia - Tentativi di Ritrasmissione Esauriti - Nessun Canale - Pacchetto troppo grande - Nessuna risposta - Richiesta Non Valida - Raggiunto il limite del ciclo di lavoro regionale - Non Autorizzato - Invio Criptato Non Riuscito - Chiave Pubblica Sconosciuta - Chiave di sessione non valida - Chiave Pubblica non autorizzata - App collegata o dispositivo di messaggistica standalone. - Dispositivo che non inoltra pacchetti da altri dispositivi. - Nodo d\'infrastruttura per estendere la copertura di rete tramite inoltro dei messaggi. Visibile nell\'elenco dei nodi. - Combinazione di ROUTER e CLIENT. Non per dispositivi mobili. - Nodo d\'infrastruttura per estendere la copertura della rete tramite inoltro dei messaggi con overhead minimo. Non visibile nell\'elenco dei nodi. - Dà priorità alla trasmissione di pacchetti di posizione GPS. - Dà priorità alla trasmissione di pacchetti di telemetria. - Ottimizzato per la comunicazione del sistema ATAK, riduce le trasmissioni di routine. - Dispositivo che trasmette solo quando necessario, per risparmiare energia o restare invisibile. - Trasmette a intervalli regolari la posizione come messaggio nel canale predefinito per aiutare il recupero del dispositivo. - Abilita le trasmissioni automatiche TAK PLI e riduce le trasmissioni di routine. - Nodo dell\'infrastruttura che ritrasmette sempre i pacchetti una volta ma solo dopo tutte le altre modalità, garantendo una copertura aggiuntiva per i cluster locali. Visibile nella lista dei nodi. - Ritrasmettere qualsiasi messaggio osservato, se era sul nostro canale privato o da un\'altra mesh con gli stessi parametri lora. - Stesso comportamento di ALL ma salta la decodifica dei pacchetti e semplicemente li ritrasmette. Disponibile solo nel ruolo Repeater. Attivando questo su qualsiasi altro ruolo, si otterrà il comportamento di ALL. - Ignora i messaggi osservati da mesh esterne aperte o quelli che non possono essere decifrati. Ritrasmette il messaggio solo nei canali locali primario / secondario dei nodi. - Ignora i messaggi osservati da mesh esterne come fa LOCAL ONLY, ma in più ignora i messaggi da nodi non presenti nella lista dei nodi conosciuti. - Permesso solo per i ruoli SENSOR, TRACKER e TAK_TRACKER, questo inibirà tutte le ritrasmissioni, come il ruolo CLIENT_MUTE. - Ignora pacchetti da numeri di porta non standard come: TAK, RangeTest, PaxCounter, ecc. Ritrasmette solo pacchetti con numeri di porta standard: NodeInfo, Testo, Posizione, Telemetria e Routing. - Considera il doppio tocco sugli accelerometri supportati come la pressione di un pulsante utente. - Disabilita la tripla pressione del pulsante utente per abilitare o disabilitare il GPS. - Controlla il LED lampeggiante del dispositivo. Per la maggior parte dei dispositivi questo controllerà uno dei LED (fino a 4), il LED dell\'alimentazione e il LED del GPS non sono controllabili. - Se oltre a inviarli tramite MQTT e PhoneAPI, i dati NeighborInfo devono essere trasmessi tramite LoRa. Non disponibile su un canale con chiave e nome predefiniti. - Chiave Pubblica - Nome del canale - Codice QR - Icona dell\'applicazione - Nome Utente Sconosciuto - Invia - Non è ancora stato abbinato un dispositivo radio compatibile Meshtastic a questo telefono. È necessario abbinare un dispositivo e impostare il nome utente.\n\nQuesta applicazione open-source è ancora in via di sviluppo, se si riscontrano problemi, rivolgersi al forum: https://github.com/orgs/meshtastic/discussions\n\nPer maggiori informazioni visitare la pagina web - www.meshtastic.org. - Tu - Accetta - Annulla - Ricevuta URL del Nuovo Canale - Segnala Bug - Segnalazione di bug - Procedere con la segnalazione di bug? Dopo averlo segnalato, si prega di postarlo in https://github.com/orgs/meshtastic/discussions in modo che possiamo associare la segnalazione al problema riscontrato. - Invia Segnalazione - Abbinamento completato, attivazione in corso del servizio - Abbinamento fallito, effettuare una nuova selezione - L\'accesso alla posizione è disattivato, non è possibile fornire la posizione al mesh. - Condividi - Disconnesso - Il dispositivo è inattivo - Connesso: %1$s online - Indirizzo IP: - Porta: - Connesso - Connesso alla radio (%s) - Non connesso - Connesso alla radio, ma sta dormendo - Aggiornamento dell\'applicazione necessario - È necessario aggiornare questa applicazione nell\'app store (o Github). È troppo vecchio per parlare con questo firmware radio. Per favore leggi i nostri documenti su questo argomento. - Nessuno (disattiva) - Notifiche di servizio - Informazioni - L\'URL di questo Canale non è valida e non può essere usata - Pannello Di Debug - Esporta i logs - Filtri - Filtri attivi - Cerca nei log… - Cancella i log - Trova qualsiasi corrispondenza | Tutte - Trova tutte le corrispondenze | Qualsiasi - Verranno rimossi tutti i pacchetti dei log e le voci del database dal dispositivo - Si tratta di un ripristino completo ed irreversibile. - Svuota - Stato di consegna messaggi - Notifiche di messaggi diretti - Notifiche di messaggi broadcast - Notifiche di allarme - È necessario aggiornare il firmware. - Il firmware radio è troppo vecchio per parlare con questa applicazione. Per ulteriori informazioni su questo vedi la nostra guida all\'installazione del firmware. - Ok - Devi impostare una regione! - Impossibile cambiare il canale, perché la radio non è ancora connessa. Riprova. - Esporta rangetest.csv - Reset - Scan - Aggiungere - Confermi di voler passare al canale predefinito? - Ripristina impostazioni predefinite - Applica - Tema - Chiaro - Scuro - Predefinito di sistema - Scegli tema - Fornire la posizione alla mesh - - Eliminare il messaggio? - Eliminare %s messaggi? - - Elimina - Elimina per tutti - Elimina per me - Seleziona tutti - Selezione Stile - Scarica Regione - Nome - Descrizione - Bloccato - Salva - Lingua - Predefinito di sistema - Reinvia - Spegni - Spegnimento non supportato su questo dispositivo - Riavvia - Traceroute - Mostra Guida introduttiva - Messaggio - Opzioni chat rapida - Nuova chat rapida - Modifica chat rapida - Aggiungi al messaggio - Invio immediato - Ripristina impostazioni di fabbrica - Messaggio diretto - NodeDB reset - Consegna confermata - Errore - Ignora - Aggiungere \'%s\' alla lista degli ignorati? La radio si riavvierà dopo aver apportato questa modifica. - Rimuovere \'%s\' dalla lista degli ignorati? La radio si riavvierà dopo aver apportato questa modifica. - Seleziona la regione da scaricare - Stima dei riquadri da scaricare: - Inizia download - Scambia posizione - Chiudi - Impostazioni dispositivo - Impostazioni moduli - Aggiungere - Modifica - Calcolo… - Gestore Offline - Dimensione Cache attuale - Capacità Cache: %1$.2f MB\nCache utilizzata: %2$.2f MB - Cancella i riquadri mappa scaricati - Sorgente Riquadri Mappa - Cache SQL eliminata per %s - Eliminazione della cache SQL non riuscita, vedere logcat per i dettagli - Gestione della cache - Scaricamento completato! - Download completo con %d errori - %d riquadri della mappa - direzione: %1$d° distanza: %2$s - Modifica waypoint - Elimina waypoint? - Nuovo waypoint - Waypoint ricevuto: %s - Limite di Duty Cycle raggiunto. Impossibile inviare messaggi in questo momento, riprovare più tardi. - Elimina - Questo nodo verrà rimosso dalla tua lista fino a quando il tuo nodo non riceverà di nuovo dei dati. - Disattiva notifiche - 8 ore - 1 settimana - Sempre - Sostituisci - Scansiona codice QR WiFi - Formato codice QR delle Credenziali WiFi non valido - Torna Indietro - Batteria - Utilizzo Canale - Tempo di Trasmissione Utilizzato - Temperatura - Umidità - Registri - Distanza in Hop - Distanza in Hop: %1$d - Informazioni - Utilizzazione del canale attuale, compreso TX, RX ben formato e RX malformato (cioè rumore). - Percentuale di tempo di trasmissione utilizzato nell’ultima ora. - IAQ - Chiave Condivisa - I messaggi privati usano la chiave condivisa del canale. - Crittografia a Chiave Pubblica - I messaggi privati utilizzano la nuova infrastruttura a chiave pubblica per la crittografia. Richiede la versione 2.5 o superiore. - Chiave pubblica errata - La chiave pubblica non corrisponde alla chiave salvata. È possibile rimuovere il nodo e lasciarlo scambiare le chiavi, ma questo può indicare un problema di sicurezza più serio. Contattare l\'utente attraverso un altro canale attendibile, per determinare se il cambiamento di chiave è dovuto a un ripristino di fabbrica o ad altre azioni intenzionali. - Scambia informazioni utente - Notifiche di nuovi nodi - Ulteriori informazioni - SNR - Rapporto segnale-rumore (Signal-to-Noise Ratio), una misura utilizzata nelle comunicazioni per quantificare il livello di un segnale desiderato rispetto al livello di rumore di fondo. In Meshtastic e in altri sistemi wireless, un SNR più elevato indica un segnale più chiaro che può migliorare l\'affidabilità e la qualità della trasmissione dei dati. - RSSI - Indicatore di forza del segnale ricevuto (Received Signal Strength Indicator), una misura utilizzata per determinare il livello di potenza ricevuto dall\'antenna. Un valore RSSI più elevato indica generalmente una connessione più forte e più stabile. - (Qualità dell\'aria interna) scala relativa del valore della qualità dell\'aria indoor, misurato da Bosch BME680. Valore Intervallo 0–500. - Registro Metriche Dispositivo - Mappa Dei Nodi - Registro Posizione - Aggiornamento ultima posizione - Registro Metriche Ambientali - Registro Metriche Segnale - Amministrazione - Amministrazione Remota - Scarso - Discreto - Buono - Nessuno - Condividi con… - Segnale - Qualità Segnale - Registro Di Traceroute - Diretto - - 1 hop - %d hop - - Hops verso di lui %1$d Hops di ritorno %2$d - 24H - 48H - 1S - 2S - 4S - Max - Età sconosciuta - Copia - Carattere Campana Di Allarme! - Avvisi critici - Preferito - Aggiungere \'%s\' ai nodi preferiti? - Rimuovere \'%s\' dai nodi preferiti? - Registro delle metriche di potenza - Canale 1 - Canale 2 - Canale 3 - Attuale - Tensione - Sei sicuro? - Documentazione sui ruoli dei dispositivi e il post del blog su Scegliere il ruolo giusto del dispositivo .]]> - So cosa sto facendo. - Il nodo %1$s ha la batteria quasi scarica (%2$d%%) - Notifica di batteria scarica - Poca energia rimanente nella batteria: %s - Notifiche batteria scarica (nodi preferiti) - Pressione barometrica - Mesh via UDP abilitato - Configurazione UDP - Ricevuto l\'ultima volta: %2$s
Posizione più recente: %3$s
Batteria: %4$s]]>
- Attiva/disattiva posizione - Utente - Canali - Dispositivo - Posizione - Alimentazione - Rete - Schermo - LoRa - Bluetooth - Sicurezza - MQTT - Seriale - Notifica Esterna - - Test Distanza - Telemetria - Messaggi Preconfezionati - Audio - Hardware Remoto - Informazioni Vicinato - Luce Ambientale - Sensore Di Rilevamento - Paxcounter - Configurazione Audio - CODEC 2 attivato - Pin PTT - Frequenza di campionamento CODEC2 - I2S word select - I2S data in - I2S data out - I2S clock - Configurazione Bluetooth - Bluetooth attivo - Modalità abbinamento - PIN Fisso - Uplink attivato - Downlink attivato - Predefinito - Posizione attiva - Pin GPIO - Tipo - Nascondi password - Visualizza password - Dettagli - Ambiente - Configurazione Illuminazione Ambientale - LED di stato - Rosso - Verde - Blu - Configurazione Messaggi Preconfezionati - Messaggi preconfezionati abilitati - Encoder rotativo #1 abilitato - Pin GPIO della porta A dell\'encoder rotativo - Pin GPIO della porta B dell\'encoder rotativo - Pin GPIO della porta Pulsante dell\'encoder rotativo - Evento generato dalla Pressione del pulsante - Evento generato dalla rotazione in senso orario - Evento generato dalla rotazione in senso antiorario - Input Su/Giu/Selezione abilitato - Consenti sorgente di input - Invia campanella - Messaggi - Configurazione Sensore Rilevamento - Sensore Rilevamento attivo - Trasmissione minima (secondi) - Trasmissione stato (secondi) - Invia campanella con messaggio di avviso - Nome semplificato - Pin GPIO da monitorare - Tipo di trigger di rilevamento - Usa modalità INPUT_PULLUP - Configurazione Dispositivo - Ruolo - Ridefinisci PIN_BUTTON - Ridefinisci PIN_BUZZER - Modalità ritrasmissione - Intervallo di trasmissione NodeInfo (secondi) - Doppio tocco come pressione pulsante - Disabilita triplo-click - POSIX Timezone - Disabilita il LED del battito cardiaco - Configurazione Schermo - Timeout schermo (secondi) - Formato coordinate GPS - Cambia schermate automaticamente (secondi) - Tieni in alto il nord della bussola - Capovolgi schermo - Unità di misura visualizzata - Sovrascrivi rilevamento automatico OLED - Modalità schermo - Titoli in grassetto - Accendi lo schermo al tocco o al movimento - Orientamento bussola - Configurazione Notifiche Esterne - Notifica esterna attivata - Notifiche alla ricezione di messaggi - Avviso messaggi tramite LED - Avviso messaggi tramite suono - Avviso messaggi tramite vibrazione - Notifiche alla ricezione di alert/campanello - LED campanella di allarme - Buzzer campanella di allarme - Vibrazione campanella di allarme - LED Output (GPIO) - Output per LED active high - Output buzzer (GPIO) - Usa buzzer PWM - Output vibrazione (GPIO) - Durata output (millisecondi) - Timeout chiusura popup (secondi) - Suoneria - Usa I2S come buzzer - Configurazione LoRa - Usa preimpostazioni del modem - Configurazione Modem - Larghezza di banda - Fattore di spread - Velocità di codifica - Offset di frequenza (MHz) - Regione (band plan) - Limite di hop - TX attivata - Potenza TX (dBm) - Slot di frequenza - Ignora limite di Duty Cycle - Ignora in arrivo - Migliora guadagno in RX su SX126X - Sovrascrivi la frequenza (MHz) - Ventola PA disabilitata - Ignora MQTT - OK per MQTT - Configurazione MQTT - MQTT abilitato - Indirizzo - Username - Password - Crittografia abilitata - Output JSON abilitato - TLS abilitato - Root topic - Proxy to client attivato - Segnalazione su mappa - Intervallo di segnalazione su mappa (secondi) - Configurazione Info Nodi Vicini - Info Nodi Vicini abilitato - Intervallo di aggiornamento (secondi) - Trasmettere su LoRa - Configurazione Della Rete - WiFi abilitato - SSID - PSK - Ethernet abilitato - Server NTP - server rsyslog - Modalità IPv4 - IP - Gateway - Subnet - Configurazione Paxcounter - Paxcounter abilitato - Soglia RSSI WiFi (valore predefinito -80) - Soglia RSSI BLE (valore predefinito -80) - Configurazione Posizione - Intervallo trasmissione posizione (secondi) - Posizione smart abilitata - Distanza minima per trasmissione smart (metri) - Intervallo minimo per trasmissione smart (secondi) - Usa posizione fissa - Latitudine - Longitudine - Altitudine (metri) - Modalità GPS - Intervallo aggiornamento GPS (secondi) - Ridefinisci GPS_RX_PIN - Ridefinisci GPS_TX_PIN - Ridefinisci PIN_GPS_EN - Opzioni posizione - Configurazione Alimentazione - Abilita modalità risparmio energetico - Ritardo spegnimento a batteria (secondi) - Sovrascrivi rapporto moltiplicatore ADC - Durata attesa Bluetooth (secondi) - Durata super deep sleep (secondi) - Durata light sleep (secondi) - Tempo minimo di risveglio (secondi) - Indirizzo INA_2XX I2C della batteria - Configurazione Test Distanza Massima - Test distanza massima abilitato - Intervallo messaggio mittente (secondi) - Salva .CSV nello storage (solo ESP32) - Configurazione Hardware Remoto - Hardware Remoto abilitato - Consenti accesso a pin non definiti - Pin disponibili - Configurazione Sicurezza - Chiave Pubblica - Chiave Privata - Chiave Amministratore - Modalità Gestita - Console seriale - Debug log API abilitato - Canale di Amministrazione legacy - Configurazione Seriale - Seriale abilitata - Echo abilitato - Velocità della seriale - Timeout - Modalità seriale - Sovrascrivi porta seriale della console - - Heartbeat - Numero di record - Cronologia ritorno max - Finestra di ritorno cronologia - Server - Configurazione Telemetria - Intervallo aggiornamento metriche dispositivo (secondi) - Intervallo aggiornamento metriche ambientali (secondi) - Modulo metriche ambientali abilitato - Metriche ambientali visualizzate su schermo - Usa i gradi Fahrenheit nelle metriche ambientali - Modulo metriche della qualità dell\'aria abilitato - Intervallo aggiornamento metriche qualità dell\'aria (secondi) - Modulo metriche di alimentazione abilitato - Intervallo aggiornamento metriche alimentazione (secondi) - Metriche di alimentazione visualizzate su schermo - Configurazione Utente - ID Nodo - Nome esteso - Nome breve - Modello hardware - Radioamatori con licenza (HAM) - Abilitare questa opzione disabilita la crittografia e non è compatibile con la rete Meshtastic predefinita. - Punto Di Rugiada - Pressione - Resistenza Ai Gas - Distanza - Lux - Vento - Peso - Radiazione - - Qualità dell\'Aria Interna (IAQ) - URL - - Importa configurazione - Esporta configurazione - Hardware - Supportato - Numero Nodo - ID utente - Tempo di attività - Data e ora - Direzione - Sat - Alt - Freq - Slot - Principale - Diffusione periodica di posizione e telemetria - Secondario - Nessuna trasmissione telemetria periodica - Richiesta posizione manuale mandatoria - Premi e trascina per riordinare - Riattiva l\'audio - Dinamico - Scansiona codice QR - Condividi contatto - Importare Contatto Condiviso? - Non messaggabile - Non monitorato o Infrastruttura - Attenzione: Questo contatto è noto, l\'importazione sovrascriverà le informazioni di contatto precedenti. - Chiave Pubblica Modificata - Importa - Richiedi Metadati - Azioni - Firmware - Usa formato orologio 12h - Se abilitato, il dispositivo visualizzerà il tempo in formato 12 ore sullo schermo. - Registro Metriche Host - Host - Memoria libera - Spazio disco libero - Carico - Stringa Utente - Guidami Verso - Connessione - Nodi - Impostazioni - Imposta la tua regione - Rispondi - Il nodo invierà periodicamente un pacchetto di report mappa non cifrato al server MQTT configurato, questo include il nome id lungo e breve, posizione approssimativa, modello hardware, ruolo, versione firmware, regione LoRa, configurazione modem e nome del canale primario. - Do il consenso a condividere i dati non cifrati del nodo tramite MQTT - Abilitando questa funzione, l\'utente riconosce e acconsente espressamente alla trasmissione della posizione geografica in tempo reale del suo dispositivo su protocollo MQTT senza crittografia. Questi dati di localizzazione possono essere utilizzati per scopi quali la compilazione di mappe in tempo reale, il tracking del dispositivo e le relative funzioni di telemetria. - Ho letto e accetto quanto sopra. Acconsento volontariamente alla trasmissione non crittografata dei dati del mio nodo tramite MQTT - Sono d’accordo. - Aggiornamento Firmware Consigliato. - Per usufruire delle ultime correzioni e funzionalità, aggiorna il firmware del tuo nodo.\n\nVersione stabile più recente del firmware: %1$s - Scade - Ora - Data - Filtro mappa\n - Solo preferiti - Mostra Waypoint - - Notifiche Client - Rilevate chiavi compromesse, seleziona OK per rigenerarle. - Rigenera Chiavi Private - Sei sicuro di voler rigenerare la tua chiave privata?\n\nI nodi che potrebbero aver precedentemente scambiato le chiavi con questo nodo dovranno rimuovere quel nodo ed effettuare di nuovo lo scambio di chiavi per ristabilire la sicurezza nella comunicazione. - Esporta Chiavi - Esporta le chiavi pubbliche e private in un file. Si prega di memorizzarlo da qualche parte in modo sicuro. - Moduli sbloccati - Controllo remoto - (%1$d online / %2$d in totale) - Rispondi - Disconnetti - Nessun dispositivo di rete trovato. - Nessun dispositivo trovato sulla seriale USB. - Scorri fino in fondo - Meshtastic - Scansione in corso - Attenzione - Sconosciuto - - - - - Annulla - Messaggio - Scarica - Ignora - Avanti -
diff --git a/app/src/main/res/values-iw/strings.xml b/app/src/main/res/values-iw/strings.xml deleted file mode 100644 index 2ae3e58f2..000000000 --- a/app/src/main/res/values-iw/strings.xml +++ /dev/null @@ -1,149 +0,0 @@ - - - - פילטר - כלול לא ידועים - הצג פרטים - א-ת - ערוץ - מרחק - דלג קדימה - שם הערוץ - קוד QR - אייקון אפליקציה - שם המשתמש אינו מוכר - שלח - עוד לא צימדת מכשיר תומך משטסטיק לטלפון זה. בבקשה צמד מכשיר והגדר שם משתמש.\n\nאפליקציית קוד פתוח זה נמצא בפיתוח, במקשר של בעיות בבקשה גש לפורום: https://github.com/orgs/meshtastic/discussions\n\n למידע נוסף בקרו באתר - www.meshtastic.org. - אתה - אישור - בטל - התקבל כתובת ערוץ חדשה - דווח על באג - דווח על באג - בטוח שתרצה לדווח על באג? לאחר דיווח, בבקשה תעלה פוסט לפורום https://github.com/orgs/meshtastic/discussions כדי שנוכל לחבר בין חווייתך לדווח זה. - דווח - צימוד הסתיים בהצלחה, מתחיל שירות - צימוד נכשל, בבקשה נסה שנית - שירותי מיקום כבויים, לא ניתן לספק מיקום לרשת משטסטיק. - שתף - מנותק - מכשיר במצב שינה - ‏כתובת IP: - פורט: - מחובר למכשיר (%s) - לא מחובר - מחובר למכשיר, אך הוא במצב שינה - נדרש עדכון של האפליקציה - נדרש להתקין עדכון לאפליקציה זו דרך חנות האפליקציות (או Github). גרסת האפליקציה ישנה מדי בכדי לתקשר עם מכשיר זה. בבקשה קרא מסמכי עזרה בנושא זה. - לא מחובר (כבוי) - התראות שירות - אודות - כתובת ערוץ זה אינו תקין ולא ניתן לעשות בו שימוש - פאנל דיבאג - נקה - מצב שליחת הודעה - התראות - נדרש עדכון קושחה. - קושחת המכשיר ישנה מידי בכדי לתקשר עם האפליקציה. למידע נוסף בקר במדריך התקנת קושחה. - אישור - חובה לבחור אזור! - לא ניתן לשנות ערוץ כי אין מכשיר מחובר. בבקשה נסה שנית. - ייצא rangetest.csv - איפוס - סריקה - הוסף - לשנות לערוץ ברירת המחדל? - איפוס לברירת מחדל - החל - ערכת נושא - בהיר - כהה - ברירות מחדל - בחר ערכת עיצוב - ספק מיקום טלפון לרשת המש - - מחק הודעה? - מחק %s הודעות? - מחק %s הודעות? - מחק %s הודעות? - - מחק - מחק לכולם - מחק עבורי - בחר הכל - בחירת סגנון - הורד מפה אזורי - שם - תיאור - נעול - שמור - שפה - ברירות מחדל - שליחה מחדש - כיבוי - כיבוי אינו נתמך במכשיר זה - אתחול מחדש - בדיקת מסלול - הראה מקדמה - הודעה - הגדרות צ\'ט מהיר - צ\'ט מהיר חדש - ערוך צ\'ט מהיר - הוסף להודעה - שלח מייד - איפוס להגדרות היצרן - הודעה ישירה - איפוס NodeDB - שגיאה - התעלם - הוסף \'%s\' לרשימת ההתעלמות? המכשיר יתחיל מחדש. - הורד \'%s\' מרשימת ההתעלמות? המכשיר יתחיל מחדש. - בחר אזור להורדה - הערכת זמן להורדה: - התחל הורדה - סגור - הגדרות רדיו - הגדרות מודולות - הוסף - מחשב… - ניהול מפות שמורות - גודל מטמון נוכחי - מקום אחסון מטמון: %1$.2fMB\nמטמון משומש: %2$.2fMB - מחק אזורי מפה שהורדו - מקור מפות - אופס מטמון SQK עבור %s - נכשל איפוס מטמון SQL, ראה logcat לפרטים - ניהול מטמון - ההורדה הושלמה! - ההורדה הושלמה עם %d שגיאות - %d אזורי מפה - כיוון: %1$d° מרחק: %2$s - ערוך נקודת ציון - מחק נקודת ציון? - נקודת ציון חדשה - התקבל נקודת ציון: %s - הגעת לרף ה-duty cycle. לא ניתן לשלוח הודעות כרגע, בבקשה נסה שוב מאוחר יותר. - הודעות - מרחק - הגדרות - - - - - הודעה - diff --git a/app/src/main/res/values-ja/strings.xml b/app/src/main/res/values-ja/strings.xml deleted file mode 100644 index 7f410f705..000000000 --- a/app/src/main/res/values-ja/strings.xml +++ /dev/null @@ -1,536 +0,0 @@ - - - - フィルター - ノードフィルターをクリアします - 不明なものを含める - 詳細を表示 - ノードの並べ替えオプション - A-Z - チャンネル - 距離 - ホップ数 - 最後の通信 - MQTT 経由で - MQTT経由 - お気に入りから - 不明 - 相手の受信確認待ち - 送信待ち - 相手の受信を確認しました - ルートがありません - 相手が正常に受信できませんでした - タイムアウト - インターフェースがありません - 最大再送信回数に達しました - チャンネルがありません - パケットが大きすぎます - 応答がありません - 不正な要求 - リージョンのデューティサイクルの上限に達しました。 - 承認されていません - 暗号化された送信に失敗しました - 不明な公開キー - セッションキーが不正です - 許可されていない公開キー - アプリに接続されているか、スタンドアロンのメッセージングデバイスです。 - このデバイスは他のデバイスからのパケットを転送しません。 - メッセージを中継することでネットワークの通信範囲を拡大するためのインフラストラクチャノード。ノードリストに表示されます。 - ROUTERとCLIENTの組み合わせ。モバイルデバイス向けではありません。 - 最小限のオーバーヘッドでメッセージを中継することでネットワークの通信範囲を拡大するためのインフラストラクチャノード。ノードリストには表示されません。 - GPSの位置情報パケットを優先してブロードキャストします。 - テレメトリーパケットを優先してブロードキャストします。 - ATAKシステムとの通信に最適化し、定期的なブロードキャストを削減します。 - ステルスまたは電力節約のため、必要に応じてのみブロードキャストするデバイス。 - デバイスを見つけやすくするために、デバイス自身の位置情報をメッセージ形式で定期的にデフォルトのチャンネルにブロードキャストします。 - TAK PLIの自動ブロードキャストを有効にし、ルーチンブロードキャストを削減します。 - 常にパケットを再ブロードキャストするインフラストラクチャノードは、他のすべてのモードの後にのみ、ローカルクラスタの追加カバレッジを確保します。ノードリストに表示されます。 - 受信したメッセージが、参加しているプライベートチャンネル上のもの、または同じLoRaパラメータを持つ別のメッシュからのものであれば、それを再ブロードキャストします。 - ALLと同じ動作ですが、パケットのデコードをスキップして単純に再ブロードキャストします。 リピーターロールでのみ使用できます。他のロールに設定すると、ALLの動作になります。 - 開いている外部メッシュや復号できないメッシュからのメッセージを無視します。 ノードのローカルプライマリー/セカンダリーチャンネルでのみメッセージを再ブロードキャストします。 - LOCAL ONLYのような外部メッシュからのメッセージを無視します。 さらに一歩進んで既知のノードリストにないノードからのメッセージを無視します。 - SENSOR、TRACKER、およびTAK_TRACKERロールでのみ許可されています。CLIENT_MUTEロールとは異なり、すべての再ブロードキャストを禁止します。 - TAK、RangeTest、PaxCounterなどの非標準ポート番号からのパケットを無視します。NodeInfo、Text、Position、Telemetry、Routingなどの標準ポート番号を持つパケットのみを再ブロードキャストします。 - 加速度センサー搭載デバイスで本体をダブルタップすると、ボタンのプッシュと同じ動作として扱います。 - ボタン3回押しでGPSをオンオフできる機能を無効にします。 - デバイスの点滅するLEDを制御します。ほとんどのデバイスでは、最大4つあるLEDのうちの1つを制御します。充電用LEDとGPS用LEDは制御できません。 - 近隣ノード情報(NeighborInfo)をMQTTやPhoneAPIへ送信することに加えて、LoRa無線経由でも送信すべきかどうかを設定します。デフォルトの名前とキーが設定されたチャンネルでは利用できません。 - 公開鍵 - チャンネル名 - QRコード - アプリアイコン - ユーザー名不明 - 送信 - このスマートフォンはMeshtasticデバイスとペアリングされていません。デバイスとペアリングしてユーザー名を設定してください。\n\nこのオープンソースアプリケーションはアルファテスト中です。問題を発見した場合はBBSに書き込んでください。 https://github.com/orgs/meshtastic/discussions\n\n詳しくはWEBページをご覧ください。 www.meshtastic.org - あなた - 同意 - キャンセル - 新しいチャンネルURLを受信しました - バグを報告 - バグを報告 - 不具合報告として診断情報を送信しますか?送信した場合は https://github.com/orgs/meshtastic/discussions に検証できる報告を書き込んでください。 - 報告 - ペアリングが完了しました。サービスを開始します。 - ペアに設定できませんでした。もう一度選択してください。 - 位置情報が無効なため、メッシュネットワークに位置情報を提供できません。 - シェア - 切断 - デバイスはスリープ状態です - 接続済み: %1$s オンライン - IPアドレス - Meshtasticデバイスに接続しました。 -(%s) - 接続されていません - 接続しましたが、Meshtasticデバイスはスリープ状態です。 - アプリを更新して下さい。 - アプリが古く、デバイスと通信ができません。アプリストアまたはGithubでアプリを更新してください。詳細はこちら に記載されています。 - なし (切断) - 通知サービス - 概要 - このチャンネルURLは無効なため使用できません。 - デバッグ - 削除 - メッセージ配信状況 - アラート通知 - デバイスのファームウェアが古く、アプリと通信ができません。詳細はFirmware Installation guide に記載されています。 - リージョンを指定する必要があります。 - デバイスが未接続のため、チャンネルが変更できませんでした。もう一度やり直してください。 - rangetest.csv をエクスポート - リセット - スキャン - 追加 - デフォルトチャンネルに変更しますか? - デフォルトにリセット - 適用 - テーマ - ライト - ダーク - システムのデフォルト - テーマを選択 - メッシュネットワークにスマホの位置情報を提供 - - %s 件のメッセージを削除しますか? - - 削除 - 全員のデバイスから削除 - 自分のデバイスから削除 - すべてを選択 - スタイルの選択 - リージョンをダウンロードする - 名前 - 説明 - ロック済み - 保存 - 言語 - システムのデフォルト - 再送信 - シャットダウン - このデバイスでシャットダウンはサポートされていません - 再起動 - トレースルート - 導入ガイドを表示 - メッセージ - クイックチャット設定 - 新規クイックチャット - クイックチャットを編集 - メッセージに追加 - すぐに送信 - 出荷時にリセット - ダイレクトメッセージ - NodeDBをリセット - 配信を確認しました - エラー - 無視 - \'%s\'を無視リストに追加しますか? - \'%s\'を無視リストから削除しますか? - 指定範囲の地図タイルをダウンロード - ダウンロードする地図タイルの予測数: - ダウンロード開始 - 位置交換 - 終了 - デバイスの設定 - 追加機能の設定 - 追加 - 編集 - 計算中… - オフライン地図の管理 - 現在のキャッシュサイズ - キャッシュ容量: %1$.2f MB\nキャッシュ使用量: %2$.2f MB - ダウンロード済みの地図タイルを消去 - 地図タイルのソース - %sがSQLキャッシュから削除されました。 - SQL キャッシュの削除に失敗しました。詳細は logcat を参照してください。 - キャッシュの管理 - ダウンロード完了! - ダウンロード完了、%dのエラーがあります。 - %d タイル - 方位: %1$d°距離: %2$s - ウェイポイントを編集 - ウェイポイントを削除しますか? - 新規ウェイポイント - 受信したウェイポイント: %s - デューティサイクル制限に達しました。現在メッセージを送信できません。しばらくしてからもう一度お試しください。 - 削除 - このノードから再びデータを受信するまで、このノードはリストに表示されなくなります。 - 通知をミュート - 8時間 - 1週間 - 常時 - 置き換え - WiFiのQRコードをスキャン - WiFi認証のQRコードの形式が無効です - 前に戻る - バッテリー - チャンネルの利用 - 通信の利用 - 温度 - 湿度 - ログ - ホップ数 - 情報 - 現在のチャンネルの使用率。正常な送信(TX)、正常な受信(RX)、および不正な受信 (ノイズ)を含みます。 - 過去1時間以内に送信に使用された通信時間の割合。 - IAQ - 共有キー - ダイレクトメッセージは、チャンネルの共有キーを使用します。 - 公開キー暗号化 - ダイレクトメッセージは、暗号化に新しい公開キーのインフラストラクチャを使用しています。ファームウェアバージョン2.5以降が必要です。 - 公開キーが一致しません - 公開キーが記録されているキーと一致しません。ノードを削除して再度キーの交換を行うことも可能ですが、これはより深刻なセキュリティ問題を示している可能性があります。出荷時リセットやその他の意図的な操作によるキーの変更かどうかを確認するため、別の信頼できるチャンネルでユーザーに連絡を取ってください。 - ユーザー情報を交換 - 新しいノードの通知 - 詳細を見る - SN比 - 信号対ノイズ比(SN比)は、通信において、目的の信号のレベルを背景ノイズのレベルに対して定量化するために使用される尺度です。Meshtasticや他の無線システムでは、SN比が高いほど信号が鮮明であることを示し、データ伝送の信頼性と品質を向上させることができます。 - RSSI - 受信信号強度インジケーター(RSSI)は、アンテナで受信している電力レベルを測定するための指標です。一般的にRSSI値が高いほど、より強力で安定した接続を示します。 - (屋内空気質) 相対スケールIAQ値は、ボッシュBME680によって測定されます。 値の範囲は 0-500。 - デバイス・メトリックログ - ノードマップ - 位置ログ - 環境メトリックログ - 信号メトリックログ - 管理 - リモート管理 - 不良 - 普通 - - なし - … に共有 - 信号 - 信号品質 - トレースルート・ログ - 直接 - - %d ホップ - - ホップ数 行き %1$d 帰り %2$d - 24時間 - 48時間 - 1週間 - 2週間 - 4週間 - 最大 - 年齢不明 - コピー - アラートベル! - 緊急アラート - お気に入り - %s\' をお気に入りのノードとして追加しますか? - お気に入りのノードとして「%s」を削除しますか? - 電力指標ログ - チャンネル 1 - チャンネル 2 - チャンネル 3 - 電流 - 電圧 - よろしいですか? - デバイスロールドキュメントと はい、了承します - バッテリー残量低下通知 - バッテリー低残量: %s - バッテリー残量低下通知 (お気に入りノード) - 大気圧 - UDP経由のメッシュを有効化 - UDP Config - 自分の位置を切り替え - ユーザー - チャンネル - 接続するデバイスを選択 - 位置 - 電源 - ネットワーク - 表示 - LoRa - Bluetooth - セキュリティ - MQTT - シリアル - 外部通知 - - レンジテスト - テレメトリー - Cannedメッセージ - オーディオ - 遠隔ハードウェア - 隣接ノード情報 - 環境照明 - 検出センサー - Paxcounter - 音声設定 - CODEC 2 を有効化 - PTT端子 - CODEC2 サンプルレート - I2S 単語の選択 - I2Sデータ IN - I2S データ OUT - I2S クロック - Bluetooth 設定 - Bluetoothを有効 - ペアリングモード - 固定PIN - アップリンクの有効化 - ダウンリンクの有効化 - デフォルト - 位置情報共有の有効化 - GPIO端子 - 種別 - パスワードを非表示 - パスワードを表示 - 詳細 - 環境 - 環境照明設定 - LEDの状態 - - - - Cannedメッセージ設定 - Cannedメッセージを有効化 - ロータリーエンコーダ#1を有効化 - ロータリーエンコーダAポート用のGPIOピン - ロータリーエンコーダBポート用GPIOピン - ロータリーエンコーダプレース用GPIOピン - プレスで入力イベントを生成 - CWで入力イベントを生成 - CCWで入力イベントを生成 - 上下/選択入力を有効化 - 入力ソースを許可 - ベルを送信 - メッセージ - 検出センサ設定 - 検出センサーを有効化 - 状態放送 (秒) - 状態放送 (秒) - アラートメッセージ付きのベルを送信 - 名前 - モニターのGPIOピン - 検出トリガーの種類 - INPUT_PULUP モードを使用 - デバイスの設定 - 役割 - PIN_BUTTON を再定義 - PIN_BUZZER を再定義 - 再ブロードキャストモード - 近隣ノード情報のブロードキャスト間隔 (秒) - ボタンとしてダブルタップする - トリプルクリックを無効化 - POSIX 時間帯 - LEDの点滅を無効化 - 表示設定 - 画面のタイムアウト(秒) - GPS座標形式 - 自動画面巻き戻し(秒) - ノースアップ表示 - 画面反転 - 表示単位 - OLED の自動検出を上書き - 表示モード - 見出しを太字にする - 画面をタップまたはモーションでスリープ解除 - コンパスの向き - 外部通知設定 - 外部通知を有効にする - メッセージ受信時の通知 - LED - ブザー - バイブレーション - アラートベル受信時の通知 - LED - ブザー - バイブレーション - LED出力 (GPIO) - LED出力 アクティブ高値 - ブザー出力(GPIO) - PWMブザーを使用 - バイブレーション出力 (GPIO) - 出力時間 (ミリ秒) - 繰り返し通知間隔(秒) - 着信メロディ - I2Sをブザーとして使用 - LoRa設定 - モデムプリセットを使用 - 帯域 - 拡散係数 - コーディングレート - 周波数オフセット (MHz) - リージョン (周波数プラン) - ホップ制限 - 送信を有効化 - 送信出力(dBm) - 周波数スロット - デューティサイクルを上書き - 着信を無視 - SX126X RXブーストゲイン - 周波数を上書き (MHz) - PAファン無効 - MQTT を無視 - MQTTを許可 - MQTT設定 - MQTTを有効化 - アドレス - ユーザー名 - パスワード - 暗号化の有効化 - JSON出力の有効化 - TLS の有効化 - ルート トピック - クライアントへのプロキシの有効化 - マップレポート - マップレポートの間隔 (秒) - 近隣ノード情報 (Neighbor Info) の設定 - 近隣ノード情報を有効化 - 更新間隔 (秒) - LoRaで送信 - ネットワーク設定 - Wi-Fiを有効化 - SSID - PSK - イーサネット有効 - NTPサーバー - rsyslogサーバー - IPv4 モード - IP - ゲートウェイ - サブネット - Paxcounter 設定 - Paxcounter を有効化 - WiFi RSSI閾値(デフォルトは -80) - BLE RSSI閾値(デフォルトは -80) - 位置情報設定 - 位置情報のブロードキャスト間隔 (秒) - スマートポジションを有効化 - スマートブロードキャストの最小距離(メートル) - スマートブロードキャストの最小間隔 (秒) - 固定された位置情報を使用 - 緯度 - 経度 - 高度(メートル) - GPS モード - GPS 更新間隔 (秒) - GPS_RX_PINを再定義 - GPS_TX_PINを再定義 - PIN_GPS_EN を再定義 - フラグの位置 - 電源設定 - 省電力モードを有効化 - 外部電源喪失後の自動シャットダウンまでの待機時間(秒) - ADC乗算器のオーバーライド率 - Bluetooth接続が一定時間無ければ自動的にオフ(秒) - スーパーディープスリープモードの最大継続時間(秒) - ライトスリープモードの最大継続時間 (秒) - 最小ウェイクタイム (秒) - バッテリー INA_2XX I2C アドレス - レンジテスト設定 - レンジテストを有効にする - 送信者のメッセージ間隔 (秒) - ストレージにCSVファイルを保存(ESP32のみ) - リモートハードウェア設定 - リモートハードウェアを有効化 - 未定義のPINアクセスを許可 - 使用可能な端子 - セキュリティ設定 - 公開鍵 - 秘密鍵 - 管理者キー - 管理モード - シリアルコンソール - デバッグログAPIを有効にしました - レガシー管理チャンネル - シリアル設定 - シリアル通信を有効にする - Echoを有効化 - シリアルボーレイト - タイムアウト - シリアルモード - コンソールのシリアルポートを上書き - - ハートビート - サーバーの最大保管レコード数 (デフォルト 約11,000レコード) - リクエスト可能な最大の履歴件数 - リクエスト可能な履歴の期間 (分) - サーバー - テレメトリー設定 - デバイスのメトリック更新間隔 (秒) - 環境メトリック更新間隔 (秒) - 環境メトリックモジュールを有効化 - 環境メトリックを画面上で有効化 - 環境メトリックは華氏を使用 - 空気品質測定モジュールを有効にする - 空気品質指標更新間隔 (秒) - 電源メトリックモジュール有効 - 電源メトリックの更新間隔 (秒) - 電源メトリックを画面上で有効化 - ユーザー設定 - ノード ID - 名前 - 略称 (英数4文字) - ハードウェアのモデル - アマチュア無線免許所持者向け (HAM) - このオプションを有効にすると、暗号化が無効になりデフォルトのMeshtasticネットワークと互換性が無くなります。 - 露点 - 気圧 - ガス耐性 - 距離 - Lux - 風力 - 重さ - 放射線 - - 屋内空気品質 (IAQ) - URL - - 設定をインポート - 設定をエクスポート - ハードウェア - 対応済み - ノード番号 - ユーザーID - 連続稼働時間 - タイムスタンプ - 方角 - GPS衛星 - 高度 - ミュート解除 - 動的 - 設定 - - - - - メッセージ - diff --git a/app/src/main/res/values-ko/strings.xml b/app/src/main/res/values-ko/strings.xml deleted file mode 100644 index 2f31c016d..000000000 --- a/app/src/main/res/values-ko/strings.xml +++ /dev/null @@ -1,592 +0,0 @@ - - - - Meshtastic %s - 필터 - 노드 필터 지우기 - 미확인 노드 포함 - 오프라인 노드 숨기기 - 직접 연결된 노드만 보기 - 자세히 보기 - 노드 정렬 - A-Z - 채널 - 거리 - Hops 수 - 최근 수신 - MQTT 경유 - MQTT 경유 - 즐겨찾기 우선 - 확인되지 않음 - 수락을 기다리는 중 - 전송 대기 열에 추가됨 - 수락 됨 - 루트 없음 - 수락 거부됨 - 시간 초과됨 - 인터페이스 없음 - 최대 재 전송 한계에 도달함 - 채널 없음 - 패킷 이 너무 큽니다 - 응답 없음 - 잘못된 요청 - Duty Cycle 한도에 도달하였습니다 - 승인되지 않음 - 암호화 전송 실패 - 알 수 없는 공개 키 - 세션 키 오류 - 허용되지 않는 공개 키 - 앱과 연결해서 사용하거나 독립형 메시징 장치. - 다른 장치에서 온 패킷을 전달하지 않는 장치. - 메시지를 중계하여 네트워크 범위를 확장하는 인프라 노드. 노드 목록에 표시. - CLIENT와 ROUTER의 조합. 이동형 장치에는 적합하지 않음. - 최소한의 오버헤드로 메시지를 전달하여 네트워크 범위를 확장하기 위한 인프라 노드. 노드 목록에 표시되지 않음. - GPS 위치 정보를 우선적으로 전송. - 텔레메트리 패킷을 우선적으로전송. - ATAK 시스템 통신에 최적화됨, 정기적 전송을 최소화. - 스텔스 또는 절전을 위해 필요한 경우에만 전송. - 분실 장치의 회수를 돕기 위해 기본 채널에 정기적으로 위치 정보를 전송. - TAK PLI 전송을 자동화하고 정기적 전송을 최소화. - 모든 다른 모드의 노드들이 패킷을 재전송한 후에만 항상 한 번씩 패킷을 재전송하여, 로컬 클러스터에 추가적인 커버리지를 보장하는 인프라스트럭처 노드입니다. 노드 목록에 표시. - 관찰된 메시지가 우리 비공개 채널에 있거나, 동일한 LoRa 파라미터를 사용하는 다른 메쉬에서 온 경우 해당 메시지를 재전송합니다. - ALL 역할과 동일하게 동작하지만, 패킷 디코딩을 건너뛰고 단순히 재전송만 수행합니다. Repeater 일때 설정가능. 다른 Role에서는 ALL로 동작. - 오픈되어 있거나 해독할 수 없는 외부 메시에서 관찰된 메시지를 무시합니다. 로컬 기본/보조 채널에서만 메시지를 재브로드캐스트. - LOCAL_ONLY와 유사하게 외부 메쉬에서 관찰된 메시지를 무시하지만, 추가적으로 알려진 목록에 없는 노드의 메시지도 무시합니다. - SENSOR, TRACKER 및 TAK_TRACKER role에서만 허용되며 CLIENT_MUTE role과 마찬가지로 모든 재브로드캐스트를 금지합니다. - TAK, RangeTest, PaxCounter 등과 같은 비표준 포트 번호의 패킷을 무시합니다. NodeInfo, Text, Position, Telemetry 및 Routing과 같은 표준 포트 번호가 있는 패킷만 재브로드캐스트. - 가속도계가 있는 장치를 두 번 탭하여 사용자 버튼과 동일한 동작. - 사용자 버튼 세 번 눌러서 GPS 켬/끔 기능 끄기. - 장치에서 깜빡이는 LED를 제어합니다. 대부분 장치의 경우 최대 4개의 LED 중 하나를 제어할 수 있지만 충전 상태 LED와 GPS 상태 LED는 제어할 수 없습니다. - MQTT 및 PhoneAPI로 전송하는 것 외에도, 우리 NeighborInfo는 LoRa를 통해 전송되어야 합니다. 기본 키와 이름을 사용하는 채널에서는 사용할 수 없습니다. - 공개 키 - 채널명 - QR코드 - 앱아이콘 - 미확인 유저 - 보내기 - 아직 스마트폰과 Meshtastic 장치와 연결하지 않았습니다. 장치와 연결하고 사용자 이름을 정하세요. \n\n이 오픈소스 응용 프로그램은 개발 중입니다. 문제가 발견되면 포럼: https://github.com/orgs/meshtastic/discussions 을 통해 알려주세요.\n\n 자세한 정보는 웹페이지 - www.meshtastic.org 를 참조하세요. - - 수락 - 취소 - 새로운 채널 URL 수신 - 버그 보고 - 버그 보고 - 버그를 보고하시겠습니까? 보고 후 Meshtastic 포럼 https://github.com/orgs/meshtastic/discussions 에 당신이 발견한 내용을 게시해주시면 신고 내용과 귀하가 찾은 내용을 일치시킬 수 있습니다. - 보고 - 페어링 완료, 서비스를 시작합니다. - 페어링 실패, 다시 시도해주세요. - 위치 접근 권한 해제, 메시에 위치를 제공할 수 없습니다. - 공유 - 연결 끊김 - 절전모드 - 연결됨: 중 %1$s 온라인 - IP 주소: - 포트: - 연결됨 - (%s)에 연결됨 - 연결되지 않음 - 연결되었지만, 해당 장치는 절전모드입니다. - 앱 업데이트가 필요합니다. - 구글 플레이 스토어 또는 깃허브를 통해서 앱을 업데이트 해야합니다. 앱이 너무 구버전입니다. 이 주제의 docs 를 읽어주세요 - 없음 (연결해제) - 서비스 알림 - 앱에 대하여 - 이 채널 URL은 잘못 되었습니다. 따라서 사용할 수 없습니다. - 디버그 패널 - 로그 내보내기 - 필터 - 로그 지우기 - 초기화 - 메시지 전송 상태 - DM 알림 - 메시지 발송 알림 - 경고 알림 - 펌웨어 업데이트 필요. - 이 장치의 펌웨어가 매우 오래되어 이 앱과 호환되지않습니다. 더 자세한 정보는 펌웨어 업데이트 가이드를 참고해주세요. - 확인 - 지역을 설정해 주세요! - 장치가 연결되지않아 채널을 변경할 수 없습니다. 다시 시도해주세요. - rangetest.csv 내보내기 - 초기화 - 스캔 - 추가 - 기본 채널로 변경하시겠습니까? - 기본값으로 재설정 - 적용 - 테마 - 라이트 - 다크 - 시스템 기본값 - 테마 선택 - 메쉬에 현재 위치 공유 - - %s개의 메세지를 삭제하시겠습니까? - - 삭제 - 모두에게서 삭제 - 나에게서 삭제 - 전부 선택 - 스타일 선택 - 다운로드 지역 - 이름 - 설명 - 잠김 - 저장 - 언어 - 시스템 기본값 - 재전송 - 종료 - 이 장치에서 재시작이 지원되지 않습니다 - 재부팅 - 추적 루트 - 기능 소개 - 메시지 - 빠른 대화 옵션 - 새로운 빠른 대화 - 빠른 대화 편집 - 메시지에 추가 - 즉시 보내기 - 공장초기화 - 다이렉트 메시지 - 노드목록 리셋 - 발송 확인 됨 - 오류 - 무시하기 - %s를 무시 목록에 추가하시겠습니까? - %s를 무시 목록에서 삭제하시겠습니까? - 다운로드 지역 선택 - 맵 타일 다운로드 예상: - 다운로드 시작 - 위치 교환 - 닫기 - 무선 설정 - 모듈 설정 - 추가 - 편집 - 계산 중... - 오프라인 관리자 - 현재 캐시 크기 - 캐시 용량: %1$.2fMB\n캐시 사용량: %2$.2fMB - 다운로드한 타일 지우기 - 타일 소스 - %s에 대한 SQL 캐시가 제거되었습니다. - SQL 캐시 제거 실패, 자세한 내용은 logcat 참조 - 캐시 관리자 - 다운로드 완료! - %d 에러로 다운로드 완료되지 않았습니다. - %d 타일 - 방위: %1$d° 거리: %2$s - 웨이포인트 편집 - 웨이포인트 삭제? - 새 웨이포인트 - 웨이포인트 수신: %s - 듀티 사이클 제한에 도달했습니다. 지금은 메시지를 보낼 수 없습니다. 나중에 다시 시도하세요. - 지우기 - 이 노드는 당신의 노드에서 데이터를 수신할 때 까지 목록에서 삭제됩니다. - 알림 끄기 - 8 시간 - 1 주 - 항상 - 바꾸기 - WiFi QR코드 스캔 - WiFi QR코드 형식이 잘못됨 - 뒤로 가기 - 배터리 - 채널 사용 - 전파 사용 - 온도 - 습도 - 로그 - Hops 수 - %1$d Hops 떨어짐 - 정보 - 현재 채널 사용, 올바르게 형성된 TX, RX, 잘못 형성된 RX(일명 노이즈)를 포함. - 지난 1시간 동안 전송에 사용된 통신 시간의 백분율. - IAQ - 공유 키 - 다이렉트 메시지는 채널의 공유 키를 사용합니다. - 공개 키 암호화 - 다이렉트 메시지는 새로운 공개 키 인프라를 사용해 암호화합니다. 펌웨어 버전 2.5 이상이 필요합니다. - 공개키가 일치하지 않습니다 - 공개 키가 기록된 키와 일치하지 않습니다. 노드를 제거하고 키를 다시 교환할 수 있지만 이는 더 심각한 보안 문제를 나타낼 수 있습니다. 다른 신뢰할 수 있는 채널을 통해 사용자에게 연락하여 키 변경이 공장 초기화 또는 기타 의도적인 작업 때문인지 확인하세요. - 유저 정보 교환 - 새로운 노드 알림 - 자세히 보기 - SNR - 통신에서 원하는 신호의 수준을 배경 잡음의 수준과 비교하여 정량화하는 데 사용되는 신호 대 잡음비 Signal-to-Noise Ratio, SNR는 Meshtastic와 같은 무선 시스템에서 SNR이 높을수록 더 선명한 신호를 나타내어 데이터 전송의 안정성과 품질을 향상시킬 수 있습니다. - RSSI - 수신 신호 강도 지표 Received Signal Strength Indicator, RSSI는 안테나가 수신하는 신호의 전력 수준을 측정하는 데 사용되는 지표입니다. RSSI 값이 높을수록 일반적으로 더 강력하고 안정적인 연결을 나타냅니다. - (실내공기질) Bosch BME680으로 측정한 상대적 척도 IAQ 값. 범위 0–500. - 장치 메트릭 로그 - 노드 지도 - 위치 로그 - 최근 위치 업데이트 - 환경 메트릭 로그 - 신호 메트릭 로그 - 관리 - 원격 설정 - 나쁨 - 보통 - 좋음 - 없음 - …로 공유 - 신호 - 신호 감도 - 추적 루트 로그 - 직접 연결 - - %d hops - - Hops towards %1$d Hops back %2$d - 24시간 - 48시간 - 1주 - 2주 - 4주 - 최대 - 수명 확인 되지 않음 - 복사 - 알람 종 문자! - 중요 경고! - 즐겨찾기 - \'%s\'를 즐겨찾기 하시겠습니까? - \'%s\'를 즐겨찾기 취소하시겠습니까? - 전원 메트릭 로그 - 채널 1 - 채널 2 - 채널 3 - 전류 - 전압 - 확실합니까? - Device Role Documentation과 Choosing The Right Device Role 에 대한 블로그 게시물을 읽었습니다.]]> - 뭘하는지 알고 있습니다 - %1$s 노드의 배터리가 낮습니다. (%2$d%%) - 배터리 부족 알림 - 배터리 부족: %s - 배터리 부족 알림 (즐겨찾기 노드) - 기압 - UDP를 통한 메시 활성화 - UDP 설정 - 최근 수신: %2$s
최근 위치: %3$s
배터리: %4$s]]>
- 내 위치 토글 - 사용자 - 채널 - 장치 - 위치 - 전원 - 네트워크 - 화면 - LoRa - 블루투스 - 보안 - MQTT - 시리얼 - 외부 알림 - - 거리 테스트 - 텔레메트리 - 빠른 답장 문구 - 오디오 - 원격 하드웨어 - 이웃 정보 - 조명 - 감지 센서 - 팍스카운터 - 오디오 설정 - CODEC2 활성화 - PTT 핀 - CODEC2 샘플 레이트 - I2S 단어 선택 - I2S 데이터 in - I2S 데이터 out - I2S 시간 - 블루투스 설정 - 블루투스 활성화 - 페어링 모드 - 고정 PIN - 업링크 활성화 - 다운링크 활성화 - 기본값 - 위치 활성화 - GPIO 핀 - 타입 - 비밀번호 숨김 - 비밀번호 보기 - 세부 정보 - 환경 - 조명 설정 - LED 상태 - 빨강 - 초록 - 파랑 - 빠른 답장 문구 설정 - 빠른 답장 활성화 - 로터리 엔코더 #1 활성화 - 로터리 엔코더 A포트 용 GPIO 핀 - 로터리 엔코더 B포트 용 GPIO 핀 - 로터리 엔코더 누름 포트 용 GPIO 핀 - 누름 동작 - 시계방향 동작 - 반시계방향 동작 - 업/다운/선택 입력 활성화 - 입력 소스 허용 - 벨 전송 - 메시지 - 감지 센서 설정 - 감지 센서 활성화 - 최소 전송 간격 (초) - 상태 전송 간격 (초) - 알람 메시지와 벨 전송 - 식별 이름 - 상태 모니터링 GPIO 핀 - 디텍션 트리거 타입 - INPUT_PULLUP 모드 사용 - 장치 설정 - 역할 - PIN_BUTTON 재정의 - PIN_BUZZER 재정의 - 중계 모드 - 노드 정보 중계 간격 (초) - 더블 탭하여 버튼 누름 - 세 번 클릭 끄기 - POSIX 시간대 - LED 숨쉬기 끄기 - 화면 설정 - 화면 끄기 시간 (초) - GPS 좌표 포맷 - 화면 자동 전환 (초) - 나침반 상단을 북쪽으로 고정 - 화면 뒤집기 - 단위 표시 - OLED 자동 감지 - 디스플레이 모드 - 상태표시줄 볼드체 - 탭하거나 모션으로 깨우기 - 나침반 방향 - 외부 알림 설정 - 외부 알림 활성화 - 메시지 수신 알림 - 알림 메시지 LED - 알림 메시지 소리 - 알림 메시지 진동 - 경고/벨 수신 알림 - 알림 벨 LED - 알림 벨 부저 - 알림 벨 진동 - LED 출력 (GPIO) - LED 출력 active high - 부저 출력 (GPIO) - PWM 부저 사용 - 진동 출력 (GPIO) - 출력 지속시간 (밀리초) - 반복 종료 시간 (초) - 벨소리 - I2S 부저 사용 - LoRa 설정 - 모뎀 프리셋 사용 - 모뎀 프리셋 - 대역폭 - Spread factor - Coding rate - 주파수 오프셋 (MHz) - 지역 (주파수 지정) - Hop 제한 - 송신 활성화 - 송신 전력 (dBm) - 주파수 슬롯 - Duty Cycle 무시 - 수신 무시 - SX126X 수신 부스트 gain - 프리셋 주파수 무시하고 해당 주파수 사용 (Mhz) - PA fan 비활성화됨 - MQTT로 부터 수신 무시 - MQTT로 전송 허용 - MQTT 설정 - MQTT 활성화 - 서버 주소 - 사용자명 - 비밀번호 - 암호화 사용 - JSON 사용 - TLS 사용 - Root topic - Proxy to client 사용 - 맵 보고 - 맵 보고 간격 (초) - 이웃 정보 설정 - 이웃 정보 활성화 - 업데이트 간격 (초) - LoRa로 전송 - 네트워크 설정 - WiFi 활성화 - SSID - PSK - 이더넷 활성화 - NTP 서버 - rsyslog 서버 - IPv4 모드 - IP - 게이트웨이 - 서브넷 - 팍스카운터 설정 - 팍스카운터 활성화 - WiFi RSSI 임계값 (기본값 -80) - BLE RSSI 임계값 (기본값 -80) - 위치 설정 - 위치 송신 간격 (초) - 스마트 위치 활성화 - 스마트 위치 사용 최소 거리 간격 (m) - 스마트 위치 사용 최소 시간 간격 (초) - 고정 위치 사용 - 위도 - 경도 - 고도 (m) - GPS 모드 - GPS 업데이트 간격 (초) - GPS_RX_PIN 재정의 - GPS_TX_PIN 재정의 - PIN_GPS_EN 재정의 - 위치 전송값 옵션 - 전원 설정 - 저젼력 모드 설정 - 거리 테스트 설정 - 거리 테스트 활성화 - 송신 장치 메시지 간격 (초) - .CSV 파일 저장 (EPS32만 동작) - 원격 하드웨어 설정 - 원격 하드웨어 활성화 - 보안 설정 - 공개 키 - 개인 키 - Admin 키 - 관리 모드 - 시리얼 콘솔 - 시리얼 설정 - 시리얼 활성화 - 에코 활성화 - 시리얼 baud rate - 시간 초과 - 시리얼 모드 - - 서버 - 텔레메트리 설정 - 장치 메트릭 업데이트 간격 (초) - 환경 메트릭 업데이트 간격 (초) - 환경 메트릭 모듈 사용 - 환경 메트릭 화면 사용 - 환경 메트릭에서 화씨 사용 - 대기질 메트릭 모듈 사용 - 대기질 메트릭 업데이트 간격 (초) - 전력 메트릭 모듈 사용 - 전력 메트릭 업데이트 간격 (초) - 전력 메트릭 화면 사용 - 사용자 설정 - 노드 ID - 긴 이름 - 짧은 이름 - 하드웨어 모델 - 아마추어무선 자격 보유 (HAM) - 이 옵션을 활성화하면 암호화가 비활성화되며 기본 Meshtastic 네트워크와 호환되지 않습니다. - 이슬점 - 기압 - 가스 저항 - 거리 - 조도 - 바람 - 무게 - 복사 - - 실내공기질 (IAQ) - URL - - 설정 불러오기 - 설정 내보내기 - 하드웨어 - 지원됨 - 노드 번호 - 유저 ID - 업타임 - 타임스탬프 - 제목 - 인공위성 - 고도 - 주파수 - 슬롯 - 주 채널 - 위치 및 텔레메트리 주기적 전송 - 보조 채널 - 주기적인 텔레메트리 전송 없음 - 수동 위치 요청 필요함 - 누르고 드래그해서 순서 변경 - 음소거 해제 - QR코드 스캔 - 연락처 공유 - 공유된 연락처를 내려받겠습니까? - 메시지를 보낼 수 없음 - 감시되지 않거나 인프라 노드 - 경고: 이 연락처는 이미 등록되어 있습니다. 내려받으면 이전 연락처 정보가 덮어쓰어질 수 있습니다. - 공개 키 변경됨 - 불러오기 - 메타데이터 요청 - 작업 - 펌웨어 - 12시간제 보기 - 활성화 하면 장치의 디스플레이에서 시간이 12시간제로 표시됩니다. - 연결 - 노드 - 설정 - 지역을 설정하세요 - 답장 - 귀하의 노드는 설정된 MQTT 서버로 주기적으로 암호화되지 않은 지도 보고서 패킷을 전송합니다. 이 패킷에는 ID, 긴 이름과 짧은 이름, 대략적인 위치, 하드웨어 모델, 역할, 펌웨어 버전, LoRa 지역, 모뎀 프리셋 및 주요 채널 이름이 포함됩니다. - MQTT를 통해 암호화되지 않은 노드 데이터를 공유하는 데 동의합니다. - 이 기능을 활성화함으로써, 귀하는 귀하의 장치의 실시간 지리적 위치가 MQTT 프로토콜을 통해 암호화 없이 전송되는 것을 인지하고 동의합니다. 이 위치 데이터는 실시간 지도 보고, 장치 추적, 관련 텔레메트리 기능 등과 같은 목적으로 사용될 수 있습니다. - 위 내용을 읽고 이해했습니다. 저는 MQTT를 통해 제 노드 데이터를 암호화되지 않은 상태로 전송하는 것에 자발적으로 동의합니다. - 동의합니다. - 펌웨어 업데이트를 권장합니다. - 노드의 펌웨어를 업데이트하여 최신 기능, 수정사항을 이용하세요. \n\n최신 안정 버전: %1$s - 만료 - 시간 - 날짜 - 맵 필터\n - 즐겨찾기만 보기 - 웨이포인트 보기 - 정밀도 반경 보이기 - 클라이언트 알림 - 손상된 키가 감지되었습니다. 다시 생성하려면 OK를 선택하세요. - 개인 키 다시 생성하기 - 개인 키를 다시 생성하시겠습니까?\n\n이 노드와 이전에 키를 교환한 노드들은 해당 노드를 제거하고 키를 다시 교환해야 안전한 통신을 재개할 수 있습니다. - 키 내보내기 - 공개 및 개인 키를 파일로 내 보냅니다. 안전하게 보관하십시오. - 모듈 잠금해제 - 원격 - (%1$d 온라인 / 총 %2$d ) - 반응 - 연결 끊기 - 네트워크 장치를 찾을 수 없습니다. - USB 시리얼 장치를 찾을 수 없습니다. - Meshtastic - 알 수 없는 - 고급 - - - - - 취소 - 메시지 - 다운로드 - diff --git a/app/src/main/res/values-lt/strings.xml b/app/src/main/res/values-lt/strings.xml deleted file mode 100644 index f6f762e34..000000000 --- a/app/src/main/res/values-lt/strings.xml +++ /dev/null @@ -1,249 +0,0 @@ - - - - Filtras - išvalyti įtaisų filtrą - Įtraukti nežinomus - Rodyti detales - A-Z - Kanalas - Atstumas - Persiuntimų kiekis - Seniausiai girdėtas - per MQTT - per MQTT - Be kategorijos - Laukiama patvirtinimo - Eilėje išsiuntimui - Pristatymas patvirtintas - Nėra maršruto - Gautas negatyvus patvirtinimas - Baigėsi laikas - Nėra sąsajos - Pasiektas persiuntimų limitas - Nėra kanalo - Paketas perdidelis - Nėra atsakymo - Bloga užklausa - Pasiektas regioninis ciklų limitas - Neautorizuotas - Šifruotas siuntimas nepavyko - Nežinomas viešasis raktas - Blogas sesijos raktas - Viešasis raktas nepatvirtintas - Programėlė prijungta prie atskiro susirašinėjimo įtaiso. - Įtaisas kuris nepersiunčia kitų įtaisų paketų. - Stacionarus aukštuminis įtaisas geresniam tinklo padengimui. Matomas node`ų sąraše. - ROUTER ir CLIENT kombinacija. Neskirta mobiliems įtaisams. - Stacionarus įtaisas tinklo išplėtimui, persiunčiantis žinutes. Nerodomas įtaisų sąraše. - Pirmenybinis GPS pozicijos paketų siuntimas - Pirmenybinis telemetrijos paketų siuntimas - Optimizuota ATAK komunikacijai, sumažinta rutininių transliacijų - Įtaisas transliuojantis tik prireikus. Naudojama slaptumo ar energijos taupymui. - Reguliariai siunčia GPS pozicijos informaciją į pagrindinį kanalą, lengvesniam įtaiso radimui. - Įgalina automatines TAK PLI transliacijas ir sumažina rutininių transliacijų kiekį. - Persiųsti visas žinutes, nesvarbu jos iš Jūsų privataus tinklo ar iš kito tinklo su analogiškais LoRa parametrais. - Taip pat kaip ir VISI bet nebando dekoduoti paketų ir juos tiesiog persiunčia. Galima naudoti tik Repeater rolės įtaise. Įjungus bet kokiame kitame įtaise - veiks tiesiog kaip VISI. - Leidžiama tik SENSOR, TRACKER ar TAK_TRACKER rolių įtaisams. Tai užblokuos visas retransliacijas, ne taip kaip CLIENT_MUTE atveju. - Atjungia galimybė trigubu paspaudimu įgalinti arba išjungti GPS. - Viešasis raktas - Kanalo pavadinimas - QR kodas - aplikacijos piktograma - Nežinomas vartotojo vardas - Siųsti - Su šiuo telefonu dar nėra susietas joks Meshtastic įtaisais. Prašome suporuoti įrenginį ir nustatyti savo vartotojo vardą.\n\nŠi atvirojo kodo programa yra kūrimo stadijoje, jei pastebėsite problemas, prašome pranešti mūsų forume: https://github.com/orgs/meshtastic/discussions\n\nDaugiau informacijos rasite mūsų interneto svetainėje - www.meshtastic.org. - Tu - Priimti - Atšaukti - Gautas naujo kanalo URL - Pranešti apie klaidą - Pranešti apie klaidą - Ar tikrai norite pranešti apie klaidą? Po pranešimo prašome parašyti forume https://github.com/orgs/meshtastic/discussions, kad galėtume suderinti pranešimą su jūsų pastebėjimais. - Raportuoti - Susiejimas užbaigtas, paslauga pradedama - Susiejimas nepavyko, prašome pasirinkti iš naujo - Vietos prieigos funkcija išjungta, negalima pateikti pozicijos tinklui. - Dalintis - Atsijungta - Įrenginys miega - IP adresas: - Prisijungta prie radijo (%s) - Neprijungtas - Prisijungta prie radijo, bet jis yra miego režime - Reikalingas programos atnaujinimas - Urite atnaujinti šią programą programėlių parduotuvėje (arba Github). Ji per sena, kad galėtų bendrauti su šiuo radijo įrangos programinės įrangos versija. Prašome perskaityti mūsų dokumentaciją šia tema. - Nėra (išjungti) - Paslaugos pranešimai - Apie - Šio kanalo URL yra neteisingas ir negali būti naudojamas - Derinimo skydelis - Išvalyti - Žinutės pristatymo statusas - Reikalingas įrangos Firmware atnaujinimas. - Radijo įrangos pfirmware yra per sena, kad galėtų bendrauti su šia programa. Daugiau informacijos apie tai rasite mūsų firmware diegimo vadove. - Gerai - Turite nustatyti regioną! - Nepavyko pakeisti kanalo, nes radijas dar nėra prisijungęs. Bandykite dar kartą. - Eksportuoti rangetest.csv - Nustatyti iš naujo - Skenuoti - Pridėti - Ar tikrai norite pakeisti į numatytąjį kanalą? - Atkurti numatytuosius parametrus - Taikyti - Išvaizda - Šviesi - Tamsi - Sistemos numatyta - Pasirinkite Aplinką - Pateikti telefono vietą tinklui - - Ištrinti pranešimą? - Ištrinti %s pranešimus? - Ištrinti %s pranešimus? - Ištrinti %s pranešimus? - - Ištrinti - Ištrinti visiems - Ištrinti man - Pažymėti visus - Stiliaus parinktys - Atsisiųsti regioną - Pavadinimas - Aprašymas - Užrakintas - Išsaugoti - Kalba - Numatytoji sistema - Siųsti iš naujo - Išjungti - Išjungimas nepalaikomas šiame įtaise - Perkrauti - Žinutės kelias - Rodyti įvadą - Žinutė - Greito pokalbio parinktys - Naujas greitas pokalbis - Redaguoti greitą pokalbį - Pridėti prie žinutės - Siųsti nedelsiant - Gamyklinis atstatymas - Tiesioginė žinutė - NodeDB perkrauti - Nustatymas įkeltas - Klaida - Ignoruoti - Ar pridėti „%s“ į ignoruojamų sąrašą? Po šio pakeitimo jūsų radijas bus perkrautas. - Ar pašalinti „%s“ iš ignoruojamų sąrašo? Po šio pakeitimo jūsų radijas bus perkrautas. - Pasirinkite atsisiuntimo regioną - Plytelių atsisiuntimo apskaičiavimas: - Pradėti atsiuntimą - Uždaryti - Radijo modulio konfigūracija - Modulio konfigūracija - Pridėti - Redaguoti - Skaičiuojama… - Neprisijungusio režimo valdymas - Dabartinis talpyklos dydis - Talpyklos talpa: %1$.2f MB\nTalpyklos naudojimas: %2$.2f MB - Ištrinti atsisiųstas plyteles - Plytelių šaltinis - SQL talpykla išvalyta %s - SQL talpyklos išvalymas nepavyko, detales žiūrėkite logcat - Talpyklos valdymas - Atsiuntimas baigtas! - Atsiuntimas baigtas su %d klaidomis - %d plytelės - kryptis: %1$d° atstumas: %2$s - Redaguoti kelio tašką - Ištrinti orientyrą? - Naujas orientyras - Gautas orientyras: %s - Pasiektas veikimo ciklo limitas. Šiuo metu negalima siųsti žinučių, bandykite vėliau. - Pašalinti - Šis įtaisas bus pašalintas iš jūsų sąrašo iki tol kol vėl iš jo gausite žinutę / duomenų paketą. - Nutildyti pranešimus - 8 valandos - 1 savaitė - Visada - Pakeisti - Nuskenuoti WiFi QR kodą - Neteisingas WiFi prisijungimo QR kodo formatas - Grįžti atgal - Baterija - Kanalo panaudojimas - Eterio panaudojimas - Temperatūra - Drėgmė - Log`ai - Persiuntimų kiekis - Informacija - Dabartinio kanalo panaudojimas, įskaitant gerai suformuotą TX (siuntimas), RX (gavimas) ir netinkamai suformuotą RX (arba - triukšmas). - Procentas eterio laiko naudoto perdavimams per pastarąją valandą. - Viešas raktas - Tiesioginės žinutės naudoja bendrajį kanalo raktą (nėra šifruotos). - Viešojo rakto šifruotė - Tiesioginės žinutės šifravimui naudoja naująją viešojo rakto infrastruktūrą. Reikalinga 2,5 ar vėlesnės versijos programinė įranga. - Viešojo rakto neatitikimas - Naujo įtaiso pranešimas - Daugiau info - SNR - RSSI - Įtaiso duomenų žurnalas - Įtaisų žemėlapis - Pozicijos duomenų žurnalas - Aplinkos duomenų žurnalas - Signalo duomenų žurnalas - Administravimas - Nuotolinis administravimas - Silpnas - Pakankamas - Geras - Nėra - Dalintis su… - Signalas - Signalo kokybė - Pristatymo kelio žurnalas - Tiesiogiai - - Vienas - Keli - Daug - Kita - - Persiuntimų iki %1$d persiuntimų nuo %2$d - 24 val - 48 val - 1 sav - 2 sav - 4 sav - Max - Kopijuoti - Skambučio simbolis! - Viešasis raktas - Privatus raktas - Baigėsi laikas - Atstumas - - - - - Žinutė - diff --git a/app/src/main/res/values-nb/strings.xml b/app/src/main/res/values-nb/strings.xml deleted file mode 100644 index 8621d89d8..000000000 --- a/app/src/main/res/values-nb/strings.xml +++ /dev/null @@ -1,257 +0,0 @@ - - - - Filter - tøm nodefilter - Inkluder ukjent - Vis detaljer - A-Å - Kanal - Distanse - Hopp unna - Sist hørt - via MQTT - via MQTT - Ikke gjenkjent - Venter på bekreftelse - I kø for å sende - Bekreftet - Ingen rute - Mottok negativ bekreftelse - Tidsavbrudd - Ingen grensesnitt - Maks Retransmisjoner Nådd - Ingen Kanal - Pakken er for stor - Ingen respons - Ugyldig Forespørsel - Regional Arbeidssyklusgrense Nådd - Ikke Autorisert - Kryptert sending mislyktes - Ukjent Offentlig Nøkkel - Ikke-gyldig sesjonsnøkkel - Ikke-autorisert offentlig nøkkel - App-tilkoblet eller frittstående meldingsenhet. - Enhet som ikke videresender pakker fra andre enheter. - Infrastruktur-node for utvidelse av nettverksdekning ved å videresende meldinger. Synlig i nodelisten. - Kombinasjon av ROUTER og CLIENT. Ikke for mobile enheter. - Infrastruktur-node for utvidelse av nettverksdekning ved å videresende meldinger med minimal overhead. Ikke synlig i nodelisten. - Sender GPS-posisjonspakker som prioritert. - Sender telemetripakker som prioritet. - Optimalisert for ATAK systemkommunikasjon, reduserer rutinemessige kringkastinger. - Enhet som bare kringkaster når nødvendig, for stealth eller strømsparing. - Sender sted som melding til standardkanalen regelmessig for å hjelpe med å finne enheten. - Aktiverer automatiske TAK PLI-sendinger og reduserer rutinesendinger. - Infrastrukturnode som alltid sender pakker på nytt én gang, men bare etter alle andre moduser og sikrer ekstra dekning for lokale klynger. Synlig i nodelisten. - Alle observerte meldinger sendes på nytt hvis den var på vår private kanal eller fra en annen mesh med samme lora-parametere. - Samme atferd som alle andre, men hopper over pakkedekoding og sender dem ganske enkelt på nytt. Kun tilgjengelig i Repeater-rollen. Å sette dette på andre roller vil resultere i ALL oppførsel. - Ignorerer observerte meldinger fra fremmede mesh\'er som er åpne eller de som ikke kan dekrypteres. Sender kun meldingen på nytt på nodene lokale primære / sekundære kanaler. - Ignorer observerte meldinger fra utenlandske mesher som KUN LOKALE men tar det steget videre, ved å også ignorere meldinger fra noder som ikke allerede er i nodens kjente liste. - Bare tillatt for SENSOR, TRACKER og TAK_TRACKER roller, så vil dette hindre alle rekringkastinger, ikke i motsetning til CLIENT_MUTE rollen. - Ignorerer pakker fra ikke-standard portnumre som: TAK, RangeTest, PaxCounter, etc. Kringkaster kun pakker med standard portnum: NodeInfo, Text, Position, Telemetrær og Ruting. - Behandle dobbeltrykk på støttede akselerometre som brukerknappetrykk. - Deaktiverer trippeltrykk av brukerknappen for å aktivere eller deaktivere GPS. - Kontrollerer blinking av LED på enheten. For de fleste enheter vil dette kontrollere en av de opp til 4 lysdiodene. Laderen og GPS-lysene er ikke kontrollerbare. - Hvorvidt det i tillegg for å sende det til MQTT og til telefonen, skal vår Naboinfo overføres over LoRa. Ikke tilgjengelig på en kanal med standardnøkkel og standardnavn. - Offentlig nøkkel - Kanal Navn - QR kode - applikasjon ikon - Ukjent Brukernavn - Send - Du har ikke paret en Meshtastic kompatibel radio med denne telefonen. Vennligst parr en enhet, og sett ditt brukernavn.\n\nDenne åpen kildekode applikasjonen er i alfa-testing, Hvis du finner problemer, vennligst post på vårt forum: https://github.com/orgs/meshtastic/discussions\n\nFor mer informasjon, se vår nettside - www.meshtastic.org. - Deg - Godta - Avbryt - Ny kanal URL mottatt - Rapporter Feil - Rapporter en feil - Er du sikker på at du vil rapportere en feil? Etter rapportering, vennligst posti https://github.com/orgs/meshtastic/discussions så vi kan matche rapporten med hva du fant. - Rapport - Paring fullført, starter tjeneste - Paring feilet, vennligst velg igjen - Lokasjonstilgang er slått av,kan ikke gi posisjon til mesh. - Del - Frakoblet - Enhet sover - IP-adresse: - Tilkoblet til radio (%s) - Ikke tilkoblet - Tilkoblet radio, men den sover - Applikasjon for gammel - Du må oppdatere denne applikasjonen på Google Play store (eller Github). Den er for gammel til å snakke med denne radioen. - Ingen (slå av) - Tjeneste meldinger - Om - Denne kanall URL er ugyldig og kan ikke benyttes - Feilsøkningspanel - Tøm - Melding leveringsstatus - Firmwareoppdatering kreves. - Radiofirmwaren er for gammel til å snakke med denne applikasjonen. For mer informasjon om dette se vår Firmware installasjonsveiledning. - Ok - Du må angi en region! - Kunne ikke endre kanalen, fordi radio ikke er tilkoblet enda. Vennligst prøv på nytt. - Eksporter rekkeviddetest.csv - Nullstill - Søk - Legg til - Er du sikker på at du vil endre til standardkanalen? - Tilbakestill til standard - Bruk - Tema - Lys - Mørk - System standard - Velg tema - Oppgi plassering til nett - - Slett meldingen? - Slette %s meldinger? - - Slett - Slett for alle brukere - Slett kun for meg - Velg alle - Stil valg - Nedlastings Region - Navn - Beskrivelse - Låst - Lagre - Språk - System standard - Send på nytt - Avslutt - Avslutning støttes ikke på denne enheten - Omstart - Traceroute - Vis introduksjon - Melding - Alternativer for enkelchat - Ny enkelchat - Endre enkelchat - Tilføy meldingen - Send øyeblikkelig - Tilbakestill til fabrikkstandard - Direktemelding - NodeDB reset - Leveringen er bekreftet - Feil - Ignorer - Legg til \'%s\' i ignorereringslisten? - Fjern \'%s fra ignoreringslisten? - Velg nedlastingsregionen - Tile nedlastingsestimat: - Start nedlasting - Lukk - Radiokonfigurasjon - Modul konfigurasjon - Legg til - Rediger - Beregner… - Offlinemodus - Nåværende størrelse for mellomlager - Cache Kapasitet: %1$.2f MB\nCache Bruker: %2$.2f MB - Tøm nedlastede fliser - Fliskilde - SQL-mellomlager tømt for %s - Tømming av SQL-mellomlager feilet, se logcat for detaljer - Mellomlagerbehandler - Nedlastingen er fullført! - Nedlasting fullført med %d feil - %d fliser - retning: %1$d° avstand: %2$s - Rediger veipunkt - Fjern veipunkt? - Nytt veipunkt - Mottatt veipunkt: %s - Grensen for sykluser er nådd. Kan ikke sende meldinger akkurat nå, prøv igjen senere. - Fjern - Denne noden vil bli fjernet fra listen din helt til din node mottar data fra den igjen. - Demp varsler - 8 timer - 1 uke - Alltid - Erstatt - Skann WiFi QR-kode - Ugyldig WiFi legitimasjon QR-kode format - Gå tilbake - Batteri - Kanalutnyttelse - Luftutnyttelse - Temperatur - Luftfuktighet - Logger - Hopp Unna - Informasjon - Utnyttelse for denne kanalen, inkludert godt formet TX, RX og feilformet RX (aka støy). - Prosent av lufttiden brukt i løpet av den siste timen. - Luftkvalitet - Delt nøkkel - Direktemeldinger bruker den delte nøkkelen til kanalen. - Offentlig-nøkkel kryptering - Direktemeldinger bruker den nye offentlige nøkkelinfrastrukturen for kryptering. Krever firmware versjon 2.5 eller høyere. - Direktemeldinger bruker den nye offentlige nøkkelinfrastrukturen for kryptering. Krever firmware versjon 2.5 eller høyere. - Den offentlige nøkkelen samsvarer ikke med den lagrede nøkkelen. Du kan fjerne noden og la den utveksle nøkler igjen, men dette kan indikere et mer alvorlig sikkerhetsproblem. Ta kontakt med brukeren gjennom en annen klarert kanal for å avgjøre om nøkkelen endres på grunn av en tilbakestilling til fabrikkstandard eller andre tilsiktede tiltak. - Varsel om nye noder - Flere detaljer - SNR - Signal-to-Noise Ratio, et mål som brukes i kommunikasjon for å sette nivået av et ønsket signal til bakgrunnstrøynivået. I Meshtastic og andre trådløse systemer tyder et høyere SNR på et klarere signal som kan forbedre påliteligheten og kvaliteten på dataoverføringen. - RSSI - \"Received Signal Strength Indicator\", en måling som brukes til å bestemme strømnivået som mottas av antennen. Høyere RSSI verdi indikerer generelt en sterkere og mer stabil forbindelse. - (Innendørs luftkvalitet) relativ skala IAQ-verdi målt ved Bosch BME680. Verdi 0–500. - Enhetens måltallslogg - Nodekart - Posisjonslogg - Logg for miljømåltall - Signale måltallslogg - Administrasjon - Fjernadministrasjon - Dårlig - Middelmådig - Godt - Ingen - Del med… - Signal - Signalstyrke - Sporingslogg - Direkte - - 1 hopp - %d hopp - - Hopp mot %1$d Hopper tilbake %2$d - 24t - 48t - 1U - 2U - 4U - Maks - Kopier - Varsel, bjellekarakter! - Offentlig nøkkel - Privat nøkkel - Tidsavbrudd - Distanse - - - - - Melding - diff --git a/app/src/main/res/values-night/colors.xml b/app/src/main/res/values-night/colors.xml deleted file mode 100644 index c85e84c94..000000000 --- a/app/src/main/res/values-night/colors.xml +++ /dev/null @@ -1,19 +0,0 @@ - - - #FFFFFF - diff --git a/app/src/main/res/values-night/styles.xml b/app/src/main/res/values-night/styles.xml deleted file mode 100644 index 235481fee..000000000 --- a/app/src/main/res/values-night/styles.xml +++ /dev/null @@ -1,27 +0,0 @@ - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/values-nl/strings.xml b/app/src/main/res/values-nl/strings.xml deleted file mode 100644 index 6ea74792b..000000000 --- a/app/src/main/res/values-nl/strings.xml +++ /dev/null @@ -1,459 +0,0 @@ - - - - Filter - wis node filter - Include onbekend - Toon details - Node sorteeropties - A-Z - Kanaal - Afstand - Aantal sprongen - Laatst gehoord - via MQTT - via MQTT - Op Favoriet - Niet herkend - Wachten op bevestiging - In behandeling - Bevestigd - Geen route - Negatieve bevestiging ontvangen - Time-Out - Geen Interface - Maximum Pogingen Bereikt - Geen Kanaal - Pakket te groot - Geen antwoord - Ongeldige aanvraag - Regionale limiet inschakeltijd bereikt - Niet Bevoegd - Versleuteld verzenden mislukt - Onbekende publieke sleutel - Ongeldige sessiesleutel - Publieke sleutel onbevoegd - Toestel geeft geen pakketten door van andere toestellen. - Apparaat stuurt geen pakketten van andere apparaten. - Infrastructuur node om netwerk bereik te vergroten door berichten door te geven. Zichtbare in noden lijst. - Combinatie van ROUTER en CLIENT. Niet voor mobiele toestellen. - Infrastructuur node om netwerk bereik te vergroten door berichten door te geven zonder overtolligheid. Niet zichtbaar in noden lijst. - Zendt GPS-positiepakketten met prioriteit uit. - Zendt telemetriepakketten met prioriteit uit. - Geoptimaliseerd voor ATAK-systeemcommunicatie, beperkt routine uitzendingen. - Apparaat dat alleen uitzendt als dat nodig is voor stealth of energiebesparing. - Zend locatie regelmatig als bericht via het standaard kanaal voor zoektocht apparaat. - Activeer automatisch zenden TAK PLI en beperk routine zendingen. - Infrastructuurknooppunt dat altijd pakketten één keer opnieuw uitzendt, maar pas nadat alle andere modi zijn voltooid, om extra dekking te bieden voor lokale clusters. Zichtbaar in de lijst met knooppunten. - Herzend ontvangen berichten indien ontvangen op eigen privé kanaal of van een ander toestel met dezelfde lora instellingen. - Hetzelfde gedrag als ALL maar sla pakketdecodering over en herzendt opnieuw. Alleen beschikbaar in Repeater rol. Het instellen van dit op andere rollen resulteert in ALL gedrag. - Negeert waargenomen berichten van open vreemde mazen of die welke niet kunnen decoderen. Alleen heruitzenden bericht op de nodes lokale primaire / secundaire kanalen. - Negeert alleen waargenomen berichten van vreemde meshes zoals LOCAL ONLY, maar gaat een stap verder door ook berichten van knooppunten te negeren die nog niet in de bekende lijst van knooppunten staan. - Alleen toegestaan voor SENSOR, TRACKER en TAK_TRACKER rollen, dit zal alle heruitzendingen beperken, niet in tegenstelling tot CLIENT_MUTE rol. - Negeert pakketten van niet-standaard portnums, zoals: TAK, RangeTest, PaxCounter, etc. Herzendt alleen pakketten met standaard portnummers: NodeInfo, Text, Positie, Telemetry, en Routing. - Behandel een dubbele tik op ondersteunde versnellingsmeters als een knopindruk door de gebruiker. - Schakelt de drie keer indrukken van de gebruikersknop uit voor het in- of uitschakelen van GPS. - Regelt de knipperende LED op het apparaat. Voor de meeste apparaten betreft dit een van de maximaal 4 LEDs; de LED\'s van de lader en GPS zijn niet regelbaar. - Publieke sleutel - Kanaalnaam - QR-code - applicatie icon - Onbekende Gebruikersnaam - Verzend - Je hebt nog geen Meshtastic compatibele radio met deze telefoon gekoppeld. Paar alstublieft een apparaat en voer je gebruikersnaam in.\n\nDeze open-source applicatie is in alpha-test, indien je een probleem vaststelt, kan je het posten op onze forum: https://github.com/orgs/meshtastic/discussions\n\nVoor meer informatie bezoek onze web pagina - www.meshtastic.org. - Jij - Accepteer - Annuleer - Nieuw kanaal URL ontvangen - Rapporteer bug - Rapporteer een bug - Ben je zeker dat je een bug wil rapporteren? Na het doorsturen, graag een post in https://github.com/orgs/meshtastic/discussions zodat we het rapport kunnen toetsen aan hetgeen je ondervond. - Rapporteer - Koppeling geslaagd, start service - Koppeling mislukt, selecteer opnieuw - Vrijgave positie niet actief, onmogelijk de positie aan het netwerk te geven. - Deel - Niet verbonden - Apparaat in slaapstand - Verbonden: %1$s online - IP-adres: - Poort: - Verbonden - Verbonden met radio (%s) - Niet verbonden - Verbonden met radio in slaapstand - Applicatie bijwerken vereist - Applicatie update noodzakelijk in Google Play store (of Github). Deze versie is te oud om te praten met deze radio. - Geen (uit) - Servicemeldingen - Over - Deze Kanaal URL is ongeldig en kan niet worden gebruikt - Debug-paneel - Wis - Bericht afleverstatus - Waarschuwingsmeldingen - Firmware-update vereist. - De radio firmware is te oud om met deze applicatie te praten. Voor meer informatie over deze zaak, zie onze Firmware Installation gids. - OK - Je moet een regio instellen! - Kon kanaal niet wijzigen, omdat de radio nog niet is aangesloten. Probeer het opnieuw. - Exporteer rangetest.csv - Reset - Scan - Voeg toe - Weet je zeker dat je naar het standaard kanaal wilt wijzigen? - Standaardinstellingen terugzetten - Toepassen - Thema - Licht - Donker - Systeemstandaard - Kies thema - Geef telefoon locatie door aan mesh - - Bericht verwijderen? - %s berichten verwijderen? - - Verwijder - Verwijder voor iedereen - Verwijder voor mij - Selecteer alle - Stijl selectie - Download regio - Naam - Beschrijving - Vergrendeld - Opslaan - Taal - Systeemstandaard - Verzend opnieuw - Zet uit - Uitschakelen niet ondersteund op dit apparaat - Herstart - Traceroute - Toon introductie - Bericht - Opties voor snelle chat - Nieuwe snelle chat - Wijzig snelle chat - Aan einde bericht toevoegen - Direct verzenden - Reset naar fabrieksinstellingen - Privébericht - NodeDB reset - Aflevering bevestigd - Fout - Negeer - Voeg \'%s\' toe aan negeerlijst? - Verwijder \'%s\' uit negeerlijst? - Selecteer regio om te downloaden - Geschatte download tegels: - Download starten - Positie uitwisselen - Sluit - Radioconfiguratie - Module-configuratie - Voeg toe - Wijzig - Berekenen… - Offline Manager - Huidige cache grootte - Cache capaciteit: %1$.2f MB\nCache gebruik: %2$.2f MB - Wis gedownloade tegels - Bron tegel - SQL cache gewist voor %s - SQL cache verwijderen mislukt, zie logcat voor details - Cachemanager - Download voltooid! - Download voltooid met %d fouten - %d tegels - richting: %1$d° afstand: %2$s - Wijzig waypoint - Waypoint verwijderen? - Nieuw waypoint - Ontvangen waypoint: %s - Limiet van Duty Cycle bereikt. Kan nu geen berichten verzenden, probeer het later opnieuw. - Verwijder - Deze node zal worden verwijderd uit jouw lijst totdat je node hier opnieuw gegevens van ontvangt. - Meldingen dempen - 8 uur - 1 week - Altijd - Vervang - Scan WiFi QR-code - Ongeldige WiFi Credential QR-code formaat - Ga terug - Batterij - Kanaalgebruik - Luchtverbruik - Temperatuur - Vochtigheid - Logs - Aantal sprongen - Informatie - Gebruik voor het huidige kanaal, inclusief goed gevormde TX, RX en misvormde RX (ruis). - Percentage van de zendtijd die het afgelopen uur werd gebruikt. - IAQ - Gedeelde Key - Directe berichten gebruiken de gedeelde sleutel voor het kanaal. - Publieke sleutel encryptie - Directe berichten gebruiken de nieuwe openbare sleutel infrastructuur voor versleuteling. Vereist firmware versie 2.5 of hoger. - Publieke sleutel komt niet overeen - De publieke sleutel komt niet overeen met de opgenomen sleutel. Je kan de node verwijderen en opnieuw een sleutel laten uitwisselen, maar dit kan duiden op een ernstiger beveiligingsprobleem. Neem contact op met de gebruiker via een ander vertrouwd kanaal, om te bepalen of de sleutel gewijzigd is door een reset naar de fabrieksinstellingen of andere opzettelijke actie. - Gebruikersinformatie uitwisselen - Nieuwe node meldingen - Meer details - SNR - Signal-to-Noise Ratio, een meeting die wordt gebruikt in de communicatie om het niveau van een gewenst signaal tegenover achtergrondlawaai te kwantificeren. In Meshtastische en andere draadloze systemen geeft een hoger SNR een zuiverder signaal aan dat de betrouwbaarheid en kwaliteit van de gegevensoverdracht kan verbeteren. - RSSI - Ontvangen Signal Sterkte Indicator, een meting gebruikt om het stroomniveau te bepalen dat de antenne ontvangt. Een hogere RSSI-waarde geeft een sterkere en stabielere verbinding aan. - (Binnenluchtkwaliteit) relatieve schaal IAQ waarde gemeten door Bosch BME680. Waarde tussen 0 en 500. - Apparaat Statistieken Log - Node Kaart - Positie Logboek - Omgevingsstatistieken logboek - Signaal Statistieken Logboek - Beheer - Extern beheer - Slecht - Matig - Goed - Geen - Delen met… - Signaal - Signaalkwaliteit - Traceroute log - Direct - - 1 hop - %d hops - - Sprongen richting %1$d Springt terug %2$d - 24U - 48U - 1W - 2W - 4W - Maximum - Onbekende Leeftijd - Kopieer - Melding Bell teken! - Kritieke Waarschuwing! - Favoriet - \'%s\' aan favorieten toevoegen? - \'%s\' uit favorieten verwijderen? - Energiegegevenslogboek - Kanaal 1 - Kanaal 2 - Kanaal 3 - Huidige - Spanning - Weet u het zeker? - Ik weet waar ik mee bezig ben. - Batterij bijna leeg - Batterij bijna leeg: %s - Luchtdruk - Mesh via UDP ingeschakeld - UDP Configuratie - Wissel mijn positie - Gebruiker - Kanalen - Apparaat - Positie - Vermogen - Netwerk - Weergave - LoRa - Bluetooth - Beveiliging - MQTT - Serieel - Externe Melding - Bereik Test - Telemetrie - Geluid - Externe Hardware - Sfeerverlichting - Detectie Sensor - Paxcounter - Audioconfiguratie - CODEC 2 ingeschakeld - PTT pin - CODEC2 sample rate - I2S klok - Bluetooth Configuratie - Bluetooth ingeschakeld - Koppelmodus - Vaste PIN - Uplink ingeschakeld - Downlink ingeschakeld - Standaard - Positie ingeschakeld - GPIO pin - Type - Wachtwoord verbergen - Wachtwoord tonen - Details - Omgeving - LED status - Rood - Groen - Blauw - Genereer invoergebeurtenis bij indrukken - Verstuur bel - Berichten - Bewegingssensor Configuratie - Bewegingssensor Ingeschakeld - Minimale broadcast (seconden) - Weergavenaam - GPIO pin om te monitoren - Detectie trigger type - Apparaat Configuratie - Functie - Rebroadcast modus - LED-knipperen uitschakelen - Weergave Configuratie - Scherm timeout (seconden) - GPS coördinaten formaat - Kompas Noorden bovenaan - Scherm omdraaien - Geef eenheden weer - Overschrijf OLED automatische detectie - Weergavemodus - Scherm inschakelen bij aanraking of beweging - Kompas oriëntatie - Gebruik PWM zoemer - Output vibra (GPIO) - Output duur (milliseconden) - Beltoon - LoRa Configuratie - Gebruik modem preset - Bandbreedte - Spread factor - Codering ratio - Frequentie offset (MHz) - Hoplimiet - TX ingeschakeld - TX vermogen (dBm) - Frequentie slot - Overschrijf Duty Cycle - Inkomende negeren - Overschrijf frequentie (MHz) - Negeer MQTT - MQTT Configuratie - MQTT ingeschakeld - Adres - Gebruikersnaam - Wachtwoord - Encryptie ingeschakeld - JSON uitvoer ingeschakeld - TLS ingeschakeld - Proxy to client ingeschakeld - Kaartrapportage - Update-interval (seconden) - Zend over LoRa - Netwerkconfiguratie - Wifi ingeschakeld - SSID - PSK - Ethernet ingeschakeld - NTP server - rsyslog server - IPv4 modus - IP-adres - Gateway - Subnet - Paxcounter Configuratie - Paxcounter ingeschakeld - WiFi RSSI drempelwaarde (standaard -80) - BLE RSSI drempelwaarde (standaard -80) - Positie Configuratie - Slimme positie ingeschakeld - Gebruik vaste positie - Breedtegraad - Lengtegraad - Hoogte in meters - GPS modus - GPS update interval (seconden) - Positie vlaggen - Energie configuratie - Energiebesparingsmodus inschakelen - Externe hardwareconfiguratie - Externe hardware ingeschakeld - Beschikbare pinnen - Beveiligings Configuratie - Publieke sleutel - Privésleutel - Admin Sleutel - Beheerde modus - Seriële console - Legacy Admin kanaal - Seriële Configuratie - Serieel ingeschakeld - Echo ingeschakeld - Time-Out - Seriële modus - Hartslag - Aantal records - Server - Gebruikersconfiguratie - Node ID - Volledige naam - Verkorte naam - Hardwaremodel - Druk - Afstand - Lux - Wind - Gewicht - Straling - Binnenluchtkwaliteit (IAQ) - URL - - Configuratie importeren - Configuratie exporteren - Hardware - Ondersteund - Node Nummer - Gebruiker ID - Tijd online - Tijdstempel - Sats - Alt - Freq - Slot - Primair - Secundair - Handmatige positieaanvraag vereist - Dempen opheffen - Dynamisch - Scan QR-code - Contactpersoon delen - Gedeelde contactpersoon importeren? - Niet berichtbaar - Publieke sleutel gewijzigd - Importeer - Metadata opvragen - Acties - Instellingen - - - - - Bericht - diff --git a/app/src/main/res/values-pl/strings.xml b/app/src/main/res/values-pl/strings.xml deleted file mode 100644 index 1228302c0..000000000 --- a/app/src/main/res/values-pl/strings.xml +++ /dev/null @@ -1,370 +0,0 @@ - - - - Filtr - Wyczyść filtr - Pokaż nierozpoznane - Pokaż szczegóły - Opcje sortowania węzłów - Nazwa - Kanał - Odległość - Liczba skoków - Aktywność - Przez MQTT - Przez MQTT - Przez ulubione - Nierozpoznany - Oczekiwanie na potwierdzenie - Zakolejkowane do wysłania - Potwierdzone - Brak trasy - Otrzymano negatywne potwierdzenie - Upłynął limit czasu - Brak interfejsu - Przekroczono czas lub liczbę retransmisji - Brak kanału - Pakiet jest zbyt duży - Brak odpowiedzi - Błędne żądanie - Osiągnięto okresowy limit nadawania dla tego regionu - Brak autoryzacji - Zaszyfrowane wysyłanie nie powiodło się - Nieznany klucz publiczny - Nieprawidłowy klucz sesji - Nieautoryzowany klucz publiczny - Urządzenie samodzielne lub sparowane z aplikacją. - Urządzenie, które nie przekazuje pakietów z innych urządzeń. - Węzeł infrastruktury do rozszerzenia zasięgu sieci poprzez przekazywanie pakietów. Widoczny na liście węzłów. - Połączenie zarówno trybu ROUTER, jak i CLIENT. Nie dla urządzeń przenośnych. - Węzeł infrastruktury do rozszerzenia zasięgu sieci poprzez przekazywanie pakietów z minimalnym narzutem. Niewidoczny na liście węzłów. - Nadaje priorytetowo pakiety z pozycją GPS. - Nadaje priorytetowo pakiety telemetryczne. - Zoptymalizowany pod kątem komunikacji systemowej ATAK, redukuje nadmiarowe transmisje. - Urządzenie, które nadaje tylko wtedy, gdy jest to konieczne w celu zachowania ukrycia lub oszczędzania energii. - Nadaje regularnie lokalizację jako wiadomości do głównego kanału, aby pomóc w odzyskaniu urządzenia. - Umożliwia automatyczne transmisje TAK PLI i zmniejsza liczbę nadmiarowych transmisji. - Węzeł infrastruktury, który zawsze powtarza pakiety raz, ale tylko po wszystkich innych trybach, zapewniając dodatkowe pokrycie lokalnych klastrów. Widoczne na liście węzłów. - Przekazuje ponownie każdy odebrany pakiet, niezależnie od tego, czy został wysłany na nasz prywatny kanał, czy z innej sieci Mesh o tych samych parametrach radia. - To samo zachowanie co ALL, ale pomija dekodowanie pakietów i po prostu je retransmituje. Dostępne tylko w roli REPEATER. Ustawienie tego w innych rolach spowoduje zachowanie jak ALL. - Ignoruje odebrane pakiety z obcych sieci Mesh, które są otwarte lub których nie można odszyfrować. Retransmituje wiadomość tylko na lokalnych kanałach primary / secondary. - Ignoruje odebrane pakiety z obcych sieci, podobnie jak LOCAL_ONLY, ale idzie o krok dalej, ignorując również pakiety z węzłów, które nie znajdują się jeszcze na liście znanych węzłów. - Dozwolone wyłącznie dla ról SENSOR, TRACKER i TAK_TRACKER. Spowoduje to zablokowanie wszystkich retransmisji, podobnie jak rola CLIENT_MUTE. - Ignoruje niestandardowe pakiety (non-standard portnums) takie jak: TAK, RangeTest, PaxCounter, itp. Przekazuje dalej jedynie standardowe pakiety (standard portnums): NodeInfo, Text, Position, Telemetry oraz Routing. - Traktuj podwójne dotknięcie na obsługiwanych akcelerometrach jako naciśnięcie przycisku użytkownika. - Wyłącza trzykrotne naciśnięcie przycisku użytkownika, aby włączyć lub wyłączyć GPS. - Kontroluje miganie LED na urządzeniu. Dla większości urządzeń będzie to sterować jednym z maksymalnie 4 diod LED, ładowarka i diody GPS nie są sterowane. - Czy oprócz wysyłania do MQTT i PhoneAPI, NeighborInfo powinny być przesłane przez LoRa? Niedostępny na kanale z domyślnym kluczem i nazwą. - Klucz publiczny - Nazwa Kanału - Kod QR - ikona aplikacji - Nieznana nazwa użytkownika - Wyślij - Nie sparowałeś jeszcze urządzenia Meshtastic z tym telefonem. Proszę sparować urządzenie i ustawić swoją nazwę użytkownika.\n\nTa aplikacja open-source jest w fazie rozwoju, jeśli znajdziesz problemy, napisz na naszym forum: https://github.com/orgs/meshtastic/discussions\n\nWięcej informacji znajdziesz na naszej stronie internetowej - www.meshtastic.org. - Ty - Akceptuj - Anuluj - Otrzymano nowy URL kanału - Zgłoś błąd - Zgłoś błąd - Czy na pewno chcesz zgłosić błąd? Po zgłoszeniu opublikuj post na https://github.com/orgs/meshtastic/discussions, abyśmy mogli dopasować zgłoszenie do tego, co znalazłeś. - Zgłoś - Parowanie zakończone, uruchamianie - Parowanie nie powiodło się, wybierz ponownie - Brak dostępu do lokalizacji, nie można udostępnić pozycji w sieci mesh. - Udostępnij - Rozłączono - Urządzenie uśpione - Adres IP: - Połączony - Połączono z urządzeniem (%s) - Nie połączono - Połączono z urządzeniem, ale jest ono w stanie uśpienia - Konieczna aktualizacja aplikacji - Należy zaktualizować aplikację za pomocą Sklepu Play lub z GitHub, ponieważ aplikacja jest zbyt stara, by skomunikować się z oprogramowaniem zainstalowanym na tym urządzeniu. Więcej informacji (ang.). - Brak (wyłącz) - Powiadomienia o usługach - O aplikacji - Ten adres URL kanału jest nieprawidłowy i nie można go użyć - Panel debugowania - Czyść - Status doręczenia wiadomości - Powiadomienia alertowe - Wymagana aktualizacja firmware\'u. - Oprogramowanie układowe radia jest zbyt stare, aby komunikować się z tą aplikacją. Aby uzyskać więcej informacji na ten temat, zobacz nasz przewodnik instalacji oprogramowania układowego. - OK - Musisz ustawić region! - Nie można zmienić kanału, ponieważ urządzenie nie jest jeszcze podłączone. Proszę, spróbuj ponownie. - Eksport rangetest.csv - Zresetuj - Skanowanie - Dodaj - Czy na pewno chcesz zmienić kanał na domyślny? - Przywróć domyślne - Zastosuj - Motyw - Jasny - Ciemny - Domyślne ustawienie systemowe - Wybierz motyw - Podaj lokalizację telefonu do sieci - - Usunąć wiadomość? - Usunąć %s wiadomości? - Usunąć %s wiadomości? - Usunąć %s wiadomości? - - Usuń - Usuń dla wszystkich - Usuń u mnie - Zaznacz wszystko - Wybór stylu - Pobierz region - Nazwa - Opis - Zablokowany - Zapisz - Język - Domyślny systemu - Ponów - Wyłącz - Wyłączenie nie jest obsługiwane w tym urządzeniu - Restart - Pokaż trasę - Wprowadzenie - Wiadomość - Szablony wiadomości - Nowy szablon - Zmień szablon - Dodaj do wiadomości - Wyślij natychmiast - Ustawienia fabryczne - Bezpośrednia wiadomość - Zresetuj NodeDB - Dostarczono - Błąd - Zignoruj - Dodać \'%s\' do listy ignorowanych? - Usunąć \'%s\' z listy ignorowanych? Twoje urządzenie zostanie zrestartowane po tej zmianie. - Wybierz region do pobrania - Szacowany czas pobrania: - Rozpocznij pobieranie - Poproś o pozycję - Zamknij - Ustawienia urządzenia - Ustawienia modułu - Dodaj - Edytuj - Obliczanie… - Menedżer map offline - Aktualny rozmiar pamięci podręcznej - Pojemność pamięci: %1$.2f MB\nUżycie pamięci: %2$.2f MB - Wyczyść pobrane mapy offline - Źródło map - Pamięć podręczna wyczyszczona dla %s - Usuwanie pamięci podręcznej SQL nie powiodło się, zobacz logcat - Zarządzanie pamięcią podręczną - Pobieranie ukończone! - Pobieranie zakończone z %d błędami - %d mapy - kierunek: %1$d° odległość: %2$s - Edytuj punkt nawigacji - Usuń punkt nawigacji? - Nowy punkt nawigacyjny - Otrzymano punkt orientacyjny: %s - Osiągnięto limit nadawania. Nie można wysłać wiadomości w tej chwili, spróbuj później. - Usuń - Węzeł będzie usunięty z listy dopóki nie otrzymasz ponownie danych od niego. - Wycisz powiadomienia - 8 godzin - 1 tydzień - Na zawsze - Zastąp - Skanuj kod QR Wi-Fi - Nieprawidłowy format kodu QR - Przejdź wstecz - Bateria - Wykorzystanie kanału - Wykorzystanie eteru - Temperatura - Wilgotność - Rejestry zdarzeń (logs) - Skoków - Informacja - Wykorzystanie dla bieżącego kanału, w tym prawidłowego TX/RX oraz zniekształconego RX (czyli szumu). - Procent czasu wykorzystanego do transmisji w ciągu ostatniej godziny. - IAQ - Klucz współdzielony - Wiadomości bezpośrednie korzystają ze współdzielonego klucza kanału. - Szyfrowanie klucza publicznego - Wiadomości bezpośrednie używają nowego systemu klucza publicznego do szyfrowania. Wymagana jest wersja firmware 2.5 lub wyższa. - Niezgodność klucza publicznego - Klucz publiczny nie pasuje do otrzymanego wcześniej klucza. Możesz usunąć węzeł i pozwolić na ponowną wymianę kluczy, ale może również wskazywać to na poważniejszy problem z bezpieczeństwem. Skontaktuj się z użytkownikiem za pomocą innego zaufanego kanału, aby ustalić, czy zmiana klucza była spowodowana przywróceniem ustawień fabrycznych czy innym działaniem. - Poproś o informacje - Powiadomienia o nowych węzłach - Więcej… - SNR: - Współczynnik sygnału do szumu (Signal-to-Noise Ratio) - miara stosowana w komunikacji do określania poziomu pożądanego sygnału w stosunku do poziomu szumu tła. W Meshtastic i innych systemach bezprzewodowych wyższy współczynnik SNR oznacza czystszy sygnał, który może zwiększyć niezawodność i jakość transmisji danych. - RSSI: - Received Signal Strength Indicator - miara używana do określenia poziomu mocy odbieranej przez antenę. Wyższa wartość RSSI zazwyczaj oznacza silniejsze i bardziej stabilne połączenie. - Jakość powietrza w pomieszczeniach (Indoor Air Quality) - wartość względna w skali IAQ mierzona czujnikiem BME680. Zakres wartości: 0–500. - Historia telemetrii - Ślad na mapie - Historia pozycji - Historia danych otoczenia - Historia danych sygnału - Zarządzanie - Zdalne zarządzanie - słaby - wystarczający - dobry - brak - Udostępnij… - Sygnał: - Jakość sygnału - Historia sprawdzania trasy - Bezpośrednio - - 1 skok - %d skoki - %d skoki - %d skoków - - Skoki do: %1$d. Skoki od: %2$d - 24H - 48H - 1W - 2W - 4W - Maks. - Unknown Age - Kopiuj - Znak ostrzegawczy! - Krytyczny alert! - Ulubiony - Dodać węzeł \'%s\' do ulubionych? - Usunąć węzeł \'%s\' z ulubionych? - Historia zasilania - Kanał 1 - Kanał 2 - Kanał 3 - Natężenie - Napięcie - Czy jesteś pewien? - Dokumentacja roli urządzenia oraz post na blogu o Wybranie odpowiedniej roli urządzenia.]]> - Wiem, co robię. - Powiadomienia o niskim poziomie baterii - Niski poziom baterii: %s - Powiadomienia o niskim poziomie baterii (ulubione węzły) - Ciśnienie barometryczne - Mesh na UDP włączony - Ustawienia UDP - Pokaż moją pozycję - Użytkownik - Kanały - Urządzenie - Pozycjonowanie - Zasilanie - Sieć - Wyświetlacz - Bezpieczeństwo - Seryjny - Zewnętrzne Powiadomienie - Test zasięgu - Telemetria - Konfiguracja Bluetooth - Stały PIN - Domyślny - Ukryj hasło - Pokaż hasło - Szczegóły - Wiadomości - Konfiguracja urządzenia - Rola - Konfiguracja wyświetlacza - Orientacja kompasu - Konfiguracja Zewnętrznego Powiadomienia - Użyj buzzer PWM - Dzwonek - Użyj I2S jako buzzer - Konfiguracja LoRa - Limit skoków - Konfiguracja MQTT - Nazwa użytkownika - Hasło - Szyfrowanie włączone - Częstotliwość aktualizacji (w sekundach) - Nadaj przez LoRa - Konfiguracja sieci - WiFi włączone - SSID - PSK - Ethernet włączony - Serwer NTP - Serwer rsyslog - Brama domyślna - Próg WiFi RSSI (domyślnie: -80) - Konfiguracja pozycjonowania - Sprytne pozycjonowanie - Użyj stałego położenia - Szerokość geograficzna - Flagi położenia - Konfiguracja zarządzania energią - Konfiguracja testu zasięgu - Konfiguracja zabezpieczeń - Klucz publiczny - Klucz prywatny - Konfiguracja seryjna - Limit czasu - Serwer - Konfiguracja telemetrii - ID węzła - Długa nazwa - Skrócona nazwa - Punkt rosy - Ciśnienie - Odległość - Jasność - Wiatr - Promieniowanie - Import konfiguracji - Eksport konfiguracji - Obsługiwane - Numer węzła - ID użytkownika - Czas pracy - Znacznik czasu - Kierunek - Podstawowy - Wtórny - Połączenie - Mapa Sieci - Ustawienia - Odpowiedz - Rozłącz - Nieznany - - - - - Zamknij - Wiadomość - Satelita - Hybrydowy - diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml deleted file mode 100644 index 9d2a78829..000000000 --- a/app/src/main/res/values-pt-rBR/strings.xml +++ /dev/null @@ -1,772 +0,0 @@ - - - - Meshtastic %s - Filtro - limpar filtro de dispositivos - Incluir desconhecido - Ocultar nós offline - Mostrar apenas nós diretos - Você está vendo nós ignorados,\nPressione para retornar à lista de nós. - Mostrar detalhes - Opções de ordenação do nó - A-Z - Canal - Distância - Qtd de saltos - Última vez visto em - via MQTT - via MQTT - via Favorito - Nós Ignorados - Desconhecido - Esperando para ser reconhecido - Programado para envio - Reconhecido - Sem rota - Recebi uma negativa de reconhecimento - Tempo esgotado - Sem interface - Limite de Retransmissões Atingido - Nenhum canal - Pacote grande demais - Nenhuma resposta - Requisição Inválida - Limite Regional de Ciclo de Trabalho Alcançado - Não Autorizado - Falha ao Enviar Criptografado - Chave Pública Desconhecida - Chave de sessão incorreta - Chave Publica não autorizada - Aplicativo conectado ou é um dispositivo autônomo de mensagem. - Dispositivo que não retransmite pacotes de outros dispositivos. - Nó de infraestrutura para estender a cobertura da rede repassando mensagens. Visível na lista de nós. - Combinação de ROUTER e CLIENT. Incompatível com dispositivos móveis. - Nó de infraestrutura para estender a cobertura da rede repassando mensagens com sobrecarga mínima. Não visível na lista de nós. - Transmita pacotes de posição do GPS como prioridade. - Transmita pacotes de telemetria como prioridade. - Otimizado para a comunicação do sistema ATAK, reduz as transmissões de rotina. - Dispositivo que só transmite conforme necessário para economizar energia ou se manter em segredo. - Transmite o local como mensagem para o canal padrão regularmente para ajudar na recuperação do dispositivo. - Habilita transmissões automáticas TAK PLI e reduz as transmissões rotineiras. - Nó de infraestrutura que sempre retransmitirá pacotes somente uma vez depois de todos os outros modos, garantindo cobertura adicional para clusters locais. Visível na lista de nós. - Retransmita qualquer mensagem observada, se estivesse em nosso canal privado ou de outra malha com os mesmos parâmetros de lora. - O mesmo que o comportamento de TODOS, mas ignora a decodificação de pacotes e simplesmente os retransmite. Apenas disponível no papel de Repetidor. Configurar isso em qualquer outra função resultará em comportamento como TODOS. - Ignora mensagens observadas de malhas estrangeiras que estão abertas ou aquelas que não pode descriptografar. Apenas retransmite mensagem nos nós de canais primários / secundários. - Ignora mensagens observadas de malhas estrangeiras como APENAS LOCAL, e vai ainda mais longe ignorando também mensagens de nós que não estão na lista conhecida do nó. - Somente permitido para os papéis SENSOR, TRACKER e TAK_TRACKER, isso irá inibir todas as retransmissões, como do papel CLIENT_MUTE. - Ignora pacotes de portnums não padrão como: TAK, RangeTest, PaxCounter, etc. Apenas retransmite pacotes com portnums padrão: NodeInfo, Text, Position, Telemetry, and Routing. - Tratar toque duplo nos acelerômetros suportados enquanto um botão pressionado pelo usuário. - Desativa o pressionamento triplo do botão pelo usuário para ativar ou desativar o GPS. - Controla o LED piscando no dispositivo. Para a maioria dos dispositivos, isto controlará um dos até 4 LEDs, os LEDs do carregador e GPS não são controláveis. - Se além de enviá-lo para MQTT e PhoneAPI, nosso NeighborInfo deve ser transmitido por LoRa. Não disponível em um canal com chave e nome padrão. - Chave Publica - Nome do canal - Código QR - ícone do aplicativo - Nome desconhecido - Enviar - Você ainda não pareou um rádio compatível ao Meshtastic com este smartphone. Por favor pareie um dispositivo e configure seu nome de usuário.\n\nEste aplicativo open source está em desenvolvimento, caso encontre algum problema por favor publique em nosso fórum: https://github.com/orgs/meshtastic/discussions\n\nPara mais informações acesse nossa página: www.meshtastic.org. - Você - Aceitar - Cancelar - Limpar mudanças - Novo link de canal recebido - Meshtastic precisa de permissões de localização ativadas para encontrar novos dispositivos via Bluetooth. Você pode desativar quando não estiver usando. - Informar Bug - Informar um bug - Tem certeza que deseja informar um erro? Após o envio, por favor envie uma mensagem em https://github.com/orgs/meshtastic/discussions para podermos comparar o relatório com o problema encontrado. - Informar - Pareamento concluído, iniciando serviço - Pareamento falhou, favor selecionar novamente - Localização desativada, não será possível informar sua posição. - Compartilhar - Novo Nó Visto: %s - Desconectado - Dispositivo em suspensão (sleep) - Conectado: %1$s ligado(s) - Endereço IP: - Porta: - Conectado - Conectado ao rádio (%s) - Não conectado - Conectado ao rádio, mas ele está em suspensão (sleep) - Atualização do aplicativo necessária - Será necessário atualizar este aplicativo no Google Play (ou Github). Versão muito antiga para comunicar com o firmware do rádio. Favor consultar docs. - Nenhum (desabilitado) - Notificações de serviço - Sobre - Este link de canal é inválido e não pode ser usado - Painel de depuração - Pacote Decodificado: - Exportar Logs - Filtros - Filtros ativos - Pesquisar nos logs… - Próxima correspondência - Correspondência anterior - Limpar busca - Adicionar filtro - Filtro incluído - Limpar todos os filtros - Limpar Logs - Corresponda a Qualquer | Todos - Corresponda a Todos | Qualquer - Isto removerá todos os pacotes de log e entradas de banco de dados do seu dispositivo - É uma redefinição completa e permanente. - Limpar - Status de entrega de mensagem - Notificações de mensagem direta - Notificações de mensagem transmitida - Notificações de Alerta - Atualização do firmware necessária. - Versão de firmware do rádio muito antiga para comunicar com este aplicativo. Para mais informações consultar Nosso guia de instalação de firmware. - Ok - Você deve informar uma região! - Não foi possível mudar de canal, rádio não conectado. Tente novamente. - Exportar rangetest.csv - Redefinir - Escanear - Adicionar - Tem certeza que quer mudar para o canal padrão? - Redefinir para configurações originais - Aplicar - Tema - Claro - Escuro - Padrão do sistema - Escolher tema - Fornecer localização para mesh - - Excluir %s mensagem? - Excluir %s mensagens? - - Excluir - Apagar para todos - Apagar para mim - Selecionar tudo - Fechar seleção - Excluir selecionados - Seleção de estilo - Baixar região - Nome - Descrição - Bloqueado - Salvar - Idioma - Padrão do sistema - Reenviar - Desligar - Desligamento não suportado neste dispositivo - Reiniciar - Traçar rota - Mostrar Introdução - Mensagem - Opções de chat rápido - Novo chat rápido - Editar chat rápido - Anexar à mensagem - Enviar imediatamente - Mostrar menu de chat rápido - Ocultar menu de chat rápido - Redefinição de fábrica - O Bluetooth está desativado. Por favor, ative-o nas configurações do seu dispositivo. - Abrir configurações - Versão do firmware: %1$s - Meshtastic precisa das permissões de \"Dispositivos próximos\" habilitadas para localizar e conectar a dispositivos via Bluetooth. Você pode desativar quando não estiver em uso. - Mensagem direta - Redefinir NodeDB - Entrega confirmada - Erro - Ignorar - Adicionar \'%s\' na lista de ignorados? - Remover \'%s\' da lista de ignorados? - Selecione a região para download - Estimativa de download do bloco: - Iniciar download - Trocar posições - Fechar - Configurações do dispositivo - Configurações dos módulos - Adicionar - Editar - Calculando… - Gerenciador offline - Tamanho atual do cache - Capacidade do Cache: %1$.2f MB\nCache Utilizado: %2$.2f MB - Limpar blocos baixados - Fonte dos blocos - Cache SQL removido para %s - Falha na remoção do cache SQL, consulte logcat para obter detalhes - Gerenciador de cache - Download concluído! - Download concluído com %d erros - %d blocos - direção: %1$d° distância: %2$s - Editar ponto de referência - Excluir ponto de referência? - Novo ponto de referência - Ponto de referência recebido: %s - Limite de capacidade atingido. Não é possível enviar mensagens no momento. Por favor, tente novamente mais tarde. - Excluir - Este dispositivo será excluído de sua lista até que seu dispositivo receba dados dele novamente. - Desativar notificações - 8 horas - 1 semana - Sempre - Substituir - Escanear código QR do Wi-Fi - Formato de código QR da Credencial do WiFi Inválido - Voltar - Bateria - Utilização do Canal - Utilização do Ar - Temperatura - Umidade - Temperatura do Solo - Umidade do Solo - Registros - Qtd de saltos - Distância em Saltos: %1$d - Informação - Utilização para o canal atual, incluindo TX bem formado, RX e RX mal formado (conhecido como ruído). - Percentagem do tempo de ar utilizado na última hora para transmissões. - IAQ - Chave Compartilhada - Mensagens diretas estão usando a chave compartilhada do canal. - Criptografia de Chave Pública - Mensagens diretas estão usando a nova infraestrutura de chave pública para criptografia. Requer firmware versão 2.5 ou superior. - Chave pública não confere - A chave pública não corresponde à chave gravada. Você pode remover o nó e deixá-lo trocar as chaves novamente, mas isso pode indicar um problema de segurança mais sério. Contate o usuário através de outro canal confiável, para determinar se a chave mudou devido a uma restauração de fábrica ou outra ação intencional. - Trocar informações de usuário - Novas notificações de nó - Mais detalhes - SNR - Relação sinal-para-ruído, uma medida utilizada nas comunicações para quantificar o nível de um sinal desejado para o nível de ruído de fundo. Na Meshtastic e outros sistemas sem fios, uma SNR maior indica um sinal mais claro que pode melhorar a confiabilidade e a qualidade da transmissão de dados. - RSSI - Indicador de Força de Sinal Recebido, uma medida usada para determinar o nível de potência que está sendo recebida pela antena. Um valor maior de RSSI geralmente indica uma conexão mais forte e mais estável. - (Qualidade do ar interior) valor relativo da escala IAQ medido pelo Bosch BME680. Intervalo de Valor de 0–500. - Log de métricas do dispositivo - Mapa do nó - Log de Posição - Atualização da última posição - Log de Métricas Ambientais - Log de Métricas de Sinal - Administração - Administração remota - Ruim - Média - Bom - Nenhum - Compartilhar com… - Sinal - Qualidade do sinal - Registro Traceroute - Direto - - 1 salto - %d saltos - - Salto em direção a %1$d Saltos de volta %2$d - 24H - 48H - 1S - 2S - 4S - Máx. - Idade Desconhecida - Copiar - Caractere de Alerta! - Alerta Crítico! - Favorito - Adicionar \'%s\' como um nó favorito? - Remover \'%s\' como um nó favorito? - Log de Métricas de Energia - Canal 1 - Canal 2 - Canal 3 - Atual(is) - Voltagem - Você tem certeza? - do papel do dispositivo e o post do ‘blog’ sobre Escolher o papel correto do dispositivo .]]> - Eu sei o que estou fazendo. - O nó %1$s está com bateria fraca (%2$d%%) - Notificações de bateria fraca - Bateria fraca: %s - Notificações de bateria fraca (nós favoritos) - Pressão Barométrica - Mesh via UDP ativado - Configuração UDP - Última vez: %2$s
Última posição: %3$s
Bateria: %4$s]]>
- Ativar minha posição - Usuário - Canais - Dispositivo - Posição - Energia - Rede - Tela - LoRa - Bluetooth - Segurança - MQTT - Serial - Notificação Externa - - Teste de Alcance - Telemetria - Mensagem Pronta - Áudio - Equipamento Remoto - Informações do Vizinho - Luz Ambiente - Sensor de Deteção - Medidor de fluxo de pessoas - Configuração de Áudio - CODEC 2 ativado - Pino de PTT - Taxa de amostragem CODEC2 - CS I2S - MOSI I2S - MISO I2S - CLK I2S - Configuração Bluetooth - Bluetooth ativado - Modo de pareamento - PIN fixo - Uplink ativado - Downlink ativado - Padrão - Posição ativada - Localização precisa - Pino GPIO - Tipo - Ocultar Senha - Mostrar senha - Detalhes - Ambiente - Configuração de Iluminação Ambiente - Estado do LED - Vermelho - Verde - Azul - Configuração de Mensagens Prontas - Mensagem pronta ativada - Codificador rotativo #1 ativado - Pin GPIO para porta A do codificador rotativo - Pin GPIO para porta B do codificador rotativo - Pin GPIO para codificador rotativo porta Press - Gerar evento de entrada ao pressionar - Gerar evento de entrada rodando no sentido horário - Gerar evento de entrada rodando no sentido oposto ao horário - Entrada Cima/Baixo/Selecionar ativada - Permitir fonte de entrada - Enviar sino - Mensagens - Configuração do Sensor de Detecção - Sensor de Detecção ativado - Transmissão mínima (segundos) - Transmissão de estado (segundos) - Enviar sino com mensagem de alerta - Nome amigável - Pin GPIO para monitorar - Tipo de gatilho de deteção - Usar o modo INPUT_PULLUP - Configuração do Dispositivo - Papel - Definir PIN_BUTTON - Definir PIN_BUZZER - Modo de retransmissão - Intervalo de transmissão de NodeInfo (segundos) - Toque duplo para pressionar botão - Desativar click triplo - Fuso horário POSIX - Desativar pulsação do LED - Configuração da Tela - Tempo limite da tela (segundos) - Formato das coordenadas GPS - Carrossel de tela automático (segundos) - Norte da bússola no topo - Inverter tela - Unidades de exibição - Ignorar deteção automática do OLED - Modo da tela - Direção em destaque - Ligar a tela ao tocar ou mover - Orientação da bússola - Configuração de Notificação Externa - Notificação Externa habilitada - Notificações no recibo de mensagem - LED de mensagem de alerta - Som de mensagem de alerta - Vibração de mensagem de alerta - Notificações no recibo de alerta/sino - LED de alerta de sino - Som de alerta de sino - Vibração de alerta de sino - LED de Saída (GPIO) - LED de saída ativo alto - Buzzer de saída (GPIO) - Usar um buzzer PWM - Vibra de saída (GPIO) - Duração da Saída (milissegundos) - Tempo limite a incomodar (segundos) - Toque - Usar I2S como buzzer - Configuração do LoRa - Usar predefinição do modem - Predefinição do modem - Largura da banda - Fator de difusão - Taxa de codificação - Deslocamento da frequência (MHz) - Região (plano de frequências) - Limite de saltos - TX ativado - Potência TX (dBm) - Intervalo de frequência - Ignorar ciclo de trabalho - Ignorar entrada - RX com ganho reforçado SX126X - Substituir a frequência (MHz) - Ventilador do PA desativado - Ignorar MQTT - OK para MQTT - Configuração MQTT - MQTT ativado - Endereço - Nome de usuário - Senha - Criptografia ativada - Saída JSON ativada - TLS ativado - Tópico raiz - Proxy para cliente ativado - Relatório de mapa - Intervalo de relatório de mapa (segundos) - Configuração de Informação do Vizinho - Informações do Vizinho ativado - Intervalo de atualização (segundos) - Enviar por LoRa - Configuração de Rede - Wi-Fi ativado - SSID - PSK - Ethernet ativado - Servidor NTP - servidor rsyslog - Modo IPv4 - IP - Gateway - Subnet - Configuração do Contador de Pessoas - Contador de Pessoas ativado - Limite de RSSI do Wi-Fi (o padrão é -80) - Limite de RSSI BLE (o padrão é -80) - Configuração da Posição - Intervalo de transmissão de posição (segundos) - Posição inteligente ativada - Distância mínima de transmissão inteligente (metros) - Intervalo mínimo de transmissão inteligente (segundos) - Usar posição fixa - Latitude - Longitude - Altitude (metros) - Definir a partir da localização atual do telefone - Modo GPS - Intervalo de atualização do GPS (segundos) - Redefinir GPS_RX_PIN - Redefinir GPS_TX_PIN - Redefinir PIN_GPS_EN - Opções de posição - Configuração de Energia - Ativar modo de economia de energia - Espera para desligar ao passar para bateria (segundos) - Alterar proporção do multiplicador ADC - Tempo de espera por Bluetooth (segundos) - Duração do sono profundo (segundos) - Duração do sono leve (segundos) - Tempo mínimo acordado (segundos) - Endereço I2C da bateria INA_2XX - Configuração de Teste de Distância - Teste de distância ativado - Intervalo de mensagem do remetente (segundos) - Salvar .CSV no armazenamento (apenas ESP32) - Configuração de Hardware Remoto - Hardware Remoto ativado - Permitir acesso indefinido ao pin - Pins disponíveis - Configuração de Segurança - Chave Publica - Chave Privada - Chave do Administrador - Modo Administrado - Console serial - API de logs de depuração ativada - Canal de administração antigo - Configuração Serial - Serial ativado - Eco ativado - Taxa de transmissão série - Tempo esgotado - Modo de série - Substituir porta série do console - - Batimento - Número de registros - Histórico de retorno máximo - Janela de retorno do histórico - Servidor - Configuração de Telemetria - Intervalo de atualização das métricas do dispositivo (segundos) - Intervalo de atualização das métricas de ambiente (segundos) - Módulo de métricas do ambiente ativado - Mostrar métricas de ambiente na tela - Métricas de Ambiente usam Fahrenheit - Módulo de métricas de qualidade do ar ativado - Intervalo de atualização das métricas de qualidade do ar (segundos) - Ícone da qualidade do ar - Módulo de métricas de energia ativado - Intervalo de atualização de métricas de energia (segundos) - Mostrar métricas de energia na tela - Configuração do Usuário - ID do Nó - Nome longo - Nome curto - Modelo de hardware - Rádio amador licenciado (HAM) - Ativar esta opção desativa a criptografia e não é compatível com a rede padrão do Meshtastic. - Ponto de orvalho - Pressão - Resistência ao gás - Distância - Lux - Vento - Peso - Radiação - - Qualidade do ar (IAQ) - URL - - Importar configuração - Exportar configuração - Hardware - Suportado - Número do node - ID do utilizador - Tempo ativo - Carga %1$d - Disco Livre %1$d - Data e hora - Direção - Velocidade - Sats - Alt - Freq - Slot - Primário - Transmissão periódica da posição e telemetria - Secundário - Sem difusão periódica de telemetria - Pedidos de posição obrigatoriamente manual - Pressionar e arrastar para reordenar - Desativar Mudo - Dinâmico - Ler código QR - Compartilhar Contato - Importar contato compartilhado? - Impossível enviar mensagens - Não monitorizado ou infraestrutura - Aviso: Esse contato é conhecido, importar irá escrever por cima da informação anterior. - Chave Pública Mudou - Importar - Pedir Metadados - Ações - Firmware - Usar formato de relógio 12h - Quando ativado, o dispositivo exibirá o tempo em formato de 12 horas na tela. - Log de métricas do Host - Host - Memória Livre - Armazenamento Livre - Carregar - String de Usuário - Navegar Em - Conexão - Mapa Mesh - Conversas - Nós - Configurações - Defina sua região - Responder - Seu nó enviará periodicamente um pacote de relatório de mapa não criptografado para o servidor MQTT configurado, incluindo, id, nome longo e curto, localização aproximada, modelo de hardware, função de firmware, região de LoRa, predefinição de modem e nome de canal primário. - Consentir para compartilhar dados de nó não criptografados via MQTT - Ao ativar este recurso, você reconhece e concorda expressamente com a transmissão da localização geográfica em tempo real do seu dispositivo pelo protocolo MQTT sem criptografia. Esses dados de localização podem ser usados para propósitos como relatório de mapa ao vivo, rastreamento do dispositivo e funções de telemetria relacionadas. - Eu li e entendo o acima. Eu concordo voluntariamente com a transmissão não criptografada dos dados do meu nó via MQTT. - Concordo. - Atualização de Firmware recomendada. - Para se beneficiar das últimas correções e recursos, por favor, atualize o seu firmware de nó.\n\nÚltima versão de firmwares estáveis: %1$s - Expira em - Hora - Data - Filtro de Mapa\n - Somente Favoritos - Mostrar Waypoints - Mostrar círculos de precisão - Notificação de cliente - Chaves comprometidas foram detectadas, selecione OK para regenerar. - Regenerar a chave privada - Tem certeza de que deseja regenerar sua Chave Privada?\n\nnós que podem ter trocado chaves anteriormente com este nó precisará remover aquele nó e re-trocar chaves a fim de retomar uma comunicação segura. - Exportar chaves - Exporta as chaves públicas e privadas para um arquivo. Por favor, armazene em algum lugar com segurança. - Módulos desbloqueados - Remoto - (%1$d online / %2$d total) - Reagir - Desconectar - Procurando dispositivos Bluetooth… - Nenhum dispositivo Bluetooth pareado. - Nenhum dispositivo de rede encontrado. - Nenhum dispositivo USB Serial encontrado. - Rolar para o final - Meshtastic - Escaneando - Status de segurança - Seguro - Emblema de aviso - Canal Desconhecido - Atenção - Menu Overflow - Luz UV - Desconhecido - Este rádio é gerenciado e só pode ser alterado por um administrador remoto. - Limpar Banco de Dados de Nó - Limpar nós vistos há mais de %1$d dias - Limpar somente nós desconhecidos - Limpar nós com baixa/nenhuma interação - Limpar nós ignorados - Limpar Agora - Isto irá remover %1$d nós de seu banco de dados. Esta ação não pode ser desfeita. - Um cadeado verde significa que o canal é criptografado com uma chave AES de 128 ou 256 bits. - - Canal Inseguro, Impreciso - Um cadeado amarelo aberto significa que o canal não é criptografado, não é usado para dados de localização precisos e não usa nenhuma chave ou uma chave de 1 byte. - - Canal Inseguro, Localização Precisa - Um cadeado vermelho aberto significa que o canal não está criptografado, é usado para dados de localização precisos e não usa nenhuma chave ou uma chave conhecida por 1 byte. - - Atenção: Inseguro, Localização Precisa & MQTT Uplink - Um cadeado vermelho aberto com um aviso significa que o canal não é criptografado, é usado para dados de localização precisos que estão sendo colocados na internet via MQTT, e não usa nenhuma chave ou uma chave conhecida de 1 byte. - - Segurança do Canal - Significados da Segurança do Canal - Mostrar Todos os Significados - Exibir Status Atual - Ignorar - Tem certeza que deseja excluir este nó? - Respondendo a %1$s - Cancelar resposta - Excluir Mensagens? - Limpar seleção - Mensagem - Digite uma mensagem - Log de Métricas do Fluxo de Pessoas - PAX - Não há logs de métricas de PAX disponíveis. - Dispositivos WiFi - Dispositivos BLE - Dispositivos Pareados - Dispositivo Conectado - Ir - Limite excedido. Por favor, tente novamente mais tarde. - Ver Lançamento - Baixar - Instalado Atualmente - Último estável - Último alfa - Apoiado pela Comunidade Meshtastic - Edição do Firmware - Dispositivos de Rede Recentes - Dispositivos de Rede Descobertos - Vamos começar - Bem-vindo à - Fique Conectado em Qualquer Lugar - Comunique-se off-grid com seus amigos e comunidades sem serviço de celular. - Crie Suas Próprias Redes - Configure facilmente redes de malha privada para uma comunicação segura e confiável em áreas remotas. - Rastreie e Compartilhe Locais - Compartilhe sua localização em tempo real e mantenha seu grupo coordenado com recursos integrados de GPS. - Notificações do Aplicativo - Mensagens Recebidas - Notificações para canais e mensagens diretas. - Novos Nós - Notificações para nós recém-descobertos. - Bateria Fraca - Notificações para alertas de bateria fraca para o dispositivo conectado. - Selecionar os pacotes enviados como críticos irá ignorar o seletor de mudo e as configurações do \"Não perturbe\" no centro de notificações do sistema operacional. - Configurar permissões de notificação - Localização do Telefone - Meshtastic usa a localização do seu telefone para habilitar vários recursos. Você pode atualizar as permissões de localização a qualquer momento a partir das configurações. - Compartilhar Localização - Use o GPS do seu telefone para enviar locais para seu nó em vez de usar um módulo GPS no seu nó. - Medição de Distâncias - Exiba a distância entre o telefone e outros nós do Meshtastic com posições. - Filtros de Distância - Filtre a lista de nós e o mapa da malha baseado na proximidade do seu telefone. - Mapa de Localização da Malha - Permite o ponto de localização azul para o seu telefone no mapa da malha. - Configurar Permissões de Localização - Pular - configurações - Alertas críticos - Para garantir que você receba alertas críticos, como mensagens de - SOS, mesmo quando o seu dispositivo estiver no modo \"Não Perturbe\", você precisa conceder - permissão especial. Por favor, habilite isso nas configurações de notificação. - - Configurar Alertas Críticos - Meshtastic usa notificações para mantê-lo atualizado sobre novas mensagens e outros eventos importantes. Você pode atualizar suas permissões de notificação a qualquer momento nas configurações. - Avançar - Conceder Permissões - %d nós na fila para exclusão: - Cuidado: Isso irá remover nós dos bancos de dados do aplicativo e do dispositivo.\nSeleções são somadas. - Conectando ao dispositivo - Normal - Satélite - Terreno - Híbrido - Gerenciar Camadas do Mapa - Camadas do Mapa - Nenhuma camada personalizada carregada. - Adicionar Camada - Ocultar Camada - Mostrar Camada - Remover Camada - Adicionar Camada - Nós neste local - Tipo de Mapa Selecionado - Gerenciar Fontes de Bloco Personalizados - Gerenciar Fontes de Blocos Personalizados - Sem Fontes de Blocos Personalizadas - Editar Fonte do Bloco Personalizado - Excluir Fonte do Bloco Personalizado - Nome não pode estar vazio. - O nome do provedor existe. - A URL não pode estar vazia. - A URL deve conter espaços reservados. - Modelo de URL - ponto de rastreamento -
diff --git a/app/src/main/res/values-pt/strings.xml b/app/src/main/res/values-pt/strings.xml deleted file mode 100644 index 6b2039ac8..000000000 --- a/app/src/main/res/values-pt/strings.xml +++ /dev/null @@ -1,561 +0,0 @@ - - - - Filtrar - limpar filtro de nodes - Incluir desconhecidos - Ocultar nós offline - Mostrar detalhes - Opções de ordenação de nodes - A-Z - Canal - Distância - Saltos - Último recebido - via MQTT - via MQTT - via Favorito - Desconhecido - A aguardar confirmação - Na fila de envio - Confirmar - Sem rota - Recebida uma confirmação negativa - Timeout - Sem interface - Máximo de Retransmissão Atingido - Sem canal - Pacote demasiado grande - Sem resposta - Pedido Inválido - Limite do Duty Cycle Regional Atingido - Não Autorizado - Envio cifrado falhou - Public Key desconhecida - Chave de sessão inválida - Public Key não autorizada - Ligado por app, ou dispositivo autónomo de mensagens. - Dispositivo que não encaminha mensagens de outros dispositivos. - Node de infraestrutura que retransmite mensagens para estender a cobertura da rede (Router). Visível na lista de nodes. - Combinação de ROUTER e CLIENT. Não indicado para dispositivos móveis. - Node de infraestrutura para estender a cobertura da rede retransmitindo mensagens com overhead mínimo. Não visível na lista de nodes. - Transmite dados de posições GPS como prioridade. - Transmite dados de telemetria como prioridade. - Otimizado para comunicação do sistema ATAK, reduz as transmissões de rotina. - Dispositivo que só transmite quando necessário para economizar energia ou anonimidade. - Transmite regularmente a localização como uma mensagem para o canal default, para auxiliar na recuperação do dispositivo. - Permite transmissões automáticas do TAK PLI e reduz as transmissões de rotina. - Node de infraestrutura que vai sempre retransmitir dados uma vez, mas apenas após todos os outros modos, garantindo cobertura adicional para grupos locais. Visível na lista de nós. - Se estiver no nosso canal privado ou de outra rede com os mesmos parâmetros LoRa, retransmite qualquer mensagem observada. - Modo indêntico ao ALL, mas apenas retransmite os dados sem os descodificar. Apenas disponível em modo Repeater. Esta opção em qualquer outro modo resulta em comportamento igual ao ALL. - Ignora mensagens observadas de malhas estrangeiras que estão abertas ou aquelas que não pode desencriptar. Apenas retransmite mensagem nos canais primários / secundários locais. - Ignora mensagens observadas de malhas estrangeiras, como APENAS LOCAL, mas leva mais longe ignorando também mensagens de nodes que não já estão na lista conhecida do node. - Permitido apenas para SENSOR, TRACKER e TAK_TRACKER, isto irá desativar todas as retransmissões, como o papel CLIENT_MUTE. - Ignora pacotes de portas não padrão, tais como: TAK, RangeTest, PaxCounter, etc. Apenas retransmite pacotes com portas padrão: NodeInfo, Texto, Posição, Telemetria e Roteamento. - Tratar toques duplos em acelerómetros suportados como pressionar um botão. - Desativa o pressionar triplo do botão para ativar ou desativar o GPS. - Controla o piscar do LED no dispositivo. Para a maioria dos dispositivos, isto controla um dos até 4 LEDs, os do carregador e GPS não são controláveis. - Além de enviar para MQTT e PhoneAPI, a vizinhança deve ser transmitida através da LoRa. Não disponível em canais com chave e nome padrão. - Chave pública - Nome do Canal - Código QR - icone da aplicação - Nome de utilizador desconhecido - Enviar - Ainda não emparelhou um rádio compatível com Meshtastic com este telefone. Emparelhe um dispositivo e defina seu nome de usuário.\n\nEste aplicativo de código aberto está em teste alfa, se encontrar problemas, por favor reporte através do nosso forum em: https://github.com/orgs/meshtastic/discussions\n\nPara obter mais informações, consulte a nossa página web - www.meshtastic.org. - Você - Aceitar - Cancelar - Novo Link Recebido do Canal - Reportar Bug - Reportar a bug - Tem certeza de que deseja reportar um bug? Após o relatório, comunique também em https://github.com/orgs/meshtastic/discussions para que possamos comparar o relatório com o que encontrou. - Reportar - Emparelhamento concluído, a iniciar serviço - Emparelhamento falhou, por favor escolha novamente - Acesso à localização desativado, não é possível fornecer a localização na mesh. - Partilha - Desconectado - Dispositivo a dormir - Ligado: %1$s “online” - Endereço IP: - Porta: - Ligado - Ligado ao rádio (%s) - Desligado - Ligado ao rádio, mas está a dormir - A aplicação é muito antiga - Tem de atualizar esta aplicação no Google Play (ou Github). A versão é muito antiga para ser possível falar com este rádio. - Nenhum (desabilitado) - Notificações de serviço - Sobre - O Link Deste Canal é inválido e não pode ser usado - Painel de depuração - Limpar - Estado da entrega - Notificações de alerta - Atualização do firmware necessária. - Versão de firmware do rádio muito antiga para comunicar com este aplicativo. Para mais informações consultar Nosso guia de instalação de firmware. - Okay - Você deve informar uma região! - Não foi possível mudar de canal, rádio desligado. Tente novamente. - Exportar rangetest.csv - Redefinir - Digitalizar - Adicionar - Tem certeza que quer mudar para o canal padrão? - Redefinir para configurações originais - Aplicar - Tema - Claro - Escuro - Padrão do sistema - Escolher tema - Fornecer localização para mesh - - Excluir mensagem? - Excluir %s mensagens? - - Excluir - Apagar para todos - Apagar para mim - Selecionar tudo - Seleção de estilo - Baixar região - Nome - Descrição - Bloqueado - Salvar - Idioma - Padrão do sistema - Reenviar - Desligar - A função de desligar não suportada neste dispositivo - Reiniciar - Traçar rota - Mostrar Introdução - Mensagem - Opções de chat rápido - Novo chat rápido - Editar chat rápido - Anexar à mensagem - Enviar imediatamente - Redefinição de fábrica - Mensagem direta - Redefinir NodeDB - Entrega confirmada - Erro - Ignorar - Adicionar \'%s\' para a lista de ignorados? - Remover \'%s\' de lista dos ignorados? - Selecione a região para download - Estimativa de download do bloco: - Iniciar download - Intercâmbio de posições - Fechar - Configurações do dispositivo - Configurações dos módulos - Adicionar - Editar - Calculando… - Gerenciador offline - Tamanho atual do cache - Capacidade do Cache: %1$.2f MB\nCache Utilizado: %2$.2f MB - Limpar blocos baixados - Fonte dos blocos - Cache SQL removido para %s - Falha na remoção do cache SQL, consulte logcat para obter detalhes - Gerenciador de cache - Download concluído! - Download concluído com %d erros - %d blocos - direção: %1$d° distância: %2$s - Editar ponto de referência - Apagar o ponto de referência? - Novo ponto de referência - Ponto de passagem recebido %s - Limite do ciclo de trabalho atingido. Não é possível enviar mensagens no momento. Tente novamente mais tarde. - Remover - Este node será removido da sua lista até que o seu node receba dados dele novamente. - Silenciar notificações - 8 horas - 1 semana - Sempre - Substituir - Ler o código QR do Wi-Fi - Código QR do Wi-Fi com formato inválido - Retroceder - Bateria - Utilização do canal - Utilização do ar - Temperatura - Humidade - Registo de eventos - Saltos - Informações - Utilização do canal atual, incluindo TX bem formado, RX e RX mal formado (ruído). - Percentagem do tempo de transmissão utilizado na última hora. - Qualidade do Ar Interior - Chave partilhada - As mensagens diretas usam a chave partilhada do canal. - Criptografia de chave pública - Mensagens diretas usam a nova infraestrutura de chave pública para criptografia. Requer firmware versão 2.5 ou superior. - Incompatibilidade de chave pública - A chave pública não corresponde com a chave gravada. Pode remover o node e deixá-lo trocar chaves novamente, mas isso pode indicar um problema de segurança mais sério. Contate o utilizador através de outro canal confiável, para determinar se a chave mudou devido a uma restauração de fábrica ou outra ação intencional. - Trocar informação de utilizador - Notificações de novos nodes - Mais detalhes - SNR - Relação sinal-para-ruído, uma medida utilizada nas comunicações para quantificar o nível de um sinal desejado com o nível de ruído de fundo. Em Meshtastic e outros sistemas sem fio. Quanto mais alta for a relação sinal-ruído, menor é o efeito do ruído de fundo sobre a deteção ou medição do sinal. - RSSI - Indicador de Força de Sinal Recebido, uma medida usada para determinar o nível de energia que está a ser recebido pela antena. Um valor mais elevado de RSSI geralmente indica uma conexão mais forte e mais estável. - (Qualidade do ar interior) valor relativo da escala IAQ conforme medida por Bosch BME680. Entre 0–500. - Histórico de métricas do dispositivo - Mapa de nodes - Histórico de posição - Histórico de telemetria ambiental - Histórico de métricas de sinal - Administração - Administração Remota - Mau - Razoável - Bom - Nenhum - Partilhar para… - Sinal - Qualidade do Sinal - Histórico de rotas - Direto - - 1 salto - %d saltos - - Saltos em direção a %1$d Saltos de regresso %2$d - 24h - 48h - 1sem - 2sem - 4sem - Máximo - Idade desconhecida - Copiar - Símbolo de alerta - Alerta crítico! - Favoritos - Adicione \'%s\' como um nó favorito? - Remover \'%s\' como um nó favorito? - Histórico de telemetria de energia - Canal 1 - Canal 2 - Canal 3 - Atual - Voltagem - Confirma? - Configuração do Dispositivo e o post do blog sobre a escolha da função correta do dispositivo.]]> - Eu sei o que estou a fazer. - O node %1$s tem a bateria fraca (%2$d%%) - Notificação de bateria fraca - Bateria fraca: %s - Notificações de bateria fraca (nodes favoritos) - Pressão atmosférica - Ativar malha via UDP - Configuração UDP - Utilizador - Canal - Dispositivo - Posição - Energia - Rede - Ecrã - LoRa - Bluetooth - Segurança - MQTT - Série - Notificação externa - - Teste de Alcance - Telemetria - Mensagem Pronta - Áudio - Equipamento remoto - Informações da vizinhança - Iluminação ambiente - Sensor de deteção - Contador de pessoas - Configurações de áudio - CODEC 2 ativado - Pin de PTT - Taxa de amostragem CODEC2 - Selecionar palavra I2S - Entrada de dados I2S - Saída de dados I2S - Relógio I2S - Configuração de Bluetooth - Bluetooth ativado - Modo de emparelhamento - PIN fixo - Uplink ativado - Downlink ativado - Predefinição - Posição ativada - Pin GPIO - Tipo - Ocultar palavra-passe - Mostrar palavra-passe - Detalhes - Ambiente - Configuração da Iluminação Ambiente - Estado do LED - Vermelho - Verde - Azul - Configuração de Mensagem Pronta - Mensagem pronta ativada - Ativar Codificador rotativo #1 - Pin GPIO para porta A do codificador rotativo - Pin GPIO para porta B do codificador rotativo - Gerar evento de entrada ao pressionar - Gerar evento de entrada rodando no sentido horário - Gerar evento de entrada rodando no sentido oposto ao horário - Entrada Cima/Baixo/Selecionar ativa - Permitir fonte de entrada - Enviar sino - Mensagens - Configuração do Sensor de Deteção - Sensor de deteção ativado - Transmissão mínima (segundos) - Transmissão de estado (segundos) - Enviar sino com mensagem de alerta - Nome amigável - Pin GPIO para monitorizar - Tipo de gatilho de deteção - Usar o modo INPUT_PULLUP - Configuração do Dispositivo - Papel - Definir PIN_BUTTON - Definir PIN_BUZZER - Modo de retransmissão - Intervalo de difusão nodeInfo (segundos) - Toque duplo para pressionar botão - Desativar click triplo - Fuso horário POSIX - Desativar pulsação do LED - Configuração do Ecrã - Tempo limite do ecrã (segundos) - Formato das coordenadas GPS - Carrossel de ecrã automático (segundos) - Norte da bússola no topo - Inverter ecrã - Unidade de visualização - Ignorar deteção automática do OLED - Modo de visualização - Direção em destaque - Ligar o ecrã ao tocar ou mover - Orientação da bússola - Configuração de Notificação Externa - Ativar notificações externas - Notificações no recibo de mensagem - LED de mensagem de alerta - Som de mensagem de alerta - Vibração de mensagem de alerta - Notificações no recibo de alerta/sino - LED de alerta de sino - Som de alerta de sino - Vibração de alerta de sino - LED de Saída (GPIO) - LED de saída ativo alto - Buzzer de saída (GPIO) - Usar um buzzer PWM - Vibra de saída (GPIO) - Duração da Saída (milissegundos) - Tempo limite a incomodar (segundos) - Toque - Usar I2S como buzzer - Configuração de LoRa - Usar predefinição do modem - Largura de banda - Fator de difusão - Índice de codificação - Compensação de frequência (MHz) - Região (plano de frequências) - Limite de saltos - Ativar TX - Potência TX (dBm) - Intervalo de frequência - Ignorar ciclo de trabalho - Ignorar entrada - RX com ganho reforçado SX126X - Ignorar MQTT - Disponibilizar no MQTT - Configuração MQTT - MQTT ativo - Endereço - Utilizador - Palavra-passe - Encriptação ativada - Saída JSON ativada - Ativar TLS - Tópico principal - Enviar através do cliente - Enviar para o mapa - Intervalo de envio (segundos) - Configuração de informações dos vizinhos - Enviar informações de vizinhos - Intervalo de atualização (segundos) - Enviar por LoRa - Configuração de Rede - WiFi ligado - SSID - PSK - Ethernet ativada - Servidor NTP - servidor rsyslog - Modo IPv4 - IP - Gateway - Subnet - Configuração do contador de pessoas - Ativar contador de pessoas - Limite de RSSI do Wi-Fi (o padrão é -80) - Limite de RSSI BLE (o padrão é -80) - Configuração da posição - Intervalo de difusão da posição (segundos) - Ativar posição inteligente - Distância mínima de difusão inteligente (metros) - Distância mínima de difusão inteligente (segundos) - Utilizar posição fixa - Latitude - Longitude - Altitude (metros) - Modo GPS - Intervalo de atualização GPS (segundos) - Definir GPS_RX_PIN - Definir GPS_TX_PIN - Definir PIN_GPS_EN - Opções de posição - Configuração de Energia - Ativar modo de poupança de energia - Espera para desligar ao passar para bateria (segundos) - Alterar rácio do multiplicador ADC - Tempo de espera por Bluetooth (segundos) - Duração do sono profundo (segundos) - Duração do sono leve (segundos) - Tempo mínimo acordado (segundos) - Endereço I2C da bateria INA_2XX - Configuração de Teste de Alcance - Ativar Teste de alcance - Guardar .CSV no armazenamento (apenas ESP32) - Configuração de Hardware Remoto - Hardware Remoto ativado - Permitir acesso indefinido ao pin - Pins disponíveis - Configuração de Segurança - Chave pública - Chave privada - Chave do Administrador - Modo Administrado - Consola de série - API de histórico de depuração ativada - Canal de administração antigo - Configuração de Série - Série ativada - Eco ativado - Taxa de transmissão série - Timeout - Modo de série - Substituir porta série do console - - Batimento - Número de registos - Servidor - Configuração de Telemetria - Intervalo de atualização de métricas do dispositivo (segundos) - Intervalo de atualização de métricas de ambiente (segundos) - Módulo de métricas de ambiente ativado - Mostrar métricas de ambiente no ecrã - Métricas de Ambiente usam Fahrenheit - Módulo de métricas de qualidade do ar ativado - Intervalo de atualização das métricas de qualidade do ar (segundos) - Módulo de métricas de energia ativado - Intervalo de atualização de métricas de energia (segundos) - Mostrar métricas de energia no ecrã - Configuração do Utilizador - ID do Node - Nome longo - Nome curto - Modelo de hardware - Rádio amador licenciado (HAM) - Ativar esta opção desativa a encriptação e não é compatível com a rede Meshtastic normal. - Ponto de Condensação - Pressão - Distância - Lux - Vento - Peso - Radiação - - Qualidade do ar (IAQ) - URL - - Importar configuração - Exportar configuração - Hardware - Suportado - Número do node - ID do utilizador - Tempo ativo - Data e hora - Direção - Sats - Alt - Freq - Slot - Principal - Difusão periódica da posição e telemetria - Secundário - Sem difusão periódica de telemetria - Pedidos de posição obrigatoriamente manuais - Pressionar e arrastar para reordenar - Tirar mute - Dinâmico - Ler código QR - Partilhar Contacto - Importar contacto partilhado? - Impossível enviar mensagens - Não monitorizado ou infraestrutura - Aviso: Este contacto é conhecido, importar irá escrever por cima da informação anterior. - Chave Pública Mudou - Importar - Pedir Metadados - Ações - Firmware - Usar formato de relógio 12h - Quando ativado, o dispositivo exibirá o tempo em formato de 12 horas no ecrã. - Memória livre - Nodes - Definições - Estou de acordo. - Atualização de firmware recomendada. - Para beneficiar das últimas correções e funcionalidades, por favor, atualize o firmware do node.\n\nÚltima versão estável do firmware: %1$s - - - - - Mensagem - diff --git a/app/src/main/res/values-ro/strings.xml b/app/src/main/res/values-ro/strings.xml deleted file mode 100644 index c9b583d40..000000000 --- a/app/src/main/res/values-ro/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Cheie publică neautorizată - Transmite pachete telemetrice ca prioritate. - Numele canalului - Cod QR - Iconița aplicației - Nume utilizator necunoscut - Trimite - Încă nu ai asociat un radio compatibil cu Meshtastic cu acest telefon. Te rugăm să asociezi un dispozitiv și să îți setezi numele de utilizator.\n\nAceastă aplicaţie open-source este în dezvoltare, dacă întâmpinaţi probleme, vă rugăm să postaţi pe forumul nostru: https://github.com/orgs/meshtastic/discussions\n\nPentru mai multe informații, consultați pagina noastră de internet - www.meshtastic.org. - Tu - Accept - Renunta - Am primit un nou URL de canal - Raportează Bug - Raportează un bug - Ești sigur că vrei să raportezi un bug? După ce ai raportat, te rog postează în https://github.com/orgs/meshtastic/discussions că să reușim să potrivim reportul tău cu ce ai găsit. - Raportare - Conectare reușită, începem serviciul - Conectare eșuată, te rog reselecteaza - Accesul locației este dezactivat, nu putem furniza locația ta la rețea. - Distribuie - Deconectat - Dispozitiv în sleep mode - Adresa IP: - Conectat la dispozitivul (%s) - Neconectat - Connectat la dispozitivi, dar e în modul de sleep - Aplicație prea veche - Trebuie să updatezi această aplicație de pe Google Play (sau Github). Aplicația este prea veche pentru a comunica cu dispozitivul. - Niciunul (dezactivat) - Notificările serviciului - Despre - Acest URL de canal este invalid și nu poate fi folosit - Panou debug - Șterge - Status livrare mesaj - Este necesară actualizarea firmware-ului. - Firmware-ul radioului este prea vechi pentru a putea comunica cu această aplicație. Pentru mai multe informații despre acest proces, consultați Ghidul nostru de instalare pentru firmware. - Ok - Trebuie să alegeți o regiune! - Nu s-a putut schimba canalul, deoarece radioul nu este conectat încă. Vă rugăm să încercați din nou. - Export rangetest.csv - Resetare - Scanare - Adaugă - Ești sigur că vrei să revii la canalul implicit? - Reinițializare la valorile implicite - Aplică - Temă - Luminos - Întunecat - Setarea telefonului - Alege tema - Furnizați locația telefonului la mesh - - Ștergeți mesajul? - Ștergeți %1$s mesaje? - Ștergeți %1$s mesaje? - - Șterge - Șterge pentru toată lumea - Șterge pentru mine - Selectează tot - Selecție stil - Descarca regiunea - Nume - Descriere - Blocat - Salvează - Limba - Setarea telefonului - Retrimite - Oprire - Restartează - Traceroute - Arată Introducere - Mesaj - Opțiuni chat rapid - Chat rapid nou - Editare chat rapid - Adaugă la mesaj - Trimite instant - Resetare la setările din fabrică - Mesaj direct - Resetare NodeDB - Ignoră - Adaugă \'%s\' in lista de ignor? Radioul tău va reporni după ce această modificare. - Elimină \'%s\' din lista de ignor? Radioul tău va reporni după această modificare. - Selectați regiunea pentru descărcare - Estimare descărcare secțiuni: - Pornește descărcarea - Închide - Configurare radio - Configurare modul - Adaugă - Calculare… - Manager offline - Dimensiunea actuală a cache-ului - Capacitate cache: %1$.2f MB\nUtilizare cache: %2$.2f MB - Șterge secțiunile descărcate - Sursa secțiuni - Cache SQL șters pentru %s - Ștergerea cache-ului SQL a eșuat, vedeți logcat pentru detalii - Manager cache - Descărcare finalizată! - Descărcare finalizată cu %d erori - %d secțiuni - compas: %1$d° distanță: %2$s - Editează waypoint - Şterge waypointul? - Waypoint nou - Waypoint recepționat: $1%s - Limita Duty Cycle a fost atinsă. Nu se pot trimite mesaje acum, vă rugăm să încercați din nou mai târziu. - - - - - Mesaj - diff --git a/app/src/main/res/values-ru/strings.xml b/app/src/main/res/values-ru/strings.xml deleted file mode 100644 index 46fff52b7..000000000 --- a/app/src/main/res/values-ru/strings.xml +++ /dev/null @@ -1,709 +0,0 @@ - - - - Meshtastic %s - Фильтр - очистить фильтр узлов - Включать неизвестно - Скрыть узлы офлайн - Отображать только слышимые узлы - Вы просматриваете игнорируемые узлы,\nНажмите, чтобы вернуться к списку узлов. - Показать детали - Варианты сортировки узлов - А-Я - Канал - Расстояние - Прыжков - Последний раз слышен - через MQTT - через MQTT - по фаворитам - Игнорируемые узлы - Нераспознанный - Ожидание подтверждения - В очереди для отправки - Принято - Нет маршрута - Получено отрицательное подтверждение - Время ожидания истекло - Нет интерфейса - Достигнут максимальный лимит ретрансляции - Нет канала - Пакет слишком велик - Нет ответа - Неверный запрос - Достигнут региональный предел рабочего цикла - Не авторизован - Ошибка шифрования отправки - Неизвестный публичный ключ - Неверный ключ сессии - Публичный ключ не авторизован - Приложение подключено или автономное устройство обмена сообщениями. - Устройство, которое не пересылает пакеты с других устройств. - Инфраструктурный узел для расширения охвата сети путем передачи сообщений. Видим в списке узлов. - Комбинация ROUTER и CLIENT. Не для мобильных устройств. - Инфраструктурный узел для расширения покрытия сети путем передачи сообщений с минимальными накладными расходами. Не виден в списке узлов. - Транслирует пакеты позиций GPS в качестве приоритета. - Транслирует пакеты телеметрии в приоритетном порядке. - Оптимизировано для связи с системой ATAK, сокращает текущие передачи. - Устройство, которое передает сигнал только при необходимости для скрытности или экономии энергии. - Регулярно передает местоположение в виде сообщения на канал по умолчанию для помощи в восстановлении устройства. - Включает автоматические трансляции TAK PLI и сокращает рутинные трансляции. - Инфраструктурный узел, который всегда ретранслирует пакеты один раз, но только после всех остальных режимов, обеспечивая дополнительное покрытие для локальных кластеров. Видим в списке. - Ретранслировать замеченное сообщение, если оно было на нашем частном канале или из другой сетки с теми же параметрами lora. - Так же, как и все, но пропускает декодирование пакетов и просто ретранслирует их. Доступно только в роли репитера. Установка этой функции для любых других ролей приведет к поведению режима ВСЁ. - Игнорирует замеченные сообщения от чужих сетей, которые открыты или не может расшифровать. Ретранслировать сообщение только на узлах локальных первичных / вторичных каналов. - Игнорируемые сообщения из других сетей, таких как ТОЛЬКО ДЛЯ СВОИХ, но так же, и игнорирует сообщения от узлов, которые еще не включены в известный список узлов. - Разрешено только для ролей SENSOR, TRACKER и TAK_TRACKER, это запретит все ретрансляции, не похожие на роль CLIENT_MUTE. - Игнорирует пакеты из нестандартных портов, таких как: TAK, RangeTest, PaxCounter и т. д. Только ретранслирует пакеты со стандартными номерами портов: NodeInfo, Text, Position, Telemetry, Routing. - Рассматривать двойное нажатие на поддерживаемых акселерометрах как нажатие пользовательской кнопки. - Отключает тройное нажатие кнопки пользователя, чтобы включить или отключить GPS. - Управляет мигающим светодиодом на устройстве. Для большинства устройств это будет управлять одним из до 4 светодиодов, зарядное устройство и GPS светодиоды не управляются. - В дополнение к отправке на MQTT и PhoneAPI, наши NeighborInfo должны быть переданы через LoRa. Недоступно на канале с ключом и именем по умолчанию. - Публичный ключ - Имя канала - QR код - значок приложения - Неизвестное имя пользователя - Отправить - Вы еще не подключили к телефону устройство, совместимое с Meshtastic радио. Пожалуйста, подключите устройство и задайте имя пользователя.\n\nЭто приложение с открытым исходным кодом находится в альфа-тестировании, если вы обнаружите проблемы, пожалуйста, напишите в чате на нашем сайте.\n\nДля получения дополнительной информации посетите нашу веб-страницу - www.meshtastic.org. - Вы - Принять - Отмена - Отменить изменения - URL нового канала получен - Сообщить об ошибке - Сообщить об ошибке - Вы уверены, что хотите сообщить об ошибке? После сообщения, пожалуйста, напишите в https://github.com/orgs/meshtastic/discussions, чтобы мы могли сопоставить отчет с тем, что вы нашли. - Отчет - Сопряжение завершено, запуск сервиса - Соединение не удалось, выберите еще раз - Доступ к местоположению выключен, невозможно посылать местоположение в сеть. - Поделиться - - Отключено - Устройство спит - Подключено: %1$s в сети - IP-адрес: - Порт: - Подключено - Подключен к радио (%s) - Нет соединения - Подключено к радио, но оно спит - Требуется обновление приложения - Вы должны обновить это приложение в магазине приложений app store (или Github). Приложение слишком старо, чтобы работать с этой прошивкой в радио. Пожалуйста, прочитайте нашу документацию по этой теме. - Нет (выключить) - Служебные уведомления - О программе - Этот URL-адрес канала недействителен и не может быть использован - Панель отладки - Экспортировать логи - Фильтры - Активные фильтры - Искать в журнале… - Следующее совпадение - Предыдущее совпадение - Очистить условия поиска - Добавить фильтр - Фильтр включен - Очистить все фильтры - Очистить журнал - Совпадение любой | Все - Совпадение всех | Любой - Это удалит все пакеты журналов и записи базы данных с вашего устройства. Это — полный сброс, и он необратим. - Очистить - Статус доставки сообщения - Уведомления о личных сообщениях - Уведомления о сообщениях в общем чате - Служебные уведомления - Требуется обновление прошивки. - Слишком старая микропрограмма в радио для общения с этим приложением. Более подробную информацию об этом можно найти в нашем руководстве по установке прошивки. - Лады - Вы должны задать регион! - Не удалось изменить канал, потому что радио еще не подключено. Пожалуйста, попробуйте еще раз. - Экспортировать rangetest.csv - Сброс - Сканирования - Добавить - Вы уверены, что хотите перейти на канал по умолчанию? - Сброс значений по умолчанию - Применить - Тема - Светлая - Темная - По умолчанию - Выберите тему - Предоставление местоположения для сети - - Удалить сообщение? - Удалить %s сообщения? - Удалить %s сообщений? - Удалить все сообщения? = Delete all messages? - - Удалить - Удалить для всех - Удалить у меня - Выбрать все - Закрыть выбранное - Удалить выбранное - Выбор стиля - Скачать Регион - Имя - Описание - Заблокировано - Сохранить - Язык - По умолчанию - Отправить - Выключение - Выключение не поддерживается на этом устройстве - Перезагрузить - Трассировка маршрута - Показать Введение - Сообщение - Настройки быстрого чата - Новый быстрый чат - Редактировать быстрый чат - Добавить к сообщению - Мгновенная отправка - Показать меню быстрого чата - Скрыть меню быстрого чата - Сброс настроек к заводским настройкам - Прямое сообщение - Очистка списка узлов сети - Доставка подтверждена - Ошибка - Игнорировать - Добавить \'%s\' в список игнорируемых? - Удалить \'%s\' из списка игнорируемых? - Выберите регион загрузки - Предполагаемое время загрузки файла: - Начать скачивание - Обменяться местоположением - Закрыть - Настройки устройства - Настройки модуля - Добавить - Редактировать - Вычисление… - Оффлайн менеджер - Текущий размер кэша - Емкость кэша: %1$.2f MB\nИспользование кэша: %2$.2f MB - Очистить загруженные файлы - Источник файла - Кэш SQL очищен на %s - Ошибка очистки кэша SQL, подробности в logcat - Менеджер кэша - Загрузка завершена! - Скачивание завершено с %d ошибок - %d файла - курс: %1$d° расстояние: %2$s - Редактировать путевую точку - Удалить путевую точку? - Установить путевую точку - Принята путевая точка: %s - Достигнут лимит отправки сообщений в единицу времени. Не удается отправить сообщения прямо сейчас, пожалуйста, повторите попытку позже. - Удалить - Этот узел будет удалён из вашего списка, пока ваш узел снова не получит данные от него. - Отключить уведомления - 8 часов - 1 неделя - Всегда - Заменить - Сканировать QR-код WiFi - Неверный формат QR-кода WiFi - Вернуться - Батарея - Использование канала - Использование эфира - Температура - Влажность - Температура почвы - Влажность почвы - Журналы - Прыжков - Количество ретрансляций %1$d - Информация - Использование для текущего канала, включая хорошо сформированный TX, RX и неправильно сформированный RX (так называемый шум). - Процент времени эфира для передачи в течение последнего часа. - Относительное качество воздуха в помещении - Общедоступный ключ - Частые сообщения используют общий ключ для канала. - Общий ключ шифрования - Прямые сообщения используют новую инфраструктуру публичных ключей для шифрования. Требуется прошивка версии 2.5 или выше. - Несоответствие публичного ключа - Открытый ключ не соответствует записанному ключу. Вы можете удалить узел и снова обменяться ключами, но это может повлечь за собой более серьезную проблему безопасности. Свяжитесь с пользователем через другой доверенный канал, чтобы определить, было ли изменение ключа из-за заводского сброса или другого преднамеренного действия. - Обменять информацию пользователя - Уведомления о новых узлах - Подробнее - Сигнал/шум - Соотношение сигнал/шум, мера, используемая в коммуникациях для количественной оценки уровня желаемого сигнала по отношению к уровню фонового шума. В Meshtastic и других беспроводных системах более высокий SNR указывает на более четкий сигнал, который может повысить надежность и качество передачи данных. - RSSI - Индикатор уровня принимаемого сигнала, измерение, используемое для определения уровня мощности, принимаемой антенной. Более высокое значение RSSI обычно указывает на более сильное и стабильное соединение. - (Качество воздуха в помещении) Относительная шкала IAQ, измеренная Bosch BME680. Диапазон значений 0–500. - Журнал метрик устройства - Карта узла - Журнал местоположения - Обновление последнего местоположения - Журнал параметров среды - Журнал показателей сигнала - Администрирование - Удаленное администрирование - Плохой - Средний - Хороший - Отсутствует - Поделиться… - Сигнал - Качество сигнала - Журнал трассировок - Прямой - - 1 Узел - %d Узлов - %d Узлов - %d Узлов - - Узлов к %1$d Узлов назад от%2$d - 24ч - 48ч - 1нед - 2нед - 4нед - Макс - Неизвестный возраст - Копировать - Символ колокольчика оповещения! - Критическое оповещение! - Избранное - Добавить \'%s\' как избранный узел? - Удалить \'%s\' как избранный узел? - Журнал энергопотребления - Канал 1 - Канал 2 - Канал 3 - Ток - Напряжение - Вы уверены? - документацию ролей и блог об этомвыбор правильной роли.]]> - Я знаю, что я делаю. - Узел %1$s имеет низкий заряд батареи (%2$d%%) - Уведомление о низком заряде - Низкий заряд батареи: %s - Уведомления о низком заряде батареи (Фаворитные узлы) - Давление на барометре - Сеть через UDP включена - UDP Config - Последний приём: %2$s
Последнее местоположение: %3$s
Батарея: %4$s]]>
- Переключить мою позицию - Пользователь - Каналы - Устройство - Позиция - Питание - Сеть - Дисплей - LoRa - Bluetooth - Безопасность - MQTT - Серийный порт - Внешние уведомления - - Проверка дальности - Телеметрия - Заготовки сообщений - Звук - Удаленное устройство - Информация об окружности - Световое освещение - Датчик обнаружения - Счётчик прохожих - Настройка звука - CODEC 2 включен - PTT контакт - Скорость дискретизации CODEC2 - Выбор слов I2S - Вход данных I2S - Выход данных I2S - Часы I2S - Настройка Bluetooth - Bluetooth включен - Режим привязки - Фиксированный PIN-код - Uplink включен - Downlink включен - По умолчанию - Позиция включена - Точность местоположения - GPIO контакт - Тип - Скрыть пароль - Показать пароль - Подробности - Окружающая среда - Настройки Ambient Lighting - Состояние LED - Красный - Зеленый - Синий - Конфигурация шаблонных сообщений - Шаблонные сообщения включены - Вращающегося энкодер #1 включён - GPIO контакт для порта вращающегося энкодера A - GPIO контакт для порта вращающегося энкодера B - GPIO контакт для порта кнопки - Создать событие ввода при нажатии - Создать событие ввода для CW - Создать событие ввода для CW - Вверх/Вниз/Выбирать включён - Разрешить источник ввода - Отправить колокольчик - Сообщения - Настройка датчика обнаружения - Датчик определения включен - Минимальная трансляция (в секундах) - Трансляция состояния (в секундах) - Отправить колокол с уведомлением - Понятное имя - GPIO контакт для мониторинга - Тип триггера обнаружения - Использовать режим INPUT_PULLUP - Настройки устройства - Роль - Изменить PIN_BUTTON - Переопределить PIN_BUZER - Режим ретрансляции - Интервал трансляции узла (в секундах) - Двойное нажатие по нажатию кнопки - Отключить тройное нажатие - POSIX Timezone - Отключить светодиод - Отображать конфигурацию - Тайм-аут экрана (в секундах) - Формат координат GPS - Автоматическая карусель экрана (в секундах) - Север компаса в верх - Повернуть экран - Единицы отображения - Переопределить автоопределение OLED - Режим экрана - Направление жирным текстом - Включать экран при касании или движении - Направление компаса - Настройка внешнего уведомления - Внешние уведомления включены - Уведомления о получении сообщения - LED-индикатор уведомлений - Звуковой уведомитель сообщений - Вибрация при уведомлении - Уведомления при получении оповещения/звонка - Светодиодный индикатор - Бузер оповещений - Вибросигнал - Выход LED (GPIO) - Вывод светодиода активный высокий - Выход Буззера (GPIO) - Использовать PWM буззер - Вибросигнал (GPIO) - Продолжительность вывода (миллисекунды) - Таймаут Nag (в секундах) - Рингтон - Использовать I2S как буззер - Настройка LoRa - Использовать шаблон модема - Режим работы модема - Ширина канала - Коэффициент распространения - Частота кодирования - Частота смещения (MHz) - Регион (частотный план) - Ограничение прыжков - TX включён - Мощность TX (dBm) - Частотный слот - Переопределить цикл работы - Игнорировать входящие - Повышенная усиление SX126X RX - Переопределить частоту (MHz) - PA вентилятор выключен - Игнорировать MQTT - ОК в MQTT - Настройка MQTT - MQTT включен - Адрес - Имя пользователя - Пароль - Шифрование включено - Вывод JSON включен - TLS включен - Корневая тема - Прокси клиенту включен - Отчёты по карте - Интервал отсчета карты (в секундах) - Настройки соседей - Информация о соседях включена - Интервал обновления (в секундах) - Передать через LoRa - Настройка сети - WiFi включен - Название сети - Пароль - Ethernet включен - NTP сервер - Сервер rsyslog - Режим IPv4 - IP адрес - Шлюз - Subnet - Настройки Paxcounter - Paxcounter включен - Порог WiFi RSSI (по умолчанию -80) - BLE RSSI порог (по умолчанию -80) - Настройки позиции - Интервал трансляции позиции (секунды) - Умная позиция включена - Умная трансляция минимальное расстояние (метры) - Минимальный интервал умной трансляции (секунд) - Использовать фиксированную позицию - Широта - Долгота - Высота (в метрах) - Режим GPS - Интервал обновления GPS (в секундах) - Переопределить GPS_RX_PIN - Переопределить GPS_TX_PIN - Переопределить PIN_GPS_EN - Флаги позиции - Настройка питания - Включить энергосбережение - Задержка выключения в режиме батареи (в секундах) - Коэффициент переопределения ADC - Ожидание Bluetooth (в секундах) - Длительность супер глубокого сна (в секундах) - Длительность легкого сна (в секундах) - Минимальное время пробуждения (в секундах) - Батарея INA_2XX I2C адрес - Настройка проверки дальности - Проверка дальности включена - Интервал сообщений отправителя (в секундах) - Сохранить .CSV в хранилище (только ESP32) - Настройка удаленного оборудования - Удаленное оборудование включено - Разрешить неопределённый контакт - Доступные контакты - Настройки безопасности - Публичный ключ - Закрытый ключ - Ключ админа - Управляемый режим - Серийный консоль - API лог включен - Устаревший канал Администратора - Настройка серийного порта - Серийный порт включен - Echo включен - Скорость порта - Время ожидания истекло - Серийный режим - Переопределить серийный порт консоли - - Heartbeat - Количество записей - Макс возврат истории - Окно возврата истории - Сервер - Настройка телеметрии - Интервал обновления метрик устройства (в секундах) - Интервал обновления метрик окружения (в секундах) - Модуль метрик окружения включен - Показатели окружения на экране включены - Использовать метрику окружения в Fahrenheit - Модуль измерения качества воздуха включен - Интервал обновления показателей качества воздуха (в секундах) - Значок качества воздуха - Модуль метрик питания включен - Интервал обновления метрик питания (в секундах) - Включить метрики питания на экране - Настройки пользователя - ID узла - Полное имя - Короткое имя - Модель оборудования - Лицензированный радиолюбитель (HAM) - Включение данной опции отключает шифрование и несовместимо с основной сетью Meshtastic. - Точка росы - Давление - Сопротивление газа - Расстояние - Lux - Ветер - Вес - Радиация - - Качество воздуха в помещении (IAQ) - URL-адрес - - Импорт настроек - Экспорт настроек - Оборудование - Поддерживается - Номер узла - ID пользователя - Время работы - Нагрузка %1$d - Отметка времени - Курс - Скорость - Количество спутников - Уровень моря - Частота - Слот - Первичный - Периодическая трансляция местоположения и телеметрии - Вторичный - Нет периодической телеметрической передачи - Требуется запрос позиции вручную - Нажмите и перетащите для изменения порядка - Включить микрофон - Динамический - Сканировать QR код - Поделиться контактом - Импортировать контакт? - Не отправляемо - Неконтролируемые или инфраструктура - Внимание: Данный контакт уже существует, импорт перезапишет ранее известную информацию о нём. - Публичный ключ изменён - Импортировать - Запросить метаданные - Действия - Прошивка - Использовать 12-часовой формат времени - Если включено, устройство будет отображать время на экране в 12-часовом формате. - Журнал метрик хоста - Хост - Свободная память - Свободно памяти на диске - Загрузка - Строка пользователя - Перейти в - Узлы - Настройки - Установите ваш регион - Ответить - Ваш узел будет периодически отправлять незашифрованный пакет отчёта карты на настроенный MQTT-сервер, что включает идентификатор, полное и краткое имя, примерное местоположение, модель аппаратного обеспечения, роль, версия прошивки, регион LoRa, режим работы передатчика и имя основного канала. - Согласие на передачу незашифрованных данных узла через MQTT - Включая данную функцию, вы подтверждаете и прямо соглашаетесь на передачу географического местоположения вашего устройства в реальном времени через протокол MQTT без шифрования. Эти данные о местоположении могут быть использованы для таких целей, как отчёты карты в реальном времени, отслеживание устройства и подобные функции телеметрии. - Я прочитал и понял вышеописанное. Я добровольно даю согласие на незашифрованную передачу данных моего узла через MQTT - Я согласен. - Рекомендуется обновление прошивки. - Чтобы использовать последние исправления и функции, обновите прошивку вашего узла. \n\nПоследняя стабильная версия прошивки: %1$s - Срок действия - Время - Дата - Фильтр карты\n - Только Избранные - Показать путевые точки - Показывать точные круги - Уведомления клиента - Обнаружены скомпрометированные ключи, нажмите OK для пересоздания. - Пересоздать приватный ключ - Вы уверены, что хотите пересоздать свой приватный ключ?\n\nУзлы, которые ранее обменивались ключами с этим узлом, должны будут удалить этот узел и повторно обменяться ключами для того, чтобы возобновить защищённую связь. - Экспортировать ключи - Экспортирует публичный и приватный ключи в файл. Пожалуйста, храните их где-нибудь в безопасности. - Модули разблокированы - Удаленные - (%1$d в сети / всего %2$d) - Среагировать - Отключиться - Сетевые устройства не найдены. - USB-устройства COM-порта не найдены. - Прокрутить вниз - Meshtastic - Сканирование - Статус безопасности - Безопасный - Предупреждающий Знак - Неизвестный канал - Предупреждение - Переполнение меню - УФ Люкс - Неизвестно - Очистить сейчас - Зеленый замок означает, что канал надежно зашифрован либо 128, либо 256 битным ключом AES. - - Небезопасный канал, не точный - Желтый открытый замок означает, что канал небезопасно зашифрован, не используется для точного определения местоположения и не использует ни один ключ вообще, ни один из известных байтовых ключей. - - Небезопасный канал, точное местоположение - Красный открытый замок означает, что канал не зашифрован, используется для точного определения местоположения и не использует ни один ключ вообще, ни один байтный известный ключ. - - Предупреждение: Небезопасно, точное местоположение; Uplink MQTT - Красный открытый замок с предупреждением означает, что канал не зашифрован, используется для получения точных данных о местоположении, которые передаются через Интернет по MQTT, и не использует ни один ключ вообще, ни один байтовый известный ключ. - - Безопасность канала - Значения безопасности канала - Показать все значения - Показать текущий статус - Отменить - Ответить %1$s - Отменить ответ - Удалить сообщения? - Очистить выбор - Сообщение - PAX - WiFi устройства - Просмотреть релиз - Скачать - Текущая версия: - Последняя стабильная - Последняя альфа - Версия прошивки - Начать работу - Входящие сообщения - Поделиться геопозицией - ........ - Пропустить - Алерты - - Далее - Обычный - Спутниковая - Ландшафт - Смешанный - Управление Слоями Карты - Слои карты - Пользовательские слои не загружены. - Добавить слой - Скрыть слой - Показать слой - Удалить слой - Добавить слой - Узлы в этом месте - Выбранный тип карты - Управление собственными источниками плиток - Добавить свой источник плиток - Нет пользовательских источников плиток - Изменить свой источник плиток - Удалить свой источник плиток - Имя не может быть пустым. - Имя провайдера уже существует. - URL не может быть пустым. - URL должен содержать placeholders. - Шаблон URL -
diff --git a/app/src/main/res/values-sk/strings.xml b/app/src/main/res/values-sk/strings.xml deleted file mode 100644 index 4396b9698..000000000 --- a/app/src/main/res/values-sk/strings.xml +++ /dev/null @@ -1,325 +0,0 @@ - - - - Filter - vymazať filter uzlov - Vrátane neznámych - Zobraziť detaily - Nastavenie triedenia uzlov - A-Z - Kanál - Vzdialenosť - Počet skokov - Posledný príjem - cez MQTT - cez MQTT - Prostredníctvom obľúbených - Nerozoznaný - Čaká sa na potvrdenie - Vo fronte na odoslanie - Potvrdené - Žiadna trasa - Prijaté negatívne potvrdenie - Časový limit - Žiadne rozhranie - Dosiahnutý maximum opakovaných prenosov - Žiaden kanál - Príliš veľký paket - Bez odozvy - Nesprávna požiadavka - Dosiahnutý regionálny limit pracovného cyklu - Neautorizované - Zlyhalo šifrované odosielanie - Neznámy verejný kľúč - Zlý kľúč relácie - Verejný kľúč neautorizovaný - Pripojená aplikácia, alebo samostatné zariadenie na odosielanie správ. - Zariadenie, ktoré nepreposiela pakety z ďalších zariadení. - Uzol infraštruktúry na rozšírenie pokrytia siete prenosom správ. Viditeľný v zozname uzlov. - Kombinácia ROUTER a CLIENT. Nie pre mobilné zariadenia. - Uzol infraštruktúry na rozšírenie pokrytia siete prenosom správ s minimálnou réžiou. Nezobrazuje sa v zozname uzlov. - Prioritne vysiela pakety polohy GPS. - Prioritne vysiela telemetrické pakety. - Optimalizované pre systémovú komunikáciu ATAK, znižuje rutinné vysielanie. - Zariadenie, ktoré vysiela len podľa potreby pre utajenie, alebo úsporu energie. - Pravidelne vysiela polohu ako správu na predvolený kanál, aby pomohol pri obnove zariadenia. - Umožňuje automatické vysielanie TAK PLI a znižuje rutinné vysielanie. - Uzol infraštruktúry, ktorý vždy preposiela pakety raz, ale až po všetkých ostatných režimoch, čím zabezpečuje dodatočné pokrytie pre miestne zväzky. Viditeľný v zozname uzlov. - Preposiela akúkoľvek pozorovanú správu, ak bola na našom súkromnom kanáli alebo z inej siete s rovnakými parametrami lora. - Rovnaké ako správanie ako ALL, ale preskočí dekódovanie paketov a jednoducho ich prepošle. Dostupné iba v úlohe Opakovača. Nastavenie tejto možnosti na akékoľvek iné roly bude mať za následok správania sa ako ALL. - Ignoruje pozorované správy z cudzích sietí, ktoré sú otvorené alebo tie, ktoré nedokáže dešifrovať. Opätovne vysiela správu iba na lokálnych primárnych / sekundárnych kanáloch uzlov. - Ignoruje pozorované správy z cudzích sietí, ako napríklad LOCAL ONLY, ale ide o krok ďalej tým, že ignoruje aj správy z uzlov, ktoré ešte nie sú v známom zozname uzla. - Povolené len pre role SENSOR, TRACKER a TAK_TRACKER, zamedzí to všetkým opätovným vysielaniam, na rozdiel od roly CLIENT_MUTE. - Ignoruje pakety z neštandardných portov, ako sú: TAK, RangeTest, PaxCounter atď. Opätovne vysiela iba pakety so štandardnými portami: NodeInfo, Text, Position, Telemetry a Routing. - Vykoná dvojklepnutie na podporovaných akcelerometroch ako stlačenie užívateľského tlačidla. - Vypne trojité stlačenie užívateľského tlačidla pre zapnutie, alebo vypnutie GPS. - Ovláda blikajúcu LED na zariadení. Pre väčšinu zariadení toto ovláda jednu zo štyroch LED, neovláda LED pre GPS a nabíjanie. - Okrem odoslania do MQTT a PhoneAPI je prenášanie informácii o susedoch prostredníctvom LoRa. Nedostupné na kanáli s predvoleným kľúčom a názvom. - Verejný kľúč - Názov kanála - QR kód - Ikona aplikácie - Neznáme užívateľské meno - Odoslať - K tomuto telefónu ste ešte nespárovali žiadne zariadenie kompatibilné s Meshtastic. Prosím spárujte zariadenie a nastavte svoje užívateľské meno.\n\nTáto open-source aplikácia je v alpha testovacej fáze, ak nájdete chybu, prosím popíšte ju na fóre: https://github.com/orgs/meshtastic/discussions\n\n Pre viac informácií navštívte web stránku - www.meshtastic.org. - Vy - Prijať - Odmietnuť - Prijatá nová URL kanálu - Nahlásiť chybu - Nahlásiť chybu - Ste si istý, že chcete nahlásiť chybu? Po odoslaní prosím pridajte správu do https://github.com/orgs/meshtastic/discussions aby sme vedeli priradiť Vami nahlásenú chybu ku Vášmu príspevku. - Nahlásiť - Párovanie ukončené, štartujem službu - Párovanie zlyhalo, prosím skúste to znovu - Prístup k polohe zariadenia nie je povolený, nedokážem poskytnúť polohu zariadenia Mesh sieti. - Zdieľať - Odpojené - Vysielač uspaný - Pripojený: %1$s online - IP adresa: - Pripojené k vysielaču (%s) - Nepripojené - Pripojené k uspanému vysielaču - Aplikáciu je potrebné aktualizovať - Musíte aktualizovať aplikáciu na Google Play store (alebo z Github). Je príliš stará pre komunikáciu s touto verziou firmvéru vysielača. Viac informácií k tejto téme nájdete na Meshtastic docs. - Žiaden (zakázať) - Notifikácie zo služby - O aplikácii - URL adresa tohoto kanála nie je platná a nedá sa použiť - Debug okno - Zmazať - Stav doručenia správy - Notifikácie upozornení - Nutná aktualizácia firmvéru. - Firmvér vysielača je príliš zastaralý, aby dokázal komunikovať s aplikáciou. Viac informácií nájdete na našom sprievodcovi inštaláciou firmvéru. - Musíte nastaviť región! - Nie je možné zmeniť kanál, pretože vysielač ešte nie je pripojený. Skúste to neskôr. - Exportovať rangetest.csv - Obnoviť - Skenovať - Pridať - Ste si istý, že sa chcete prepnúť na predvolený kanál? - Obnoviť na predvolené nastavenia - Použiť - Téma - Svetlá - Tmavá - Predvolená systémom - Výber témy - Poskytnúť polohu telefónu do siete - - Vymazať správu? - Vymazať %s správy? - Vymazať %s správ? - Vymazať správy? - - Vymazať - Vymazať pre všetkých - Vymazať pre mňa - Vybrať všetko - Štýl výberu - Stiahnuť oblasť - Názov - Popis - Zamknuté - Uložiť - Jazyk - Predvolené nastavenie - Znovu poslať - Vypnúť - Toto zariadenie nepodporuje vypínanie - Reštartovať - Trasovanie - Zobraziť úvod - Správa - Nastavenia rýchleho četu - Nový rýchly čet - Edituj rýchly čet - Pripojiť k správe - Okamžite pošli - Obnova do výrobných nastavení - Priama správa - Reset databázy uzlov - Doručenie potvrdené - Chyba - Ignorovať - Pridať \'%s\' do zoznamu ignorovaných? - Odstrániť \'%s\' zo zoznamu ignorovaných? - Vybrať oblasť na stiahnutie - Odhad sťahovania dlaždíc: - Spustiť sťahovanie - Vymeniť si pozície - Zavrieť - Konfigurácia vysielača - Konfigurácia modulu - Pridať - Upraviť - Prepočítavanie… - Offline manager - Aktuálna veľkosť cache - Kapacita cache: %1$.2f MB\nVyužitie cache: %2$.2f MB - Vymazať stiahnuté dlaždice - Zdroj dlaždíc - SQL Cache vyčistená pre %s - Vyčistenie SQL Cache zlyhalo, podrobnosti nájdete v logcat - Cache Manager - Sťahovanie dokončené! - Sťahovanie ukončené s %d chybami - %d dlaždíc - smer: %1$d° vzdialenosť: %2$s - Editovať cieľový bod - Vymazať cieľový bod? - Nový cieľový bod - Prijatý cieľový bod: %s - Dosiahnutý limit pracovného cyklu. Nedá sa teraz posielať správy, skúste neskôr. - Odstrániť - Tento uzol bude odstránený z vášho zoznamu, kým váš uzol opäť príjme jeho údaje. - Stlmiť notifikácie - 8 hodín - 1 týždeň - Vždy - Nahradiť - Skenuj WiFi QR kód - Neplatný formát QR kódu poverenia WiFi - Navigovať späť - Batéria - Využitie kanálu - Využitie éteru - Teplota - Vlhkosť - Záznamy - Počet skokov - Informácia - Využitie pre aktuálny kanál, vrátane dobre vytvoreného TX, RX a poškodeného RX (známy ako šum). - Percento vysielacieho času na prenos použitého za poslednú hodinu. - IAQ - Zdieľaný kľúč - Priame správy používajú zdieľaný kľúč pre kanál. - Šifrovanie verejného kľúča - Priame správy využívajú na šifrovanie novú infraštruktúru verejného kľúča. Vyžaduje verziu firmvéru 2.5 alebo vyššiu. - Nezhoda verejného kľúča - Verejný kľúč sa nezhoduje so zaznamenaným kľúčom. Môžete odstrániť uzol a nechať ho znova vymeniť kľúče, ale to môže naznačovať vážnejší bezpečnostný problém. Kontaktujte používateľa prostredníctvom iného dôveryhodného kanála a zistite, či bola zmena kľúča spôsobená obnovením továrenských nastavení alebo inou úmyselnou akciou. - Vymeniť si používateľské informácie - Notifikácie nových uzlov - Viac detailov - SNR - Pomer signálu od šumu (SNR), miera používaná v komunikácii na kvantifikáciu úrovne požadovaného signálu k úrovni hluku pozadia. V Meshtastic a iných bezdrôtových systémoch znamená vyšší SNR jasnejší signál, ktorý môže zvýšiť spoľahlivosť a kvalitu prenosu údajov. - RSSI - Indikátor sily prijímaného signálu (RSSI), meranie používané na určenie úrovne výkonu prijatého skrz anténu. Vyššia hodnota RSSI vo všeobecnosti znamená silnejšie a stabilnejšie pripojenie. - (Kvalita vzduchu v interiéri) relatívna hodnota IAQ meraná prístrojom Bosch BME680. Rozsah hodnôt 0–500. - Log metrík zariadenia - Mapa uzlov - Log pozície - Log poveternostných metrík - Log metrík signálu - Administrácia - Administrácia na diaľku - Zlý - Primeraný - Dobrý - Žiadny - Zdieľať… - Signál - Kvalita signálu - Log trasovania - Priamo - - 1 skok - %d skoky - %d skokov - %d skokov - - Počet skokov smerom k %1$d Počet skokov späť %2$d - 24 hodín - 48 hodín - 1 týždeň - 2 týždne - 4 týždne - Maximum - Neznámy vek - Kopírovať - Znak zvončeku upozornení! - Kritická výstraha! - Obľúbený - Pridať \'%s\', ako obľúbený uzol? - Odstrániť \'%s\' obľúbený uzol? - Záznamník výkonu - Kanál 1 - Kanál 2 - Kanál 3 - Prúd - Napätie - Si si istý? - Dokumentáciu o úlohách zariadení a blog o Výberaní správnej úlohy pre zariadenie .]]> - Viem čo robím. - Upozornenia o slabej batérii - Slabá batéria: %s - Upozornenia o slabej batérii (obľúbene uzle) - Barometrický tlak - Sieť prostredníctvom UDP zapnutá - Konfigurácia UDP - Zapnúť lokalizáciu - Užívateľ - Kanále - Zariadenie - Pozícia - Napájanie - Sieť - Obrazovka - LoRa - Bluetooth - Zabezpečenie - MQTT - Sériový - Externá notifikácia - - Test dosahu - Telemetria - Konzervovaná správa - Zvuk - Vzdialený hardvér - Informácia o susedoch - Ambientné osvetlenie - Detekčný senzor - Počítadlo ľudí - Konfigurácia zvuku - CODEC 2 zapnutý - PTT pin - CODEC2 vzorkovacia frekvencia - I2C výber slova - I2S vstup dát - I2S výstup dát - I2S čas - Konfigurácia Bluetooth - Bluetooth zapnuté - Režim párovania - Pevný PIN - Prostredie - Správy - Verejný kľúč - Súkromný kľúč - Časový limit - Vzdialenosť - Nastavenia - - - - - Správa - diff --git a/app/src/main/res/values-sl/strings.xml b/app/src/main/res/values-sl/strings.xml deleted file mode 100644 index 175176e82..000000000 --- a/app/src/main/res/values-sl/strings.xml +++ /dev/null @@ -1,261 +0,0 @@ - - - - Filter - Počisti filtre vozlišča - Vključi neznane - Prikaži podrobnosti - A-Z - Kanal - Razdalja - Skokov stran - Nazadnje slišano - Preko MQTT - Preko MQTT - Neprepoznano - Čakanje na potrditev - V čakalni vrsti za pošiljanje - Potrjeno - Brez poti - Prejeta negativna potrditev - Časovna omejitev - Brez vmesnika - Dosežena meja ponovnega pošiljanja - Brez kanala - Paketek je prevelik - Brez odgovora - Slaba zahteva - Dosežena regionalna omejitev delovnega cikla - Niste pooblaščeni - Šifrirano pošiljanje ni uspelo - Neznan javni ključ - Napačen sejni ključ - Javni ključ ni pooblaščen - Aplikacija povezana ali samostojna naprava za sporočanje. - Naprava ki ne posreduje paketkov drugih naprav. - Infrastrukturno vozlišče za razširitev pokritosti omrežja s posredovanjem sporočil. Vidno na seznamu vozlišč. - Kombinacija ROUTER in CLIENT. Ni za mobilne naprave. - Infrastrukturno vozlišče za razširitev pokritosti omrežja s posredovanjem sporočil z minimalnimi stroški. Ni vidno na seznamu vozlišč. - Prednostno oddaja paketke GPS položaja. - Prednostno oddaja paketke telemetrije. - Optimizirano za komunikacijo sistema ATAK, zmanjšuje rutinsko oddajanje. - Naprava, ki oddaja samo po potrebi zaradi prikritosti ali varčevanja z energijo. - Redno oddaja lokacijo kot sporočilo privzetemu kanalu za pomoč pri vrnitvi naprave. - Omogoča samodejno oddajanje TAK PLI in zmanjšuje rutinsko oddajanje. - Infrastrukturno vozlišče, ki vedno znova oddaja paketke enkrat, vendar šele po vseh drugih načinih, kar zagotavlja dodatno pokritost za lokalne gruče. Vidno na seznamu vozlišč. - Ponovno oddaja vsako opaženo sporočilo, če je bilo na našem zasebnem kanalu ali iz drugega omrežja z enakimi parametri. - Enako kot vedenje ALL, vendar preskoči dekodiranje paketkov in jih preprosto ponovno odda. Na voljo samo v vlogi Repeater. Če to nastavite za katero koli drugo vlogo, bo to povzročilo vedenje ALL. - Ignorira opažena sporočila tujih odprtih mrež, ali tistih, ki jih ne more dešifrirati. Ponovno oddaja samo sporočila na lokalnih primarnih/sekundarnih kanalih vozlišč. - Ignorira opažena sporočila iz tujih mrež, kot je LOCAL ONLY, vendar gre korak dlje, tako da ignorira tudi sporočila vozlišč, ki še niso na seznamu znanih. - Dovoljeno samo za vloge SENSOR, TRACKER in TAK_TRACKER, prepovedano bo vsakršnje ponovno oddajanje, v nasprotju z vlogo CLIENT_MUTE. - Ignorira nestandardne paketke, kot so: TAK, RangeTest, PaxCounter itd. Ponovno oddaja samo standardne paketke: NodeInfo, Text, Position, Telemetry in Routing. - Obravnavaj dvojni pritisk na podprtih merilnikih pospeška kot pritisk uporabnika. - Onemogoči trikratni pritisk uporabniškega gumba za omogočanje ali onemogočanje GPS. - Upravlja utripajočo LED na napravi. Pri večini naprav bo to krmililo eno od največ 4 LED diod, LED napajanja in GPS ni mogoče nadzorovati. - Izbira ali je treba naš NeighborInfo poleg pošiljanja v MQTT in PhoneAPI posredovati tudi prek LoRa. Ni na voljo na kanalu s privzetim ključem in imenom. - Javni ključ - Ime kanala - QR koda - Ikona aplikacije - Neznano uporabniško ime - Pošlji - S tem telefonom še niste seznanili združljivega Meshtastic radia. Prosimo povežite napravo in nastavite svoje uporabniško ime. \n\nTa odprtokodna aplikacija je v alfa testiranju, če imate težave, objavite na našem spletnem klepetu.\n\nZa več informacij glejte našo spletno stran - www.meshtastic.org. - Jaz - Sprejmi - Prekliči/zavrzi - Prejet je bil novi URL kanala - Prijavi napako - Prijavite napako - Ali ste prepričani, da želite prijaviti napako? Po poročanju objavite v https://github.com/orgs/meshtastic/discussions, da bomo lahko primerjali poročilo s tistim, kar ste našli. - Poročilo - Seznanjanje zaključeno, zagon storitve - Seznanjanje ni uspelo. Prosimo, izberite znova - Dostop do lokacije je onemogočen, mreža ne more prikazati položaja. - Souporaba - Prekinjeno - Naprava je v \"spanju\" - IP naslov: - Povezana z radiem (%s) - Ni povezano - Povezan z radiem, vendar radio \"spi\" - Aplikacija je prestara - To aplikacijo morate posodobiti v trgovini Google Play (ali Github). Žal se ne more povezati s tem radiem. - Brez (onemogoči) - Obvestila storitve - O programu - Neveljaven kanal - Plošča za odpravljanje napak - Počisti - Stanje poslanega sporočila - Zastarela programska oprema. - Vdelana programska oprema radijskega sprejemnika je za pogovor s to aplikacijo prestara. Za več informacij o tem glejtenaš vodnik za namestitev strojne programske opreme. - V redu - Nastavitev regije! - Menjava ni možna ni radia. - Izvozi rangetest.csv - Ponastavi - Skeniraj - Dodaj - Ali si prepričan spremeni na osnovno? - Ponastavi na osnovno - Uporabi - Tema - Svetla tema - Temna tema - Privzeta sistemska - Izberi temo - Zagotovi lokacijo telefona v omrežju - - Izbriši sporočilo? - Izbrišem sporočili? - Izbrišem %s sporočila? - Izbrišem sporočila: %1$s? - - Izbriši - Izbriši za vse - Izbriši zame - Izberi vse - Izbor stila - Prenesi regijo - Ime - Opis - Zaklenjeno - Shrani - Jezik - Privzeta sistemska - Ponovno pošlji - Ugasni - Izklop na tej napravi ni podprt - Ponovni zagon - Pot - Pokaži napoved - Sporočilo - Možnosti hitrega klepeta - Novi hitri klepet - Uredi hitri klepet - Dodaj v sporočilo - Pošlji takoj - Povrnitev tovarniških nastavitev - Direktno sporočilo - Ponastavi NodeDB - Prejem potrjen - Napaka - Prezri - Dodaj \'%s\' na prezrto listo? - Odstrani \'%s\' iz prezrte liste? - Prenesi izbrano regijo - Ocena prenosa plošče: - Začni prenos - Zapri - Nastavitev radia - Nastavitev modula - Dodaj - Uredi - Preračunavam… - Upravljalnik brez povezave - Trenutna velikost predpomnilnika - Velikost predpomnilnika: %1$.2f MB\nUporaba predpomnilnika: %2$.2f MB - Počisti izbrane ploščice - Vir plošcice - Predpomnilnik SQL očiščen za %s - Čiščenje predpomnilnika SQL Cache ni uspelo, za podrobnosti glejte logcat - Upravitelj predpomnilnika - Prenos končan! - Prenos končan z %d napakami - %d plošče - lega: %1$d° oddaljenost: %2$s - Uredi točko poti - Izbriši točko poti? - Nova točka poti - Prejeta točka poti: %s - Dosežena je omejitev delovnega cikla. Trenutno ne morete pošiljati sporočil, poskusite kasneje. - Odstrani - To vozlišče bo odstranjeno z vašega seznama, dokler vaše vozlišče znova ne prejme njegovih podatkov. - Utišaj obvestila - 8 ur - 1 teden - Vedno - Zamenjaj - Skeniraj WiFi QR kodo - Neveljavna oblika WiFi QR kode - Pojdi nazaj - Baterija - Uporaba kanala - Uporaba oddaje - Temperatura - Vlaga - Dnevniki - Skokov stran - Informacije - Uporaba za trenutni kanal, vključno z dobro oblikovanimi TX, RX in napačno oblikovanim RX (šum). - Odstotek časa oddajanja v zadnji uri. - IAQ - Skupni ključ - Neposredna sporočila uporabljajo skupni ključ za kanal. - Šifriranje javnega ključa - Neposredna sporočila za šifriranje uporabljajo novo infrastrukturo javnih ključev. Zahteva različico 2.5 ali novejšo. - Neujemanje javnega ključa - Javni ključ se ne ujema s zabeleženim ključem. Odstranite lahko vozlišče in pustite, da znova izmenja ključe, vendar to lahko pomeni resnejšo varnostno težavo. Obrnite se na uporabnika prek drugega zaupanja vrednega kanala, da ugotovite, ali je bila sprememba ključa posledica ponastavitve na tovarniške nastavitve ali drugega namernega dejanja. - Obvestila novih vozlišč - Več podrobnosti - SNR - Razmerje med signalom in šumom je merilo, ki se uporablja v komunikacijah za količinsko opredelitev ravni želenega signala glede na raven hrupa v ozadju. V Meshtastic in drugih brezžičnih sistemih višji SNR pomeni jasnejši signal, ki lahko poveča zanesljivost in kakovost prenosa podatkov. - RSSI - Indikator moči sprejetega signala je meritev, ki se uporablja za določanje ravni moči, ki jo sprejema antena. Višja vrednost RSSI na splošno pomeni močnejšo in stabilnejšo povezavo. - (Kakovost zraka v zaprtih prostorih) relativna vrednost IAQ na lestvici, izmerjena z Bosch BME680. Razpon vrednosti 0–500. - Dnevnik meritev naprave - Zemljevid vozlišč - Dnevnik lokacije - Dnevnik meritev okolja - Dnevnik meritev signala - Administracija - Administracija na daljavo - Slab - Precejšen - Dober - Brez - Delite z… - Signal - Kakovost signala - Dnevnik poti - Neposreden - - 1 skok - %dskoka - %dskoka - %dskoki - - Skokov k %1$d Skokov nazaj %2$d - 24ur - 48ur - 1T - 2T - 4T - Maks. - Kopiraj - Znak opozorilnega zvonca! - Javni ključ - Zasebni ključ - Časovna omejitev - Razdalja - - - - - Sporočilo - diff --git a/app/src/main/res/values-sq/strings.xml b/app/src/main/res/values-sq/strings.xml deleted file mode 100644 index c6927b81e..000000000 --- a/app/src/main/res/values-sq/strings.xml +++ /dev/null @@ -1,231 +0,0 @@ - - - - Filtrimi - pastro filtrin e nyjës - Përfshi të panjohurat - Shfaq detajet - Kanal - Distanca - Hop-e larg - I fundit që u dëgjua - përmes MQTT - përmes MQTT - I panjohur - Pritet të pranohet - Në radhë për dërgim - Pranuar - Nuk ka rrugë - Marrë një njohje negative - Koha e skaduar - Nuk ka ndërfaqe - Arritur kufiri i ri-dërgimeve - Nuk ka kanal - Paketa shumë e madhe - Nuk ka përgjigje - Kërkesë e gabuar - Arritur kufiri i ciklit të detyrës rajonale - Nuk jeni të autorizuar - Dërgesa e enkriptuar ka dështuar - Çelësi publik i panjohur - Çelës sesioni i gabuar - Çelësi publik i paautorizuar - Pajisje e lidhur ose pajisje mesazhi autonome. - Pajisje që nuk kalon paketa nga pajisje të tjera. - Nyjë infrastrukture për zgjerimin e mbulimit të rrjetit duke transmetuar mesazhe. E dukshme në listën e nyjeve. - Kombinim i të dyjave ROUTER dhe CLIENT. Nuk është për pajisje mobile. - Nyjë infrastrukture për zgjerimin e mbulimit të rrjetit duke transmetuar mesazhe me ngarkesë minimale. Nuk është e dukshme në listën e nyjeve. - Transmeton paketa pozicioni GPS si prioritet. - Transmeton paketa telemetri si prioritet. - Optimizuar për komunikim në sistemin ATAK, zvogëlon transmetimet rutinë. - Pajisje që transmeton vetëm kur është e nevojshme për fshehtësi ose kursim energjie. - Transmeton vendndodhjen si mesazh në kanalin e parazgjedhur rregullisht për të ndihmuar në rikuperimin e pajisjeve. - Aktivizon transmetimet automatikisht TAK PLI dhe zvogëlon transmetimet rutinë. - Ritransmeton çdo mesazh të vërejtur, nëse ishte në kanalin tonë privat ose nga një tjetër rrjet me të njëjtat parametra LoRa. - Po të njëjtën sjellje si ALL, por kalon pa dekoduar paketat dhe thjesht i ritransmeton. I disponueshëm vetëm për rolin Repeater. Vendosja e kësaj në rolet e tjera do të rezultojë në sjelljen e ALL. - Injoron mesazhet e vëzhguara nga rrjete të huaja që janë të hapura ose ato që nuk mund t\'i dekodoj. Vetëm ritransmeton mesazhe në kanalet lokale primare / dytësore të nyjës. - Injoron mesazhet e vëzhguara nga rrjete të huaja si LOCAL ONLY, por e çon më tutje duke injoruar edhe mesazhet nga nyje që nuk janë në listën e njohur të nyjës. - Lejohet vetëm për rolet SENSOR, TRACKER dhe TAK_TRACKER, kjo do të pengojë të gjitha ritransmetimet, jo ndryshe nga roli CLIENT_MUTE. - Injoron paketat nga portnumra jo standardë si: TAK, RangeTest, PaxCounter, etj. Vetëm ritransmeton paketat me portnumra standard: NodeInfo, Text, Position, Telemetry, dhe Routing. - Emri i kanalit radio - Kodi QR - Ikona e aplikacionit - Emri i përdoruesit është i panjohur - Dërgo - Ju ende nuk keni lidhur një paisje radio Meshtastic me këtë telefon. Ju lutem lidhni një paisje radio dhe vendosni emrin e përdoruesit.\n\nKy aplikacion është software i lire \"open-source\" dhe në variantin Alpha për testim. Nëse hasni probleme, ju lutem shkruani në çatin e faqes tonë të internetit: https://github.com/orgs/meshtastic/discussions\n\nPër më shumë informacione vizitoni faqen tonë në internet - www.meshtastic.org. - Ju - Prano - Anullo - Ju keni një kanal radio të ri URL - Raporto Bug - Raporto një bug - Jeni të sigurtë që dëshironi të raportoni një bug? Pas raportimit, ju lutem postoni në https://github.com/orgs/meshtastic/discussions që të mund të lidhim raportin me atë që keni gjetur. - Raporto - Lidhja u përfundua, duke nisur shërbimin - Lidhja dështoi, ju lutem zgjidhni përsëri - Aksesimi në vendndodhje është i fikur, nuk mund të ofrohet pozita për rrjetin mesh. - Ndaj - I shkëputur - Pajisja po fle - Adresa IP: - E lidhur me radio (%s) - Nuk është lidhur - E lidhur me radio, por është në gjumë - Përditësimi i aplikacionit kërkohet - Duhet të përditësoni këtë aplikacion në dyqanin e aplikacioneve (ose Github). Është shumë i vjetër për të komunikuar me këtë firmware radioje. Ju lutemi lexoni dokumentet tona këtu për këtë temë. - Asnjë (çaktivizo) - Njoftime shërbimi - Rreth - Ky URL kanal është i pavlefshëm dhe nuk mund të përdoret - Paneli i debug-ut - Pastro - Statusi i dorëzimit të mesazhit - Përditësimi i firmware kërkohet. - Firmware radio është shumë i vjetër për të komunikuar me këtë aplikacion. Për më shumë informacion rreth kësaj, shikoni udhëzuesin tonë për instalimin e firmware. - Mirë - Duhet të vendosni një rajon! - Nuk mund të ndryshoni kanalin, sepse radioja ende nuk është lidhur. Ju lutemi provoni përsëri. - Eksporto rangetest.csv - Rivendos - Skano - Shto - A jeni të sigurt se doni të kaloni në kanalin e parazgjedhur? - Rivendos në parazgjedhje - Apliko - Temë - Dritë - Errësirë - Parazgjedhje sistemi - Zgjidh temën - Ofroni vendndodhjen e telefonit për rrjetin mesh - - Fshini mesazhin? - Fshini %s mesazhe? - - Fshi - Fshi për të gjithë - Fshi për mua - Përzgjedh të gjithë - Përzgjedhja e stilit - Shkarko rajonin - Emri - Përshkrimi - I bllokuar - Ruaj - Gjuhë - Parazgjedhje sistemi - Përsëri dërguar - Fik - Fikja nuk mbështetet në këtë pajisje - Rindiz - Shfaq prezantimin - Mesazh - Opsionet për biseda të shpejta - Bisedë e re e shpejtë - Redakto bisedën e shpejtë - Shto në mesazh - Dërgo menjëherë - Përditësim i fabrikës - Mesazh i drejtpërdrejtë - Përditësimi i NodeDB - Dërgimi i konfirmuar - Gabim - Injoro - Të shtohet ‘%s’ në listën e injoruar? - Të hiqet ‘%s’ nga lista e injoruar? - Zgjidh rajonin për shkarkim - Parashikimi i shkarkimit të pllakatës: - Filloni shkarkimin - Mbylle - Konfigurimi i radios - Konfigurimi i modulit - Shto - Redakto - Po llogaritet… - Menaxheri Offline - Madhësia e aktuale e cache - Kapasiteti i Cache: %1$.2f MB\nPërdorimi i Cache: %2$.2f MB - Pastroni pllakat e shkarkuara - Burimi i pllakatave - Cache SQL u pastrua për %s - Pastrimi i Cache SQL ka dështuar, shihni logcat për detaje - Menaxheri i Cache - Shkarkimi përfundoi! - Shkarkimi përfundoi me %d gabime - %d pllaka - drejtimi: %1$d° distanca: %2$s - Redakto pikën e rreshtit - Të fshihet pika e rreshtit? - Pikë e re rreshti - Pikë rreshti e marrë: %s - Cikli i detyrës ka arritur kufirin. Nuk mund të dërgoni mesazhe tani, ju lutem provoni përsëri më vonë. - Hiq - Ky node do të hiqet nga lista juaj derisa pajisja juaj të marrë të dhëna prej tij përsëri. - Hesht njoftimet - 8 orë - 1 javë - Gjithmonë - Zëvendëso - Skano QR kodi WiFi - Formati i gabuar i kodit QR të kredencialeve WiFi - Kthehu pas - Bateria - Përdorimi i kanalit - Përdorimi i ajrit - Temperatura - Lagështia - Loget - Hops larg - Informacion - Përdorimi për kanalin aktual, duke përfshirë TX të formuar mirë, RX dhe RX të dëmtuar (në gjuhën e thjeshtë: zhurmë). - Përqindja e kohës së përdorur për transmetim brenda orës së kaluar. - Çelësi i Përbashkët - Mesazhet direkte po përdorin çelësin e përbashkët për kanalin. - Kriptimi me Çelës Publik - Mesazhet direkte po përdorin infrastrukturën e re të çelësave publikë për kriptim. Kërkon versionin 2.5 të firmuerit ose më të ri. - Përputhje e Gabuar e Çelësit Publik - Çelësi publik nuk përputhet me çelësin e regjistruar. Mund të hiqni nyjën dhe të lejoni që ajo të shkëmbejë përsëri çelësat, por kjo mund të tregojë një problem më serioz të sigurisë. Kontaktoni përdoruesin përmes një kanali tjetër të besuar për të përcaktuar nëse ndryshimi i çelësit ishte si pasojë e një rikthimi në fabrikë ose një veprim tjetër të qëllimshëm. - Njoftimet për nyje të reja - Më shumë detaje - Raporti i Sinjalit në Zhurmë, një masë e përdorur në komunikime për të kuantifikuar nivelin e një sinjali të dëshiruar ndaj nivelit të zhurmës në background. Në Meshtastic dhe sisteme të tjera pa tel, një SNR më i lartë tregon një sinjal më të pastër që mund të rrisë besueshmërinë dhe cilësinë e transmetimit të të dhënave. - Indikatori i Fuqisë së Sinjalit të Marrë, një matje e përdorur për të përcaktuar nivelin e energjisë që po merret nga antena. Një vlerë më e lartë RSSI zakonisht tregon një lidhje më të fortë dhe më të qëndrueshme. - (Cilësia e Ajrit të Brendshëm) shkalla relative e vlerës IAQ siç matet nga Bosch BME680. Intervali i Vlerave 0–500. - Regjistri i Metrikave të Pajisjes - Harta e Nyjës - Regjistri i Pozitës - Regjistri i Metrikave të Mjedisit - Regjistri i Metrikave të Sinjalit - Administratë - Administratë e Largët - I Keq - Mesatar - Mirë - Asnjë - Sinjal - Cilësia e Sinjalit - Regjistri i Traceroute - Direkt - Hops drejt %1$d Hops prapa %2$d - Koha e skaduar - Distanca - - - - - Mesazh - diff --git a/app/src/main/res/values-sr/strings.xml b/app/src/main/res/values-sr/strings.xml deleted file mode 100644 index 7400ab19f..000000000 --- a/app/src/main/res/values-sr/strings.xml +++ /dev/null @@ -1,359 +0,0 @@ - - - - Филтер - очисти филтер чворова - Укључи непознато - Прикажи детаље - А-Ш - Канал - Удаљеност - Скокова далеко - Последњи пут виђено - преко MQTT-а - преко MQTT-а - Некатегорисано - Чека на потврду - У реду за слање - Потврђено - Нема руте - Примљена негативна потврда - Истекло време - Нема интерфејса - Достигнут максимални број поновних слања - Нема канала - Пакет превелик - Нема одговора - Лош захтев - Достигнут регионални лимит циклуса рада - Без овлашћења - Шифровани пренос није успео - Непознат јавни кључ - Лош кључ сесије - Јавни кључ није ауторизован - Повезана апликација или самостални уређај за слање порука. - Уређај који не прослеђује пакете са других уређаја. - Инфраструктурни чвор за проширење покривености мреже прослеђивањем порука. Видљив на листи чворова. - Комбинација и РУТЕРА и КЛИЈЕНТА. Нису намењени за мобилне уређаје. - Инфраструктурни чвор за проширење покривености мреже прослеђивањем порука са минималним трошковима енергије. Није видљив на листи чворова. - Емитује GPS пакете положаја као приоритет. - Преноси телеметријске пакете као приоритетне. - Оптимизовано за комуникацију у ATAK систему, смањује рутинске преносе. - Уређај који преноси само када је потребно ради скривености или уштеде енергије. - Преноси локацију као поруку на подразумевани канал редовно како би помогао у проналаску уређаја. - Омогућава аутоматске TAK PLI преносе и смањује рутинске преносе. - Инфраструктурни чвор који увек поново емитује пакете само једном, али тек након свих других режима, обезбеђујући додатно покривање за локалне кластере. Видљиво на листи чворова. - Поново преноси сваку примећену поруку, ако је била на нашем приватном каналу или из друге мреже са истим LoRA параметрима. - Исто као понашање као ALL, али прескаче декодирање пакета и једноставно их поново преноси. Доступно само у Repeater улози. Постављање овога на било коју другу улогу резултираће ALL понашањем. - Игнорише примећене поруке из страних мрежа које су отворене или оне које не може да декодира. Поново преноси поруку само на локалне примарне/секундарне канале чвора. - Игнорише примећене поруке из страних мрежа као LOCAL ONLY, али иде корак даље тако што такође игнорише поруке са чворова који нису већ на листи познатих чворова. - Дозвољено само за улоге SENSOR, TRACKER и TAK_TRACKER, ово ће онемогућити све поновне преносе, слично као улога CLIENT_MUTE. - Игнорише пакете са нестандардним бројевима порта као што су: TAK, RangeTest, PaxCounter, итд. Поново преноси само пакете са стандардним бројевима порта: NodeInfo, Text, Position, Telemetry и Routing. - Третирај двоструки тап на подржаним акцелерометрима као притисак корисничког дугмета. - Онемогућава троструко притискање корисничког дугмета за укључивање или искључивање GPS-а. - Контролише трепћућу LED лампицу на уређају. За већину уређаја ово ће контролисати једну од до 4 LED лампице, LED лампице за пуњач и GPS нису контролисане. - Да ли би поред слања на MQTT и PhoneAPI, наша NeighborInfo требало да се преноси преко LoRa? Није доступно на каналу са подразумеваним кључем и именом. - Јавни кључ - Назив канала - QR код - иконица апликације - Непознато корисничко име - Пошаљи - Још нисте упарили Мештастик компатибилан радио са овим телефоном. Молимо вас да упарите уређај и поставите своје корисничко име.\n\nОва апликација отвореног кода је у развоју, ако нађете проблеме, молимо вас да их објавите на нашем форуму: https://github.com/orgs/meshtastic/discussions\n\nЗа више информација посетите нашу веб страницу - www.meshtastic.org. - Ти - Прихвати - Откажи - Примљен нови линк канала - Пријави грешку - Пријави грешку - Да ли сте сигурни да желите да пријавите грешку? Након пријаве, молимо вас да објавите на https://github.com/orgs/meshtastic/discussions како бисмо могли да упаримо извештај са оним што сте нашли. - Извештај - Упаривање завршено, покрећем сервис - Упаривање неуспешно, молимо изабери поново - Приступ локацији је искључен, не може се обезбедити позиција мрежи. - Подели - Раскачено - Уређај је у стању спавања - IP адреса: - Блутут повезан - Повезан на радио уређај (%s) - Није повезан - Повезан на радио уређај, али уређај је у стању спавања - Неопходно је ажурирање апликације - Морате ажурирати ову апликацију у продавници апликација (или на Гитхабу). Превише је стара да би могла комуницирати са овим радио фирмвером. Молимо вас да прочитате наша <a href=\'https://meshtastic.org/docs/software/android/installation\'>документа</a> на ову тему. - Ништа (онемогућено) - Обавештења о услугама - О - Ова URL адреса канала је неважећа и не може се користити - Панел за отклањање грешака - Очисти - Статус пријема поруке - Обавештења о упозорењима - Ажурирање фирмвера је неопходно. - Радио фирмвер је превише стар да би комуницирао са овом апликацијом. За више информација о овоме погледајте наш водич за инсталацију фирмвера. - Океј - Мораш одабрати регион! - Није било могуће променити канал, јер радио још није повезан. Молимо покушајте поново. - Извези rangetest.csv - Поново покрени - Скенирај - Додај - Да ли сте сигурни да желите да промените на подразумевани канал? - Врати на подразумевана подешавања - Примени - Тема - Светла - Тамна - Прати систем - Одабери тему - Обезбедите локацију телефона меш мрежи - - Обриши поруку? - Обриши поруке? - Обриши %s порука? - - Обриши - Обриши за све - Обриши за мене - Изабери све - Одабир стила - Регион за преузимање - Назив - Опис - Закључано - Сачувај - Језик - Подразумевано системско подешавање - Поново пошаљи - Искључи - Искључивање није подржано на овом уређају - Поново покрени - Праћење руте - Прикажи упутства - Порука - Опције за брзо ћаскање - Ново брзо ћаскање - Измени брзо ћаскање - Надодај на поруку - Моментално пошаљи - Рестартовање на фабричка подешавања - Директне поруке - Ресетовање базе чворова - Испорука потврђена - Грешка - Игнориши - Додати \'%s\' на листу игнорисаних? - Уклнити \'%s\' на листу игнорисаних? - Изаберите регион за преузимање - Процена преузимања плочица: - Започни преузимање - Затвори - Конфигурација радио уређаја - Конфигурација модула - Додај - Измени - Прорачунавање… - Менаџер офлајн мапа - Тренутна величина кеш меморије - Капацитет кеш меморије: %1$.2f MB\n Употреба кеш меморије: %2$.2f MB - Очистите преузете плочице - Извор плочица - Кеш SQL очишћен за %s - Пражњење SQL кеша није успело, погледајте logcat за детаље - Меначер кеш меморије - Преузимање готово! - Преузимање довршено са %d грешака - %d плочице - смер: %1$d° растојање: %2$s - Измените тачку путање - Обрисати тачку путање? - Нова тачка путање - Примљена тачка путање: %s - Достигнут је лимит циклуса рада. Не могу слати поруке тренутно, молимо вас покушајте касније. - Уклони - Овај чвор ће бити уклоњен са вашег списка док ваш чвор поново не добије податке од њега. - Утишај нотификације - 8 сати - 1 седмица - Увек - Замени - Скенирај ВајФај QR код - Неважећи формат QR кода за ВајФАј податке - Иди назад - Батерија - Искоришћеност канала - Искоришћеност ваздуха - Температура - Влажност - Дневници - Скокова удаљено - Информација - Искоришћење за тренутни канал, укључујући добро формиран TX, RX и неисправан RX (такође познат као шум). - Проценат искоришћења ефирског времена за пренос у последњем сату. - IAQ - Дељени кључ - Директне поруке користе дељени кључ за канал. - Шифровање јавним кључем - Директне поруке користе нову инфраструктуру јавног кључа за шифровање. Потребна је верзија фирмвера 2,5 или новија. - Неусаглашеност јавних кључева - Јавни кључ се не поклапа са забележеним кључем. Можете уклонити чвор и омогућити му поновну размену кључева, али ово може указивати на озбиљнији безбедносни проблем. Контактирајте корисника путем другог поузданог канала да бисте утврдили да ли је промена кључа резултат фабричког ресетовања или друге намерне акције. - Обавештења о новим чворовима - Више детаља - SNR - Однос сигнал/шум SNR је мера која се користи у комуникацијама за квантитативно одређивање нивоа жељеног сигнала у односу на ниво позадинског шума. У Мештастик и другим бежичним системима, већи SNR указује на јаснији сигнал који може побољшати поузданост и квалитет преноса података. - RSSI - Индикатор јачине примљеног сигнала RSSI је мера која се користи за одређивање нивоа снаге која се прима преко антене. Виша вредност RSSI генерално указује на јачу и стабилнију везу. - Индекс квалитета ваздуха (IAQ) као мера за одређивање квалитета ваздуха унутрашњости, мерен са Bosch BME680. Вредности се крећу у распону од 0 до 500. - Дневник метрика уређаја - Мапа чворова - Дневник локација - Дневник метрика околине - Дневник метрика сигнала - Администрација - Удаљена администрација - Лош - Прихватљиво - Добро - Без - Подели на… - Сингал - Квалитет сигнала - Дневник праћења руте - Директно - - 1 скок - %d скокова - %d скокова - - Скокови ка %1$d Скокови назад %2$d - 24ч - 48ч - - - - Максимум - Непозната старост - Копирај - Карактер звона за упозорења! - Критично упозорење! - Омиљени - Додај „%s” у омиљене чворове? - Углони „%s” из листе омиљених чворова? - Логови метрика снаге - Канал 1 - Канал 2 - Канал 3 - Струја - Напон - Да ли сте сигурни? - Документацију улога уређаја и објаву на блогу Одабир праве улоге за уређај.]]> - Знам шта радим. - Нотификације о ниском нивоу батерије - Низак ниво батерије: %s - Нотификације о ниском нивоу батерије (омиљени чворови) - Барометарски притисак - UDP конфигурација - Корисник - Канали - Уређај - Позиција - Снага - Мрежа - Приказ - LoRA - Блутут - Сигурност - Серијска веза - Спољна обавештења - - Тест домета - Телеметрија (сензори) - Амбијентално осветљење - Сензор откривања - Блутут подешавања - Подразумевано - Окружење - Подешавања амбијенталног осветљења - GPIO пин за A порт ротационог енкодера - GPIO пин за Б порт ротационог енкодера - GPIO пин за порт клика ротационог енкодера - Поруке - Подешавања ензора откривања - Пријатељски назив - Подешавања уређаја - Улога - Подешавања приказа - Подешавање спољних обавештења - Мелодија звона - LoRA подешавања - Проток - Игнориши MQTT - MQTT подешавања - Адреса - Корисничко име - Лозинка - Конфигурација мреже - Подешавања позиције - Ширина - Дужина - Подешавања напајња - Конфигурација теста домета - Сигурносна подешавања - Јавни кључ - Приватни кључ - Подешавања серијске везе - Временско ограничење - Број записа - Сервер - Конфигурација телеметрије - Корисничка подешавања - Раздаљина - - Квалитет ваздуха у затвореном простору (IAQ) - Хардвер - Подржан - Број чвора - Време рада - Временска ознака - Смер - Брзина - Сателита - Висина - Примарни - Секундарни - Акције - Фирмвер - Мапа меша - Чворови - Подешавања - Одговори - Истиче - Време - Датум - Прекините везу - Непознато - Напредно - - - - - Отпусти - Порука - Сателит - Хибридни - diff --git a/app/src/main/res/values-sv/strings.xml b/app/src/main/res/values-sv/strings.xml deleted file mode 100644 index 52a376249..000000000 --- a/app/src/main/res/values-sv/strings.xml +++ /dev/null @@ -1,304 +0,0 @@ - - - - Filter - rensa filtrering av noder - Inkludera okända - Visa detaljer - A-Ö - Kanal - Avstånd - Antal hopp - Senast hörd - via MQTT - via MQTT - Ignorerade noder - Okänd - Inväntar kvittens - Kvittens köad - Kvitterad - Ingen rutt - Misslyckad kvittens - Timeout - Inget gränssnitt - Maximalt antal sändningar nådd - Ingen kanal - Paket för stort - Inget svar - Misslyckad - Gränsen för intermittensfaktor uppnådd - Ej behörig - Krypterad sändning misslyckades - Okänd publik nyckel - Felaktig sessionsnyckel - Obehörig publik nyckel - App uppkopplad eller fristående nod. - Nod som inte vidarebefordrar meddelanden. - Nod som utökar nätverket igenom att vidarebefordra meddelanden. Syns i nod listan. - Kombinerad ROUTER och CLIENT. Ej för mobila noder. - Nod som utökar nätverket igenom att vidarebefordra meddelanden utan egen information. Syns ej i nod listan. - Nod som prioriterar GPS meddelanden. - Nod som prioriterar telemetri meddelanden. - Roll optimerad för användning tillsammans med ATAK. - Nod som endast kommunicerar vid behov för att gömma sig och samtidigt hålla nere strömförbrukningen. - Skickar regelbundet ut GPS position på standardkanalen för att assistera vid uppsökande. - Skickar automatiskt ut GPS position för användning med ATAK. - Nod som utökar nätverket igenom att vidarebefordra meddelanden men endast efter alla noder. Syns i nod listan. - Vidarebefordra alla mottagna meddelanden med samma lora inställningar. - Vidarebefordra alla mottagna meddelanden med samma lora inställningar utan avkodning. Endast valbar som REPEATER. Om vald med annan roll används ALL. - Ignorerar mottagna meddelanden från okända kanaler som är öppna eller krypterade. Vidarebefordrar endast meddelanden för nodens primära och sekundära kanaler. - Ignorerar mottagna meddelanden från okända meshnätverk som är öppna eller krypterade samt från noder som inte finns i nod listan. Vidarebefordrar endast meddelanden för kända kanaler. - Endast för SENSOR, TRACKER och TAK_TRACKER. Stoppar all annan vidarebefordran av meddelanden. - Ignorerar meddelanden från icke-standard portnummer. Exempelvis: TAK, RangeTest, PaxCounters, etc. Vidarebefordrar endast standard portnummer. Exempelvis: NodeInfo, Text, Position, Telemetri och Routing. - Dubbelklick på supporterad accelerometer räknas som användarknapp. - Stäng av funktion för att slå av- och på GPS med hjälp av att klicka på användarknapp tre gånger. - Kontrollerar den blinkande LED lampan på enheten. På dom flesta enheter kontrollerar det här en av de fyra LED lampor monterade. Laddning och GPS lamporna går inte att kontrollera. - Ange om NeighborInfo ska skickas ut över LoRa utöver igenom MQTT och PhoneAPI. Ej applicerbart på kanalen med standard namn och nyckel. - Publik nyckel - Kanalnamn - QR-kod - applikationsikon - Okänt användarnamn - Skicka - Du har ännu inte parat en Meshtastic-kompatibel radio med den här telefonen. Koppla ihop en enhet och ange ditt användarnamn.\n\nDetta öppna källkodsprogram (open source) är under utveckling, om du hittar problem, vänligen publicera det på vårt forum: https://github.com/orgs/meshtastic/discussions\n\nFör mer information se vår webbsida - www.meshtastic.org. - Du - Acceptera - Avbryt - Ny kanal-länk mottagen - Rapportera bugg - Rapportera bugg - Är du säker på att du vill rapportera en bugg? Efter rapportering, vänligen posta i https://github.com/orgs/meshtastic/discussions så att vi kan matcha rapporten med buggen du hittat. - Rapportera - Parkoppling slutförd, startar tjänst - Parkoppling misslyckades, försök igen - Platsåtkomst är avstängd, kan inte leverera position till meshnätverket. - Dela - Frånkopplad - Enheten i sovläge - IP-adress: - Ansluten - Ansluten till radioenhet (%s) - Ej ansluten - Ansluten till radioenhet, men den är i sovläge - Applikationen måste uppgraderas - Du måste uppdatera detta program i app-butiken (eller Github). Det är för gammalt för att prata med denna radioenhet. Läs vår dokumentation i detta ämne. - Ingen (inaktivera) - Tjänsteaviseringar - Om - Denna kanal-URL är ogiltig och kan inte användas - Felsökningspanel - Rensa - Meddelandets leveransstatus - Uppdatering av firmware krävs. - Radiomodulens firmware är för gammal för att prata med denna applikation. För mer information om detta se vår installationsguide för Firmware. - Okej - Du måste ställa in en region! - Det gick inte att byta kanal, eftersom radiomodulen ännu inte är ansluten. Försök igen. - Exportera rangetest.csv - Nollställ - Sök - Lägg till - Är du säker på att du vill ändra till standardkanalen? - Återställ till standardinställningar - Verkställ - Tema - Ljust - Mörkt - Systemets standard - Välj tema - Dela telefonens position till meshnätverket - - Ta bort meddelande? - Ta bort %s meddelanden? - - Radera - Radera för alla - Radera för mig - Välj alla - Stilval - Ladda ner region - Namn - Beskrivning - Låst - Spara - Språk - Systemets standard - Skicka igen - Stäng av - Enhet stöder inte avstängning - Starta om - Traceroute (spåra rutt) - Visa introduktion - Meddelande - Inställningar för snabbchatt - Ny snabbchatt - Redigera snabbchatt - Lägg till i meddelandet - Skicka direkt - Återställ till standardinställningar - Direktmeddelande - Nollställ NodeDB - Sändning bekräftad - Fel - Ignorera - Lägg till \'%s\' på ignorera-listan? Din radioenhet kommer att starta om efter denna ändring. - Ta bort \'%s\' från ignorera-listan? Din radioenhet kommer att starta om efter denna ändring. - Välj nedladdningsområde - Kartdelar estimat: - Starta Hämtning - Stäng - Konfiguration av radioenhet - Modul konfiguration - Lägg till - Ändra - Beräknar… - Offline-hanterare - Aktuell cachestorlek - Cache-kapacitet: %1$.2f MB\nCache-användning: %2$.2f MB - Rensa hämtade kartdelar - Källa för kartdelar - SQL-cache rensad för %s - SQL-cache rensning misslyckades, se logcat för detaljer - Cache-hanterare - Nedladdningen slutförd! - Nedladdning slutförd med %d fel - %d kartdelar - bäring: %1$d° distans: %2$s - Redigera vägpunkt - Radera vägpunkt? - Ny vägpunkt - Mottagen vägpunkt: %s - Gränsen för sändningscykeln har uppnåtts. Kan inte skicka meddelanden just nu, försök igen senare. - Ta bort - Denna nod kommer att tas bort från din lista till dess att din nod tar emot data från den igen. - Tysta notifieringar - 8 timmar - 1 vecka - Alltid - Ersätt - Skanna WiFi QR-kod - Felaktigt QR-kodformat eller inloggningsinformation - Tillbaka - Batteri - Kanalutnyttjande - Luftrumsutnyttjande - Temperatur - Luftfuktighet - Loggar - Hopp bort - Information - Utnyttjande av den nuvarande kanalen, inklusive välformad TX, RX och felformaterad RX (sk. brus). - Procent av luftrumstid använd för sändningar inom den senaste timmen. - IAQ - Delad nyckel - Direktmeddelanden använder kanalens delade nyckel. - Kryptering med Publik nyckel - Direktmeddelanden använder den nya publika nyckel infrastrukturen för kryptering. Kräver firmware 2.5 eller högre. - Publik nyckel matchar inte - Den publika nyckel matchar inte den insamlade. Du kan ta bort noden ur nod listan för att förhandla nycklar på nytt, men det här kan påvisa ett säkerhetsproblem. Kontakta nodens ägare igenom en annan betrodd kanal för att avgöra om nyckeländringen berodde på en fabriksåterställning eller annan avsiktlig åtgärd. - Ny nod avisering - Mer detaljer - SNR - Signal-to-Noise Ratio, är ett mått som används inom kommunikation för att kvantifiera nivån av en önskad signal mot nivån av bakgrundsbrus. I Meshtastic och andra trådlösa system indikerar en högre SNR en tydligare signal som kan förbättra tillförlitligheten och kvaliteten på dataöverföringen. - RSSI - Received Signal Strength Indicator, ett mått som används för att avgöra effektnivån som togs emot av antennen. Ett högre RSSI-värde indikerar generellt en starkare och stabilare anslutning. - (Indoor Air Quality) relativ skala IAQ värdet mätt med Bosch BME600. Värdeintervall 0-500. - Enhetsstatistik Loggbok - Nod karta - Position Loggbok - Miljömätning Loggbok - Signalkvalité Loggbok - Administration - Fjärradministration - Dålig - Ok - Bra - Ingen - Dela med… - Signal - Signalkvalité - Traceroute (spåra rutt) Loggbok - Direkt - - 1 hopp - %d hopp - - Hopp mot %1$d Hopp tillbaka %2$d - 24T - 48T - 1V - 2V - 4V - Max - Kopiera - Varningsklocka! - Favorit - Spänning - Är du säker? - UDP-konfiguration - Kanaler - Plats - Ström - Nätverk - Display - LoRa - Bluetooth - Säkerhet - MQTT - Seriell kommunikation - Parkopplingsläge - Dölj lösenord - Visa lösenord - Detaljer - Meddelanden - Roll - POSIX-tidszon - Modem-förinställningar - Bandbredd - Ersätt gräns för driftsperiod - Ignorera MQTT - OK till MQTT - SSID - PSK - Ip-adress - Gateway - Subnät - Publik nyckel - Privat nyckel - Timeout - Avstånd - Hårdvara - Nodnummer - Drifttid - Primär - Skanna QR-kod - Importera - Anslutning - Noder - Svara - Meshtastic - Okänd - Advancerat - - - - - Stäng - Meddelande - Ladda ner - diff --git a/app/src/main/res/values-tr/strings.xml b/app/src/main/res/values-tr/strings.xml deleted file mode 100644 index fe9e11d92..000000000 --- a/app/src/main/res/values-tr/strings.xml +++ /dev/null @@ -1,602 +0,0 @@ - - - - Filtre - düğüm filtresini kaldır - Bilinmeyenleri dahil et - Detayları göster - Düğüm sıralama seçenekleri - A-Z - Kanal - Mesafe - Atlama üzerinden - Son duyulma - MQTT yoluyla - MQTT yoluyla - Favorilerden - Tanınmayan - Ulaştı bildirisi bekleniyor - Gönderilmek üzere sırada - Onaylandı - Rota yok - Negatif bir onay alındı - Zaman Aşımı - Arayüz Yok - Azami Yeniden Gönderme Limitine Ulaşıldı - Kanal yok - Paket çok büyük - Yanıt yok - Geçersiz İstek - Bölgesel Görev Çevrimi Limitine Ulaşıldı - Yetkisiz - Şifreli Gönderme Başarısız - Bilinmeyen Genel Anahtar - Hatalı oturum anahtarı - Genel Anahtar yetkisiz - Uygulamaya bağlı veya bağımsız mesajlaşma cihazı. - Diğer cihazlardan gelen paketleri tekrarlamayan cihaz. - Mesajları tekrarlayarak ağ kapsamını genişletmek için altyapı düğümü. Düğümler listesinde görünür. - Hem ROUTER hem de CLIENT\'ın bir kombinasyonu. Mobil cihazlar için değildir. - Mesajları minimum ek yük ile tekrarlayarak ağ kapsamını genişletmek için altyapı düğümü. Düğümler listesinde görünmez. - Öncelikli olarak konum paketlerini yayınlar. - Öncelikli olarak telemetri paketlerini yayınlar. - Rutin yayınları azaltarak ATAK sistemi için optimize edilmiştir. - Gizlilik veya güç tasarrufu için sadece gerektiğinde yayın yapan cihaz. - Cihazın kurtarılmasına yardımcı olmak için konumunu düzenli olarak varsayılan kanala mesaj olarak gönderir. - Rutin yayınları azaltarak otomatik TAK PLI yayınlarını etkinleştirir. - Tüm diğer modlardan sonra paketleri her zaman bir kez yeniden yayınlayan ve yerel kümeler için ek kapsama alanı sağlayan altyapı düğümü. Düğümler listesinde görünür. - Tespit edilen herhangi bir mesajı, özel kanalımızdaysa veya aynı LoRa parametrelerine sahip başka bir ağdan geliyorsa yeniden yayınlayın. - ALL ile aynı davranış, ancak paketleri çözmeksizin yeniden yayınlar. Yalnızca Repeater rolünde kullanılabilir. Bunu başka herhangi bir rolde ayarlamak ALL davranışıyla sonuçlanacaktır. - Açık olan veya şifresini çözemediği yabancı ağlardan geldiği tespit edilen mesajları yok sayar. Yalnızca düğümlerin yerel birincil / ikincil kanallarında mesajı yeniden yayınlar. - LOCAL ONLY gibi yabancı ağlardan geldiği tespit edilen mesajları yok sayar, ancak düğümün bilinen listesinde bulunmayan düğümlerden gelen mesajları da yok sayarak bir adım daha ileri gider. - Yalnızca SENSOR, TRACKER ve TAK_TRACKER rolleri için izin verilir, CLIENT_MUTE rolünden farklı olarak tüm yeniden yayınları engeller. - TAK, RangeTest, PaxCounter gibi standart olmayan portnum\'ları yok sayarken sadece standart portnum\'lar olan NodeInfo, Text, Position, Telemetry ve Routing\'i yeniden yayınlar. - Desteklenen ivmeölçerlere çift dokunmayı kullanıcı düğmesine basma olarak değerlendirir. - GPS\'i etkinleştirmek veya devre dışı bırakmak için kullanıcı düğmesine üç kez basılmasını devre dışı bırakır. - Cihaz üzerindeki yanıp sönen LED\'i kontrol eder. Çoğu cihaz için bu, en fazla 4 LED\'den birini kontrol edecektir, şarj ve GPS LED\'leri kontrol edilemez. - MQTT ve PhoneAPI\'ye göndermenin yanı sıra, NeighborInfo\'muzun LoRa üzerinden iletilip iletilmeyeceğidir. Varsayılan anahtar ve ada sahip bir kanalda kullanılamaz. - Genel Anahtar - Kanal Adı - Karekod - uygulama ikonu - Bilinmeyen kullanıcı adı - Gönder - Telefonu, Meshtastic uyumlu bir cihaz ile eşleştirmediniz. Bir cihazla eşleştirin ve kullanıcı adınızı belirleyin.\n\nAçık kaynaklı bu uygulama şu an alfa-test aşamasında, problem fark ederseniz forumda lütfen paylaşın: https://github.com/orgs/meshtastic/discussions\n\nDaha fazla bilgi için, sitemiz: www.meshtastic.org. - Siz - Kabul et - İptal - Değişiklikleri Temizle - Yeni Kanal Adresi(URL) alındı - Hata Bildir - Hata Bildir - Hata bildirmek istediğinizden emin misiniz? Hata bildirdikten sonra, lütfen https://github.com/orgs/meshtastic/discussions sayfasında paylaşınız ki raporu bulgularınızla eşleştirebilelim. - Bildir - Eşleşme tamamlandı, servis başlatılıyor - Eşleşme başarısız, lütfen tekrar seçiniz - Konum erişimi kapalı, konum ağ ile paylaşılamıyor. - Paylaş - Bağlantı kesildi - Cihaz uyku durumunda - Bağlı: %1$s çevrimiçi - IP Adresi: - Bağlantı noktası: - Bağlandı - (%s) telsizine bağlandı - Bağlı değil - Cihaza bağlandı, ancak uyku durumunda - Uygulama güncellemesi gerekli - Uygulamayı Google Play store (ya da GitHub)\'dan güncelleyin. Bu cihaz ile haberleşmek için uygulama çok eski. İlgili Dokümantasyon. - Hiçbiri (kapat) - Servis bildirimleri - Hakkında - Bu Kanal URL\' si geçersiz ve kullanılamaz - Hata Ayıklama Paneli - Filtreler - Aktif Filtreler - Loglarda ara… - Sonraki eşleşme - Önceki eşleşme - Aramayı sil - Filtre ekle - Temizle - Mesaj teslim durumu - Uyarı bildirimleri - Yazılım güncellemesi gerekli. - Radyo yazılımı bu uygulamayla iletişim kurmak için çok eski. Bu konuda daha fazla bilgi için: Yazılım yükleme kılavuzumuza bakın. - Tamam - Bölge seçmelisin! - Radyo bağlı olmadığından, kanal değiştirilemedi. Lütfen tekrar deneyin. - Dışa aktar: rangetest.csv - Sıfırla - Tara - Ekle - Varsayılan kanala geçmek istediğinizden emin misiniz? - Varsayılana dön - Uygula - Tema - Açık - Koyu - Sistem varsayılanı - Tema seçin - Ağda telefon konumunu kullan - - Mesajı sil? - %s adet mesajı sil? - - Sil - Herkesten sil - Benden sil - Tümünü seç - Stil Seçimi - Bölgeyi İndir - İsmi - Açıklaması - Kilitli - Kaydet - Dil - Sistem varsayılanı - Tekrar gönder - Kapat - Bu cihazda kapatma desteklenmiyor - Yeniden başlat - Yol izle - Tanıtımı Göster - Mesaj - Hızlı mesaj seçenekleri - Yeni hızlı mesaj - Hızlı mesajı düzenle - Mesaj sonuna ekle - Hemen gönder - Fabrika ayarları - Direkt Mesaj - NodeDB sıfırla - Teslim Edildi - Hata - Yok say - Yoksay listesine \'%s\' eklensin mi? Değişiklikten sonra cihazınız yeniden başlar. - Yoksay listesinden \'%s\' çıkarılsın mı? Değişiklikten sonra cihazınız yeniden başlar. - İndirilecek bölgeyi seçin - Tahmini indirme boyutu: - İndirmeye başla - Konum takas et - Kapat - Cihaz ayarları - Modül ayarları - Ekle - Düzenle - Hesaplanıyor… - Çevrim dışı işlemleri - Önbellek doluluğu - Önbellek Kapasitesi: %1$.2f MB\nÖnbellek Kullanımı: %2$.2f MB - Harita Parçalarını Sil - Harita Kaynağı - %s için SQL önbelleği temizlendi - SQL Önbellek temizleme başarısız, ayrıntılar için logcat\' e bakın - Önbellek Yöneticisi - İndirme tamamlandı! - İndirme %d hata ile tamamlandı - %d harita parçası - yön: %1$d° mesafe: %2$s - Yer işareti düzenle - Yer işaretini sil? - Yeni yer işareti - Alınan yer işareti: %s - Zaman limitine (duty cycle) ulaşıldı. Şu anda mesaj gönderilemiyor, lütfen daha sonra tekrar deneyin. - Kaldır - Bu node, kendisinden yeniden paket alınana kadar listenizden kaldırılacaktır. - Bildirimleri sessize al - 8 saat - 1 hafta - Her zaman - Değiştir - Wi-Fi QR Kodu Tara - Geçersiz Wi-Fi Kimlik Bilgisi QR kodu formatı - Geri Dön - Pil - Kanal Kullanımı - Yayın Süresi Kullanımı - Sıcaklık - Nem - Kayıtlar - Atlama Üzerinden - Bilgi - İyi biçimlendirilmiş TX ve RX ile hatalı biçimlendirilmiş RX (gürültü) dahil olmak üzere mevcut kanal için kullanım. - Son bir saat içinde kullanılan iletim için yayın süresi yüzdesi. - IAQ - Paylaşılan Anahtar - Doğrudan mesajlar, kanal için paylaşılan anahtarı kullanır. - Genel Anahtar Şifrelemesi - Doğrudan mesajlar şifreleme için yeni genel anahtar alt yapısını kullanmaktadır. Bu bağlamda 2.5 ve üstü firmware yüklemeniz gerekmektedir. - Genel Anahtar Uyuşmazlığı - Genel anahtar, kayıtlı anahtarla eşleşmiyor. Düğümü kaldırabilir ve tekrar anahtar değişimi yapmasına izin verebilirsiniz, ancak bu daha ciddi bir güvenlik sorununa işaret edebilir. Anahtar değişikliğinin fabrika ayarlarına sıfırlamadan veya başka bir kasıtlı eylemden kaynaklanıp kaynaklanmadığını belirlemek için başka bir güvenilir kanal aracılığıyla kullanıcıyla iletişime geçiniz. - Kullanıcı bilgisi takas et - Yeni düğüm bildirimleri - Daha fazla detay - SNR - Sinyal-Gürültü Oranı, iletişimde istenen bir sinyalin seviyesini arka plan gürültüsü seviyesine mukayese ölçmek için kullanılan bir ölçüdür. Meshtastic ve diğer kablosuz sistemlerde, daha yüksek bir SNR, veri iletiminin güvenilirliğini ve kalitesini artırabilecek daha net bir sinyale işaret eder. - RSSI - Alınan Sinyal Gücü Göstergesi, anten tarafından alınan güç seviyesini belirlemek için kullanılan bir ölçüdür. Daha yüksek bir RSSI değeri genellikle daha güçlü ve daha istikrarlı bir bağlantıya işaret eder. - (İç Hava Kalitesi) Bosch BME680 tarafından ölçülen bağıl ölçekli IAQ değeri. Değer Aralığı 0–500. - Cihaz Ölçüm Kayıtları - Düğüm Haritası - Konum Kayıtları - Çevre Ölçüm Kayıtları - Sinyal Seviyesi Kayıtları - Yönetim - Uzaktan Yönetim - Kötü - İdare Eder - İyi - Yok - Paylaş: … - Sinyal - Sinyal Kalitesi - Yol İzleme Kayıtları - Doğrudan - - 1 atlama - %d atlama - - İleri atlama %1$d Geri atlama %2$d - 24S - 48S - 1H - 2H - 4H - Maks - Bilinmeyen Yaş - Kopyala - Zili Çaldır! - Kritik Uyarı! - Favori - \'%s\' düğümünü favorilere eklemek istiyor musunuz? - \'%s\' düğümünü favorilerden silmek istiyor musunuz? - Güç Ölçüm Kayıtları - Kanal 1 - Kanal 2 - Kanal 3 - Akım - Voltaj - Emin misiniz? - Cihaz Rolü Dokümantasyonu ve Doğru Cihaz Rolünü Seçme hakkındaki blog yazılarını okudum.]]> - Ne yaptığımı biliyorum. - Düşük pil bildirimleri - Düşük pil: %s - Düşük pil bildirimleri (favori düğümler) - Barometrik Basınç - UDP üzerinden Mesh etkinleştirildi - UDP Ayarları - Konumunumu aç/kapa - Kullanıcı - Kanallar - Cihaz - Konum - Güç - - Ekran - LoRa - Bluetooth - Güvenlik - MQTT - Seri - Dış Bildirim - - Mesafe Testi - Telemetri - Önceden Hazırlanmış Mesaj - Ses - Uzaktan Donanım - Komşu Bilgisi - Ortam Işıklandırması - Algılama Sensörü - Pax sayacı - Ses Ayarı - CODEC 2 etkinleştirildi - PTT pini - CODEC2 örnekleme hızı - I2S kelime seçimi - I2S veri girişi - I2S veri çıkışı - I2S saati - Bluetooth Ayarı - Bluetooth Etkin - Eşleştirme Modu - Sabit PIN - Yukarı bağlantı etkinleştirildi - Aşağı bağlantı etkinleştirildi - Varsayılan - Pozisyon etkinleştirildi - GPIO pini - Tip - Şifreyi gizle - Şifreyi göster - Detaylar - Çevre - Ortam Işıklandırma Ayarı - LED durumu - Kırmızı - Yeşil - Mavi - Önceden Hazırlanmış Mesaj Yapılandırması - Önceden Hazırlanmış mesaj etkinleştirildi - Dönen kodlayıcı #1 etkinleştirildi - Dönen kodlayıcı A portu için GPIO pini - Dönen kodlayıcı B portu için GPIO pini - Dönen kodlayıcı Basma portu için GPIO pini - Basıldığında giriş olayı oluştur - CW ile giriş olayı oluştur - CCW ile giriş olayı oluştur - Yukarı/Aşağı/Seçme girişi etkinleştirildi - Giriş kaynağına izin ver - Zil gönder - Mesajlar - Algılama Sensörü Ayarları - Algılama Sensörü etkinleştirildi - Minimum yayın (saniye) - Durum yayını (saniye) - Uyarı mesajı ile zil gönder - Arkadaşça isim - İzlenecek GPIO pini - Algılama tetikleme türü - INPUT_PULLUP modu kullan - Cihaz Ayarı - Rol - PIN_BUTTON yeniden tanımla - PIN_BUZZER yeniden tanımla - Yeniden yayın modu - NodeInfo yayın aralığı (saniye) - Çift tıklamayı düğmeye basma olarak kabul et - Üçlü tıklamayı devre dışı bırak - POSIX Zaman Dilimi - LED kalp atışını devre dışı bırak - Akran Ayarı - Ekran zaman aşımı (saniye) - GPS koordinat formatı - Otomatik ekran kayması (saniye) - Pusula kuzey üstte - Ekranı Çevir - Görüntü Birimleri - OLED otomatik algılamayı geçersiz kıl - Görüntü Modu - Başlık kalın - Ekrana dokunuş veya hareketle uyan - Pusula yönü - Harici Bildirim Ayarı - Harici bildirim etkin - Mesaj alındığında bildirimler - Uyarı mesajı LED - Uyarı mesajı zırnı - Uyarı mesajı titreşimi - Uyarı/çan alındığında bildirimler - Uyarı çanı LED - Uyarı çanı zırnı - Uyarı çanı titreşim - Çıktı LED (GPIO) - Çıktı LED aktif yüksek - Çıktı zırnı (GPIO) - PWM zırnı kullan - Çıktı titreşim (GPIO) - Çıktı süresi (milisaniye) - Nag zaman aşımı (saniye) - Zil tipi - I2S\'yi zırnı olarak kullan - LoRa Ayarı - Modem ön ayarını kullan - Modem Ön Ayarı - Bant genişliği - Yayılma faktörü - Kodlama oranı - Frekans kayması (MHz) - Bölge (frekans planı) - Sıçrama limiti - TX etkin - TX gücü (dBm) - Frekans slotu - Görev Döngüsünü Geçersiz Kıl - Gelenleri Yoksay - SX126X RX arttırılmış kazanç - Frekansı Geçersiz Kıl (MHz) - PA fanı devre dışı - MQTT\'yi Yoksay - MQTT\'ye Tamam - MQTT Yapılandırması - MQTT etkin - Adres - Kullanıcı adı - Şifre - Şifreleme etkin - JSON çıktısı etkin - TLS etkin - Ana konu - Vekilden istemciye etkin - Harita raporlama - Harita raporlama aralığı (saniye) - Komşu Bilgisi Ayarı - Komşu Bilgisi etkin - Güncelleme aralığı (saniye) - LoRa üzerinden ilet - Ağ Ayarı - WiFi etkin - SSID - PSK - Ethernet etkin - NTP sunucusu - rsyslog sunucusu - IPv4 modu - IP - Ağ geçidi - Alt ağ - Pax sayacı Ayarı - Pax sayacı etkin - WiFi RSSI eşiği (varsayılan -80) - BLE RSSI eşiği (varsayılan -80) - Konum Ayarı - Konum yayılma aralığı (saniye) - Akıllı konum etkin - Akıllı yayılma minimum mesafe (metre) - Akıllı yayılma minimum aralık (saniye) - Sabit konum kullan - Enlem - Boylam - Yükseklik (metre) - GPS modu - GPS güncelleme aralığı (saniye) - GPS_RX_PIN’i yeniden tanımla - GPS_TX_PIN’i yeniden tanımla - PIN_GPS_EN’i yeniden tanımla - Konum bayrakları - Güç Ayarı - Güç tasarrufu modunu etkinleştir - Pilin kapanma gecikmesi (saniye) - ADC çarpanını geçersiz kılma oranı - Bluetooth bekleme süresi (saniye) - Süper derin uyku süresi (saniye) - Hafif uyku süresi (saniye) - Minimum uyanma süresi (saniye) - Pilin INA_2XX I2C adresi - Menzi Test Ayarı - Menzi testi etkin - Gönderen mesaj aralığı (saniye) - .CSV\'yi depolamada kaydet (sadece ESP32) - Uzak Donanım Ayarı - Uzak Donanım etkin - Tanımlanmamış pin erişimine izin ver - Mevcut pinler - Güvenlik Ayarı - Genel Anahtar - Özel Anahtar - Yönetici Anahtarı - Yönetilen Mod - Seri konsol - Hata ayıklama kaydı API\'si etkin - Eski Yönetici kanalı - Seri Ayarı - Seri etkin - Eko etkin - Seri baud hızı - Zaman Aşımı - Seri modu - Konsol seri portunu geçersiz kıl - - Kalp atışı - Kayıt sayısı - Geçmiş geri dönüş maksimum - Geçmiş geri dönüş penceresi - Sunucu - Telemetri Ayarı - Cihaz metrikleri güncelleme aralığı (saniye) - Çevre metrikleri güncelleme aralığı (saniye) - Çevre metrikleri modülü etkin - Çevre metrikleri ekran üzerinde etkin - Çevre metrikleri Fahrenheit kullan - Hava kalitesi metrikleri modülü etkin - Hava kalitesi metrikleri güncelleme aralığı (saniye) - Hava kalitesi ikonu - Güç metrikleri modülü etkin - Güç metrikleri güncelleme aralığı (saniye) - Güç metrikleri ekran üzerinde etkin - Kullanıcı Ayarı - Düğüm ID - Uzun ad - Kısa ad - Donanım modeli - Lisanslı amatör radyo - Bu seçeneği aktif etmek şifrelemeyi devre dışı bırakır ve bu varsayılan Meshtastic ağı ile uyumsuzdur. - Çiğ Noktası - Basınç - Gaz Direnci - Mesafe - Lüks - Rüzgar - Ağırlık - Radyasyon - - İç Hava Kalitesi (IAQ) - URL - - Ayarları içe aktar - Ayarları dışa aktar - Donanım - Desteklenen - Düğüm Numarası - Kullanıcı Kimliği - Çalışma Süresi - Zaman Damgası - İstikamet - Uydular - Yükseklik - Frekans - Yuva - Birincil - Periyodik konum ve telemetri yayını - İkincil - Periyodik telemetri yayını yok - Manuel konum isteği gerekli - Yeniden sıralamak için basılı tutup sürükleyin - Sesi aç - Dinamik - QR Kodu Tara - Kişiyi paylaş - Paylaşılan kişiyi içe aktar? - Mesaj gönderilemez - İzlenmeyen veya Altyapı - Uyarı: Bu kişi biliniyor, içe aktarma işlemi önceki kişi bilgilerini üzerine yazacaktır. - Açık Anahtar Değiştirildi - İçeri aktar - İstek Meta Verisi - işlemler - Aygıt Yazılımı - 12h saat formatını kullan - Aktif edildiğinde, cihaz ekranda saati 12 saat formatında gösterecek - Sunucu Ölçüm Kayıtları - Sunucu - Boş Hafıza - Boş Disk - Yükle - Kullanıcı Karakter Dizisi - Ayarlar - Katılıyorum. - Zaman - Tarih - Harita Filtresi\n - Sadece Favoriler - Taranıyor - Güvenlik Durumu - Güvenlik - Gelişmiş - - - - - Vazgeç - Bu node silinsin mi? - Mesaj - Mesaj yaz - İndir - Uzaklık Ölçüsü - Mesafe Filtresi - Mesh Harita Konumu - Telefonunuz için mesh haritasında mavi konum noktasını etkinleştirir. - Konum İzinlerini Yapılandırın - Atla - ayarlar - Kritik Uyarılar - Kritik Uyarı Yapılandır - Meshtastic, yeni mesajlar ve diğer önemli etkinlikler hakkında sizi bilgilendirmek için bildirimleri kullanır. Bildirim izinlerinizi istediğiniz zaman ayarlardan güncelleyebilirsiniz. - Sonraki - diff --git a/app/src/main/res/values-uk/strings.xml b/app/src/main/res/values-uk/strings.xml deleted file mode 100644 index 05659e393..000000000 --- a/app/src/main/res/values-uk/strings.xml +++ /dev/null @@ -1,291 +0,0 @@ - - - - Meshtastic %s - Фільтри - очистити фільтр вузлів - Включаючи невідомий - Сховати вузли не в мережі - Показати деталі - A-Z - Канал - Відстань - через MQTT - через MQTT - через Обране - Канал відсутній - Пакет завеликий - Немає відповіді - Ім\'я каналу - QR код - значок додатку - Невідомий користувач - Надіслати - Ви ще не підєднали пристрій, сумісний з Meshtastic. Будьласка приєднайте пристрій і введіть ім’я користувача.\n\nЦя програма з відкритим вихідним кодом знаходиться в розробці, якщо ви виявите проблеми, опублікуйте їх на нашому форумі: https://github.com/orgs/meshtastic/discussions\n\nДля отримання додаткової інформації відвідайте нашу веб-сторінку - www.meshtastic.org. - Ви - Прийняти - Скасувати - Отримано URL-адресу нового каналу - Повідомити про помилку - Повідомити про помилку - Ви впевнені, що бажаєте повідомити про помилку? Після звіту опублікуйте його в https://github.com/orgs/meshtastic/discussions, щоб ми могли зіставити звіт із тим, що ви знайшли. - Звіт - Пара створена, запуск сервісу - Не вдалося створити пару, виберіть ще раз - Доступ до місцезнаходження вимкнено, неможливо транслювати позицію. - Поділіться - Відключено - Пристрій в режимі сну - IP Адреса: - Порт: - Підключено до радіомодуля (%s) - Не підключено - Підключено до радіомодуля, але він в режимі сну - Потрібне оновлення програми - Ви повинні оновити цю програму в App Store (або Github). Він занадто старий, щоб спілкуватися з цією прошивкою радіо. Будь ласка, прочитайте нашу документацію у вказаній темі. - Відсутнє (вимкнуте) - Сервісні сповіщення - Про - URL-адреса цього каналу недійсна та не може бути використана - Панель налагодження - Експортувати журнали - Фільтри - Очистити журнал - Очистити - Статус доставки повідомлень - Сповіщення про тривоги - Потрібне оновлення прошивки. - Прошивка радіо застаріла для зв’язку з цією програмою. Для отримання додаткової інформації дивіться наш посібник із встановлення мікропрограми. - Гаразд - Ви повинні встановити регіон! - Неможливо змінити канал, тому що радіо поки що не підключені. Будь ласка, спробуйте ще раз. - Експортувати rangetest.csv - Скинути - Сканувати - Додати - Ви впевнені, що хочете змінити канал за умовчанням? - Відновити налаштування за замовчуванням - Застосувати - Тема - Світла - Темна - Системна - Оберіть тему - Укажіть розташування для мережі - - Видалити повідомлення? - Видалити %s повідомлення? - Видалити %s повідомлення? - Видалити %s повідомлення? - - Видалити - Видалити для всіх - Видалити для мене - Вибрати все - Вибір стилю - Завантажити регіон - Ім\'я - Опис - Блоковано - Зберегти - Мова - Системні налаштунки за умовчанням - Перенадіслати - Вимкнути - Перезавантаження - Маршрут - Показати підказки - Повідомлення - Налаштування швидкого чату - Новий швидкий чат - Редагувати швидкий чат - Додати до повідомлення - Миттєво відправити - Скидання до заводських налаштувань - Пряме повідомлення - Очищення бази вузлів - Доставку підтверджено - Помилка - Ігнорувати - Додати \'%s\' до чорного списку? Після цієї зміни ваш пристрій перезавантажиться. - Видалити \'%s\' з чорного списку? Після цієї зміни ваш пристрій перезавантажиться. - Оберіть регіон завантаження - Час завантаження фрагментів: - Почати завантаження - Закрити - Налаштування пристрою - Налаштування модуля - Додати - Редагувати - Обчислюю… - Управління в автономному режимі - Поточний розмір кешу - Місткість кешу: %1$.2f МБ\nВикористання кешу: %2$.2f МБ - Очистити завантажені плитки - Джерело плиток - SQL кеш очищено для %s - Помилка очищення кешу SQL, перегляньте logcat для деталей - Керування кешем - Звантаження завершено! - Завантаження завершено з %d помилками - %d плиток - прийом: %1$d° відстань: %2$s - Редагувати точку - Видалити мітку? - Новий мітка - Отримано точку маршруту: %s - Досягнуто обмеження заповнення каналу. Неможливо надіслати повідомлення зараз, будь ласка, спробуйте ще раз пізніше. - Видалити - Цей вузол буде видалений зі списку доки ваш вузол не отримає дані з нього знову. - Вимкнути сповіщення - 8 годин - 1 тиждень - Завжди - Замінити - Сканувати QR-код Wi-Fi - Батарея - Температура - Вологість - Журнали подій - Інформація - Докладніше - SNR - RSSI - Адміністрування - Віддалене керування - Сигнал - Якість сигналу - Макс - Копіювати - Обране - Додати \'%s\' як обраний вузол? - Видалити \'%s\' з обраних вузлів? - Канал 1 - Канал 2 - - Напруга - Ви впевнені? - ]]> - Я знаю, що роблю. - Сповіщення про низький рівень заряду - Низький заряд батареї: %s - Налаштування UDP - Користувач - Канали - Пристрій - Живлення - Мережа - Дисплей - LoRa - Bluetooth - Безпека - MQTT - Серійний порт - - Тест дальності - Телеметрія - Аудіо - Налаштування аудіо - Налаштування Bluetooth - Bluetooth увімкнено - Тип - Приховати пароль - Показати пароль - Подробиці - Середовище - Стан світлодіоду - Червоний - Зелений - Синій - Повідомлення - Конфігурація пристрою - Роль - Перевизначити PIN_BUTTON - Перевизначити PIN_BUZZER - Часова зона POSIX - Налаштування дисплею - Тайм-аут екрану (секунд) - Перевернути екран - Режим екрану - Орієнтація компаса - Мелодія - Налаштування LoRa - TX увімкнено - Потужність TX (dBm) - Ігнорувати вхідні - Ім\'я користувача - Пароль - Налаштування мережі - WiFi увімкнено - SSID - PSK - Ethernet увімкнено - NTP-сервер - rsyslog-сервер - Режим IPv4 - IP-адреса - Шлюз - Підмережа - Широта - Довгота - Висота (метри) - Режим GPS - Інтервал оновлення GPS (в секундах) - Перевизначити GPS_RX_PIN - Перевизначити GPS_TX_PIN - Перевизначити PIN_GPS_EN - Налаштування живлення - Доступні піни - Налаштування безпеки - Ключ адміністратора - Серійна консоль - Таймаут - Сервер - Налаштування користувача - Довга назва - Коротка назва - Атмосферний тиск - Відстань - Вітер - Вага - Радіація - URL - ID користувача - Час роботи - Мітка часу - Сканувати QR-код - Поділитися контактом - Імпортувати - Запитати метадані - Дії - Прошивка - Якщо увімкнено, пристрій буде показувати час у 12-годинному форматі на екрані. - Налаштування - Погоджуюся. - Час - Дата - Лише обрані - Експортувати ключі - Meshtastic - Розширені - - - - - Повідомлення - diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml deleted file mode 100644 index c4c29ce89..000000000 --- a/app/src/main/res/values-zh-rCN/strings.xml +++ /dev/null @@ -1,758 +0,0 @@ - - - - Meshtastic %s - 筛选 - 清除筛选 - 包括未知内容 - 隐藏离线节点 - 仅显示直连节点 - 您正在查看被忽略的节点,\n点击返回到节点列表。 - 显示详细信息 - 节点排序选项 - 字母顺序 - 频道 - 距离 - 跳数 - 上次连接时间 - 通过 MQTT - 通过 MQTT - 通过收藏夹 - 忽略的节点 - 无法识别的 - 正在等待确认 - 发送队列中 - 已确认 - 无路径 - 接收到否定确认 - 超时 - 无界面 - 已达到最大再传输量 - 无频道 - 数据包过大 - 无响应 - 错误请求 - 区域占空比限制已达到 - 未授权 - 加密发送失败! - 未知公钥 - 会话密钥错误 - 未授权的公钥 - 应用配对或独立使用的消息传递设备 - 不转发其他设备数据包的设备 - 用于通过转发消息扩展网络覆盖范围的基础设施节点。可在节点列表中看到。 - 同时兼具路由器和客户端功能的设备。不适用于移动设备。 - 通过最低开销转发消息扩展网络覆盖的基础设施节点。不可见于节点列表。 - 优先广播 GPS 位置数据包 - 优先广播遥测数据包 - 优化ATAK系统通讯,减少常规广播。 - 仅在需要时广播的设备,用于隐蔽或节能模式 - 定期向默认频道广播位置,以协助设备恢复。 - 启用自动 TAK PLI 广播并减少常规广播。 - 基础设施节点,总是在所有其他模式之后重新广播数据包一次,以确保本地集群的额外覆盖范围。会在节点列表中显示。 - 重新广播任何观察到的消息,无论是来自我们的私有频道还是具有相同 LoRa 参数的其他网状网络。 - 与 ALL 模式的行为相同,但跳过数据包解码,仅简单地重新广播它们。仅适用于中继器角色。在其他角色中设置此选项将表现为 ALL 模式。 - 忽略来自开放网状网络或无法解密的消息,仅在节点的本地主/次频道上重新广播消息。 - 与 LOCAL_ONLY 类似,忽略来自其他网状网络的消息,但更进一步,忽略来自不在节点已知列表中的节点的消息。 - 仅限 SENSOR、TRACKER 和 TAK_TRACKER 角色,此模式将禁止所有重新广播,与 CLIENT_MUTE 角色类似。 - 忽略来自非标准端口号(如 TAK、RangeTest、PaxCounter 等)的数据包,仅重新广播标准端口号的数据包:NodeInfo、Text、Position、Telemetry 和 Routing。 - 将支持的加速度计上的双击操作视为 User 按键的按压动作。 - 禁用 User 按键的三击操作来启用或禁用 GPS。 - 控制设备上的指示灯闪烁。对于大多数设备,这将控制最多 4 个指示灯,充电器和 GPS 指示灯无法控制。 - 是否除了发送到 MQTT 和 PhoneAPI 外,还应通过 LoRa 传输我们的邻居信息(NeighborInfo)。在具有默认密钥和名称的通道上不可用。 - 公钥 - 频道名称 - QR 码 - 应用程序图标 - 未知的使用者名称 - 传送 - 您尚未将手机与 Meshtastic 兼容的装置配对。请先配对装置并设置您的用户名称。\n\n此开源应用程序仍在开发中,如有问题,请在我们的论坛 https://github.com/orgs/meshtastic/discussions 上面发文询问。\n\n 也可参阅我们的网页 - www.meshtastic.org。 - - 接受 - 取消 - 清除更改 - 收到新的频道 URL - 报告 Bug - 报告 Bug 详细信息 - 您确定要报告错误吗?报告后,请在 https://github.com/orgs/meshtastic/discussions 上贴文,以便我们可以将报告与您发现的问题匹配。 - 报告 - 配对完成,启动服务 - 配对失败,请重新选择 - 位置访问已关闭,无法向网络提供位置信息 - 分享 - 新节点: %s - 已断开连接 - 设备休眠中 - 已连接:%1$s / 在线 - IP地址: - 端口: - 已连接 - 已连接至设备 (%s) - 尚未联机 - 已连接至设备,但设备正在休眠中 - 需要更新应用程序 - 您必须在应用商店或 Github上更新此应用程序。程序太旧了以至于无法与此装置进行通讯。 请阅读有关此主题的 文档 - 无 (停用) - 服务通知 - 关于 - 此频道网址无效,无法使用 - 调试面板 - 解码Payload: - 导出程序日志 - 筛选器 - 启用的过滤器 - 搜索日志… - 下一匹配 - 上一匹配 - 清除搜索 - 添加筛选条件 - 筛选已包含 - 清除所有筛选条件 - 清除日志 - 匹配任意 | 所有 - 匹配所有 | 任意 - 这将从您的设备中移除所有日志数据包和数据库条目 - 完整重置,永久失去所有内容。 - 清除 - 消息传递状态 - 私信提醒 - 广播消息提醒 - 提醒通知 - 需要固件更新。 - 版本过旧,无法与此应用程序通讯。欲了解更多信息,请参阅 Meshtastic 网站上的韧体安装指南 - 确定 - 您必须先选择一个地区 - 无法更改频道,因为装置尚未连接。请再试一次。 - 导出信号测试数据.csv - 重置 - 扫描 - 新增 - 您是否确定要改回默认频道? - 重置为默认设置 - 申请 - 主题 - 浅色 - 深色 - 系统默认设置 - 选择主题 - 向网格提供手机位置 - - 删除 消息? - -删除 %s 条消息? - - 删除 - 也从所有人的聊天纪录中删除 - 仅在我的设备中删除 - 选择全部 - 关闭选中 - 删除选中 - 主题选择 - 下载区域 - 名称 - 说明 - 锁定 - 保存 - 语言 - 系统默认值 - 重新发送 - 关机 - 此设备不支持关机 - 重启 - 路由追踪 - 显示简介 - 信息 - 快速聊天选项 - 新的快速聊天 - 编辑快速聊天 - 附加到消息中 - 立即发送 - 显示快速聊天菜单 - 隐藏快速聊天菜单 - 恢复出厂设置 - 私信 - 重置节点数据库 - 已送达 - 错误 - 忽略 - 添加 \'%s\' 到忽略列表? - 从忽略列表中删除 \'%s\' ? - 选择下载地区 - 局部地图下载估算: - 开始下载 - 交换位置 - 关闭 - 设备配置 - 模块设定 - 新增 - 编辑 - 正在计算…… - 离线管理 - 当前缓存大小 - 缓存容量: %1$.2f MB\n缓存使用: %2$.2f MB - 清除下载的区域地图 - 区域地图来源 - 清除 %s 的 SQL 缓存 - 清除 SQL 缓存失败,请查看 logcat 纪录 - 缓存管理员 - 下载已完成! - 下载完成,但有 %d 个错误 - %d 图砖 - 方位:%1$d° 距离:%2$s - 编辑航点 - 删除航点? - 新建航点 - 收到航点:%s - 触及占空比上限。暂时无法发送消息,请稍后再试。 - 移除 - 此节点将从您的列表中删除,直到您的节点再次收到它的数据。 - 消息免打扰 - 8 小时 - 1周 - 始终 - 替换 - 扫描 WiFi 二维码 - WiFi凭据二维码格式无效 - 回溯导航 - 电池 - 频道使用 - 无线信道利用率 - 温度 - 湿度 - 土壤温度 - 土壤湿度 - 日志 - 跳数 - 越点数: %1$d - 信息 - 当前信道的利用情况,包括格式正确的发送(TX)、接收(RX)以及无法解码的接收(即噪声)。 - 过去一小时内用于传输的空中占用时间百分比。 - IAQ - 共享密钥 - 私信使用频道的共享密钥进行加密。 - 公钥加密 - 私信使用新的公钥基础设施(PKC)进行加密。需要固件版本 2.5 或更高。 - 公钥不匹配 - 公钥与记录的密钥不匹配。 您可以移除该节点并让它再次交换密钥,但这可能会显示一个更严重的安全问题。 通过另一个信任频道联系用户,以确定密钥更改是否是出厂重置或其他故意操作。 - 交换用户信息 - 新节点通知 - 查看更多 - SNR - 信噪比(Signal-to-Noise Ratio, SNR)是一种用于通信领域的测量指标,用于量化目标信号与背景噪声的比例。在 Meshtastic 及其他无线系统中,较高的信噪比表示信号更加清晰,从而能够提升数据传输的可靠性和质量。 - RSSI - 接收信号强度指示(Received Signal Strength Indicator, RSSI)是一种用于测量天线接收到的信号功率的指标。较高的 RSSI 值通常表示更强、更稳定的连接。 - 室内空气质量(Indoor Air Quality, IAQ):由 Bosch BME680 传感器测量的相对标尺 IAQ 值,取值范围为 0–500。 - 设备测量日志 - 节点地图 - 定位日志 - 最后位置更新 - 环境测量日志 - 信号测量日志 - 管理 - 远程管理 - - 一般 - 良好 - - 分享到… - 信号 - 信号质量 - 路由追踪日志 - 直连 - - %d 跳数 - - 传输跳数:去程 %1$d,回程 %2$d - 24 小时 - 48 小时 - 1 周 - 2 周 - 4 周 - 最大值 - 未知时长 - 复制 - 警铃字符! - 关键告警! - 收藏 - 添加 \'%s\'为收藏节点? - 不再把\'%s\'作为收藏节点? - 电源计量日志 - 频道 1 - 频道 2 - 频道 3 - 电流 - 电压 - 你确定吗? - 设备角色文档 以及关于 选择正确设备角色的博客文章。]]> - 我知道自己在做什么 - 节点 %1$s 电量低(%2$d%%) - 低电量通知 - 电池电量低: %s - 低电量通知 (收藏节点) - 气压 - 通过 UDP 的Mesh - UDP 设置 - 最后听到: %2$s
最后位置: %3$s
电量: %4$s]]>
- 切换我的位置 - 用户 - 频道 - 设备 - 定位 - 电源 - 网络 - 显示 - LoRa - 蓝牙 - 安全 - MQTT - 串口 - 外部通知 - - 距离测试 - 遥测 - 预设消息 - 音频 - 远程硬件 - 邻居信息 - 环境照明 - 检测传感器 - 客流计数 - 音频配置 - 启用CODEC2 - PTT 引脚 - CODEC2 采样率 - I2S 字选择 - I2S 数据 IN - I2S 数据 OUT - I2S 时钟 - 蓝牙配置 - 启用蓝牙 - 配对模式 - 固定PIN码 - 启用上传 - 启用下行 - 默认 - 启用位置 - 精准位置 - GPIO 引脚 - 类型 - 隐藏密码 - 显示密码 - 详细信息 - 环境 - 环境亮度配置 - LED 状态 - - 绿 - - 预设消息配置 - 启用预设消息 - 启用旋转编码器 #1 - 用于旋转编码器A端口的 GPIO 引脚 - 用于旋转编码器B端口的 GPIO 引脚 - 用于旋转编码器按键端口的 GPIO 引脚 - 按下时生成输入事件 - CW 时生成输入事件 - CCW时生成输入事件 - 启用Up/Down/select 输入 - 允许输入源 - 发送响铃 - 消息 - 检测传感器配置 - 启用检测传感器 - 最小广播时间(秒) - 状态广播(秒) - 发送带有警报消息的响铃声 - 易记名称 - 显示器的 GPIO 引脚 - 检测触发器类型 - 使用 输入上拉 模式 - 设备配置 - 角色 - 重新定义 PIN_BUTTON - 重新定义 PIN_BUZZER - 转播模式 - 节点信息广播间隔 (秒) - 双击按键按钮 - 禁用三次点击 - POSIX 时区 - 禁用LED心跳 - 显示设置 - 屏幕超时(秒) - GPS坐标格式 - 自动旋转屏幕(秒) - 罗盘总是朝北 - 翻转屏幕 - 显示单位 - 覆盖 OLED 自动检测 - 显示模式 - 标题粗体 - 点击或移动时唤醒屏幕 - 罗盘方向 - 外部通知设置 - 启用外部通知 - 消息已读回执通知 - 警告消息指示灯 - 警告消息蜂鸣 - 警告消息振动 - 警报/铃声接收通知 - 警铃 LED - 警铃蜂鸣 - 警铃震动 - 输出 LED (GPIO) - 输出 LED 活动高 - 输出震动(GPIO) - 使用 PWM 蜂鸣器 - 输出振动 (GPIO) - 输出持续时间 (毫秒) - 屏幕超时(秒) - 铃声 - 使用 I2S 作为蜂鸣器 - LoRa 配置 - 使用调制解调器预设 - 调制解调器预设 - 带宽 - 传播因子 - 编码速率 - 频率偏移(MHz) - 地区(频率计划) - 跳跃限制 - 启用传输 - 传输功率(dBm) - 频率槽位 - 覆盖占空比 - 忽略接收 - SX126X 接收强化增益 - 覆盖频率(MHz) - PA风扇已禁用 - 忽略 MQTT - 使用MQTT - MQTT设置 - 启用MQTT - 地址 - 用户名 - 密码 - 启用加密 - 启用JSON输出 - 启用TLS - 根主题 - 启用客户端代理 - 地图报告 - 地图报告间隔 (秒) - 邻居信息设置 - 启用邻居信息 - 更新间隔(秒) - 通过 LoRa 传输 - 网络配置 - 启用 WiFi - SSID - 共享密钥/PSK - 启用以太网 - NTP 服务器 - rsyslog 服务器 - IPv4模式 - IP - 网关 - 子网 - Paxcount 配置 - 启用 Paxcount - WiFi RSSI 阈值(默认为-80) - BLE RSSI 阈值(默认为-80) - 位置设置 - 位置广播间隔 (秒) - 启用智能位置 - 智能广播最小距离(米) - 智能广播最小间隔(秒) - 使用固定位置 - 纬度 - 经度 - 海拔(米) - 根据当前手机位置设置 - GPS模式 - GPS 更新间隔 (秒) - 重新定义 GPS_RX_PIN - 重新定义 GPS_TX_PIN - 重新定义 PIN_GPS_EN - 定位日志 - 电源配置 - 启用节能模式 - 电池延迟关闭(秒) - ADC乘数修正比率 - 等待蓝牙持续时间 (秒) - 深度睡眠时间(秒) - 轻度睡眠时间(秒) - 最短唤醒时间 (秒) - 电池INA_2XX I2C 地址 - 范围测试设置 - 启用范围测试 - 发件人消息间隔(秒) - 保存 CSV 到存储 (仅ESP32) - 远程硬件设置 - 启用远程硬件 - 允许未定义的引脚访问 - 可用引脚 - 安全设置 - 公钥 - 私钥 - 管理员密钥 - 管理模式 - 串行控制 - 启用调试日志 API - 旧版管理频道 - 串口配置 - 启用串行 - 启用Echo - 串行波特率 - 超时 - 串行模式 - 覆盖控制台串口端口 - - 心跳 - 记录数 - 历史记录最大返回值 - 历史记录返回窗口 - 服务器 - 远程配置 - 设备计量更新间隔 (秒) - 环境计量更新间隔 (秒) - 启用环境计量模块 - 屏幕显示环境指标 - 环境测量值使用华氏度 - 启用空气质量计量模块 - 空气质量计量更新间隔 (秒) - 空气质量图标 - 启用电源计量模块 - 电量计更新间隔 (秒) - 在屏幕上启用电源指标 - 用户配置 - 节点ID - 全名 - 简称 - 硬件型号 - 业余无线电模式(HAM) - 启用此选项将禁用加密并且不兼容默认的Meshtastic网络。 - 结露点 - 气压 - 气体电阻性 - 距离 - 照度 - - 重量 - 辐射 - - 室内空气质量 (IAQ) - 网址 - - 导入配置 - 导出配置 - 硬件 - 已支持 - 节点编号 - 用户 ID - 正常运行时间 - 载入 %1$d - 存储空间剩余 %1$d - 时间戳 - 航向 - 速度 - 卫星 - 海拔 - 频率 - 槽位 - 主要 - 定期广播位置和遥测 - 次要 - 关闭定期广播遥测 - 需要手动定位请求 - 长按并拖动以重新排序 - 取消静音 - 动态 - 扫描二维码 - 分享联系人 - 导入分享的联系人? - 无法发送消息 - 不受监测或基础设施 - 警告:此联系人已知,导入将覆盖之前的联系人信息。 - 公钥已更改 - 导入 - 请求元数据 - 操作 - 固件 - 使用 12 小时制格式 - 如果启用,设备将在屏幕上以12小时制格式显示时间。 - 主机测量日志 - 主机 - 可用内存 - 可用存储 - 负载 - 用户字符串 - 导航到 - Mesh 地图 - 节点 - 设置 - 设置您的地区 - 回复 - 您的节点将定期向配置的MQTT服务器发送一个未加密的地图报告数据包,这包括id、长和短的名称, 大致位置、硬件型号、角色、固件版本、LoRa区域、调制解调器预设和主频道名称。 - 同意通过 MQTT 分享未加密的节点数据 - 通过启用此功能,您确认并明确同意通过MQTT协议不加密地传输您设备的实时地理位置。 这一位置数据可用于现场地图报告、设备跟踪和相关的遥测功能。 - 我已阅读并理解以上内容。我自愿同意通过MQTT未加密地传输我的节点数据。 - 我同意。 - 推荐固件更新。 - 为了获得最新的修复和功能,请更新您的节点固件。\n\n最新稳定固件版本:%1$s - 有效期 - 时间 - 日期 - 地图过滤器\n - 仅收藏的 - 显示航点 - 显示精度圈 - 客户端通知 - 检测到密钥泄漏,请点击 确定 进行重新生成。 - 重新生成私钥 - 您确定要重新生成您的私钥吗?\n\n曾与此节点交换过密钥的节点将需要删除该节点并重新交换密钥以恢复安全通信。 - 导出密钥 - 导出公钥和私钥到文件。请安全地存储某处。 - 模块已解锁 - 远程 - (%1$d 在线 / %2$d 总计) - 互动 - 断开连接 - 未找到网络设备。 - 未找到 USB 串口设备。 - 滚动到底部 - Meshtastic - 正在扫描 - 安全状态 - 安全 - 警告标志 - 未知频道 - 警告 - 溢出菜单 - 紫外线强度 - 未知 - 高级 - 清理节点数据库 - 清理上次看到的 %1$d 天以上的节点 - 仅清理未知节点 - 清理低/无交互的节点 - 清理忽略的节点 - 立即清理 - 这将从您的数据库中删除 %1$d 节点。 此操作无法撤消。 - 绿色锁意为频道安全加密,使用128 位或 256 位 AES密钥。 - - 不安全的频道,无精准位置 - 黄色开锁意为频道未安全加密, 未启用精准位置数据,且不使用任何密钥或使用1字节已知密钥。 - - 不安全的频道,精准位置 - 红色开锁意为频道未安全加密, 启用精确的位置数据,且不使用任何密钥或使用1字节已知密钥。 - - 警告:不安全,精准位置 & MQTT Uplink - 带有警告的红色开锁意为频道未安全加密,启用精确的位置数据,正通过MQTT连接到互联网,且不使用任何密钥或使用1字节已知密钥。 - - 频道安全 - 频道安全含义 - 显示所有含义 - 显示当前状态 - 收起键盘 - 您确定要删除此节点吗? - 回复给 %1$s - 取消回复 - 删除消息? - 清除选择 - 信息 - 输入一条消息 - PAX 计量日志 - PAX - 无可用的 PAX 计量日志。 - WiFi 设备 - BLE 设备 - 超过速率限制。请稍后再试。 - 查看发行版 - 下载 - 当前安装 - 最新稳定版 - 最新测试版 - 由 Meshtastic 社区支持 - 固件版本 - 最近使用的网络设备 - 发现的网络设备 - 开始 - 欢迎使用 - 随时随地保持联系 - 在没有手机服务的情况下与您的朋友和社区进行网外通信。 - 创建您自己的网络 - 轻松建立私人网格网络,以便在偏远地区进行安全和可靠的通信。 - 追踪和分享位置 - 实时分享您的位置,并通过集成的GPS功能保持团队的协调一致。 - 应用通知 - 收到的消息 - 频道和直接消息通知。 - 新节点 - 新发现节点通知。 - 电池电量低 - 已连接设备的低电量警报通知。 - 标记为“重要”的发送包将忽略操作系统通知中心中的静音开关和勿扰设置。 - 配置通知权限 - 手机位置 - Meshtastic 通过使用您的手机定位功能来实现多项功能。您可随时通过设置菜单调整定位权限。 - 分享位置 - 使用您的手机 GPS 位置而不是使用您节点上的硬件GPS。 - 距离测量 - 显示您的手机和其他带有位置的 Meshtastic 节点之间的距离。 - 距离筛选器 - 根据靠近您的手机的位置筛选节点列表和网格地图。 - 网格地图位置 - 在网格地图中为您的手机开启蓝色位置点。 - 配置位置权限 - 跳过 - 设置 - 关键警报 - 为了确保您能够收到重要警报,例如 - SOS 消息,即使您的设备处于“请勿打扰”模式,您也需要授予特殊权限。 - 请在通知设置中启用此功能。 - 配置关键警报 - Meshtastic 使用通知来随时更新新消息和其他重要事件。您可以随时从设置中更新您的通知权限。 - 下一步 - %d 节点待删除: - 注意:这将从应用内和设备上的数据库中移除节点。\n选择是附加性的。 - 正在连接设备 - 普通 - 卫星 - 地形 - 混合 - 管理地图图层 - 地图图层 - 没有自定义图层被加载。 - 添加图层 - 隐藏图层 - 显示图层 - 移除图层 - 添加图层 - 在此位置的节点 - 所选地图类型 - 管理自定义瓦片源 - 添加自定义瓦片源 - 没有自定义瓦片源 - 编辑自定义瓦片源 - 删除自定义瓦片源 - 名称不能为空。 - 服务提供商名已存在。 - URL 不能为空。 - URL 必须包含占位符。 - URL 模板 - 轨迹点 -
diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml deleted file mode 100644 index 201019d90..000000000 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ /dev/null @@ -1,773 +0,0 @@ - - - - Meshtastic %s - 過濾器 - 清除節點過濾器 - 顯示未知節點 - 隱藏離線節點 - 只顯示直連節點 - 您正在檢視已忽略的節點\n請返回到節點列表。 - 顯示詳細資料 - 節點排序選項 - 依名字排序 - 頻道 - 距離 - 依轉跳排序 - 最近一次收到排序 - 有節點MQTT排序 - 有節點MQTT排序 - 通過喜好 - 已忽略節點 - 無法識別 - 正在等待確認 - 發送佇列中 - 已確認 - 無路徑 - 接收到拒絕確認 - 逾時 - 無介面 - 已達最大重新發送次數 - 無頻道 - 封包過大 - 無回應 - 錯誤請求 - 已達區域工作週期之上限 - 未授權 - 加密發送錯誤 - 未知公鑰 - 無效的會話金鑰 - 無法識別公鑰 - 應用程式連接或獨立收發裝置。 - 對其他裝置封包不予轉播的節點。 - 加強網路覆蓋的中繼基地台節點。顯示在節點列表上。 - 兼具路由器和用戶端功能的節點。行動裝置不宜使用。 - 加強網路覆蓋的中繼基地台節點,但轉播時僅添加最低限度的額外負擔(Overhead)。不會顯示在節點列表上。 - 優先廣播 GPS 位置封包。 - 優先廣播遙測資料封包。 - 最佳化以供 ATAK 系統通訊使用,減少日常廣播量。 - 基於省電或隱私需求,僅提供最低限度廣播通訊的節點。 - 定期向預設頻道播送定位的裝置,以便於裝置復原。 - 啓用自動 TAK PLI 廣播,將減少定期廣播。 - 基礎建設節點,總是在所有其他模式之後才重新廣播一次封包,以確保本地群集有額外的覆蓋範圍。在節點清單中可見。 - 重播任何觀察到的訊息,如果它是在我們的私人頻道上或來自具有相同 lora 參數的其他網路上。 - 與「ALL」行為相同,但會跳過封包解碼,僅重新廣播它們。此功能僅適用於中繼器角色。在其他角色上設定此功能將導致「ALL」行為。 - 忽略來自開放的或無法解密的外部 Mesh 觀察到的訊息。僅轉播來自本地節點的主要/次要頻道的訊息。 - 近似於 LOCAL_ONLY 角色,將忽略來自外部Mesh節點的訊息,同時也忽略已知節點列表以外節點的訊息。 - 僅允許 SENSOR、TRACKER 和 TAK_TRACKER 角色,與 CLIENT_MUTE 角色不同,此模式將禁止所有重新廣播行為。 - 忽略來自非標準通訊埠號(諸如 TAK、RangeTest、PaxCounter 等)的封包,僅重新廣播標準通訊埠號的封包:NodeInfo、Text、Position、Telemetry 和 Routing。 - 將支援加速度計上的雙撃行為視作按壓使用者按鍵。 - 停用透過點擊使用者按鈕三次開啓/關閉 GPS 功能。 - 控制裝置上閃爍的 LED。對大多數裝置而言,這將控制最多 4 個 LED 中的一個,充電器和 GPS LED 則無法控制。 - 除了發送至 MQTT 和 PhoneAPI 之外,我們的 NeighborInfo 是否也透過 LoRa 發送?此功能無法在使用預設密鑰和名稱的頻道使用。 - 公鑰 - 頻道名稱 - QRCODE - 應用程式圖示 - 未知的使用者名稱 - 傳送 - 您尚未將手機與 Meshtastic 相容的裝置配對。請先配對裝置並設置您的使用者名稱。\n\n此開源應用程式仍在開發中,如有問題,請在我們的論壇 https://github.com/orgs/meshtastic/discussions 上面發文詢問。\n\n 也可參閱我們的網頁 - www.meshtastic.org。 - - 允許傳送分析及崩潰報告。 - 接受 - 取消 - 清除變更 - 收到新的頻道 URL - Meshtastic需要啟用定位及藍芽才能尋找新裝置,可以選擇在不使用時停用。 - 回報BUG - 回報問題 - 您確定要報告錯誤嗎?報告後,請在 https://github.com/orgs/meshtastic/discussions 上貼文,以便我們可以將報告與您發現的問題匹配。 - 報告 - 配對完成,開始服務 - 配對失敗,請重新選擇 - 位置訪問已關閉,無法向設備提供位置. - 分享 - 發現新節點: %s - 已中斷連線 - 設備休眠中 - 已連接:%1$s 在線 - IP地址: - 埠號: - 已连接 - 已連接至設備 (%s) - 未連線 - 已連接至無線電,但它正在休眠中 - 需要應用程式更新 - 您必須在應用商店(或 Github)更新此應用程式。它太舊無法與此無線電韌體通訊。請閱讀我們關於此主題的文件 - 無(停用) - 服務通知 - 關於 - 此頻道 URL 無效,無法使用 - 除錯面板 - 解析封包: - 匯出日誌 - 篩選 - 啟動篩選功能 - 在日誌中搜尋… - 下一個符合的 - 上一個符合的 - 清除搜尋結果 - 增加篩選條件 - 包含篩選器 - 清除所有篩選 - 清除所有日誌 - 符合任一條件 - 符合全部條件 - 這將完全移除裝置上的所有日誌封包與資料庫記錄 - 這是一個完整的重設,且無法復原。 - 清除 - 訊息傳遞狀態 - 私訊通知 - 廣播訊息通知 - 警告信息 - 需要更新韌體。 - 無法與此應用程式通訊,無線電韌體太舊。有關詳細信息,請參閱我們的韌體安裝指南 - 好的 - 您必須設定一個區域! - 無法更改頻道,因為裝置尚未連接。請再試一次。 - 匯出範圍測試資料.csv - 重設 - 掃描 - 新增 - 您確定要切換到預設頻道嗎? - 恢復預設設置 - 套用 - 主題 - 淺色 - 深色 - 系統預設 - 選擇主題 - 將手機位置提供給Mesh網路 - - 刪除 %s 訊息? - - 刪除 - 也從所有人的聊天紀錄中刪除 - 從我的聊天紀錄中刪除 - 選擇全部 - 關閉選取 - 刪除選取項目 - 樣式選擇 - 下載區域 - 名稱 - 描述說明 - 鎖定 - 儲存 - 語言 - 系統預設 - 重新傳送 - 關機 - 此裝置不支援關機功能 - 重新開機 - 路由追蹤 - 顯示介紹指南 - 訊息: - 快速聊天選項 - 新的快速聊天 - 編輯快速聊天 - 附加到訊息 - 即時發送 - 顯示快速聊天選單 - 隱藏快速聊天選單 - 恢復出廠設置 - 藍芽已關閉,請至手機設定內開啟藍芽功能。 - 開啟設定 - 韌體版本: %1$s - Meshtastic 應用程式需要啟用「鄰近裝置」權限,才能透過藍牙尋找並連接到裝置,可以選擇在不使用時停用。 - 直接發訊息 - 重設節點資料庫 - 已確認送達 - 錯誤 - 忽略 - 將 \'%s\' 加入忽略清單嗎? - 從忽略清單中移除 \'%s\' 嗎? - 選擇下載地區 - 圖磚下載估計: - 開始下載 - 交換位置 - 關閉 - 設備設定 - 模組設定 - 新增 - 編輯 - 正在計算…… - 離線管理 - 目前快取大小 - 快取容量: %1$.2f MB\n快取使用: %2$.2f MB - 清除下載的圖磚 - 圖磚來源 - 清除 %s 的 SQL 快取 - SQL快取清除失敗,請查看logcat以獲取詳細資訊。 - 快取管理 - 下載已完成! - 下載完成,但有 %d 個錯誤 - %d 圖磚 - 方位:%1$d° 距離:%2$s - 編輯航點 - 刪除航點? - 新建航點 - 收到編輯航點:%s - 達到循環工作週期限制。目前無法發送訊息,請稍後再試。 - 移除 - 該節點將從您的列表中移除,直到您的節點再次收到來自該節點的數據。 - 靜音通知 - 8小時 - 1週 - 總是 - 替換 - 掃描WiFi QR code - 錯誤的 WiFi 驗證QR code格式 - 返回上一頁 - 電池 - 頻道使用量 - 無線通道利用率 - 溫度 - 濕度 - 環境溫度 - 環境濕度 - 系統記錄 - 節點距 - 經過節點數:%1$d - 資訊 - 目前頻道的使用情況,包括格式正確的傳輸(TX)、接收(RX)和格式錯誤的接收(也稱為雜訊)。 - 過去一小時内傳輸所使用的通話時間(airtime)百分比。 - 室内空氣品質指標 (IAQ) - 共用金鑰 - 私訊使用頻道的共用金鑰進行加密。 - 加密公鑰 - 私訊採用全新的公鑰加密技術進行加密。需要將韌體版本更新至 2.5 或以上。 - 公鑰不相符 - 公鑰與記錄的公鑰不符。您可以移除節點並讓其重新交換金鑰,但這可能表示存在更嚴重的安全問題。請透過其他可信賴的管道聯繫使用者,以確定金鑰更改是否由於出廠重置或其他有意行動所致。 - 交換用戶信息 - 新節點通知 - 詳細資訊 - SNR - 信噪比(SNR),用於通訊中量化所需信號與背景噪音水平的指標。在 Meshtastic 及其他無線系統中,信噪比越高表示信號越清晰,可以提高數據傳輸的可靠性和品質。 - RSSI - 接收信號強度指示(RSSI)用於測量天線所接收到信號的功率強度。 RSSI 值越高通常代表連線越強且穩定。 - (室內空氣品質) 相對尺度 IAQ 值,由 Bosch BME680 測量。值範圍 0–500。 - 裝置指標日誌 - 節點地圖 - 定位日誌 - 最後位置更新 - 環境監測讀數日誌 - 訊號指標日誌 - 管理 - 遠端管理 - 不良 - 普通 - 良好 - - 分享至… - 信號 - 信號品質 - 路由追蹤(Traceroute)日誌 - 直線 - - %d 跳數 - - 跳轉數 往程 %1$d 次,返程 %2$d 次 - 24小時 - 48小時 - 1週 - 2週 - 4週 - 最大值 - 未知年齡 - 複製 - 警鈴字符! - 嚴重警告! - 收藏 - 是否將“%s”添加為我的最愛節點? - 是否從我的最愛節點中删除“%s”? - 功率計量日誌 - 頻道1 - 頻道2 - 頻道3 - 當前 - 電壓 - 你確定嗎? - 設備角色檔案和關於選擇正確的設備角色的博客文章 。]]> - 我知道我在做什麼。 - 節點 %1$s 電量過低 (%2$d%%) - 低電量通知 - 低電量:%s - 低電量通知(收藏節點) - 氣壓 - 通过 UDP 的Mesh - UDP設置 - 最後接收: %2$s
最後位置: %3$s
電量: %4$s]]>
- 切換我的位置 - 用戶 - 頻道 - 裝置 - 位置 - 電源 - 網路 - 顯示 - LoRa - 藍芽 - 安全 - MQTT - 序號 - 外部通知 - - 範圍測試 - 遙測 - 罐頭訊息 - 音頻 - 遠程硬件 - 相鄰設備資訊 - 周圍光照 - 檢測傳感器 - 客流量計數 - 音頻設置 - 啟用 CODEC2 - PTT針腳 - CODEC2 取樣率 - I2S WS 訊號選擇 - I2S 數據輸入 - I2S 數據輸出 - I2S 時鐘 - 藍牙配置 - 藍牙已啟用 - 配對模式 - 固定引脚 - 已啓用上行 - 已啓用下行 - 默認 - 位置已啟用 - 精確位置 - GPIO 引脚 - 類別 - 隱藏密碼 - 顯示密碼 - 詳情 - 環境 - 裝置燈光設定 - LED狀態 - 紅色 - 綠色 - 藍色 - 罐頭訊息設定 - 啟用罐頭訊息 - 啟用旋轉編碼器#1 - 旋轉編碼器 A 端 GPIO 腳位 - 旋轉編碼器 B 端 GPIO 腳位 - 旋轉編碼器 按鈕 GPIO 腳位 - 按下時產生輸入事件 - 順時針旋轉時產生輸入事件 - 逆時針旋轉時產生輸入事件 - 啟用上下選擇輸入 - 允許輸入來源 - 發送振鈴 - 訊息 - 偵測感測器設定 - 啟用偵測感測器 - 最短廣播間隔 (秒) - 狀態廣播間隔 (秒) - 告警訊息發送提示音 - 顯示名稱 - 螢幕的 GPIO 腳位 - 偵測觸發類型 - 使用輸入上拉模式 - 設備設置 - 角色 - 重新定義按鈕腳位 - 重新定義蜂鳴器腳位 - 轉發模式 - 節點資訊廣播間隔(秒) - 雙擊視為按鈕操作 - 禁用三擊 - POSIX時區 - 禁用LED心跳 - 顯示設置 - 屏幕超時時間(秒) - GPS坐標格式 - 自動荧幕轉盤(秒) - 總是以指南針北為上 - 翻轉畫面 - 顯示單位 - 覆寫OLED自動偵測 - 顯示模式 - 標題加粗 - 點擊或移動時喚醒屏幕 - 羅盤朝向 - 外部通知配寘 - 啟用外部通知 - 消息已讀通知 - 警示訊息 LED - 警示訊息 蜂鳴 - 警示訊息 振動 - 警示/振鈴 回執通知 - 告警 LED - 告警 蜂鳴 - 告警 振動 - 輸出LED(GPIO) - 輸出LED 高電平觸發 - 輸出蜂鳴(GPIO) - 使用PWM調製的蜂鳴 - 輸出振動(GPIO) - 輸出持續時間(毫秒) - 通知逾時時間(秒) - 鈴聲 - 使用 I2S 控制蜂鳴器 - LoRa 設定 - 使用 Modem 預設集 - Modem 預設集 - 帶寬 - 展頻因數 (SF) - 編碼率(CR) - 頻率偏移量 (MHz) - 區域(頻段劃分) - 最大轉發限制 - TX已啟用 - TX功率 (dBm) - 頻率槽位 - 覆蓋工作週期/佔空比 - 忽略來訊 - SX126X 接收增益提升 - 複寫頻率(MHz) - 不使用PA风扇 - 無視MQTT - 將消息轉發至MQTT - MQTT配置 - 啟用MQTT服務器 - 地址 - 用戶名 - 密碼 - 加密已啟用 - JSON輸出已啟用 - TLS已啟用 - 根話題 - 啟用對客戶端的代理 - 地圖報告 - 地圖報告間隔(毫秒) - 鄰居資訊配置 - 啟用鄰居資訊 - 更新間隔(毫秒) - 通過Lora無線電傳輸 - 網路配置 - 啟用WiFi - SSID - PSK - 啟用以太網 - 時間伺服器 - rsyslog伺服器 - 第四代IP模式 - IP - 網閘 - 子網 - Paxcount設置 - 啟用Paxcount - WiFi RSSI 閾值(缺省-80) - 藍牙 RSSI 閾值(缺省-80) - 位置設定 - 位置廣播間隔(秒) - 啟用智慧位置 - 智慧廣播最小距離(公尺) - 智慧廣播最小間隔(秒) - 使用固定位置 - 緯度 - 經度 - 高度(米) - 使用手機目前定位 - GPS模式 - GPS更新間隔(秒) - 重定義 GPS_RX_PIN - 重定義 GPS_TX_PIN - 重定義 PIN_GPS_EN - 定位日誌 - 電源設定 - 啟用省電模式 - 電池延時關閉(秒) - ADC乘數修正比率 - 等待藍牙持續時間(秒) - 深度睡眠時間(秒) - 輕度睡眠時間(秒) - 最短喚醒時間(秒) - 電池 INA_2XX I2C 地址 - 範圍測試設定 - 啟用範圍測試 - 訊息發送間隔(秒) - 將 .CSV 保存到內部儲存空間(僅限ESP32) - 遠端硬體設定 - 啟動遠端硬體 - 允許未定義腳位連接 - 可用腳位 - 安全性設定 - 公鑰 - 私鑰 - 管理員金鑰 - 託管模式 - 序列控制台 - 啟用調適日誌 API - 舊版管理頻道 - 序列埠設定 - 啟用序列埠 - 啟用 Echo - 序列埠鮑率 - 逾時 - 序列埠模式 - 覆蓋控制台序列埠 - - 心跳 - 紀錄數目 - 歴史紀錄最大返回值 - 歴史紀錄返回視窗 - 伺服器 - 遙測設定 - 裝置資訊更新週期(秒) - 環境資訊更新週期(秒) - 啟用環境資訊模組 - 在螢幕上顯示環境資訊 - 環境指標以華氏溫度顯示 - 啟用空氣品質模組 - 空氣品質更新週期(秒) - 空氣品質圖示 - 啟用電池資訊模組 - 電量資訊更新週期(秒) - 在螢幕上顯示電量資訊 - 使用者設定 - 節點 ID - 節點長名稱 - 節點短名稱 - 硬體型號 - 業餘無線電模式 (HAM) - 啟用此選項將停用訊息加密,並與預設的 Meshtastic 網路不相容。 - 露點 - 氣壓 - 氣體感測器 - 距離 - 照度 - 風速 - 重量 - 輻射 - - 室內空氣品質 (IAQ) - 網址 - - 匯入設定 - 匯出設定 - 硬體 - 已支援 - 節點編號 - 使用者 ID - 運行時間 - 負載:%1$d - 硬碟可用空間:%1$d - 時間戳記 - 航向 - 速度 - 衛星數 - 海拔 - 頻率 - 時隙 - 主要的 - 定期廣播位置與遙測資料 - 次要的 - 停用定期廣播遙測資料 - 需要手動定位位置 - 長按後可拖曳排列順序 - 取消靜音 - 動態 - 掃描 QR Code - 分享聯絡人 - 是否匯入聯絡人? - 不接收訊息 - 無監控裝置或基礎設施 - 警告:聯絡人已存在,匯入將會覆蓋先前的聯絡人資訊。 - 公鑰已變更 - 匯入 - 請求詮釋資料 (Metadata) - 動作 - 韌體 - 使用12小時制 - 啟用後,裝置將在螢幕上以12小時制顯示時間。 - 裝置效能紀錄 - 裝置 - 可用記憶體 - 可用儲存空間 - 載入 - 使用者設定 - 導航至 - 連線 - Mesh 地圖 - 訊息 - 節點 - 設定 - 設定您的地區 - 回覆 - 您的節點將定期發送未加密的地圖回報封包至已設定的 MQTT 伺服器,包含 ID、長名稱與短名稱、大約位置、硬體型號、角色、韌體版本、LoRa 區域、數據機預設值以及主要頻道名稱。 - 同意透過 MQTT 分享未加密的節點資料 - 啟用此功能即表示您認知並明確同意透過 MQTT 協議傳輸您裝置的即時地理位置,且不進行加密。此位置資料可能用於即時地圖回報、裝置追蹤及相關遙測功能等用途。 - 我已閱讀並理解上述內容。我同意透過 MQTT 傳輸未加密的節點資料 - 我同意。 - 建議更新韌體。 - 為享受最新功能及所修復的問題,請更新您的節點韌體。\n\n最新穩定韌體版本為:%1$s - 到期時間 - 時間 - 日期 - 地圖選項\n - 僅顯示收藏 - 顯示路徑 - 顯示定位精準度 - 客户端通知 - 偵測到金鑰已洩漏,點選確定後重新產生金鑰。 - 重新產生私鑰 - 您確定要重新產生密鑰嗎?\n\n連線過的其他節點需要刪除並重新交換金鑰後才能恢復加密通訊連線。 - 匯出金鑰 - 請將匯出後的私鑰及公鑰妥善保存。 - 模組已解鎖 - 遠端 - (%1$d 個上線 / 共計 %2$d 個) - 回應 - 中斷連線 - 正在尋找藍牙裝置… - 沒有已配對的藍牙裝置。 - 找不到網路裝置。 - 找不到 USB 序列裝置。 - 移至最底部 - Meshtastic - 掃描中 - 安全性狀態 - 安全性 - 警告標誌 - 未知頻道 - 警告 - 溢出選單 - 紫外線強度 (UV Lux) - 不明 - 該裝置已受託管理,並只能由遠端管理員進行變更。 - 清除節點資料庫 - 清除最後出現時間超過 %1$d 日的節點 - 僅清除不明節點 - 清理低互動的節點 - 清除已忽略的節點 - 立即清理 - 此操作將刪除資料庫內的%1$d個節點,並且無法恢復。 - 綠色鎖頭表示該頻道已使用 128 位元或 256 位元 AES 金鑰安全加密。 - - 未加密頻道,模糊定位 - 黃色開鎖表示該頻道未進行安全加密,未啟用精確定位資訊,且未使用任何金鑰或使用 1 位元組已知金鑰。 - - 未加密頻道,精確定位 - 紅色開鎖表示該頻道未進行安全加密,啟用了精確定位資訊,且未使用任何金鑰或使用 1 位元組已知金鑰。 - - 警告:未加密頻道,精確定位 & MQTT Uplink - 帶有警告的紅色開鎖表示該頻道未進行安全加密,啟用了精確定位資訊,且正在透過MQTT上傳資料至網路,以及未使用任何金鑰或使用 1 位元組已知金鑰。 - - 頻道安全性 - 頻道安全性説明 - 顯示全部狀態 - 顯示目前狀態 - 關閉 - 您確定要刪除此節點嗎? - 回覆 %1$s - 取消回覆 - 確認刪除訊息? - 清除所選 - 訊息: - 請輸入訊息 - PAX 指標日誌 - PAX - 沒有可用的 PAX 指標日誌。 - WiFi 裝置 - 藍牙裝置 - 配對裝置 - 連接裝置 - - 超過速率限制,請稍後再嘗試。 - 查看版本資訊 - 下載 - 目前已安裝 - 最新穩定版韌體 - 最新測試版韌體 - 由 Meshtastic 社群協作 - 韌體版本 - 最近的網路裝置 - 發現的網路裝置 - 開始使用 - 歡迎來到 - 隨時隨地保持連線 - 無需手機訊號,也能與您的朋友和社群離線通訊。 - 建立您自己的網路 - 輕鬆設定私有網狀網絡,以實現偏遠地區安全可靠的通訊。 - 位置追蹤和分享 - 透過整合的 GPS 功能,即時分享你的位置,並保持團隊協調一致。 - 應用程式通知 - 收到的訊息 - 頻道訊息與私訊通知。 - 新的節點 - 發現新節點的通知。 - 電量不足 - 已連線裝置的低電量通知。 - 將選取的封包以『關鍵』優先等級送出時,其通知會忽略作業系統通知中心的靜音與『請勿打擾』設定。 - 設定通知權限 - 手機定位 - Meshtastic 會使用您手機的定位資訊來啟用多項功能。您隨時可以在設定中修改定位權限。 - 分享位置 - 使用您手機的 GPS 來向節點發送位置,而不是使用節點上的 GPS 模組。 - 距離量測 - 顯示您手機與其他有定位資訊的 Meshtastic 節點之間的距離。 - 距離篩選器 - 根據您手機的距離,篩選節點列表和 Mesh 網路地圖。 - Mesh Map 地圖位置 - 在 Mesh 地圖上,為您的手機啟用藍色的定位點。 - 設定定位權限 - 跳過 - 設定 - 緊急警示 - 為了確保您能接收緊急警示,例如 - SOS 警報,即便裝置正處於「請勿打擾」模式亦同,您需要授予 - 特殊權限。請在通知設定中啟用此功能。 - - 設定緊急警示 - Meshtastic 使用通知功能讓您隨時了解新訊息和其他重要事件。您可以隨時在設定中更新通知權限。 - 繼續 - 授予權限 - %d 個節點已排定移除: - 注意:這會將節點從應用程式和裝置資料庫中移除。\n所選的項目將會加入待處理中。 - 正在連線至裝置 - 標準 - 衛星 - 地形 - 混合 - 管理地圖圖層 - 自定義圖層支援 .kml 或 .kmz 格式檔案。 - 地圖圖層 - 未載入自訂圖層。 - 添加圖層 - 隱藏圖層 - 顯示圖層 - 移除圖層 - 添加圖層 - 位於此處的節點 - 已選擇的地圖類型 - 管理自定義圖磚來源 - 加入自定義圖磚來源 - 沒有自定義圖專來源 - 編輯自定義圖磚來源 - 刪除自定義圖磚來源 - 名稱不得空白。 - 服務供應商名稱已存在。 - URL 不得空白。 - 網址必須包含佔位符。 - URL 範本 - 軌跡點 - 手機設定 -
diff --git a/mesh_service_example/src/main/res/values-ar/strings.xml b/mesh_service_example/src/main/res/values-ar/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-ar/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml b/mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-bg/strings.xml b/mesh_service_example/src/main/res/values-bg/strings.xml deleted file mode 100644 index 9336d7fe4..000000000 --- a/mesh_service_example/src/main/res/values-bg/strings.xml +++ /dev/null @@ -1,20 +0,0 @@ - - - - Изпратете съобщение за здравей - diff --git a/mesh_service_example/src/main/res/values-ca/strings.xml b/mesh_service_example/src/main/res/values-ca/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-ca/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-cs/strings.xml b/mesh_service_example/src/main/res/values-cs/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-cs/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-de/strings.xml b/mesh_service_example/src/main/res/values-de/strings.xml deleted file mode 100644 index 968230ec2..000000000 --- a/mesh_service_example/src/main/res/values-de/strings.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - Beispiel MeshService - Hallo Nachricht senden - diff --git a/mesh_service_example/src/main/res/values-el/strings.xml b/mesh_service_example/src/main/res/values-el/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-el/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-es/strings.xml b/mesh_service_example/src/main/res/values-es/strings.xml deleted file mode 100644 index 8abd298f5..000000000 --- a/mesh_service_example/src/main/res/values-es/strings.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - Ejemplo de servicio de red - Enviar Mensaje Hola - diff --git a/mesh_service_example/src/main/res/values-et/strings.xml b/mesh_service_example/src/main/res/values-et/strings.xml deleted file mode 100644 index 59624b6c9..000000000 --- a/mesh_service_example/src/main/res/values-et/strings.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - MeshServiceExample - Saada Tere sõnum - diff --git a/mesh_service_example/src/main/res/values-fi/strings.xml b/mesh_service_example/src/main/res/values-fi/strings.xml deleted file mode 100644 index 1499746f3..000000000 --- a/mesh_service_example/src/main/res/values-fi/strings.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - MeshServiceExample - Lähetä tervehdysviesti - diff --git a/mesh_service_example/src/main/res/values-fr-rHT/strings.xml b/mesh_service_example/src/main/res/values-fr-rHT/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-fr-rHT/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-fr/strings.xml b/mesh_service_example/src/main/res/values-fr/strings.xml deleted file mode 100644 index 2b9ff6e40..000000000 --- a/mesh_service_example/src/main/res/values-fr/strings.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - Exemple de service de maillage - Envoyer un message d’annonce - diff --git a/mesh_service_example/src/main/res/values-ga/strings.xml b/mesh_service_example/src/main/res/values-ga/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-ga/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-gl/strings.xml b/mesh_service_example/src/main/res/values-gl/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-gl/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-hr/strings.xml b/mesh_service_example/src/main/res/values-hr/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-hr/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-hu/strings.xml b/mesh_service_example/src/main/res/values-hu/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-hu/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-is/strings.xml b/mesh_service_example/src/main/res/values-is/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-is/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-it/strings.xml b/mesh_service_example/src/main/res/values-it/strings.xml deleted file mode 100644 index dd7addd1d..000000000 --- a/mesh_service_example/src/main/res/values-it/strings.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - MeshServiceExample - Invia Messaggio di Saluto - diff --git a/mesh_service_example/src/main/res/values-iw/strings.xml b/mesh_service_example/src/main/res/values-iw/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-iw/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-ja/strings.xml b/mesh_service_example/src/main/res/values-ja/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-ja/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-ko/strings.xml b/mesh_service_example/src/main/res/values-ko/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-ko/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-lt/strings.xml b/mesh_service_example/src/main/res/values-lt/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-lt/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-nb/strings.xml b/mesh_service_example/src/main/res/values-nb/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-nb/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-night/themes.xml b/mesh_service_example/src/main/res/values-night/themes.xml deleted file mode 100644 index 42a68d940..000000000 --- a/mesh_service_example/src/main/res/values-night/themes.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - \ No newline at end of file diff --git a/mesh_service_example/src/main/res/values-nl/strings.xml b/mesh_service_example/src/main/res/values-nl/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-nl/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-pl/strings.xml b/mesh_service_example/src/main/res/values-pl/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-pl/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-pt-rBR/strings.xml b/mesh_service_example/src/main/res/values-pt-rBR/strings.xml deleted file mode 100644 index 4e232be75..000000000 --- a/mesh_service_example/src/main/res/values-pt-rBR/strings.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - ExemploServiçoMesh - Enviar Mensagem de Olá - diff --git a/mesh_service_example/src/main/res/values-pt/strings.xml b/mesh_service_example/src/main/res/values-pt/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-pt/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-ro/strings.xml b/mesh_service_example/src/main/res/values-ro/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-ro/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-ru/strings.xml b/mesh_service_example/src/main/res/values-ru/strings.xml deleted file mode 100644 index ba088c7e3..000000000 --- a/mesh_service_example/src/main/res/values-ru/strings.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - MeshServiceExample - Отправить приветственное сообщение - diff --git a/mesh_service_example/src/main/res/values-sk/strings.xml b/mesh_service_example/src/main/res/values-sk/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-sk/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-sl/strings.xml b/mesh_service_example/src/main/res/values-sl/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-sl/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-sq/strings.xml b/mesh_service_example/src/main/res/values-sq/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-sq/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-sr/strings.xml b/mesh_service_example/src/main/res/values-sr/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-sr/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-sv/strings.xml b/mesh_service_example/src/main/res/values-sv/strings.xml deleted file mode 100644 index 10e8cb423..000000000 --- a/mesh_service_example/src/main/res/values-sv/strings.xml +++ /dev/null @@ -1,20 +0,0 @@ - - - - Skicka Hej-meddelande - diff --git a/mesh_service_example/src/main/res/values-tr/strings.xml b/mesh_service_example/src/main/res/values-tr/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-tr/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-uk/strings.xml b/mesh_service_example/src/main/res/values-uk/strings.xml deleted file mode 100644 index 37d7a2bb2..000000000 --- a/mesh_service_example/src/main/res/values-uk/strings.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - MeshServiceExample - Надіслати привітальне повідомлення - diff --git a/mesh_service_example/src/main/res/values-zh-rCN/strings.xml b/mesh_service_example/src/main/res/values-zh-rCN/strings.xml deleted file mode 100644 index 090f7e390..000000000 --- a/mesh_service_example/src/main/res/values-zh-rCN/strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/mesh_service_example/src/main/res/values-zh-rTW/strings.xml b/mesh_service_example/src/main/res/values-zh-rTW/strings.xml deleted file mode 100644 index 16c04c5d3..000000000 --- a/mesh_service_example/src/main/res/values-zh-rTW/strings.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - Mesh 服務範例 - 發送打招呼訊息 - From 04405df8e32f262a890c7f324e96dad36bf765e8 Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Fri, 29 Aug 2025 08:17:56 -0500 Subject: [PATCH 11/21] New Crowdin updates (#2917) --- app/src/main/res/values-ar-rSA/strings.xml | 142 ++++ app/src/main/res/values-b+sr+Latn/strings.xml | 359 ++++++++ app/src/main/res/values-bg-rBG/strings.xml | 590 +++++++++++++ app/src/main/res/values-ca-rES/strings.xml | 198 +++++ app/src/main/res/values-cs-rCZ/strings.xml | 585 +++++++++++++ app/src/main/res/values-de-rDE/strings.xml | 776 ++++++++++++++++++ app/src/main/res/values-el-rGR/strings.xml | 197 +++++ app/src/main/res/values-es-rES/strings.xml | 413 ++++++++++ app/src/main/res/values-et-rEE/strings.xml | 776 ++++++++++++++++++ app/src/main/res/values-fi-rFI/strings.xml | 776 ++++++++++++++++++ app/src/main/res/values-fr-rFR/strings.xml | 770 +++++++++++++++++ app/src/main/res/values-ga-rIE/strings.xml | 242 ++++++ app/src/main/res/values-gl-rES/strings.xml | 155 ++++ app/src/main/res/values-hr-rHR/strings.xml | 154 ++++ app/src/main/res/values-ht-rHT/strings.xml | 231 ++++++ app/src/main/res/values-hu-rHU/strings.xml | 209 +++++ app/src/main/res/values-is-rIS/strings.xml | 133 +++ app/src/main/res/values-it-rIT/strings.xml | 776 ++++++++++++++++++ app/src/main/res/values-iw-rIL/strings.xml | 149 ++++ app/src/main/res/values-ja-rJP/strings.xml | 536 ++++++++++++ app/src/main/res/values-ko-rKR/strings.xml | 592 +++++++++++++ app/src/main/res/values-lt-rLT/strings.xml | 249 ++++++ app/src/main/res/values-nl-rNL/strings.xml | 459 +++++++++++ app/src/main/res/values-no-rNO/strings.xml | 257 ++++++ app/src/main/res/values-pl-rPL/strings.xml | 370 +++++++++ app/src/main/res/values-pt-rBR/strings.xml | 772 +++++++++++++++++ app/src/main/res/values-pt-rPT/strings.xml | 561 +++++++++++++ app/src/main/res/values-ro-rRO/strings.xml | 136 +++ app/src/main/res/values-ru-rRU/strings.xml | 709 ++++++++++++++++ app/src/main/res/values-sk-rSK/strings.xml | 325 ++++++++ app/src/main/res/values-sl-rSI/strings.xml | 261 ++++++ app/src/main/res/values-sq-rAL/strings.xml | 231 ++++++ app/src/main/res/values-srp/strings.xml | 359 ++++++++ app/src/main/res/values-sv-rSE/strings.xml | 304 +++++++ app/src/main/res/values-tr-rTR/strings.xml | 602 ++++++++++++++ app/src/main/res/values-uk-rUA/strings.xml | 291 +++++++ app/src/main/res/values-zh-rCN/strings.xml | 758 +++++++++++++++++ app/src/main/res/values-zh-rTW/strings.xml | 774 +++++++++++++++++ .../src/main/res/values-ar-rSA/strings.xml | 18 + .../src/main/res/values-b+sr+Latn/strings.xml | 18 + .../src/main/res/values-bg-rBG/strings.xml | 20 + .../src/main/res/values-ca-rES/strings.xml | 18 + .../src/main/res/values-cs-rCZ/strings.xml | 18 + .../src/main/res/values-de-rDE/strings.xml | 21 + .../src/main/res/values-el-rGR/strings.xml | 18 + .../src/main/res/values-es-rES/strings.xml | 21 + .../src/main/res/values-et-rEE/strings.xml | 21 + .../src/main/res/values-fi-rFI/strings.xml | 21 + .../src/main/res/values-fr-rFR/strings.xml | 21 + .../src/main/res/values-ga-rIE/strings.xml | 18 + .../src/main/res/values-gl-rES/strings.xml | 18 + .../src/main/res/values-hr-rHR/strings.xml | 18 + .../src/main/res/values-ht-rHT/strings.xml | 18 + .../src/main/res/values-hu-rHU/strings.xml | 18 + .../src/main/res/values-is-rIS/strings.xml | 18 + .../src/main/res/values-it-rIT/strings.xml | 21 + .../src/main/res/values-iw-rIL/strings.xml | 18 + .../src/main/res/values-ja-rJP/strings.xml | 18 + .../src/main/res/values-ko-rKR/strings.xml | 18 + .../src/main/res/values-lt-rLT/strings.xml | 18 + .../src/main/res/values-nl-rNL/strings.xml | 18 + .../src/main/res/values-no-rNO/strings.xml | 18 + .../src/main/res/values-pl-rPL/strings.xml | 18 + .../src/main/res/values-pt-rBR/strings.xml | 21 + .../src/main/res/values-pt-rPT/strings.xml | 18 + .../src/main/res/values-ro-rRO/strings.xml | 18 + .../src/main/res/values-ru-rRU/strings.xml | 21 + .../src/main/res/values-sk-rSK/strings.xml | 18 + .../src/main/res/values-sl-rSI/strings.xml | 18 + .../src/main/res/values-sq-rAL/strings.xml | 18 + .../src/main/res/values-srp/strings.xml | 18 + .../src/main/res/values-sv-rSE/strings.xml | 20 + .../src/main/res/values-tr-rTR/strings.xml | 18 + .../src/main/res/values-uk-rUA/strings.xml | 21 + .../src/main/res/values-zh-rCN/strings.xml | 18 + .../src/main/res/values-zh-rTW/strings.xml | 21 + 76 files changed, 16895 insertions(+) create mode 100644 app/src/main/res/values-ar-rSA/strings.xml create mode 100644 app/src/main/res/values-b+sr+Latn/strings.xml create mode 100644 app/src/main/res/values-bg-rBG/strings.xml create mode 100644 app/src/main/res/values-ca-rES/strings.xml create mode 100644 app/src/main/res/values-cs-rCZ/strings.xml create mode 100644 app/src/main/res/values-de-rDE/strings.xml create mode 100644 app/src/main/res/values-el-rGR/strings.xml create mode 100644 app/src/main/res/values-es-rES/strings.xml create mode 100644 app/src/main/res/values-et-rEE/strings.xml create mode 100644 app/src/main/res/values-fi-rFI/strings.xml create mode 100644 app/src/main/res/values-fr-rFR/strings.xml create mode 100644 app/src/main/res/values-ga-rIE/strings.xml create mode 100644 app/src/main/res/values-gl-rES/strings.xml create mode 100644 app/src/main/res/values-hr-rHR/strings.xml create mode 100644 app/src/main/res/values-ht-rHT/strings.xml create mode 100644 app/src/main/res/values-hu-rHU/strings.xml create mode 100644 app/src/main/res/values-is-rIS/strings.xml create mode 100644 app/src/main/res/values-it-rIT/strings.xml create mode 100644 app/src/main/res/values-iw-rIL/strings.xml create mode 100644 app/src/main/res/values-ja-rJP/strings.xml create mode 100644 app/src/main/res/values-ko-rKR/strings.xml create mode 100644 app/src/main/res/values-lt-rLT/strings.xml create mode 100644 app/src/main/res/values-nl-rNL/strings.xml create mode 100644 app/src/main/res/values-no-rNO/strings.xml create mode 100644 app/src/main/res/values-pl-rPL/strings.xml create mode 100644 app/src/main/res/values-pt-rBR/strings.xml create mode 100644 app/src/main/res/values-pt-rPT/strings.xml create mode 100644 app/src/main/res/values-ro-rRO/strings.xml create mode 100644 app/src/main/res/values-ru-rRU/strings.xml create mode 100644 app/src/main/res/values-sk-rSK/strings.xml create mode 100644 app/src/main/res/values-sl-rSI/strings.xml create mode 100644 app/src/main/res/values-sq-rAL/strings.xml create mode 100644 app/src/main/res/values-srp/strings.xml create mode 100644 app/src/main/res/values-sv-rSE/strings.xml create mode 100644 app/src/main/res/values-tr-rTR/strings.xml create mode 100644 app/src/main/res/values-uk-rUA/strings.xml create mode 100644 app/src/main/res/values-zh-rCN/strings.xml create mode 100644 app/src/main/res/values-zh-rTW/strings.xml create mode 100644 mesh_service_example/src/main/res/values-ar-rSA/strings.xml create mode 100644 mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml create mode 100644 mesh_service_example/src/main/res/values-bg-rBG/strings.xml create mode 100644 mesh_service_example/src/main/res/values-ca-rES/strings.xml create mode 100644 mesh_service_example/src/main/res/values-cs-rCZ/strings.xml create mode 100644 mesh_service_example/src/main/res/values-de-rDE/strings.xml create mode 100644 mesh_service_example/src/main/res/values-el-rGR/strings.xml create mode 100644 mesh_service_example/src/main/res/values-es-rES/strings.xml create mode 100644 mesh_service_example/src/main/res/values-et-rEE/strings.xml create mode 100644 mesh_service_example/src/main/res/values-fi-rFI/strings.xml create mode 100644 mesh_service_example/src/main/res/values-fr-rFR/strings.xml create mode 100644 mesh_service_example/src/main/res/values-ga-rIE/strings.xml create mode 100644 mesh_service_example/src/main/res/values-gl-rES/strings.xml create mode 100644 mesh_service_example/src/main/res/values-hr-rHR/strings.xml create mode 100644 mesh_service_example/src/main/res/values-ht-rHT/strings.xml create mode 100644 mesh_service_example/src/main/res/values-hu-rHU/strings.xml create mode 100644 mesh_service_example/src/main/res/values-is-rIS/strings.xml create mode 100644 mesh_service_example/src/main/res/values-it-rIT/strings.xml create mode 100644 mesh_service_example/src/main/res/values-iw-rIL/strings.xml create mode 100644 mesh_service_example/src/main/res/values-ja-rJP/strings.xml create mode 100644 mesh_service_example/src/main/res/values-ko-rKR/strings.xml create mode 100644 mesh_service_example/src/main/res/values-lt-rLT/strings.xml create mode 100644 mesh_service_example/src/main/res/values-nl-rNL/strings.xml create mode 100644 mesh_service_example/src/main/res/values-no-rNO/strings.xml create mode 100644 mesh_service_example/src/main/res/values-pl-rPL/strings.xml create mode 100644 mesh_service_example/src/main/res/values-pt-rBR/strings.xml create mode 100644 mesh_service_example/src/main/res/values-pt-rPT/strings.xml create mode 100644 mesh_service_example/src/main/res/values-ro-rRO/strings.xml create mode 100644 mesh_service_example/src/main/res/values-ru-rRU/strings.xml create mode 100644 mesh_service_example/src/main/res/values-sk-rSK/strings.xml create mode 100644 mesh_service_example/src/main/res/values-sl-rSI/strings.xml create mode 100644 mesh_service_example/src/main/res/values-sq-rAL/strings.xml create mode 100644 mesh_service_example/src/main/res/values-srp/strings.xml create mode 100644 mesh_service_example/src/main/res/values-sv-rSE/strings.xml create mode 100644 mesh_service_example/src/main/res/values-tr-rTR/strings.xml create mode 100644 mesh_service_example/src/main/res/values-uk-rUA/strings.xml create mode 100644 mesh_service_example/src/main/res/values-zh-rCN/strings.xml create mode 100644 mesh_service_example/src/main/res/values-zh-rTW/strings.xml diff --git a/app/src/main/res/values-ar-rSA/strings.xml b/app/src/main/res/values-ar-rSA/strings.xml new file mode 100644 index 000000000..01d3bf5a9 --- /dev/null +++ b/app/src/main/res/values-ar-rSA/strings.xml @@ -0,0 +1,142 @@ + + + + عربي + عربي + عربي + المزيد + عربي + عربي + عربي + المسافة + عربي + فقط شبكة MQTT + اسم القناة + رمز الاستجابة السريع + أيقونة التطبيق + اسم المستخدم غير معروف + ارسل + أنت + قبول + إلغاء + تم تلقي رابط القناة الجديدة + الإبلاغ عن الخطأ + الإبلاغ عن خطأ + هل أنت متأكد من أنك تريد الإبلاغ عن خطأ؟ بعد الإبلاغ، يرجى النشر في https://github.com/orgs/meshtastic/discussions حتى نتمكن من مطابقة التقرير مع ما وجدته. + إبلاغ + اكتملت عملية الربط، سيتم بدء الخدمة + فشل عملية الربط، الرجاء الاختيار مرة أخرى + تم إيقاف الوصول إلى الموقع، لا يمكن تحديد موقع للشبكة. + مشاركة + انقطع الاتصال + الجهاز في وضعية السكون + عنوان الـ IP: + متصل بالراديو (%s) + غير متصل + تم الاتصال بالراديو، إلا أن الجهاز في وضعية السكون + مطلوب تحديث التطبيق + خدمة الإشعارات + حول + مسح + يجب عليك التحديث. + حسنا + واجب إدخال المنطقة! + البحث + أضف + تفعيل + الاسم + الوصف + مقفل + حفظ + اللغات + إعادة الإرسال + إعادة التشغيل + رسالة + رسالة مباشره + غلط + تجاهل + أضف \'%s\' إلى قائمة التجاهل؟ + حدد جهة التحميل + ابدأ التحميل + أغلق + أضف + تعديل + جاري الحساب… + كتم الإشهارات + 8 ساعات + أسبوع 1 + دائما + استبدال + العودة إلى الخلف + البطارية + استخدام القناة + الحرارة + الرطوبة + سجلات + معلومات + معدل جودة الهواء الداخلي + مفتاح مشترك + تستخدم الرسائل المباشرة المفتاح المشترك للقناة. + تشفير المفتاح العام + المفتاح العام غير متطابق + تبادل معلومات المستخدم + إشعارات العقدة الجديدة + المزيد من المعلومات + مؤشر القوة النسبية + سجل الموقع + الإدارة + سيئ + مناسب + جيد + لا يوجد + سجل تتبع المس… + الإشارة + جودة الإشارة + سجل تتبع المسار + مباشره + 24 ساعة + 48 ساعة + أسبوع + أسبوعين + اربع أسابيع + الأعلى + عمر غير معروف + نسخ + تنبيه حرج! + المفضلة + إضافة \'%s\' كعقدة مفضلة؟ + إزالة \'%s\' كعقدة مفضلة؟ + القناة 1 + القناة 2 + القناة 3 + الحالي + شدة التيار + هل أنت متيقِّن؟ + أنا أعرف ما أفعله. + إشعارات انخفاض شدة البطارية + البطارية منخفضه: %s + الضغط الجوي + الرسائل + المسافة + الإعدادات + + + + + رسالة + diff --git a/app/src/main/res/values-b+sr+Latn/strings.xml b/app/src/main/res/values-b+sr+Latn/strings.xml new file mode 100644 index 000000000..f2d9be1fb --- /dev/null +++ b/app/src/main/res/values-b+sr+Latn/strings.xml @@ -0,0 +1,359 @@ + + + + Filter + očisti filter čvorova + Uključi nepoznato + Prikaži detalje + A-Š + Kanal + Udaljenost + Skokova daleko + Poslednji put viđeno + preko MQTT-a + preko MQTT-a + Nekategorisano + Čeka na potvrdu + U redu za slanje + Potvrđeno + Nema rute + Primljena negativna potvrda + Isteklo vreme + Nema interfejsa + Dostignut maksimalni broj ponovnih slanja + Nema kanala + Paket prevelik + Nema odgovora + Loš zahtev + Dostignut regionalni limit ciklusa rada + Bez ovlašćenja + Šifrovani prenos nije uspeo + Nepoznat javni ključ + Loš ključ sesije + Javni ključ nije autorizovan + Povezana aplikacija ili samostalni uređaj za slanje poruka. + Uređaj koji ne prosleđuje pakete od drugih uređaja. + Infrastrukturni čvor za proširenje pokrivenosti mreže prosleđivanjem poruka. Vidljiv na listi čvorova. + Kombinacija i RUTERA i KLIJENTA. Nije namenjeno za mobilne uređaje. + Infrastrukturni čvor za proširenje pokrivenosti mreže prosleđivanjem poruka sa minimalnim troškovima energije. Nije vidljiv na listi čvorova. + Emituje GPS pakete položaja kao prioritet. + Emituje telemetrijske pakete kao prioritet. + Optimizovano za komunikaciju u ATAK sistemu, smanjuje rutinske emisije. + Uređaj koji prenosi samo kada je potrebno radi skrivenosti ili uštede energije. + Prenosi lokaciju kao poruku na podrazumevani kanal redovno kako bi pomogao u pronalasku uređaja. + Omogućava autmatske TAK PLI emisije i smanjuje rutinske emisije. + Infrastrukturni čvor koji uvek ponovo prenosi pakete jednom, ali tek nakon svih drugih načina, osiguravajući dodatno pokrivanje za lokalne klastere. Vidljiv u listi čvorova. + Ponovo prenosi svaku primećenu poruku, ako je bila na našem privatnom kanali ili iz druge mreže sa istim LoRA parametrima. + Isto kao ponašanje kod ALL moda, ali preskače dekodiranje paketa i jednostavno ih ponovo prenosi. Dostupno samo u Repeater ulozi. Postavljanje ovoga na bilo koju drugu ulogu rezultovaće ALL ponašanjem. + Ignoriše primećene poruke iz stranih mreža koje su otvorene ili one koje ne može da dekodira. Ponovo prenosi poruku samo na lokalne primarne/sekundarne kanale čvora. + Ignoriše primećene poruke iz stranih mreža kao LOCAL ONLY, ali ide korak dalje tako što takođe ignoriše poruke sa čvorova koji nisu već na listi nepoznatih čvorova. + Dozvoljeno samo za uloge SENSOR, TRACKER, TAK_TRACKER, ovo će onemogućiti sve ponovne prenose, slično kao uloga CLIENT_MUTE. + Ignoriše pakete sa nestandardnim brojevima porta kao što su: TAK, RangeTest, PaxCounter, itd. Ponovo prenosi samo pakete sa standardnim brojevima porta: NodeInfo, Text, Position, Temeletry i Routing. + Treniraj dvostruki dodir na podržanim akcelerometrima kao pritisak korisničkog dugmeta. + Onemogućava trostruki pritisak korisničkog dugmeta za uključivanje ili isključivanje GPS-a. + Kontroliše trepćući LED na uređaju. Kod većine uređaja ovo će kontrolisati jedan od do četiri LED-a, punjač i GPS LED-ovi nisu kontrolisani. + Da li bi osim slanja na MQTT i PhoneAPI, naš NeighborInfo trebalo da se prenosi preko LoRa. Nije dostupno na kanalu sa podrazumevanim ključem i imenom. + Javni ključ + Naziv kanala + QR kod + ikonica aplikacije + Nepoznato korisničko ime + Pošalji + Још нисте упарили Мештастик компатибилан радио са овим телефоном. Молимо вас да упарите уређај и поставите своје корисничко име.\n\nОва апликација отвореног кода је у развоју, ако нађете проблеме, молимо вас да их објавите на нашем форуму: https://github.com/orgs/meshtastic/discussions\n\nЗа више информација посетите нашу веб страницу - www.meshtastic.org. + Ti + Prihvati + Otkaži + Primljen novi link kanala + Prijavi grešku + Prijavi grešku + \"Da li ste sigurni da želite da prijavite grešku? Nakon prijavljivanja, molimo vas da postavite na https://github.com/orgs/meshtastic/discussions kako bismo mogli da povežemo izveštaj sa onim što ste pronašli. + Izveštaj + Uparivanje završeno, pokrećem servis + Uparivanje neuspešno, molim izaberite ponovo + Pristup lokaciji je isključen, ne može se obezbediti pozicija mreži. + Podeli + Raskačeno + Uređaj je u stanju spavanja + IP adresa: + Блутут повезан + Povezan na radio uređaj (%s) + Nije povezan + Povezan na radio uređaj, ali uređaj je u stanju spavanja + Nepohodno je ažuriranje aplikacije + Morate da ažurirate ovu aplikaciju na prodavnici aplikacija (ili Github-u). Previše je stara da bi razgovarala sa ovim radio firmverom. Molimo vas da pročitate naše dokumente o ovoj temi. + Ništa (onemogućeno) + Servisna obaveštenja + O nama + Ovaj URL kanala je nevažeći i ne može se koristiti. + Panel za otklanjanje grešaka + Očisti + Status prijema poruke + Обавештења о упозорењима + Ажурирање фирмвера је неопходно. + Радио фирмвер је превише стар да би комуницирао са овом апликацијом. За више информација о овоме погледајте наш водич за инсталацију фирмвера. + Океј + Мораш одабрати регион! + Није било могуће променити канал, јер радио још није повезан. Молимо покушајте поново. + Извези rangetest.csv + Поново покрени + Скенирај + Додај + Да ли сте сигурни да желите да промените на подразумевани канал? + Врати на подразумевана подешавања + Примени + Тема + Светла + Тамна + Прати систем + Одабери тему + Обезбедите локацију телефона меш мрежи + + Обриши поруку? + Обриши %s порука? + Обриши %s порука? + + Обриши + Обриши за све + Обриши за мене + Изабери све + Одабир стила + Регион за преузимање + Назив + Опис + Закључано + Сачувај + Језик + Подразумевано системско подешавање + Поново пошаљи + Искључи + Искључивање није подржано на овом уређају + Поново покрени + Праћење руте + Прикажи упутства + Порука + Опције за брзо ћаскање + Ново брзо ћаскање + Измени брзо ћаскање + Надодај на поруку + Моментално пошаљи + Рестартовање на фабричка подешавања + Директне поруке + Ресетовање базе чворова + Испорука потврђена + Грешка + Игнориши + Додати \'%s\' на листу игнорисаних? + Уклнити \'%s\' на листу игнорисаних? + Изаберите регион за преузимање + Процена преузимања плочица: + Започни преузимање + Затвори + Конфигурација радио уређаја + Конфигурација модула + Додај + Измени + Прорачунавање… + Менаџер офлајн мапа + Тренутна величина кеш меморије + Капацитет кеш меморије: %1$.2f MB\n Употреба кеш меморије: %2$.2f MB + Очистите преузете плочице + Извор плочица + Кеш SQL очишћен за %s + Пражњење SQL кеша није успело, погледајте logcat за детаље + Меначер кеш меморије + Преузимање готово! + Преузимање довршено са %d грешака + %d плочице + смер: %1$d° растојање: %2$s + Измените тачку путање + Обрисати тачку путање? + Нова тачка путање + Примљена тачка путање: %s + Достигнут је лимит циклуса рада. Не могу слати поруке тренутно, молимо вас покушајте касније. + Уклони + Овај чвор ће бити уклоњен са вашег списка док ваш чвор поново не добије податке од њега. + Утишај нотификације + 8 сати + 1 седмица + Увек + Замени + Скенирај ВајФај QR код + Неважећи формат QR кода за ВајФАј податке + Иди назад + Батерија + Искоришћеност канала + Искоришћеност ваздуха + Температура + Влажност + Дневници + Скокова удаљено + Информација + Искоришћење за тренутни канал, укључујући добро формиран TX, RX и неисправан RX (такође познат као шум). + Проценат искоришћења ефирског времена за пренос у последњем сату. + IAQ + Дељени кључ + Директне поруке користе дељени кључ за канал. + Шифровање јавним кључем + Директне поруке користе нову инфраструктуру јавног кључа за шифровање. Потребна је верзија фирмвера 2,5 или новија. + Неусаглашеност јавних кључева + Јавни кључ се не поклапа са забележеним кључем. Можете уклонити чвор и омогућити му поновну размену кључева, али ово може указивати на озбиљнији безбедносни проблем. Контактирајте корисника путем другог поузданог канала да бисте утврдили да ли је промена кључа резултат фабричког ресетовања или друге намерне акције. + Обавештење о новом чвору + Више детаља + SNR + Однос сигнал/шум SNR је мера која се користи у комуникацијама за квантитативно одређивање нивоа жељеног сигнала у односу на ниво позадинског шума. У Мештастик и другим бежичним системима, већи SNR указује на јаснији сигнал који може побољшати поузданост и квалитет преноса података. + RSSI + Indikator jačine primljenog signala RSSI, merenje koje se koristi za određivanje nivoa snage koji antena prima. Viša vrednost RSSI generalno ukazuje na jaču i stabilniju vezu. + (Kvalitet vazduha u zatvorenom prostoru) relativna skala vrednosti IAQ merena Bosch BME680. Raspon vrednosti 0–500. + Dnevnik metrika uređaja + Mapa čvorova + Dnevnik lokacija + Dnevnik metrika okoline + Dnevnik metrika signala + Administracija + Udaljena administracija + Loš + Prihvatljiv + Dobro + Bez + Podeli na… + Signal + Kvalitet signala + Dnevnik praćenja rute + Direktno + + 1 skok + %d skokova + %d skokova + + Skokova ka %1$d Skokova nazad %2$d + 28č + 48č + 1n + 2n + 4n + Maksimum + Непозната старост + Kopiraj + Karakter zvona za upozorenja! + Критично упозорење! + Омиљени + Додај „%s” у омиљене чворове? + Углони „%s” из листе омиљених чворова? + Логови метрика снаге + Канал 1 + Канал 2 + Канал 3 + Струја + Напон + Да ли сте сигурни? + Документацију улога уређаја и објаву на блогу Одабир праве улоге за уређај.]]> + Знам шта радим. + Нотификације о ниском нивоу батерије + Низак ниво батерије: %s + Нотификације о ниском нивоу батерије (омиљени чворови) + Барометарски притисак + UDP конфигурација + Корисник + Канали + Уређај + Позиција + Снага + Мрежа + Приказ + LoRA + Блутут + Сигурност + Серијска веза + Спољна обавештења + + Тест домета + Телеметрија (сензори) + Амбијентално осветљење + Сензор откривања + Блутут подешавања + Подразумевано + Окружење + Подешавања амбијенталног осветљења + GPIO пин за A порт ротационог енкодера + GPIO пин за Б порт ротационог енкодера + GPIO пин за порт клика ротационог енкодера + Поруке + Подешавања ензора откривања + Пријатељски назив + Подешавања уређаја + Улога + Подешавања приказа + Подешавање спољних обавештења + Мелодија звона + LoRA подешавања + Проток + Игнориши MQTT + MQTT подешавања + Адреса + Корисничко име + Лозинка + Конфигурација мреже + Подешавања позиције + Ширина + Дужина + Подешавања напајња + Конфигурација теста домета + Сигурносна подешавања + Javni ključ + Privatni ključ + Подешавања серијске везе + Isteklo vreme + Број записа + Сервер + Конфигурација телеметрије + Корисничка подешавања + Udaljenost + + Квалитет ваздуха у затвореном простору (IAQ) + Хардвер + Подржан + Број чвора + Време рада + Временска ознака + Смер + Брзина + Сателита + Висина + Примарни + Секундарни + Акције + Фирмвер + Мапа меша + Чворови + Подешавања + Одговори + Истиче + Време + Датум + Прекините везу + Непознато + Напредно + + + + + Отпусти + Порука + Сателит + Хибридни + diff --git a/app/src/main/res/values-bg-rBG/strings.xml b/app/src/main/res/values-bg-rBG/strings.xml new file mode 100644 index 000000000..c6332dc90 --- /dev/null +++ b/app/src/main/res/values-bg-rBG/strings.xml @@ -0,0 +1,590 @@ + + + + Meshtastic %s + Филтър + clear node филтър + Включително неизвестните + Скриване на офлайн възлите + Показване само на директни възли + Преглеждате игнорирани възли.\nНатиснете , за да се върнете към списъка с възли. + Показване на детайли + Опции за сортиране на възлите + А-Я + Канал + Разстояние + Брой хопове + Последно чут + с MQTT + с MQTT + чрез Любим + Игнорирани възли + Неразпознат + Изчакване за потвърждение + Наредено на опашка за изпращане + Признато + Няма маршрут + Получено отрицателно потвърждение + Няма интерфейс + Достигнат максимален брой препращания + Няма канал + Пакетът е твърде голям + Няма отговор + Невалидна заявка + Достигнат е регионален лимит на работния цикъл + Не е оторизиран + Провалено шифрирано изпращане + Неизвестен публичен ключ + Невалиден ключ за сесия + Публичният ключ е неоторизиран + Свързано с приложение или самостоятелно устройство за съобщения. + Устройство, което не препредава пакети от други устройства. + Инфраструктурен възел за разширяване на мрежовото покритие чрез препредаване на съобщения. Вижда се в списъка с възли. + Комбинация от РУТЕР и КЛИЕНТ. Не е за мобилни устройства. + Инфраструктурен възел за разширяване на мрежовото покритие чрез препредаване на съобщения с минимални разходи. Не се вижда в списъка с възли. + Излъчва приоритетно пакети за GPS позиция + Излъчва приоритетно телеметрични пакети. + Дезактивира трикратното натискане на потребителския бутон за активиране или дезактивиране на GPS. + Публичен ключ + Име на канал + QR код + икона на приложението + Неизвестен потребител + Изпрати + Все още не сте сдвоили радио, съвместимо с Meshtastic, с този телефон. Моля, сдвоете устройство и задайте вашето потребителско име.\n\nТова приложение с отворен код е в процес на разработка, ако откриете проблеми, моля, публикувайте в нашия форум: https://github.com/orgs/meshtastic/discussions\n\nЗа повече информация вижте нашата уеб страница на адрес www.meshtastic.org. + Вие + Приеми + Отказ + Изчистване на промените + Получен е URL адрес на нов канал + Докладване за грешка + Докладвайте грешка + Сигурни ли сте, че искате да докладвате за грешка? След като докладвате, моля, публикувайте в https://github.com/orgs/meshtastic/discussions, за да можем да сравним доклада с това, което сте открили. + Докладвай + Сдвояването е завършено, услугата се стартира… + Сдвояването не бе успешно, моля, опитайте отново + Достъпът до местоположението е изключен, не може да предостави позиция на мрежата. + Сподели + Видян нов възел: %s + Прекъсната връзка + Устройството спи + Свързани: %1$s онлайн + IP адрес: + Порт: + Свързано + Свързан с радио (%s) + Няма връзка + Свързан е с радио, но рядиото е в режим на заспиване + Изисква се актуализация на приложението + Трябва да актуализирате това приложение в магазина за приложения (или GitHub). Приложението е твърде старо, за да говори с този фърмуер на радиото. Моля, прочетете нашите документи по тази тема. + Няма (деактивиране) + Сервизни известия + Относно + URL адресът на този канал е невалиден и не може да се използва + Панел за отстраняване на грешки + Експортиране на журнали + Филтри + Активни филтри + Търсене в журналите… + Следващо съответствие + Предишно съответствие + Изчистване на търсенето + Добавяне на филтър + Изчистване на всички филтри + Изчистване на журналите + Изчисти + Състояние на доставка на съобщението + Известия за директни съобщения + Известия за излъчвани съобщения + Известия за предупреждения + Необходима е актуализация на фърмуера. + Фърмуерът на радиото е твърде стар, за да общува с това приложение. За повече информация относно това вижте нашето ръководство за инсталиране на фърмуер. + Добре + Трябва да зададете регион! + Каналът не може да бъде сменен, тъй като радиото все още не е свързано. Моля, опитайте отново. + Експорт на rangetest.csv + Нулиране + Сканиране + Добавяне + Сигурни ли сте, че искате да промените канала по подразбиране? + Възстановяване на настройките по подразбиране + Приложи + Тема + Светла + Тъмна + По подразбиране на системата + Избор на тема + Изпращане на местоположение в мрежата + + Изтриване на съочщение? + Изтриване на %s съобщения? + + Изтриване + Изтриване за всички + Изтриване за мен + Избери всички + Затваряне на избраните + Изтриване на избраните + Избор на стил + Сваляне на регион + Име + Описание + Заключен + Запис + Език + По подразбиране на системата + Повторно изпращане + Изключване + Изключването не се поддържа на това устройство + Рестартиране + Трасиране на маршрут + Показване на въведение + Съобщение + Опции за бърз разговор + Нов бърз разговор + Редактиране на бърз разговор + Добавяне към съобщението + Незабавно изпращане + Показване на менюто за бърз чат + Скриване на менюто за бърз чат + Фабрично нулиране + Bluetooth е дезактивиран. Моля, активирайте го в настройките на устройството си. + Отваряне на настройките + Версия на фърмуера: %1$s + Meshtastic се нуждае от активирани разрешения за \"Устройства наблизо\", за да намира и да се свързва с устройства чрез Bluetooth. Можете да ги дезактивирате, когато не се използват. + Директно съобщение + Нулиране на базата данни с възли + Съобщението е доставено + Грешка + Игнорирай + Добави \'%s\' към списъка с игнорирани? + Изтрий \'%s\' от списъка с игнорирани? + Избор на регион за сваляне + Прогноза за изтегляне на картинки: + Започни свалянето + Размяна на позиция + Затвори + Конфигурация на радиото + Конфигурация на модула + Добавяне + Редактирай + Изчисляване… + Управление извън линия + Текущ размер на свалените данни + Капацитет: %1$.2f MB\nИзползвани: %2$.2f MB + Изчистване на свалените карти + Източник на карти + Свалените SQL данни бяха изчистени успешно за %s + Неуспешно изчистване на свалените SQL данни, вижте регистъра на приложението за повече информация + Управление на свалените данни + Свалянето приключи! + Свалянето приключи с %d грешки + %d картинки + посока: %1$d° разстояние: %2$s + Редакция на точка + Изтриване на точка? + Нова точка + Получен waypoint: %s + Достигнат лимит на Duty Cycle. Не може да се изпрати съобщение сега, опитайте по-късно. + Изтрий + Този node ще бъде изтрит от твоят лист докато вашият node не получи отново съобшение от него. + Заглуши нотификациите + 8 часа + 1 седмица + Винаги + Замяна + Сканиране на QR код за WiFi + Невалиден формат на QR кода на идентификационните данни за WiFi + Батерия + Използване на канала + Използване на ефира + Температура + Влажност + Температура на почвата + Влажност на почвата + Журнали + Брой отскоци + Брой отскоци: %1$d + Информация + Използване на текущия канал, включително добре формулиан TX, RX и деформиран RX (така наречен шум). + Процент от ефирното време за предаване, използвано през последния час. + IAQ + Споделен ключ + Директните съобщения използват споделения ключ за канала. + Криптиране с публичния ключ + Директните съобщения използват новата инфраструктура с публичен ключ за криптиране. Изисква се фърмуер версия 2.5 или по-нова. + Несъответствие на публичния ключ + Публичният ключ не съвпада със записания ключ. Можете да премахнете възела и да го оставите да обмени ключове отново, но това може да означава по-сериозен проблем със сигурността. Свържете се с потребителя чрез друг надежден канал, за да определите дали промяната на ключа се дължи на фабрично нулиране или друго умишлено действие. + Обмяна на потребителска информация + Известия за нови възли + Повече подробности + SNR + RSSI + Журнал на показателите на устройството + Карта на възела + Журнал на позициите + Последна актуализация на позицията + Журнал на показателите на околната среда + Администриране + Отдалечено администриране + Лош + Задоволителен + Добър + Няма + Сподели с… + Сигнал + Качество на сигнала + Директно + + 1 хоп + %d хопа + + Отскоци към %1$d Отскоци на връщане %2$d + 24Ч + 48Ч + + 2W + 4W + Макс + Неизвестна възраст + Копиране + Критичен сигнал! + Любим + Добавяне на \'%s\' като любим възел? + Премахване на \'%s\' като любим възел? + Журнал на показателите на захранването + Канал 1 + Канал 2 + Канал 3 + Текущ + Напрежение + Сигурни ли сте? + Документацията за ролите на устройствата и публикацията в блога за Избор на правилната роля на устройството.]]> + Знам какво правя. + Възелът %1$s има изтощена батерия (%2$d%%) + Известия за изтощена батерия + Батерията е изтощена: %s + Известия за изтощена батерия (любими възли) + Барометрично налягане + Активирана Mesh чрез UDP + Конфигуриране на UDP + Последно чут: %2$s
Последна позиция: %3$s
Батерия: %4$s]]>
+ Потребител + Канали + Устройство + Позиция + Захранване + Мрежа + Дисплей + LoRa + Bluetooth + Сигурност + MQTT + Серийна + Външно известие + + Тест на обхвата + Телеметрия + Аудио + Отдалечен хардуер + Конфигуриране на аудиото + CODEC 2 е активиран + Пин за РТТ + Конфигуриране на Bluetooth + Bluetooth е активиран + Режим на сдвояване + Фиксиран ПИН + По подразбиране + Позицията е активирана + Точно местоположение + GPIO пин + Тип + Скриване на паролата + Показване на паролата + Подробности + Околна среда + Състояние на LED + Червен + Зелен + Син + Ротационен енкодер #1 е активиран + GPIO пин за ротационен енкодер A порт + GPIO пин за ротационен енкодер Б порт + GPIO пин за ротационен енкодер Press порт + Съобщения + Приятелско име + Използване на режим INPUT_PULLUP + Конфигуриране на устройството + Роля + Предефиниране на PIN_BUTTON + Предефиниране на PIN_BUZZER + Дезактивиране на трикратното щракване + POSIX часова зона + Конфигуриране на дисплея + Време за изключване на екрана (секунди) + Формат на GPS координатите + Автоматична смяна на екрана (секунди) + Север на компаса отгоре + Обръщане на екрана + Показвани единици + Режим на дисплея + Удебелено заглавие + Събуждане на екрана при докосване или движение + Ориентация на компаса + Конфигуриране за външни известия + Външните известия са активирани + Известия за получаване на съобщение + Известия при получаване на сигнал/позвъняване + Тон на звънене + Конфигуриране на LoRa + Използване на предварително зададени настройки на модема + Предварително настроен модем + Широчина на честотната лента + Отместване на честотата (MHz) + Регион (честотен план) + Лимит на хопове + TX е активирано + TX мощност (dBm) + Честотен слот + Игнориране на MQTT + Конфигуриране на MQTT + MQTT е активиран + Адрес + Потребителско име + Парола + Криптирането е активирано + TLS е активиран + Прокси към клиент е активиран + Интервал на актуализиране (секунди) + Предаване през LoRa + Конфигуриране на мрежата + Wi-Fi е активиран + SSID + PSK + Ethernet е активиран + NTP сървър + rsyslog сървър + Режим на IPv4 + IP + Шлюз + Подмрежа + Конфигуриране на Paxcounter + Paxcounter е активиран + Праг на WiFi RSSI (по подразбиране -80) + Праг на BLE RSSI (по подразбиране -80) + Конфигуриране на позицията + Интервал на излъчване на позицията (секунди) + Използване на фиксирана позиция + Геогр. ширина + Геогр. дължина + Надм. височина (метри) + Режим на GPS + Интервал на актуализиране на GPS (секунди) + Конфигуриране на захранването + Активиране на енергоспестяващ режим + Конфигуриране на Тест на обхвата + Тест на обхвата е активиран + Запазване на .CSV в хранилище (само за ESP32) + Конфигуриране на Отдалечен хардуер + Отдалечен хардуер е активиран + Налични пинове + Конфигуриране на сигурността + Публичен ключ + Частен ключ + Администраторски ключ + Управляем режим + Серийна конзола + Конфигуриране на серийната връзка + Серийната връзка е активирана + Серийна скорост на предаване + Сериен режим + + Брой записи + Сървър + Конфигуриране на телеметрията + Интервал на актуализиране на показателите на устройството (секунди) + Интервал на актуализиране на показателите на околната среда (секунди) + Модулът за измерване на околната среда е активиран + Показателите на околната среда на екрана са активирани + Показателите на околната среда използват Фаренхайт + Модулът за показатели за качеството на въздуха е активиран + Икона за качество на въздуха + Конфигуриране на потребителя + ID на възела + Дълго име + Кратко име + Модел на хардуера + Лицензиран радиолюбител (HAM) + Активирането на тази опция деактивира криптирането и не е съвместимо с мрежата Meshtastic по подразбиране. + Точка на оросяване + Налягане + Разстояние + Вятър + Тегло + Радиация + + Качество на въздуха на закрито (IAQ) + URL + + Конфигуриране на конфигурацията + Експортиране на конфигурацията + Хардуер + Поддържан + Номер на възела + ID на потребителя + Време на работа + Натоварване %1$d + Свободен диск %1$d + Времево клеймо + Скорост + Сат + н.в. + Чест. + Слот + Първичен + Периодично излъчване на местоположение и телеметрия + Вторичен + Без периодично излъчване на телеметрия + Натиснете и плъзнете, за да пренаредите + Динамична + Сканиране на QR кода + Споделяне на контакт + Импортиране на споделен контакт? + Без съобщения + Ненаблюдаван или инфраструктурен + Предупреждение: Този контакт е известен, импортирането ще презапише предишната информация за контакта. + Публичният ключ е променен + Импортиране + Действия + Фърмуер + Използване на 12ч формат + Когато е активирано, устройството ще показва времето на екрана в 12-часов формат. + Хост + Свободна памет + Свободен диск + Карта на Mesh + Разговори + Възли + Настройки + Задайте вашия регион + Отговор + Съгласен съм. + Препоръчва се актуализация на фърмуера. + Изтича + Време + Дата + Филтър на картата\n + Само любими + Показване на пътни точки + Открити са компрометирани ключове, изберете OK за регенериране. + Регенериране на частния ключ + Експортиране на ключовете + Експортира публичния и частния ключове във файл. Моля, съхранявайте го на сигурно място. + Отдалечен + (%1$d онлайн / %2$d общо) + Няма открити мрежови устройства. + Няма открити USB серийни устройства. + Превъртане до края + Meshtastic + Сканиране + Състояние на сигурността + Неизвестен канал + Предупреждение + Неизвестно + Това радио се управлява и може да бъде променяно само от отдалечен администратор. + Разширени + Почистване на базата данни с възлите + Почистване на възлите, последно видяни преди повече от %1$d дни + Почистване само на неизвестните възли + Почистване на възлите с ниско/никакво взаимодействие + Почистване на игнорираните възли + Почистете сега + Това ще премахне %1$d възела от вашата база данни. Това действие не може да бъде отменено. + + + Несигурен канал, прецизно местоположение + + + Сигурност на канала + Показване на текущия статус + Отхвърляне + Сигурни ли сте, че искате да изтриете този възел? + Отговор на %1$s + Да се изтрият ли съобщенията? + Изчистване на избора + Съобщение + Въведете съобщение + PAX + WiFi устройства + BLE устройства + Сдвоени устройства + Свързано устройство + Преглед на изданието + Изтегляне + Текущия инсталиран + Най-новия стабилен + Най-новия алфа + Поддържа се от общността Meshtastic + Версия на фърмуера + Скорошни мрежови устройства + Открити мрежови устройства + Започнете + Добре дошли в + Останете свързани навсякъде + Комуникирайте извън мрежата с вашите приятели и общността без клетъчна услуга. + Създайте свои собствени мрежи + Настройте лесно частни mesh мрежи за сигурна и надеждна комуникация в отдалечени райони. + Проследяване и споделяне на местоположения + Споделяйте местоположението си в реално време и координирайте групата си с вградени GPS функции. + Известия от приложението + Входящи съобщения + Известия за канал и директни съобщения. + Нови възли + Известия за новооткрити възли. + Изтощена батерия + Известия за изтощена батерия на свързаното устройство. + Избраните пакети, изпратени като критични, ще игнорират превключвателя за изключване на звука и настройките \"Не безпокойте\" в центъра за известия на операционната система. + Конфигуриране на разрешенията за известия + Местоположение на телефона + Споделяне на местоположение + Измервания на разстояния + Пропускане + настройки + Критични предупреждения + Конфигуриране на критични предупреждения + Meshtastic използва известия, за да ви държи в течение за нови съобщения и други важни събития. Можете да актуализирате разрешенията си за известия по всяко време от настройките. + Напред + Свързване с устройство + Нормален + Сателит + Терен + Хибриден + Управление на слоевете на картата + Слоеве на картата + Няма заредени персонализирани слоеве. + Добавяне на слой + Скриване на слоя + Показване на слой + Премахване на слой + Добавяне на слой + Възли на това място + Избран тип на картата + Името не може да бъде празно. + URL не може да бъде празен. + Шаблон за URL +
diff --git a/app/src/main/res/values-ca-rES/strings.xml b/app/src/main/res/values-ca-rES/strings.xml new file mode 100644 index 000000000..997996836 --- /dev/null +++ b/app/src/main/res/values-ca-rES/strings.xml @@ -0,0 +1,198 @@ + + + + Meshtastic %s + Filtre + netejar filtre de node + Incloure desconegut + Oculta nodes offline + Només veure nodes directes + Estàs veient nodes ignorats, \n Prem per tornar al llistat de nodes + Veure detalls + Opcions per ordenar nodes + A-Z + Canal + Distància + Salts + Última notícia + via MQTT + via MQTT + via Favorits + Nodes Ignorats + No reconeguts + Esperant confirmació + En cua per enviar + Confirmat + Sense ruta + Rebuda confirmació negativa + Temps esgotat + Sense Interfície + Màx. retransmissions assolides + Sense canal + Packet massa llarg + Sense resposta + Sol·licitud errònia. + Límit regional de cicle de servei assolit + No Autoritzat + Falla d\'encriptació + Clau Pública Desconeguda + Clau de sessió incorrecta + Clau Pública no autoritzada + Dispositiu de missatgeria, connectat o autònom. + Dispositiu sense reenviament de paquets. + Node d’infraestructura per ampliar cobertura. Apareix a la llista de nodes. + Combinació ROUTER + CLIENT. No mòbils. + Node d’infraestructura per ampliar cobertura amb mínima càrrega. Ocult a la llista de nodes. + Difon paquets de posició GPS com a prioritat + Difon telemetria com a prioritat + Optimitzat per sistema ATAK, redueix les rutines de difusió. + Dispositiu que només difon quan cal, per discreció o estalvi d’energia. + Difon regularment la ubicació com a missatge al canal per defecte per ajudar a recuperar el dispositiu. + Activa les difusions automàtiques TAK PLI i redueix les difusions rutinàries. + Node d’infraestructura que sempre reenvia els paquets una vegada però només després de tots els altres modes, assegurant cobertura addicional per a clusters locals. Visible a la llista de nodes. + Reenvia qualsevol missatge observat si era al nostre canal privat o d’una altra malla. + .Mateix comportament que ALL, però sense decodificar paquets, només els reenvia. Només disponible en rol de Repeater. Configurar-ho en qualsevol altre rol resultarà en el comportament ALL. + Ignora els missatges observats de malles externes obertes o que no pot desxifrar. Només reenvia missatges als canals primari/secundari locals del node. + Ignora els missatges observats de malles externes com LOCAL ONLY, però va més enllà i també ignora missatges de nodes que no figuren a la llista de nodes coneguts del node. + Només permès per als rols SENSOR, TRACKER i TAK_TRACKER; això inhibirà tots els reenviaments, de manera similar al rol CLIENT_MUTE. + Ignora paquets amb ports no estàndard com: TAK, RangeTest, PaxCounter, etc. Només reenvia paquets amb ports estàndard: NodeInfo, Text, Position, Telemetry i Routing. + Nom del canal + Codi QR + icona de l\'aplicació + Nom d\'usuari desconegut + Enviar + Encara no has emparellat una ràdio compatible amb Meshtastic amb aquest telèfon. Si us plau emparella un dispositiu i configura el teu nom d\'usuari. \n\nAquesta aplicació de codi obert està en desenvolupament. Si hi trobes problemes publica-ho en el nostre fòrum https://github.com/orgs/meshtastic/discussions\n\nPer a més informació visita la nostra pàgina web - www.meshtastic.org. + Tu + Acceptar + Cancel·lar + Nova URL de canal rebuda + Informar d\'error + Informar d\'un error + Estàs segur que vols informar d\'un error? Després d\'informar-ne, si us plau publica en https://github.com/orgs/meshtastic/discussions de tal manera que puguem emparellar l\'informe amb allò que has trobat. + Informe + Emparellament completat, iniciar servei + Emparellament fallit, si us plau selecciona un altre cop + Accés al posicionament deshabilitat, no es pot proveir la posició a la xarxa. + Compartir + Desconnectat + Dispositiu hivernant + Adreça IP: + Connectat a ràdio (%s) + No connectat + Connectat a ràdio, però està hivernant + Actualització de l\'aplicació necessària + Has d\'actualitzar aquesta aplicació a la app store (o Github). És massa antiga per comunicar-se amb aquest firmware de la ràdio. Si us plau llegeix el nostre docs sobre aquesta temàtica. + Cap (desactivat) + Notificacions de servei + Sobre + La URL d\'aquest canal és invàlida i no es pot fer servir + Panell de depuració + Netejar + Estat d\'entrega del missatge + Actualització de firmware necessària. + El firmware de la ràdio és massa antic per comunicar-se amb aquesta aplicació. Per a més informació sobre això veure our Firmware Installation guide. + Acceptar + Has de configurar la regió! + No s\'ha pogut canviar el canal perquè la ràdio no està configurada correctament. Si us plau torna-ho a provar. + Exportat rangetest.csv + Restablir + Escanejar + Afegir + Estàs segur que vols canviar al canal per defecte? + Restablir els defectes + Aplicar + Tema + Clar + Fosc + Defecte del sistema + Escollir tema + Proveir la posició del telèfon a la xarxa + + Esborrar missatge? + Esborrar %s missatges? + + Esborrar + Esborrar per a tothom + Esborrar per a mi + Seleccionar tot + Selecció d\'estil + Descarregar regió + Nom + Descripció + Bloquejat + Desar + Idioma + Defecte del sistema + Reenviar + Apagar + Reiniciar + Traçar ruta + Mostrar Introducció + Missatge + Opcions de conversa ràpida + Nova conversa ràpida + Editar conversa ràpida + Afegir a missatge + Enviar instantàniament + Restauració dels paràmetres de fàbrica + Missatge directe + Restablir NodeDB + Entrega confirmada + Error + Ignorar + Afegir \'%s\' a la llista d\'ignorats? + Treure \'%s\' de la llista d\'ignorats? + Seleccionar regió a descarregar + Estimació de descàrrega de tessel·les: + Iniciar descarrega + Tancar + Configuració de ràdio + Configuració de mòdul + Afegir + Editar + Calculant… + Director fora de línia + Mida actual de la memòria cau + Mida total de la memòria cau: %1$.2f MB\nMemoria cau feta servir: %2$.2f MB + Netejar tessel·les descarregades + Font de tessel·la + Memòria cau SQL %s purgada + Error en la purga de la memòria cau SQL, veure logcat per a detalls + Director de la memòria cau + Descarrega completa! + Descarrega completa amb %d errors + %d tessel·les + rumb: %1$d° distància: %2$s + Editar punt de pas + Esborrar punt de pas? + Nou punt de pas + Punt de pas rebut: %s + Límit del cicle de treball assolit. No es podran enviar més missatges, intenta-ho més tard. + Eliminar + Aquest node serà eliminat de la teva llista fins que rebi dades un altre cop. + Silenciar notificacions + 8 hores + 1 setmana + Sempre + Distància + + + + + Missatge + diff --git a/app/src/main/res/values-cs-rCZ/strings.xml b/app/src/main/res/values-cs-rCZ/strings.xml new file mode 100644 index 000000000..31b02f9ab --- /dev/null +++ b/app/src/main/res/values-cs-rCZ/strings.xml @@ -0,0 +1,585 @@ + + + + Filtr + vyčistit filtr uzlů + Včetně neznámých + Skrýt offline uzly + Zobrazit jen přímé uzly + Zobrazit detaily + Možnosti řazení uzlů + A-Z + Kanál + Vzdálenost + Počet skoků + Naposledy slyšen + přes MQTT + přes MQTT + Oblíbené + Neznámý + Čeká na potvrzení + Ve frontě k odeslání + Potvrzený příjem + Žádná trasa + Obdrženo negativní potvrzení + Vypršel čas spojení + Žádné rozhraní + Dosaženo max. počet přeposlání + Žádný kanál + Příliš velký paket + Žádná odpověď + Špatný požadavek + Dosažen regionální časový limit + Neautorizovaný + Chyba při poslání šifrované zprávy + Neznámý veřejný klíč + Špatný klíč relace + Veřejný klíč není autorizován + Připojená aplikace nebo nezávislé zařízení. + Zařízení, které nepřeposílá pakety ostatních zařízení. + Uzel infrastruktury pro rozšíření pokrytí sítě přeposíláním zpráv. Viditelné v seznamu uzlů. + Kombinace ROUTER a CLIENT. Ne u mobilních zařízení. + Uzel infrastruktury pro rozšíření pokrytí sítě přenosem zpráv s minimální režií. Není viditelné v seznamu uzlů. + Prioritně vysílá pakety s pozicí GPS. + Prioritně vysílá pakety s telemetrií. + Optimalizované pro systémy komunikace ATAK, snižuje rutinní vysílání. + Zařízení, které vysílá pouze podle potřeby pro utajení nebo úsporu energie. + Pravidelně vysílá polohu jako zprávu do výchozího kanálu a pomáhá tak při hledání ztraceného zařízení. + Povolí automatické vysílání TAK PLI a snižuje běžné vysílání. + Infrastrukturní uzel, který vždy jednou zopakuje pakety, ale až po všech ostatních režimech, čímž zajišťuje lepší pokrytí místních clusterů. Je viditelný v seznamu uzlů. + Znovu odeslat jakoukoli pozorovanou zprávu, pokud byla na našem soukromém kanálu nebo z jiné sítě se stejnými parametry lory. + Stejné chování jako ALL, ale přeskočí dekódování paketů a jednoduše je znovu vysílá. Dostupné pouze v roli Repeater. Nastavení této možnosti pro jiné role povede k chování jako u ALL. + Ignoruje přijaté zprávy z cizích mesh sítí, které jsou otevřené nebo které nelze dešifrovat. Opakuje pouze zprávy na primárních / sekundárních kanálech místního uzlu. + Ignoruje přijaté zprávy z cizích mesh sítí, jako je LOCAL ONLY, ale jde ještě o krok dál tím, že také ignoruje zprávy od uzlů, které již nejsou v seznamu známých uzlů daného uzlu. + Povoleno pouze pro role SENSOR, TRACKER a TAK_TRACKER. Toto nastavení zabrání všem opakovaným vysíláním, podobně jako role CLIENT_MUTE. + Ignoruje pakety z nestandardních portů, jako jsou: TAK, RangeTest, PaxCounter atd. Opakuje pouze pakety se standardními porty: NodeInfo, Text, Position, Telemetry a Routing. + Zachází s dvojitým poklepáním na podporovaných akcelerometrech jako se stisknutím uživatelského tlačítka. + Zakáže funkci trojnásobného stisknutí uživatelského tlačítka pro zapnutí nebo vypnutí GPS. + Nastavuje blikání LED diody na zařízení. U většiny zařízení lze ovládat jednu ze čtyř LED diod, avšak LED diody nabíječky a GPS nelze ovládat. + Umožní odesílat informace o sousedních uzlech (NeighborInfo) nejen do MQTT a PhoneAPI, ale také přes LoRa. Nedostupné na kanálech s výchozím klíčem a názvem. + Veřejný klíč + Název kanálu + QR kód + Ikona aplikace + Neznámé uživatelské jméno + Odeslat + Ještě jste s tímto telefonem nespárovali rádio kompatibilní s Meshtastic. Spárujte prosím zařízení a nastavte své uživatelské jméno.\n\nTato open-source aplikace je ve vývoji, pokud narazíte na problémy, napište na naše fórum: https://github.com/orgs/meshtastic/discussions\n\nDalší informace naleznete na naší webové stránce - www. meshtastic.org. + Vy + Přijmout + Zrušit + Nová URL kanálu přijata + Nahlášení chyby + Nahlásit chybu + Jste si jistý, že chcete nahlásit chybu? Po odeslání prosím přidejte zprávu do https://github.com/orgs/meshtastic/discussions abychom mohli přiřadit Vaši nahlášenou chybu k příspěvku. + Odeslat chybové hlášení + Párování bylo úspěšné, spouštím službu + Párování selhalo, prosím zkuste to znovu + Přístup k poloze zařízení nebyl povolen, není možné poskytnout polohu zařízení do Mesh sítě. + Sdílet + Odpojeno + Zařízení spí + Připojeno: %1$s online + IP adresa: + Port: + Připojeno k vysílači (%s) + Nepřipojeno + Připojené k uspanému vysílači + Aplikace je příliš stará + Musíte aktualizovat aplikaci v obchodu Google Play (nebo z Githubu). Je příliš stará pro komunikaci s touto verzí firmware vysílače. Přečtěte si prosím naše dokumenty na toto téma. + Žádný (zakázat) + Servisní upozornění + O aplikaci + Tato adresa URL kanálu je neplatná a nelze ji použít + Panel pro ladění + Filtry + Aktivní filtry + Hledat v protokolech… + Vymazat protokoly + Vymazat + Stav doručení zprávy + Upozornění na přímou zprávu + Upozornění na hromadné zprávy + Upozornění na varování + Je vyžadována aktualizace firmwaru. + Firmware rádia je příliš starý na to, aby mohl komunikovat s touto aplikací. Více informací o tomto naleznete v naší firmware instalační příručce. + OK + Musíte specifikovat region! + Kanál nelze změnit, protože rádio ještě není připojeno. Zkuste to znovu. + Exportovat rangetest.csv + Reset + Skenovat + Přidat + Opravdu chcete změnit na výchozí kanál? + Obnovit výchozí nastavení + Použít + Vzhled + Světlý + Tmavý + Podle systému + Vyberte vzhled + Poskytnout polohu síti + + Smazat zprávu? + Smazat zprávy? + Smazat %s zpráv? + Smazat %s zpráv? + + Smazat + Smazat pro všechny + Smazat pro mě + Vybrat vše + Výběr stylu + Stáhnout oblast + Jméno + Popis + Uzamčeno + Uložit + Jazyk + Podle systému + Poslat znovu + Vypnout + Vypnutí není na tomto zařízení podporováno + Restartovat + Traceroute + Zobrazit úvod + Zpráva + Možnosti Rychlého chatu + Nový Rychlý chat + Upravit Rychlý chat + Připojit ke zprávě + Okamžitě odesílat + Obnovení továrního nastavení + Přímá zpráva + Reset NodeDB + Doručeno + Chyba + Ignorovat + Přidat \'%s\' do seznamu ignorovaných? + Odstranit \'%s\' ze seznamu ignorování? + Vyberte oblast stahování + Odhad stažení dlaždic: + Zahájit stahování + Vyžádat pozici + Zavřít + Nastavení zařízení + Nastavení modulů + Přidat + Upravit + Vypočítávám… + Správce Offline + Aktuální velikost mezipaměti + Kapacita mezipaměti: %1$.2f MB\nvyužití mezipaměti: %2$.2f MB + Vymazat stažené dlaždice + Zdroj dlaždic + Mezipaměť SQL vyčištěna pro %s + Vyčištění mezipaměti SQL selhalo, podrobnosti naleznete v logcat + Správce mezipaměti + Stahování dokončeno! + Stahování dokončeno s %d chybami + %d dlaždic + směr: %1$d° vzdálenost: %2$s + Upravit waypoint + Smazat waypoint? + Nový waypoint + Přijatý waypoint: %s + Byl dosažen limit pro cyklus. Momentálně nelze odesílat zprávy, zkuste to prosím později. + Odstranit + Tento uzel bude odstraněn z vašeho seznamu, dokud z něj váš uzel znovu neobdrží data. + Ztlumit notifikace + 8 hodin + 1 týden + Vždy + Nahradit + Skenovat WiFi QR kód + Neplatný formát QR kódu WiFi + Přejít zpět + Baterie + Využití kanálu + Využití přenosu + Teplota + Vlhkost + Logy + Počet skoků + Počet skoků: %1$d + Informace + Využití aktuálního kanálu, včetně dobře vytvořeného TX, RX a poškozeného RX (tzv. šumu). + Procento vysílacího času použitého během poslední hodiny. + IAQ + Sdílený klíč + Přímé zprávy používají sdílený klíč kanálu. + Šifrování veřejného klíče + Přímé zprávy používají novou infrastrukturu veřejných klíčů pro šifrování. Vyžaduje firmware verze 2.5 nebo vyšší. + Neshoda veřejného klíče + Veřejný klíč neodpovídá zaznamenanému klíči. Můžete odebrat uzel a nechat jej znovu vyměnit klíče, ale to může naznačovat závažnější bezpečnostní problém. Kontaktujte uživatele prostřednictvím jiného důvěryhodného kanálu, abyste zjistili, zda byla změna klíče způsobena resetováním továrního zařízení nebo jiným záměrným jednáním. + Vyžádat informace o uživateli + Oznámení o nových uzlech + Více detailů + SNR + Poměr signálu k šumu (SNR) je veličina používaná k vyjádření poměru mezi úrovní požadovaného signálu a úrovní šumu na pozadí. V Meshtastic a dalších bezdrátových systémech vyšší hodnota SNR značí čistší signál, což může zvýšit spolehlivost a kvalitu přenosu dat. + RSSI + Indikátor síly přijímaného signálu, měření, které se používá k určení hladiny výkonu přijímané anténou. Vyšší hodnota RSSI obvykle znamená silnější a stabilnější spojení. + (Vnitřní kvalita ovzduší) relativní hodnota IAQ měřená Bosch BME680. Hodnota rozsahu 0–500. + Protokol metrik zařízení + Mapa uzlu + Protokol pozic + Poslední aktualizace pozice + Protokol metrik prostředí + Protokol signálů + Administrace + Vzdálená administrace + Špatný + Slabý + Silný + Žádný + Sdílet do… + Signál + Kvalita signálu + Traceroute protokol + Přímý + + 1 skok + %d skoky + %d hopů + %d skoků + + Skok směrem k %1$d Skok zpět do %2$d + 24H + 48H + 1T + 2T + 4T + Max + Neznámé stáří + Kopírovat + Výstražný zvonek! + Kritické varování! + Oblíbené + Přidat \'%s\' jako oblíbený uzel? + Odstranit \'%s\' z oblíbených uzlů? + Protokol metrik napájení + Kanál 1 + Kanál 2 + Kanál 3 + Proud + Napětí + Jste si jistý? + dokumentaci o rolích zařízení a blogový příspěvek o výběru správné role zařízení.]]> + Vím co dělám. + Uzel %1$s má nízký stav baterie (%2$d%%) + Upozornění na nízký stav baterie + Nízký stav baterie: %s + Upozornění na nízký stav baterie (oblíbené uzly) + Barometrický tlak + Povoleno posílání přes UDP + UDP Konfigurace + Naposledy slyšen: %2$s
Poslední pozice: %3$s
Baterie: %4$s]]>
+ Zapnout/vypnout pozici + Uživatel + Kanály + Zařízení + Pozice + Napájení + Síť + Obrazovka + LoRa + Bluetooth + Zabezpečení + MQTT + Sériová komunikace + Externí oznámení + + Zkouška dosahu + Telemetrie + Předpřipravené zprávy + Zvuk + Vzdálený hardware + Informace o sousedech + Ambientní osvětlení + Detekční senzor + Konfigurace zvuku + I2S výběr slov + I2S vstupní data + I2S výstupní data + Nastavení bluetooth + Bluetooth povoleno + Režim párování + Pevný PIN + Odesílání povoleno + Stahování povoleno + Výchozí + Pozice povolena + GPIO pin + Typ + Skrýt heslo + Zobrazit heslo + Podrobnosti + Životní prostředí + Nastavení ambientního osvětlení + Stav LED + Červená + Zelená + Modrá + Přednastavené zprávy + Přednastavené zprávy povoleny + Rotační enkodér #1 povolen + GPIO pin pro rotační enkodér A port + GPIO pin pro port B rotačního enkodéru + GPIO pin pro port Press rotačního enkodéru + Vytvořit vstupní akci při stisku Press + Vytvořit vstupní akci při otáčení ve směru hodinových ručiček + Vytvořit vstupní akci při otáčení proti směru hodinových ručiček + Vstup Nahoru/Dolů/Výběr povolen + Odeslat zvonek + Zprávy + Konfigurace detekčního senzoru + Detekční senzor povolen + Minimální vysílání (sekundy) + Poslat zvonek s výstražnou zprávou + Přezdívka + GPIO pin ke sledování + Typ spouštění detekce + Použít INPUT_PULLUP režim + Nastavení zařízení + Role + Předefinovat PIN_TLACITKO + Předefinovat PIN_BZUCAK + Režim opětovného vysílání + Interval vysílání NodeInfo (v sekundách) + Dvojité klepnutí jako stisk tlačítka + Zakázat trojkliknutí + POSIX časové pásmo + Deaktivovat signalizaci stavu pomocí LED + Nastavení zobrazení + Časový limit obrazovky (v sekundách) + Formát souřadnic GPS + Automatické přepínání obrazovek (v sekundách) + Zobrazit sever kompasu nahoře + Překlopit obrazovku + Zobrazení jednotek + Přepsat automatické rozpoznání OLED + Režim obrazovky + Nadpis tučně + Probudit obrazovku při klepnutí nebo pohybu + Orientace kompasu + Nastavení externího oznámení + Externí oznámení povoleno + Oznámení při příjmu zprávy + LED výstražné zprávy + Bzučák výstražné zprávy + Vibrace výstražné zprávy + Oznámení při příjmu výstrahy/zvonku + LED při výstražném zvonku + Bzučák při výstražném zvonku + Vibrace při výstražném zvonku + Výstupní LED (GPIO) + Výstupní LED aktivní při HIGH + Výstupní pin bzučáku (GPIO) + Použít PWM bzučák + Výstupní pin vybračního motorku (GPIO) + Doba trvání výstupu (v milisekundách) + Interval opakovaného zvonění (v sekundách) + Vyzváněcí tón + Použít I2S jako bzučák + LoRa nastavení + Použít předvolbu modemu + Předvolba modemu + Šířka pásma + Posun frekvence (MHz) + Region (plán frekvence) + Limit skoku + TX povoleno + Výkon TX (dBm) + Frekvenční slot + Přepsat střídu + Ignorovat příchozí + SX126X RX zesílený zisk + Přepsat frekvenci (MHz) + Ignorovat MQTT + OK do MQTT + Nastavení MQTT + MQTT povoleno + Adresa + Uživatelské jméno + Heslo + Šifrování povoleno + JSON výstup povolen + TLS povoleno + Kořenové téma + Proxy na klienta povoleno + Hlášení mapy + Interval hlášení mapy (v sekundách) + Nastavení informace o sousedech + Informace o sousedech povoleny + Interval aktualizace (v sekundách) + Přenos přes LoRa + Nastavení sítě + WiFi povoleno + SSID + PSK + Ethernet povolen + NTP server + rsyslog server + Režim IPv4 + IP adresa + Gateway/Brána + Podsíť + Práh WiFi RSSI (výchozí hodnota -80) + Práh BLE RSSI (výchozí hodnota -80) + Nastavení pozice + Interval vysílání pozice (v sekundách) + Chytrá pozice povolena + Minimální vzdálenost pro inteligentní vysílání (v metrech) + Minimální interval inteligentního vysílání (v sekundách) + Použít pevnou pozici + Zeměpisná šířka + Zeměpisná délka + Nadmořská výška (v metrech) + Režim GPS + Interval aktualizace GPS (v sekundách) + Předefinovat GPS_RX_PIN + Předefinovat GPS_TX_PIN + Předefinovat PIN_GPS_EN + Příznaky pozice + Nastavení napájení + Povolit úsporný režim + Interval vypnutí při napájení z baterie (sekundy) + Vlastní hodnota násobiče pro ADC + Čekat na Bluetooth (sekundy) + Trvání super hlubokého spánku (sekundy) + Trvání lehkého spánku (sekundy) + Minimální čas probuzení (sekundy) + Adresa INA_2XX I2C baterie + Nastavení testu pokrytí + Test pokrytí povolen + Interval odesílání zpráv (v sekundách) + Uložit .CSV do úložiště (pouze ESP32) + Konfigurace vzdáleného modulu + Vzdálený modul povolen + Povolit přiřazení nedefinovaného pinu + Dostupné piny + Nastavení zabezpečení + Veřejný klíč + Soukromý klíč + Administrátorský klíč + Řízený režim + Sériová komunikace + Ladící protokol API povolen + Starý kanál správce + Konfigurace sériové komunikace + Sériová komunikace povolena + Rychlost sériového přenosu + Vypršel čas spojení + Sériový režim + Přepsat sériový port komunikace + + Pulzující LED + Počet záznamů + Server + Nastavení telemetrie + Interval aktualizace měření spotřeby (v sekundách) + Interval aktualizace měření životního prostředí (v sekundách) + Modul měření životního prostředí povolen + Zobrazení měření životního prostředí povoleno + Měření životního prostředí používá Fahrenheit + Modul měření kvality ovzduší povolen + Interval aktualizace měření životního prostředí (v sekundách) + Modul měření spotřeby povolen + Interval aktualizace měření spotřeby (v sekundách) + Měření spotřeby na obrazovce povoleno + Nastavení uživatele + Identifikátor uzlu + Dlouhé jméno + Krátké jméno + Hardwarový model + Licencované amatérské rádio (HAM) + Povolení této možnosti zruší šifrování a není kompatibilní se základním nastavením Meshtastic sítě. + Rosný bod + Tlak + Odpor plynu + Vzdálenost + Osvětlení + Vítr + Hmotnost + Radiace + + Kvalita vnitřního ovzduší (IAQ) + Adresa URL + + Importovat nastavení + Exportovat nastavení + Hardware + Podporované + Číslo uzlu + Identifikátor uživatele + Doba provozu + Časová značka + Satelitů + Výška + Primární + Pravidelné vysílání pozice a telemetrie + Sekundární + Žádné pravidelné telemetrické vysílání + Je vyžadován manuální požadavek na pozici + Stiskněte a přetáhněte pro změnu pořadí + Zrušit ztlumení + Dynamický + Naskenovat QR kód + Sdílet kontakt + Importovat sdílený kontakt? + Nepřijímá zprávy + Nesledované nebo infrastruktura + Upozornění: Tento kontakt je znám, import přepíše předchozí kontaktní informace. + Veřejný klíč změněn + Vyžádat metadata + Akce + Firmware + Použít 12h formát hodin + Pokud je povoleno, zařízení bude na obrazovce zobrazovat čas ve 12 hodinovém formátu. + Volná paměť + Zatížení + Uzly + Nastavení + Nastavte svůj region + Váš uzel bude pravidelně odesílat nešifrovaný mapový paket na konfigurovaný MQTT server, který zahrnuje id, dlouhé a krátké jméno. přibližné umístění, hardwarový model, role, verze firmwaru, region LoRa, předvolba modemu a název primárního kanálu. + Souhlas se sdílením nešifrovaných dat uzlu prostřednictvím MQTT + Povolením této funkce potvrzujete a výslovně souhlasíte s přenosem zeměpisné polohy vašeho zařízení v reálném čase přes MQTT protokol bez šifrování. Tato lokalizační data mohou být použita pro účely, jako je hlášení živých map, sledování zařízení a související telemetrické funkce. + Četl jsem a rozumím výše uvedenému. Dobrovolně souhlasím s nešifrovaným přenosem dat svého uzlu přes MQTT + Souhlasím. + Doporučena aktualizace firmwaru. + Chcete-li využít nejnovějších oprav a funkcí, aktualizujte firmware vašeho uzlu.\n\nPoslední stabilní verze firmwaru: %1$s + Platnost do + Čas + Datum + Pouze oblíbené + Zobrazit trasové body + Zobrazit kruhy přesnosti + Oznámení klienta + Zjištěny kompromitované klíče, zvolte OK pro obnovení. + Obnovit soukromý klíč + Jste si jisti, že chcete obnovit svůj soukromý klíč?\n\nUzly, které si již vyměnily klíče s tímto uzlem, budou muset odebrat tento uzel a vyměnit klíče pro obnovení bezpečné komunikace. + Exportovat klíče + Exportuje veřejné a soukromé klíče do souboru. Uložte je prosím bezpečně. + (%1$d online / %2$d celkem) + Odpovědět + Varování + + + + + Zpráva +
diff --git a/app/src/main/res/values-de-rDE/strings.xml b/app/src/main/res/values-de-rDE/strings.xml new file mode 100644 index 000000000..9a89292f5 --- /dev/null +++ b/app/src/main/res/values-de-rDE/strings.xml @@ -0,0 +1,776 @@ + + + + Meshtastic %s + Filter + Node Filter löschen + Unbekannte Stationen einbeziehen + Offline Knoten ausblenden + Nur direkte Knoten anzeigen + Sie sehen ignorierte Knoten,\ndrücken um zur Knotenliste zurückzukehren. + Details anzeigen + Sortieroptionen + A-Z + Kanal + Entfernung + Zwischenschritte entfernt + Zuletzt gehört + über MQTT + über MQTT + über Favorit + Ignorierte Knoten + Unbekannt + Warte auf Bestätigung + zur Warteschlange für das Senden hinzugefügt + Bestätigt + Keine Route + negative Bestätigung erhalten + Zeitüberschreitung + Keine Schnittstelle + Maximale Anzahl Weiterleitungen erreicht + Kein Kanal + Paket zu groß + Keine Reaktion + Schlechte Anfrage + Regionales Duty-Cycle-Limit erreicht + Nicht autorisiert + Verschlüsseltes Senden fehlgeschlagen + Unbekannter öffentlicher Schlüssel + Fehlerhafter Sitzungsschlüssel + Öffentlicher Schlüssel nicht autorisiert + Mit der App verbundenes oder eigenständiges Messaging-Gerät. + Gerät, welches keine Pakete von anderen Geräten weiterleitet. + Node zur Erweiterung der Netzabdeckung durch Weiterleiten von Nachrichten. In Knotenliste sichtbar. + Kombination von ROUTER und CLIENT. Nicht für mobile Endgeräte. + Infrastrukturknoten zur Erweiterung der Netzabdeckung durch Weiterleitung von Nachrichten mit minimalem Overhead. In der Knotenliste nicht sichtbar. + GPS-Positionspakete mit Priorität gesendet. + Telemetrie-Pakete mit Priorität gesendet. + Optimiert für Kommunikation des ATAK Systems, reduziert Routineübertragungen. + Gerät, das nur bei Bedarf sendet, um sich zu tarnen oder Strom zu sparen. + Sendet den Standort regelmäßig als Nachricht an den Standardkanal, um bei der Wiederherstellung des Geräts zu helfen. + Aktiviert automatische TAK PLI Übertragungen und reduziert Routineübertragungen. + Infrastruktur-Node, der Pakete immer einmal erneut sendet, jedoch erst, nachdem alle anderen Modi durchlaufen wurden, um zusätzliche Abdeckung für lokale Cluster sicherzustellen. Sichtbar in der Node-Liste. + Sende jede beobachtete Nachricht erneut aus, ob sie auf unserem privaten Kanal oder von einem anderen Netz mit den gleichen lora-Parametern stammt. + Das gleiche Verhalten wie ALLE aber überspringt die Paketdekodierung und sendet sie einfach erneut. Nur in Repeater Rolle verfügbar. Wenn Sie diese auf jede andere Rolle setzen, wird ALLE Verhaltensweisen folgen. + Ignoriert beobachtete Nachrichten aus fremden Netzen, die offen sind oder die, die nicht entschlüsselt werden können. Sendet nur die Nachricht auf den Knoten lokalen primären / sekundären Kanälen. + Ignoriert beobachtete Nachrichten von fremden Meshes wie bei LOCAL ONLY, geht jedoch einen Schritt weiter, indem auch Nachrichten von Nodes ignoriert werden, die nicht bereits in der bekannten Liste der Nodes enthalten sind. + Dies ist nur für SENSOR, TRACKER und TAK_TRACKER zulässig. Dies verhindert alle Übertragungen, nicht anders als CLIENT_MUTE Rolle. + Ignoriert Pakete von nicht standardmäßigen portnums wie: TAK, Range Test, PaxCounter, etc. Sendet nur Pakete mit Standardportnums: NodeInfo, Text, Position, Telemetrie und Routing erneut. + Behandle Doppeltippen auf unterstützten Beschleunigungssensoren wie einen Benutzer-Tastendruck. + Deaktiviert das dreifache Drücken der Benutzertaste zum Aktivieren oder Deaktivieren des GPS. + Steuert die blinkende LED auf dem Gerät. Bei den meisten Geräten wird damit eine von bis zu 4 LEDs gesteuert, die Lade- und GPS-LEDs sind jedoch nicht steuerbar. + Ob unsere Nachbarinformation zusätzlich zum Senden an MQTT und die Phone-API auch über LoRa übertragen werden soll. Nicht verfügbar auf einem Kanal mit Standardschlüssel und -name. + Öffentlicher Schlüssel + Kanalname + QR-Code + Anwendungssymbol + Unbekannter Nutzername + Senden + Sie haben noch kein zu Meshtastic kompatibles Funkgerät mit diesem Telefon gekoppelt. Bitte koppeln Sie ein Gerät und legen Sie Ihren Benutzernamen fest.\n\nDiese quelloffene App befindet sich im Test. Wenn Sie Probleme finden, veröffentlichen Sie diese bitte auf unserer Website im Chat.\n\nWeitere Informationen finden Sie auf unserer Webseite - www.meshtastic.org. + Du + Analyse und Absturzberichterstattung erlauben. + Akzeptieren + Abbrechen + Änderungen löschen + Neue Kanal-URL empfangen + Meshtastic benötigt aktivierte Standortberechtigungen, um neue Geräte über Bluetooth zu finden. Sie können die Funktion deaktivieren, wenn sie nicht verwendet wird. + Fehler melden + Fehler melden + Bist du sicher, dass du einen Fehler melden möchtest? Nach dem Melden bitte auf https://github.com/orgs/meshtastic/discussions eine Nachricht veröffentlichen, damit wir die Übereinstimmung der Fehlermeldung und dessen, was Sie gefunden haben, feststellen können. + Melden + Kopplung erfolgreich, der Dienst wird gestartet + Kopplung fehlgeschlagen, bitte wähle erneut + Standortzugriff ist deaktiviert, es kann keine Position zum Mesh bereitgestellt werden. + Teilen + Neuen Knoten gesehen: %s + Verbindung getrennt + Gerät schläft + Verbunden: %1$s online + IP-Adresse: + Port: + Verbunden + Mit Funkgerät verbunden (%s) + Nicht verbunden + Mit Funkgerät verbunden, aber es ist im Schlafmodus + Anwendungsaktualisierung erforderlich + Sie müssen diese App über den App Store (oder Github) aktualisieren. Sie ist zu alt, um mit dieser Funkgerät-Firmware zu kommunizieren. Bitte lesen Sie unsere Dokumentation zu diesem Thema. + Nichts (deaktiviert) + Dienst-Benachrichtigungen + Über + Diese Kanal-URL ist ungültig und kann nicht verwendet werden + Debug-Ausgaben + Dekodiertes Payload: + Protokolle exportieren + Filter + Aktive Filter + In Protokollen suchen + Nächste Übereinstimmung + Vorherige Übereinstimmung + Neue Suche + Filter hinzufügen + Filter enthält + Alle Filter löschen + Protokolle löschen + Irgendwas finden | Alle + Alle finden | Irgendwas + Es werden alle Log- und Datenbankeinträge von Ihrem Gerät entfernt. Dies ist eine vollständige Löschung und sie ist dauerhaft. + Leeren + Nachrichten-Zustellungsstatus + Benachrichtigung direkte Nachrichten + Benachrichtigung allgemeine Nachrichten + Benachrichtigungen + Firmware-Aktualisierung erforderlich. + Die Funkgerät-Firmware ist zu alt, um mit dieser App kommunizieren zu können. Für mehr Informationen darüber besuchen Sie unsere Firmware-Installationsanleitung. + OK + Sie müssen eine Region festlegen! + Konnte den Kanal nicht ändern, da das Funkgerät noch nicht verbunden ist. Bitte versuchen Sie es erneut. + Exportiere rangetest.csv + Zurücksetzen + Scannen + Hinzufügen + Sind Sie sicher, dass Sie in den Standardkanal wechseln möchten? + Auf Standardeinstellungen zurücksetzen + Anwenden + Design + Hell + Dunkel + System + Design auswählen + Standort zum Mesh angeben + + Nachricht löschen? + %s Nachrichten löschen? + + Löschen + Für jeden löschen + Für mich löschen + Alle auswählen + Auswahl schließen + Auswahl löschen + Stil-Auswahl + Region herunterladen + Name + Beschreibung + Gesperrt + Speichern + Sprache + System + Erneut senden + Herunterfahren + Herunterfahren wird auf diesem Gerät nicht unterstützt + Neustarten + Traceroute + Einführung zeigen + Nachricht + Schnellchat + Neuer Schnell-Chat + Schnell-Chat bearbeiten + An Nachricht anhängen + Sofort senden + Schnell-Chat Menü anzeigen + Schnell-Chat-Menü ausblenden + Auf Werkseinstellungen zurücksetzen + Bluetooth ist deaktiviert. Bitte aktivieren Sie es in Ihren Geräteeinstellungen. + Einstellungen öffnen + Firmware Version: %1$s + Meshtastic benötigt die Berechtigung „Geräte in der Nähe“, um Geräte über Bluetooth zu finden und eine Verbindung zu ihnen herzustellen. Sie können die Funktion deaktivieren, wenn sie nicht verwendet wird. + Direktnachricht + Node-Datenbank zurücksetzen + Zustellung Bestätigt + Fehler + Ignorieren + \'%s\' zur Ignorierliste hinzufügen? Deine Funkstation wird nach dieser Änderung neu gestartet. + \'%s\' von der Ignorieren-Liste entfernen? Deine Funkstation wird nach dieser Änderung neu starten. + Herunterlade-Region auswählen + Kachel-Herunterladen-Schätzung: + Herunterladen starten + Exchange Position + Schließen + Geräteeinstellungen + Moduleinstellungen + Hinzufügen + Bearbeiten + Berechnen … + Offline-Verwaltung + Aktuelle Zwischenspeichergröße + Zwischenspeichergröße: %1$.2f MB\nZwischenspeicherverwendung: %2$.2f MB + Heruntergeladene Kacheln löschen + Kachel-Quelle + SQL-Zwischenspeicher gelöscht für %s + Das Säubern des SQL-Zwischenspeichers ist fehlgeschlagen, siehe Logcat für Details + Zwischenspeicher-Verwaltung + Herunterladen abgeschlossen! + Herunterladen abgeschlossen mit %d Fehlern + %d Kacheln + Richtung: %1$d° Entfernung: %2$s + Wegpunkt bearbeiten + Wegpunkt löschen? + Wegpunkt hinzufügen + Wegpunkt: %s empfangen + Limit für den aktuellen Zyklus erreicht. Nachrichten können momentan nicht gesendet werden, bitte versuchen Sie es später erneut. + Entfernen + Diese Node wird aus deiner Liste entfernt, bis deine Node wieder Daten von ihr erhält. + Benachrichtigungen stummschalten + 8 Stunden + Eine Woche + Immer + Ersetzen + WiFi QR-Code scannen + Ungültiges QR-Code-Format für WiFi-Berechtigung + Zurück navigieren + Akku + Kanalauslastung + Luftauslastung + Temperatur + Luftfeuchte + Bodentemperatur + Bodenfeuchtigkeit + Protokolle + Zwischenschritte entfernt + Entfernung: %1$d Knoten + Information + Auslastung für den aktuellen Kanal, einschließlich gut geformtem TX, RX und fehlerhaftem RX (auch bekannt als Rauschen). + Prozent der Sendezeit für die Übertragung innerhalb der letzten Stunde. + IAQ + Geteilter Schlüssel + Direktnachrichten verwenden den gemeinsamen Schlüssel für den Kanal. + Public Key Verschlüsselung + Direkte Nachrichten verwenden die neue öffentliche Schlüssel-Infrastruktur für die Verschlüsselung. Benötigt Firmware-Version 2.5 oder höher. + Public-Key Fehler + Der öffentliche Schlüssel stimmt nicht mit dem aufgezeichneten Schlüssel überein. Sie können den Knoten entfernen und ihn erneut Schlüssel austauschen lassen, dies kann jedoch auf ein schwerwiegenderes Sicherheitsproblem hinweisen. Kontaktieren Sie den Benutzer über einen anderen vertrauenswürdigen Kanal, um festzustellen, ob die Schlüsseländerung auf eine Zurücksetzung auf die Werkseinstellungen oder eine andere absichtliche Aktion zurückzuführen ist. + Exchange Benutzer Informationen + Neue Node Benachrichtigungen + Mehr Details + SNR + Signal-Rausch-Verhältnis, ein in der Kommunikation verwendetes Maß, um den Pegel eines gewünschten Signals im Verhältnis zum Pegel des Hintergrundrauschens zu quantifizieren. Bei Meshtastic und anderen drahtlosen Systemen weist ein höheres SNR auf ein klareres Signal hin, das die Zuverlässigkeit und Qualität der Datenübertragung verbessern kann. + RSSI + Indikator für die empfangene Signalstärke, eine Messung zur Bestimmung der von der Antenne empfangenen Leistungsstärke. Ein höherer RSSI-Wert weist im Allgemeinen auf eine stärkere und stabilere Verbindung hin. + (Innenluftqualität) relativer IAQ-Wert gemessen von Bosch BME680. + Funkauslastung + Node Positionsverlaufkarte + Positions-Protokoll + Letzte Standortaktualisierung + Sensorprotokoll + Signalprotokoll + Administration + Fernadministration + Schlecht + Angemessen + Gut + Keine + Teile mit… + Signal + Signalqualität + Traceroute-Protokoll + Direkt + + 1 Hop + %d Hops + + %1$d Hopser vorwärts %2$d Hopser zurück + 24H + 48H + 1 Woche + 2 Wochen + 4W + Maximal + Alter unbekannt + Kopie + Warnklingelzeichen! + kritischer Fehler! + Favorit + \'%s\' als Favorit hinzufügen? + \'%s\' als Favorit entfernen? + Leistungsdaten Log + Kanal 1 + Kanal 2 + Kanal 3 + Strom + Spannung + Bist du sicher? + Geräte-Rollen Dokumentation und den dazugehörigen Blogpost über die Auswahl der Geräte Rolle.]]> + Ich weiß was ich tue. + Knoten %1$s hat einen niedrigen Ladezustand (%2$d%%) + Leere Batterie Benachrichtigung + Leere Batterie: %s + Akkustands Warnung (für Favoriten) + Luftdruck + Mesh über UDP ermöglichen + UDP Konfiguration + Zuletzt gehört:%2$s
Letzte Position:%3$s
Akku:%4$s]]>
+ Position einschalten + Benutzer + Kanäle + Gerät + Position + Leistung + Netzwerk + Display + LoRa + Bluetooth + Sicherheit + MQTT + Seriell + Externe Benachrichtigung + + Reichweitentest + Telemetrie + Nachrichten-Vorlage + Audio + Entfernte Hardware + Nachbarinformation + Umgebungslicht + Erkennungssensor + Pax Zähler + Audioeinstellungen + CODEC 2 aktiviert + GPIO Pin PTT + CODEC2 Abtastrate + I2S Wortauswahl + I2S Daten Eingang + I2S Daten Ausgang + I2S Takt + Bluetooth Einstellungen + Bluetooth aktiviert + Kopplungsmodus + Festgelegter Pin + Uplink aktiviert + Downlink aktiviert + Standard + Position aktiviert + Genauer Standort + GPIO Pin + Typ + Passwort verbergen + Passwort anzeigen + Details + Umgebung + Umgebungsbeleuchtungseinstellungen + LED Zustand + Rot + Grün + Blau + Einstellung vordefinierte Nachrichten + Vordefinierte Nachrichten aktiviert + Drehencoder #1 aktiviert + GPIO-Pin für Drehencoder A Port + GPIO-Pin für Drehencoder B Port + GPIO-Pin für Drehencoder Knopf Port + Eingabeereignis beim Drücken generieren + Eingabeereignis bei Uhrzeigersinn generieren + Eingabeereignis bei Gegenuhrzeigersinn generieren + Up/Down/Select Eingang aktiviert + Eingabequelle zulassen + Glocke senden + Nachrichten + Sensoreinstellungen für Erkennung + Erkennungssensor aktiviert + Minimale Übertragungszeit (Sekunden) + Statusübertragung (Sekunden) + Glocke mit Alarmmeldung senden + Anzeigename + Zu überwachender GPIO-Pin + Typ der Erkennungsauslösung + Eingang PULLUP Einstellung + Geräteeinstellungen + Rolle + PIN_BUTTON neu definieren + PIN-SUMMER neu definieren + Übertragungsmodus + NodeInfo Übertragungsintervall (Sekunden) + Doppeltes Tippen als Knopfdruck + Dreifachklicken deaktivieren + POSIX Zeitzone + Heartbeat-LED deaktivieren + Anzeigeeinstellungen + Bildschirm Timeout (Sekunden) + GPS Koordinatenformat + Auto Bildschirmwechsel (Sekunden) + Kompass Norden oben + Bildschirm spiegeln + Anzeigeeinheiten + OLED automatische Erkennung überschreiben + Anzeigemodus + Überschrift fett + Bildschirm bei Tippen oder Bewegung aufwecken + Kompassausrichtung + Einstellungen für externe Benachrichtigungen + Externe Benachrichtigungen aktiviert + Benachrichtigungen für Empfangsbestätigung + Warnmeldungs LED + Warnmeldungs-Summer + Warnmeldungs-Vibration + Benachrichtigungen für erhaltene Alarmglocke + Alarmglocken LED + Alarmglocken Summer + Alarmglocken Vibration + Ausgabe LED (GPIO) + Ausgabe LED aktiv hoch + Ausgabe Summer (GPIO) + Benutze PWM Summer + Ausgabe Vibration (GPIO) + Ausgabedauer (GPIO) + Nervige Verzögerung (Sekunden) + Klingelton + I2S als Buzzer verwenden + LoRa Einstellungen + Modem Vorlage verwenden + Modem Voreinstellungen + Bandbreite + Spreizfaktor + Fehlerkorrektur + Frequenzversatz (MHz) + Region (Frequenzplan) + Sprung-Limit + TX aktiviert + TX-Leistung (dBm) + Frequenz Slot + Duty-Cycle überschreiben + Eingehende ignorieren + SX126X RX verbesserter gain + Überschreibe Frequenz (MHz) + PA Fan deaktiviert + MQTT ignorieren + OK für MQTT + MQTT Einstellungen + MQTT aktiviert + Adresse + Benutzername + Passwort + Verschlüsselung aktiviert + JSON-Ausgabe aktiviert + TLS aktiviert + Hauptthema + Proxy zu Client aktiviert + Kartenberichte + Karten-Berichtsintervall (Sekunden) + Nachbar Info Einstellungen + Nachbarinformationen aktiviert + Aktualisierungsintervall (Sekunden) + Übertragen über LoRa + Netzwerkeinstellungen + WiFi aktiviert + SSID + PSK + Ethernet aktiviert + NTP Server + rsyslog Server + IPv4 Modus + IP + Gateway + Subnetz + Pax Zähler Einstellung + Pax Zähler aktiviert + WiFi RSSI Schwellenwert (Standard -80) + BLE RSSI Schwellenwert (Standard -80) + Positionseinstellungen + Position Übertragungsintervall (Sekunden) + Intelligente Position aktiviert + Intelligente Position Minimum Distanz (Meter) + Intelligente Position Minimum Intervall (Sekunden) + Feste Position verwenden + Breitengrad + Längengrad + Höhenmeter (Meter) + Vom aktuellen Telefonstandort festlegen + GPS Modus + GPS Aktualisierungsintervall (Sekunden) + GPS RX PIN neu definieren + GPS TX PIN neu definieren + GPS EN PIN neu definieren + Standort Optionen + Power Konfiguration + Energiesparmodus aktivieren + Verzögerung zum Herunterfahren bei Akkubetrieb (Sekunden) + ADC Multiplikator Überschreibungsverhältnis + Warte auf Bluetooth (Sekunden) + Supertiefeschlaf (Sekunden) + Lichtschlaf (Sekunden) + Minimale Weckzeit (Sekunden), + Batterie INA_2XX I2C Adresse + Entfernungstest Einstellungen + Entfernungstest aktiviert + Sendernachrichtenintervall (Sekunden) + Speichere .CSV im Speicher (nur ESP32) + Entfernte Geräteeinstellungen + Entfernte Geräteeinstellungen + Erlaube undefinierten Pin-Zugriff + Verfügbare Pins + Sicherheitseinstellungen + Öffentlicher Schlüssel + Privater Schlüssel + Adminschlüssel + Verwalteter Modus + Serielle Konsole + Debug-Protokoll-API aktiviert + Veralteter Admin Kanal + Einstellungen Serielleschnittstelle + Serielleschnittstelle aktiviert + Echo aktiviert + Serielle Baudrate + Zeitlimit erreicht + Serieller Modus + Seriellen Port der Konsole überschreiben + + Puls + Anzahl Einträge + Verlauf Rückgabewert maximal + Zeitraum Rückgabewert + Server + Telemetrie Einstellungen + Aktualisierungsintervall für Gerätekennzahlen (Sekunden) + Aktualisierungsintervall für Umweltdaten (Sekunden) + Modul Umweltdaten aktiviert + Umweltdatenanzeige aktiviert + Umweltdaten in Fahrenheit + Modul Luftqualität aktiviert + Aktualisierungsintervall für Luftqualität (Sekunden) + Symbol für Luftqualität + Modul Energiedaten aktiviert + Aktualisierungsintervall für Energiedaten (Sekunden) + Energiedatenanzeige aktiviert + Benutzer Einstellungen + Knoten-ID + Vollständiger Name + Spitzname + Geräte-Modell + Amateurfunk lizenziert + Das Aktivieren dieser Option deaktiviert die Verschlüsselung und ist nicht mit dem Standardnetzwerk von Meshtastic kompatibel. + Taupunkt + Druck + Gaswiderstand + Distanz + Lux + Wind + Gewicht + Strahlung + + Luftqualität im Innenbereich (IAQ) + URL + + Einstellungen importieren + Einstellungen exportieren + Hardware + Unterstützt + Knotennummer + Benutzer ID + Laufzeit + Last %1$d + Laufwerkspeicher frei %1$d + Zeitstempel + Überschrift + Geschwindigkeit + Satelliten + Höhe + Frequenz + Position + Primär + Regelmäßiges senden von Position und Telemetrie + Sekundär + Kein regelmäßiges senden der Telemetrie + Manuelle Positionsanfrage erforderlich + Drücken und ziehen, um neu zu sortieren + Stummschaltung aufheben + Dynamisch + QR Code scannen + Kontakt teilen + Geteilte Kontakte importieren? + Nicht erreichbar + Unbeaufsichtigt oder Infrastruktur + Warnung: Dieser Kontakt ist bekannt, beim Importieren werden die vorherigen Kontaktinformationen überschreiben. + Öffentlicher Schlüssel geändert + Importieren + Metadaten anfordern + Aktionen + Firmware + 12h Uhrformat verwenden + Wenn aktiviert, zeigt das Gerät die Uhrzeit im 12-Stunden-Format auf dem Bildschirm an. + Protokoll Host Kennzahlen + Host + Freier Speicher + Freier Speicher + Last + Benutzerzeichenkette + Navigieren zu + Verbindung + Mesh Karte + Konversationen + Knoten + Einstellungen + Region festlegen + Antworten + Ihr Knoten sendet in regelmäßigen Abständen eine unverschlüsselte Nachricht mit Kartenbericht an den konfigurierten MQTT-Server. Einschließlich ID, langen und kurzen Namen, ungefährer Standort, Hardwaremodell, Geräterolle, Firmware-Version, LoRa Region, Modem-Voreinstellung und Name des Primärkanal. + Einwilligung zum Teilen von unverschlüsselten Node-Daten über MQTT + Indem Sie diese Funktion aktivieren, erklären Sie sich ausdrücklich Einverstanden mit der Übertragung des geographischen Standorts Ihres Gerätes in Echtzeit über das MQTT-Protokoll und ohne Verschlüsselung. Diese Standortdaten können zum Beispiel für Live-Kartenerichte, Geräteverfolgung und zugehörige Telemetriefunktionen verwendet werden. + Ich habe das oben stehende gelesen und verstanden. Ich willige ein in die unverschlüsselte Übertragung der Daten meines Nodes. + Ich stimme zu. + Firmware-Update empfohlen. + Um von den neuesten Fehlerkorrekturen und Funktionen zu profitieren, aktualisieren Sie bitte Ihre Node-Firmware.\n\nneueste stabile Firmware-Version: %1$s + Gültig bis + Zeit + Datum + Kartenfilter\n + Nur Favoriten + Zeige Wegpunkte + Präzise Bereiche anzeigen + Warnmeldung + Kompromittierte Schlüssel erkannt, wählen Sie OK, um diese neu zu erstellen. + Privaten Schlüssel neu erstellen + Sind Sie sicher, dass Sie den privaten Schlüssel neu erstellen möchten?\n\nAndere Knoten, die bereits Schlüssel mit diesem Knoten ausgetauscht haben, müssen diesen entfernen und erneut austauschen, um eine sichere Kommunikation fortzusetzen. + Schlüssel exportieren + Exportiert den öffentlichen und privaten Schlüssel in eine Datei. Bitte speichern Sie diese an einem sicheren Ort. + Entsperrte Module + Entfernt + (%1$d Online / %2$d Gesamt) + Reagieren + Trennen + Suche nach Bluetooth Geräten… + Keine gekoppelten Bluetooth Geräte. + Keine Netzwerkgeräte gefunden. + Keine seriellen USB Geräte gefunden. + Zum Ende springen + Meshtastic + Suche + Sicherheitsstatus + Sicher + Warnhinweis + Unbekannter Kanal + Warnung + Überlaufmenü + UV Lux + Unbekannt + Dieses Radio wird verwaltet und kann nur durch Fernverwaltung geändert werden. + Fortgeschritten + Knotendatenbank leeren + Knoten älter als %1$d Tage entfernen + Nur unbekannte Knoten entfernen + Knoten mit niedriger / ohne Aktivität entfernen + Ignorierte Knoten entfernen + Jetzt leeren + Dies wird %1$d Knoten aus Ihrer Datenbank entfernen. Diese Aktion kann nicht rückgängig gemacht werden. + Ein grünes Schloss bedeutet, dass der Kanal sicher mit einem 128 oder 256 Bit AES-Schlüssel verschlüsselt ist. + + Unsicherer Kanal, nicht genau + Ein gelbes offenes Schloss bedeutet, dass der Kanal nicht sicher verschlüsselt ist, nicht für genaue Standortdaten verwendet wird und entweder gar keinen Schlüssel oder einen bekannten 1 Byte Schlüssel verwendet. + + Unsicherer Kanal, genauer Standort + Ein rotes offenes Schloss bedeutet, dass der Kanal nicht sicher verschlüsselt ist, für genaue Standortdaten verwendet wird und entweder gar keinen Schlüssel oder einen bekannten 1 Byte Schlüssel verwendet. + + Warnung: Unsicherer, genauer Standort & MQTT Uplink + Ein rotes offenes Schloss mit Warnung bedeutet, dass der Kanal nicht sicher verschlüsselt ist, für präzise Standortdaten verwendet wird, die über MQTT ins Internet hochgeladen werden und entweder gar keinen Schlüssel oder einen bekannten 1 Byte Schlüssel verwendet. + + Kanalsicherheit + Bedeutung für Kanalsicherheit + Alle Bedeutungen anzeigen + Aktuellen Status anzeigen + Tastatur ausblenden + Möchten Sie diesen Knoten wirklich löschen? + Antworten auf %1$s + Antwort abbrechen + Nachricht löschen? + Auswahl löschen + Nachricht + Eine Nachricht schreiben + Protokoll Besucherzähler + Besucher + Keine Daten für den Besucherzähler verfügbar. + WLAN Geräte + BLE Geräte + Gekoppelte Geräte + Verbundene Geräte + Ausführen + Sendebegrenzung überschritten. Bitte versuchen Sie es später erneut. + Version ansehen + Herunterladen + Aktuell installiert + Neueste stabile Version + Neueste Alpha Version + Unterstützt von der Meshtastic Gemeinschaft + Firmware-Version + Kürzliche Netzwerkgeräte + Entdeckte Netzwerkgeräte + Erste Schritte + Willkommen bei + Bleibe überall in Verbindung + Kommunizieren Sie außerhalb des Netzwerks mit Ihren Freunden und der Gemeinschaft ohne Mobilfunkdienst. + Erstelle deine eigenen Netzwerke + Leicht einzurichtende, private Netznetze für sichere und zuverlässige Kommunikation in entlegenen Gebieten. + Standort verfolgen und teilen + Teilen Sie Ihren Standort in Echtzeit und koordinieren Sie Ihre Gruppe mit integrierten GPS Funktionen. + App-Benachrichtigungen + Eingehende Nachrichten + Benachrichtigungen für Kanal und Direktnachrichten. + Neue Knoten + Benachrichtigungen für neu entdeckte Knoten. + Niedriger Akkustand + Benachrichtigungen für niedrige Akku-Warnungen des angeschlossenen Gerätes. + Pakete, die als kritisch gesendet werden, ignorieren den Lautlos und Ruhemodus in den Benachrichtigungseinstellungen. + Benachrichtigungseinstellungen + Telefonstandort + Meshtastic nutzt den Standort Ihres Telefons, um einige Funktionen zu aktivieren. Sie können Ihre Standortberechtigungen jederzeit in den Einstellungen aktualisieren. + Standort teilen + Benutzen Sie das GPS Ihres Telefons um Standorte an Ihren Knoten zu senden, anstatt ein Hardware GPS in Ihrem Knoten zu verwenden. + Entfernungsmessungen + Zeigt den Abstand zwischen Ihrem Telefon und anderen Meshtastic Knoten mit einem Standort an. + Entfernungsfilter + Filtern Sie die Knotenliste und die Mesh-Karte nach der Nähe zu Ihrem Telefon. + Netzwerk Kartenstandort + Aktiviert den blauen Punkt für Ihr Telefon in der Netzwerkkarte. + Standortberechtigungen konfigurieren + Überspringen + Einstellungen + Kritische Warnungen + Um sicherzustellen, dass Sie kritische Benachrichtigungen wie + SOS-Nachrichten erhalten, auch wenn Ihr Gerät im \"Nicht stören\" Modus ist, müssen Sie eine spezielle + Berechtigung erteilen. Bitte aktivieren Sie dies in den Benachrichtigungseinstellungen. + + Kritische Warnungen konfigurieren + Meshtastic nutzt Benachrichtigungen, um Sie über neue Nachrichten und andere wichtige Ereignisse auf dem Laufenden zu halten. Sie können Ihre Benachrichtigungsrechte jederzeit in den Einstellungen aktualisieren. + Weiter + Berechtigungen erteilen + %d Knoten in der Warteschlange zum Löschen: + Achtung: Dies entfernt Knoten aus der App und Gerätedatenbank.\nDie Auswahl ist kumulativ. + Verbinde mit Gerät + Normal + Satellit + Gelände + Hybrid + Kartenebenen verwalten + Benutzerdefinierte Ebenen für .kml oder .kmz Dateien. + Kartenebenen + Keine benutzerdefinierten Ebenen geladen. + Ebene hinzufügen + Ebene ausblenden + Ebene anzeigen + Ebene entfernen + Ebene hinzufügen + Knoten an diesem Standort + Ausgewählter Kartentyp + Benutzerdefinierte Kachelquellen verwalten + Benutzerdefinierte Kachelquelle hinzufügen + Keine benutzerdefinierten Kachelquellen + Benutzerdefinierte Kachelquelle bearbeiten + Benutzerdefinierte Kachelquelle löschen + Name darf nicht leer sein. + Der Name des Anbieters existiert bereits. + URL darf nicht leer sein. + URL muss Platzhalter enthalten. + URL Vorlage + Verlaufspunkt + Telefoneinstellungen +
diff --git a/app/src/main/res/values-el-rGR/strings.xml b/app/src/main/res/values-el-rGR/strings.xml new file mode 100644 index 000000000..1eff56bf7 --- /dev/null +++ b/app/src/main/res/values-el-rGR/strings.xml @@ -0,0 +1,197 @@ + + + + Φίλτρο + A-Ω + Κανάλι + Απόσταση + μέσω MQTT + μέσω MQTT + Λήξη χρονικού ορίου + Εσφαλμένο Αίτημα + Άγνωστο Δημόσιο Κλειδί + Δημόσιο Κλειδί + Όνομα Καναλιού + Κώδικας QR + εικονίδιο εφαρμογής + Άγνωστο Όνομα Χρήστη + Αποστολή + Δεν έχετε κάνει ακόμη pair μια συσκευή συμβατή με Meshtastic με το τηλέφωνο. Παρακαλώ κάντε pair μια συσκευή και ορίστε το όνομα χρήστη.\n\nΗ εφαρμογή ανοιχτού κώδικα βρίσκεται σε alpha-testing, αν εντοπίσετε προβλήματα παρακαλώ δημοσιεύστε τα στο forum: https://github.com/orgs/meshtastic/discussions\n\nΠερισσότερες πληροφορίες στην ιστοσελίδα - www.meshtastic.org. + Εσύ + Αποδοχή + Ακύρωση + Λήψη URL νέου καναλιού + Αναφορά Σφάλματος + Αναφέρετε ένα σφάλμα + Είστε σίγουροι ότι θέλετε να αναφέρετε ένα σφαλμα? Μετά την αναφορά δημοσιεύστε στο https://github.com/orgs/meshtastic/discussions ώστε να συνδέσουμε την αναφορά με το συμβάν. + Αναφορά + Η διαδικασία pairing ολοκληρώθηκε, εκκίνηση υπηρεσίας + Η διαδικασία ζευγοποιησης απέτυχε, παρακαλώ επιλέξτε πάλι + Η πρόσβαση στην τοποθεσία είναι απενεργοποιημένη, δεν μπορεί να παρέχει θέση στο πλέγμα. + Κοινοποίηση + Αποσυνδεδεμένο + Συσκευή σε ύπνωση + IP διεύθυνση: + Θύρα: + Συνδεδεμένο στο radio (%s) + Αποσυνδεδεμένο + Συνδεδεμένο στο radio, αλλά βρίσκεται σε ύπνωση + Εφαρμογή πολύ παλαιά + Πρέπει να ενημερώσετε την εφαρμογή μέσω Google Play store (ή Github). Είναι πολύ παλαιά ώστε να συνδεθεί με το radio. + Κανένα (απενεργοποιημένο) + Ειδοποιήσεις Υπηρεσίας + Σχετικά + Αυτό το κανάλι URL δεν είναι ορθό και δεν μπορεί να χρησιμοποιηθεί + Πίνακας αποσφαλμάτωσης + Καθαρό, Εκκαθάριση, + Κατάσταση παράδοσης μηνύματος + Απαιτείται ενημέρωση υλικολογισμικού. + Το λογισμικό του πομποδεκτη είναι πολύ παλιό για να μιλήσει σε αυτήν την εφαρμογή. Για περισσότερες πληροφορίες σχετικά με αυτό ανατρέξτε στον οδηγό εγκατάστασης του Firmware. + Εντάξει + Πρέπει να ορίσετε μια περιοχή! + Εξαγωγή rangetest.csv + Επαναφορά + Σάρωση + Προσθήκη + Είστε σίγουροι ότι θέλετε να αλλάξετε στο προεπιλεγμένο κανάλι; + Επαναφορά προεπιλογών + Εφαρμογή + Θέμα + Φωτεινό + Σκούρο + Προκαθορισμένο του συστήματος + Επέλεξε θέμα + Παρέχετε τοποθεσία στο πλέγμα + + Διαγραφή μηνύματος; + Διαγραφή %s μηνυμάτων; + + Διαγραφή + Διαγραφή για όλους + Διαγραφή από μένα + Επιλογή όλων + Επιλογή Ύφους + Λήψη Περιοχής + Ονομα + Περιγραφή + Κλειδωμένο + Αποθήκευση + Γλώσσα + Προκαθορισμένο του συστήματος + Αποστολή ξανά + Τερματισμός λειτουργίας + Επανεκκίνηση + Traceroute + Προβολή Εισαγωγής + Μήνυμα + Γρήγορες επιλογές συνομιλίας + Νέα γρήγορη συνομιλία + Επεξεργασία ταχείας συνομιλίας + Άμεση αποστολή + Επαναφορά εργοστασιακών ρυθμίσεων + Άμεσο Μήνυμα + Σφάλμα + Παράβλεψη + Επιλογή περιοχής λήψης + Εκκίνηση Λήψης + Κλείσιμο + Ρυθμίσεις συσκευής + Ρυθμίσεις πρόσθετου + Προσθήκη + Επεξεργασία + Υπολογισμός… + Διαχειριστής Εκτός Δικτύου + Μέγεθος τρέχουσας προσωρινής μνήμης + Χωρητικότητα προσωρινής μνήμης: %1$.2f MB\nΧρήση προσωρινής μνήμης: %2$.2f MB + Η προσωρινή μνήμη SQL καθαρίστηκε για %s + Διαχείριση Προσωρινής Αποθήκευσης + Η λήψη ολοκληρώθηκε! + Λήψη ολοκληρώθηκε με %d σφάλματα + Επεξεργασία σημείου διαδρομής + Διαγραφή σημείου πορείας; + Νέο σημείο πορείας + Διαγραφή + Αυτός ο κόμβος θα αφαιρεθεί από τη λίστα σας έως ότου ο κόμβος σας λάβει εκ νέου δεδομένα από αυτόν. + Σίγαση ειδοποιήσεων + 8 ώρες + 1 εβδομάδα + Πάντα + Αντικατάσταση + Σάρωση QR κωδικού WiFi + Μη έγκυρη μορφή QR διαπιστευτηρίων WiFi + Μπαταρία + Θερμοκρασία + Υγρασία + Αρχεία καταγραφής + Πληροφορίες + Κοινόχρηστο Κλειδί + Κρυπτογράφηση Δημόσιου Κλειδιού + Ασυμφωνία δημόσιου κλειδιού + Αρχείο Καταγραφής Τοποθεσίας + Διαχείριση + Απομακρυσμένη Διαχείριση + Αντιγραφή + Αγαπημένο + Κανάλι 1 + Κανάλι 2 + Κανάλι 3 + Τάση + Ξέρω τι κάνω. + Βαρομετρική Πίεση + Χρήστης + Κανάλια + Συσκευή + Τοποθεσία + Δίκτυο + Οθόνη + LoRa + Bluetooth + Ασφάλεια + MQTT + Τηλεμετρία + Ήχος + Ρυθμίσεις Bluetooth + Λεπτομέρειες + Κόκκινο + Πράσινο + Μπλε + Μηνύματα + Διεύθυνση + Όνομα χρήστη + Κωδικός πρόσβασης + SSID + PSK + IP + Γεωγραφικό Πλάτος + Γεωγραφικό Μήκος + Υψόμετρο (μέτρα) + Δημόσιο Κλειδί + Ιδιωτικό Κλειδί + Λήξη χρονικού ορίου + Σημείο Δρόσου + Απόσταση + Βάρος + URL + Ρυθμίσεις + Απάντηση + + + + + Μήνυμα + diff --git a/app/src/main/res/values-es-rES/strings.xml b/app/src/main/res/values-es-rES/strings.xml new file mode 100644 index 000000000..499c7407a --- /dev/null +++ b/app/src/main/res/values-es-rES/strings.xml @@ -0,0 +1,413 @@ + + + + (No se ha podido obtener el nombre) Meshtastic %s + Filtro + quitar filtro de nodo + Incluir desconocidos + Ocultar nodos desconectados + Mostrar sólo nodos directos + Mostrar detalles + Opciones de orden de Nodos + A-Z + Canal + Distancia + Brinca afuera + Última escucha + vía MQTT + vía MQTT + vía Favorita + No reconocido + Esperando ser reconocido + En cola para enviar + Reconocido + Sin ruta + Recibido un reconocimiento negativo + Tiempo agotado + Sin interfaz + Máximo número de retransmisiones alcanzado + No hay canal + Paquete demasiado largo + Sin respuesta + Solicitud errónea + Se alcanzó el límite regional de ciclos de trabajo + No autorizado + Envío cifrado fallido + Clave pública desconocida + Mala clave de sesión + Clave pública no autorizada + Aplicación conectada o dispositivo de mensajería autónomo. + El dispositivo no reenvía mensajes de otros dispositivos. + Nodo de infraestructura para ampliar la cobertura de la red mediante la retransmisión de mensajes. Visible en la lista de nodos. + Combinación de ROUTER y CLIENTE. No para dispositivos móviles. + Nodo de infraestructura para ampliar la cobertura de la red mediante la retransmisión de mensajes. Visible en la lista de nodos. + Transmisión de paquetes de posición GPS como prioridad. + Transmite paquetes de telemetría como prioridad. + Optimizado para el sistema de comunicación ATAK, reduciendo las transmisiones rutinarias. + Dispositivo que solo emite según sea necesario por sigilo o para ahorrar energía. + Transmite regularmente la ubicación como mensaje al canal predeterminado para asistir en la recuperación del dispositivo. + Permite la transmisión automática TAK PLI y reduce las transmisiones rutinarias. + Nodo de infraestructura que permite la retransmisión de paquetes una vez posterior a los demás modos, asegurando cobertura adicional a los grupos locales. Es visible en la lista de nodos. + Si está en nuestro canal privado o desde otra red con los mismos parámetros lora, retransmite cualquier mensaje observado. + Igual al comportamiento que TODOS pero omite la decodificación de paquetes y simplemente los retransmite. Sólo disponible en el rol repetidor. Establecer esto en cualquier otro rol dará como resultado TODOS los comportamientos. + Ignora mensajes observados desde mallas foráneas que están abiertas o que no pueden descifrar. Solo retransmite mensajes en los nodos locales principales / canales secundarios. + Ignora los mensajes recibidos de redes externas como LOCAL ONLY, pero ignora también mensajes de nodos que no están ya en la lista de nodos conocidos. + Solo permitido para los roles SENSOR, TRACKER y TAK_TRACKER, esto inhibirá todas las retransmisiones, no a diferencia del rol de CLIENT_MUTE. + Trate un doble toque en acelerómetros soportados como una pulsación de botón de usuario. + Deshabilita la triple pulsación del botón de usuario para activar o desactivar GPS. + Controla el LED parpadeante del dispositivo. Para la mayoría de los dispositivos esto controlará uno de los hasta 4 LEDs, el cargador y el GPS tienen LEDs no controlables. + Clave Pública + Nombre del canal + Código QR + icono de la aplicación + Nombre de usuario desconocido + Enviar + Aún no ha emparejado una radio compatible con Meshtastic con este teléfono. Empareje un dispositivo y configure su nombre de usuario. \n\nEsta aplicación de código abierto es una prueba alfa; si encuentra un problema publiquelo en el foro: https://github.com/orgs/meshtastic/discussions\n\nPara obtener más información visite nuestra página web - www.meshtastic.org. + Usted + Aceptar + Cancelar + Borrar cambios + Nueva URL de canal recibida + Informar de un fallo + Informar de un fallo + ¿Está seguro de que quiere informar de un error? Después de informar por favor publique en https://github.com/orgs/meshtastic/discussions para que podamos comparar el informe con lo que encontró. + Informar + Emparejamiento completado, iniciando el servicio + El emparejamiento ha fallado, por favor seleccione de nuevo + El acceso a la localización está desactivado, no se puede proporcionar la posición a la malla. + Compartir + Desconectado + Dispositivo en reposo + Conectado: %1$s Encendido + Dirección IP: + Puerto: + Conectado + Conectado a la radio (%s) + No está conectado + Conectado a la radio, pero está en reposo + Es necesario actualizar la aplicación + Debe actualizar esta aplicación en la tienda de aplicaciones (o en Github). Es demasiado vieja para comunicarse con este firmware de radio. Por favor, lea nuestra documentación sobre este tema. + Ninguno (desactivado) + Notificaciones de servicio + Acerca de + La URL de este canal no es válida y no puede utilizarse + Panel de depuración + Exportar registros + Filtros + Filtros activos + Buscar en registros… + Siguiente coincidencia + Coincidencia anterior + Borrar búsqueda + Añadir filtro + Filtro incluido + Borrar todos los filtros + Limpiar los registros + Coincidir con cualquier | Todo + Coincidir todo | Cualquiera + Esto eliminará todos los paquetes de registro y las entradas de la base de datos de su dispositivo - Es un reinicio completo, y es permanente. + Limpiar + Estado de entrega del mensaje + Notificaciones de mensajes directos + Notificaciones de mensaje de difusión + Notificaciones de alerta + Es necesario actualizar el firmware. + El firmware de radio es demasiado viejo para comunicar con esta aplicación. Para obtener más información sobre esto consulte nuestra guía de instalación de Firmware. + Vale + ¡Debe establecer una región! + No se puede cambiar de canal porque la radio aún no está conectada. Por favor inténtelo de nuevo. + Guardar rangetest.csv + Reiniciar + Escanear + Añadir + ¿Estás seguro de que quieres cambiar al canal por defecto? + Restablecer los valores predeterminados + Aplique + Tema + Claro + Oscuro + Predeterminado del sistema + Elegir tema + Proporcionar la ubicación del teléfono a la malla + + Deseas eliminar el mensaje? + Deseas eliminar %s mensajes? + + Eliminar + Eliminar para todos + Eliminar para mí + Seleccionar todo + Cerrar selección + Borrar seleccionados + Selección de estilo + Descargar región + Nombre + Descripción + Bloqueado + Guardar + Idioma + Predeterminado del sistema + Reenviar + Apagar + Apagado no compatible con este dispositivo + Reiniciar + Traceroute + Mostrar Introducción + Mensaje + Opciones de chat rápido + Nuevo chat rápido + Editar chat rápido + Añadir al mensaje + Envía instantáneo + Restablecer los valores de fábrica + Mensaje Directo + Reinicio de NodeDB + Envío confirmado + Error + Ignorar + ¿Añadir \'%s\' para ignorar la lista? Tu radio se reiniciará después de hacer este cambio. + ¿Eliminar \'%s\' para ignorar la lista? Tu radio se reiniciará después de hacer este cambio. + Seleccionar región de descarga + Estimación de descarga de ficha: + Comenzar Descarga + Intercambiar Posición + Cerrar + Configuración de radio + Configuración de módulo + Añadir + Editar + Calculando… + Administrador sin conexión + Tamaño actual de Caché + Capacidad del caché: %1$.2f MB\nUso del caché: %2$.2f MB + Limpiar Fichas descargadas + Fuente de Fichas + Caché SQL purgado para %s + Error en la purga del caché SQL, consulte logcat para obtener más detalles + Gestor de Caché + ¡Descarga completa! + Descarga completa con %d errores + %d Fichas + rumbo: %1$d° distancia: %2$s + Editar punto de referencia + ¿Eliminar punto de referencia? + Nuevo punto de referencia + Punto de referencia recibido: %s + Límite de Ciclo de Trabajo alcanzado. No se pueden enviar mensajes en este momento, por favor inténtalo de nuevo más tarde. + Quitar + Este nodo será retirado de tu lista hasta que tu nodo reciba datos de él otra vez. + Silenciar notificaciones + 8 horas + 1 semana + Siempre + Reemplazar + Escanear código QR WiFi + Formato de código QR de credencial wifi inválido + Ir atrás + Batería + Utilización del canal + Tiempo de Transmisión + Temperatura: + Humedad + Temperatura del suelo/tierra + Humedad del suelo/tierra + Registros + Saltos de distancia + Número de saltos: %1$d + Información + Utilización del canal actual, incluyendo TX, RX bien formado y RX mal formado (ruido similar). + Porcentaje de tiempo de transmisión utilizado en la última hora. + IAQ + Clave compartida + Los mensajes directos están usando la clave compartida para el canal. + Cifrado de Clave Pública + Clave pública no coincide + Intercambiar información de usuario + Notificaciones de nuevo nodo + Más detalles + SNR + SNR: Ratio de señal a ruido, una medida utilizada en las comunicaciones para cuantificar el nivel de una señal deseada respecto al nivel del ruido de fondo. En Meshtastic y otros sistemas inalámbricos, un mayor SNR indica una señal más clara que puede mejorar la fiabilidad y la calidad de la transmisión de datos. + RSSI + (Calidad de Aire interior) escala relativa del valor IAQ como mediciones del sensor Bosch BME680. +Rango de Valores 0 - 500. + Registro de métricas del dispositivo + Mapa de Nodos + Registro de Posiciones + Última actualización + Registro de métricas ambientales + Registro de Señal Métrica + Administración + Administración remota + Mal + Aceptable + Bien + Ninguna + Compartir con… + Señal + Calidad de señal + Registro de Ruta + Directo + + 1 salto + %d saltos + + Salta hacia %1$d Salta de vuelta %2$d + 24H + 48H + 1Semana + 2Semanas + 4Semanas + Máximo + Edad desconocida + Copiar + ¡Carácter Campana de Alerta! + ¡Alerta Crítica! + Favorito + ¿Añadir \'%s\' como un nodo favorito? + ¿Eliminar \'%s\' como un nodo favorito? + Registro de métricas de energía + Canal 1 + Canal 2 + Canal 3 + Intensidad + Tensión + ¿Estás seguro? + Sé lo que estoy haciendo + El nodo %1$s tiene poca batería (%2$d%%) + Notificaciones de batería baja + Batería baja: %s + Notificaciones de batería baja (nodos favoritos) + Presión Barométrica + Mesh a través de UDP activado + Configuración UDP + Última escucha: %2$s
Última posición: %3$s
Batería: %4$s]]>
+ Cambiar mi posición + Usuario + Canales + Dispositivo + Posición + Energía + Red + Pantalla + LoRa + Bluetooth + Seguridad + MQTT + Conexión Serial + Notificaciones Externas + + Test de Alcance + Telemetría + Mensajes Predefinidos + Audio + Hardware Remoto + Información de Vecinos + Luz Ambiental + Sensor de Presencia + Contador de Paquetes + Configuración de sonido + CODEC 2 activado + Pin PTT + Frecuencia de Muestreo CODEC2 + Entrada de datos I2S + Salida de datos I2S + Reloj del I2S + Configuración Bluetooth + Bluetooth activado + Modo de emparejamiento + Pin fijo + Por defecto + Posición activada + Pin GPIO + Tipo + Ocultar contraseña + Mostrar contraseña + Detalles + Ambiente + Configuración de la luz ambiental + Estado de led + Rojo + Verde + Azul + Configuración de mensajes predefinidos + Mensaje predefinidos activados + Mandar campana 🔔 + Mensajes + Configuración del sensor detector + Sensor detector activado + Tiempo mínimo de transmisión (segundos) + Mandar la campana con el mensaje de alerta + Mote + Pin GPIO para monitorizar + Tipo de detección para activar + Utilizar el modo de entrada PULL_UP + Configuración del dispositivo + Rol + Redefinir PIN_BOTÓN (PIN_BUTTON) + Redefinir PIN_BUZZER + Modo de retransmisión + Periodo entre transmisiones de la información del nodo (segundos) + Tratar las dobles pulsaciones como una de botón + Desactivar pulsaciones triples + Zona horaria POSIX + Desactivar el latido LED + Configuración de pantalla + Tiempo para apagar la pantalla (segundos) + Formato de las coordenadas GPS + Tiempo para pasar entre pantallas automáticamente (segundos) + La brújula apunta al norte + Girar la pantalla 180º + Unidades en pantalla + Sobrescribir la auto-detección OLED + Modo de la pantalla + Rumbo en negrita + Despertar al tocar o moverse + Orientación de la brújula + Configuración de las notificaciones externas + Notificaciones externas activadas + Notificación LED al recibir un mensaje + Notificación con el buzzer al recibir un mensaje + Notificación con vibración al recibir un mensaje + Notificaciones al recibir una alerta/campana + Notificación LED al recibir una campana + Notificación con el zumbador al recibir una campana + Notificación con vibración al recibir una campana + Salida LED (pin GPIO) + Salida buzzer (pin GPIO) + Utilizar buzzer PWM + Salida vibratoria (pin GPIO) + Duración en las salidas (milisegundos) + Tono de notificación + + Configuración de la posición + Clave Pública + Clave privada + Tiempo agotado + Pulso de vida + Icono de la calidad del aire + Distancia + Ajustes + Reaccionar + Lux ultravioletas + + + + + Mensaje + Saltar +
diff --git a/app/src/main/res/values-et-rEE/strings.xml b/app/src/main/res/values-et-rEE/strings.xml new file mode 100644 index 000000000..5ef256c4d --- /dev/null +++ b/app/src/main/res/values-et-rEE/strings.xml @@ -0,0 +1,776 @@ + + + + Meshtastic %s + Filtreeri + eemalda sõlmefilter + Kaasa tundmatud + Peida ühenduseta + Kuva ainult otseühendusega + Sa vaatad eiratud sõlmi,\nVajuta tagasi minekuks sõlmede nimekirja. + Kuva üksikasjad + Sõlmede filter + A-Z + Kanal + Kaugus + Hüppeid + Viimati kuuldud + läbi MQTT + läbi MQTT + läbi Lemmikud + Eiratud sõlmed + Tundmatu + Ootab kinnitamist + Saatmise järjekorras + Kinnitatud + Marsruuti pole + Negatiivne kinnitus + Aegunud + Liidest pole + Maksimaalne kordusedastus on saavutatud + Kanalit pole + Liiga suur pakett + Vastust pole + Vigane päring + Piirkondlik töötsükli piirang saavutatud + Autoriseerimata + Krüpteeritud saatmine nurjus + Tundmatu avalik võti + Vigane sessiooni võti + Avalik võti autoriseerimata + Rakendusega ühendatud või iseseisev sõnumsideseade. + Seade, mis ei edasta pakette teistelt seadmetelt. + Infrastruktuuri sõlm võrgu leviala laiendamiseks sõnumite edastamise kaudu. Nähtav sõlmede loendis. + Ruuteri ja Kliendi kombinatsioon. Ei ole mõeldud mobiilseadmetele. + Infrastruktuuri sõlm võrgu leviala laiendamiseks, edastades sõnumeid minimaalse üldkuluga. Pole sõlmede loendis nähtav. + Esmajärjekorras edastatakse GPS asukoha pakette. + Esmalt edastatakse telemeetria pakette. + Optimeeritud ATAK süsteemi side jaoks, vähendab rutiinseid saateid. + Seade, mis edastab ülekandeid ainult siis, kui see on vajalik varjamiseks või energia säästmiseks. + Edastab asukohta regulaarselt vaikekanalile sõnumina, et aidata seadme leidmisel. + Võimaldab automaatseid TAK PLI saateid ja vähendab rutiinseid saateid. + Infrastruktuurisõlm, mis saadab pakette ainult ühe korra, ning alles peale kõiki teisi sõlmi, tagades kohalikele klastritele täiendava katvuse. Nähtav sõlmede loendis. + Saada uuesti mis tahes jälgitav sõnum, kui see oli privaatkanali või teisest samade LoRa parameetritega võrgus. + Sama käitumine nagu KÕIK puhul, aga pakete ei dekodeerita vaid need lihtsalt edastatakse. Saadaval ainult Repiiteri rollis. Teise rolli puhul toob kaasa KÕIK käitumise. + Ignoreerib jälgitavaid sõnumeid välisvõrkudest avatud või dekrüpteerida mittevõimalikke sõnumeid. Saadab sõnumeid ainult kohalikel primaarsetel/sekundaarsetel kanalitel. + Ignoreerib välismaistest võrgusilmadest, nt AINULT KOHALIK, saadud sõnumeid, kuid läheb sammu edasi, ignoreerides ka sõnumeid sõlmedelt, mis pole veel tuntud sõlme loendis. + Lubatud ainult rollidele SENSOR, TRACKER ja TAK_TRACKER, see blokeerib kõik kordus edastused, vastupidiselt CLIENT_MUTE rollile. + Ignoreerib pakette mittestandardsetest pordinumbritest, näiteks: TAK, RangeTest, PaxCounter jne. Edastatakse ainult standardsete pordinumbritega pakette: NodeInfo, Tekst, Asukoht, Telemeetia ja Routimine. + Topelt puudutust toetatud kiirendusmõõturitel käsitletakse kasutaja nupuvajutusena. + Keelab kolmikvajutuse GPS lubamiseks või keelamiseks. + Juhib seadme vilkuvaid LED. Enamiku seadmete puhul juhib see 1 kuni 4 LED, laadija ja GPS LED ei ole juhitavad. + Lisaks MQTT-le ja PhoneAPI-le saatmisele peaks meie NeighborInfo edastama ka LoRa kaudu. Ei tööta vaikimisi võtme ja - nimega kanalil. + Avalik võti + Kanali nimi + QR kood + rakenduse ikoon + Tundmatu kasutajanimi + Saada + Ei ole veel ühendanud Meshtastic -kokku sobivat raadiot telefoniga. Seo seade selle telefoniga ja määra kasutajanimi.\n\nSee avatud lähtekoodiga programm on alpha-testi staatuses. Kui märkad vigu, saada palun sõnum meie foorumisse: https://github.com/orgs/meshtastic/discussions\n\nLisateave kodulehel - www.meshtastic.org. + Sina + Luba analüüsi ja krahhi aruandlus. + Nõustu + Tühista + Võta tagasi + Uued kanalid vastu võetud + Meshtastic vajab sinihambaga kaudu seadmete leidmiseks asukohalubasid. Saate need keelata, kui neid ei kasutata. + Teata veast + Teata veast + Kas soovid kindlasti veast teatada? Saada hiljem selgitus aadressile https://github.com/orgs/meshtastic/discussions, et saaksime selgitust leituga sobitada. + Raport + Seade on seotud, taaskäivitan + Sidumine ebaõnnestus, vali palun uuesti + Juurdepääs asukohale on välja lülitatud, ei saa asukohta teistele jagada. + Jaga + Uus sõlm nähtud: %s + Ühendus katkenud + Seade on unerežiimis + Ühendatud: %1$s aktiivset + IP-aadress: + Port: + Ühendatud + Ühendatud raadioga (%s) + Ei ole ühendatud + Ühendatud raadioga, aga see on unerežiimis + Vajalik on rakenduse värskendus + Pead seda rakendust rakenduste poes (või Github) värskendama. See on liiga vana selle raadio püsivara jaoks. Loe selle kohta lisateavet meie dokumentatsioonist . + Puudub (pole kasutatud) + Teenuse teavitused + Teave + Kanali URL on kehtetu ja seda ei saa kasutada + Arendaja paneel + Dekodeeritud andmed: + Salvesta logi + Filtrid + Aktiivsed filtrid + Otsi logist… + Järgmine + Eelmine + Puhasta otsing + Lisa filter + Filter kaasa arvatud + Puhasta kõik filtrid + Puhasta logid + Sobib mõni | kõik + Sobib mõni | kõik + See eemaldab teie seadmest kõik logipaketid ja andmebaasikirjed – see on täielik lähtestamine ja see on jäädav. + Kustuta + Sõnumi edastamise olek + Otsesõnumi teated + Ringhäälingusõnumi teated + Märguteated + Püsivara värskendus on vajalik. + Raadio püsivara on selle rakenduse kasutamiseks liiga vana. Lisateabe saamiseks vaata meie püsivara paigaldusjuhendit. + Olgu + Pead valima regiooni! + Kanalit ei saanud vahetada, kuna raadio pole veel ühendatud. Proovi uuesti. + Lae alla rangetest.csv + Taasta + Otsi + Lisa + Kas oled kindel, et soovid vaikekanalit muuta? + Taasta vaikesätted + Rakenda + Teema + Hele + Tume + Süsteemi vaikesäte + Vali teema + Jaga telefoni asukohta mesh-võrku + + Kustuta sõnum? + Kustuta %s sõnumit? + + Eemalda + Eemalda kõigi jaoks + Eemalda minult + Vali kõik + Sulge valik + Kustuta valik + Stiili valik + Lae piirkond + Nimi + Kirjeldus + Lukustatud + Salvesta + Keel + Süsteemi vaikesäte + Saada uuesti + Lülita välja + Seade ei toeta väljalülitamist + Taaskäivita + Marsruudi + Näita tutvustust + Sõnum + Kiirvestlus valikud + Uus kiirvestlus + Kiirvestluse muutmine + Lisa sõnumisse + Saada kohe + Kuva kiirsõnumite valik + Peida kiirsõnumite valik + Tehasesätted + Sinihammas keelatud. Luba see sätetes. + Ava seaded + Püsivara versioon: %1$s + Meshtastic vajab seadmete leidmiseks ja nendega sinihamba ​​kaudu ühenduse loomiseks „Lähi seadmed” luba. Saate selle keelata, kui seda ei kasutata. + Otsesõnum + NodeDB lähtestamine + Kohale toimetatud + Viga + Eira + Lisa \'%s\' eiramis loendisse? + Eemaldada \'%s\' eiramis loendist? + Vali allalaetav piirkond + Paanide allalaadimise prognoos: + Alusta allalaadimist + Jaga asukohta + Sule + Raadio sätted + Mooduli sätted + Lisa + Muuda + Arvutan… + Võrguühenduseta haldur + Praegune vahemälu suurus + Vahemälu maht: %1$.2f MB\nVahemälu kasutus: %2$.2f MB + Tühjenda allalaetud paanid + Paani allikas + SQL-i vahemälu puhastatud %s jaoks + SQL-i vahemälu tühjendamine ebaõnnestus, vaata üksikasju logcat\'ist + Vahemälu haldamine + Allalaadimine on lõppenud! + Allalaadimine lõpetati %d veaga + %d paani + suund: %1$d° kaugus: %2$s + Muuda teekonnapunkti + Eemalda teekonnapunkt? + Uus teekonnapunkti + Vastuvõetud teekonnapunkt %s + Töötsükli limiit on saavutatud. Sõnumite saatmine ei ole hetkel võimalik. Proovi hiljem uuesti. + Eemalda + Antud sõlm eemaldatakse loendist kuniks sinu sõlm võtab sellelt vastu uuesti andmeid. + Vaigista teatised + 8 tundi + 1 nädal + Alati + Asenda + Skaneeri WiFi QR kood + Vigane WiFi tõendi QR koodi vorming + Liigu tagasi + Aku + Kanali kasutus + Eetri kasutus + Temperatuur + Niiskus + Mulla temperatuur + Maapinna niiskus + Logi kirjet + Hüppe kaugusel + %1$d hüppe kaugusel + Informatsioon + Praeguse kanali kasutamine, sealhulgas korrektne TX, RX ja vigane RX (ehk müra). + Viimase tunni jooksul kasutatud eetriaja protsent. + IAQ + Jagatud võti + Otsesõnumid kasutavad selle kanali jaoks jagatud võtit. + Avaliku võtme krüpteerimine + Otsesõnumid kasutavad krüpteerimiseks uut avaliku võtme taristut. Eeldab püsivara versiooni 2.5 või uuemat. + Kokkusobimatu avalik võti + Avalik võti ei ühti salvestatud võtmega. Võite sõlme eemaldada ja lasta sellel uuesti võtmeid vahetada, kuid see võib viidata tõsisemale turvaprobleemile. Võtke kasutajaga ühendust mõne muu usaldusväärse kanali kaudu, et teha kindlaks, kas võtme muudatuse põhjuseks oli tehaseseadete taastamine või muu tahtlik tegevus. + Kasutajate teabe vahetamine + Uue sõlme teade + Rohkem üksikasju + SNR + Signaali ja müra suhe (SNR) on mõõdik, mida kasutatakse soovitud signaali taseme ja taustamüra taseme vahelise suhte määramisel. Meshtastic ja teistes traadita süsteemides näitab kõrgem signaali ja müra suhe selgemat signaali, mis võib parandada andmeedastuse usaldusväärsust ja kvaliteeti. + RSSI + Vastuvõetud signaali tugevuse indikaator (RSSI), mõõt mida kasutatakse antenni poolt vastuvõetava võimsustaseme määramiseks. Kõrgem RSSI väärtus näitab üldiselt tugevamat ja stabiilsemat ühendust. + Siseõhu kvaliteet (IAQ) on suhtelise skaala väärtus, näiteks mõõtes Bosch BME680 abil. Väärtuste vahemik 0–500. + Seadme andurite logi + Sõlmede kaart + Asukoha logi + Viimase asukoha värskendus + Keskkonnaandurite logi + Signaalitugevuse andurite logi + Haldus + Kaughaldus + Halb + Rahuldav + Hea + Puudub + Jaga… + Levi + Levi Kvaliteet + Marsruutimise Logi + Otsene + + 1 hüpe + %d hüppet + + %1$d hüpet sõlmeni, %2$d hüpet tagasi + 24T + 48T + 1N + 2N + 4N + Maksimaalselt + Tundmatu vanus + Kopeeri + Häirekella sümbol! + Häiresõnum! + Lemmik + Lisa \'%s\' lemmik sõlmede hulka? + Eemalda \'%s\' lemmik sõlmede hulgast? + Toitepinge andurite logi + Kanal 1 + Kanal 2 + Kanal 3 + Pinge + Vool + Oled kindel? + seadme rollide juhendit ja blogi postitust valin õige seadme rolli.]]> + Ma tean mida teen. + Sõlmel %1$s on akupinge madal (%2$d%%) + Madala akupinge teavitus + Madal akupinge: %s + Madala akupinge teated (lemmik sõlmed) + Baromeetri rõhk + Mesh UDP kaudu lubatud + UDP sätted + Viimati kuuldud: %2$s
viimane asukoht: %3$s
Akupinge: %4$s]]>
+ Lülita asukoht sisse + Kasutaja + Kanal + Seade + Asukoht + Toide + Võrk + Ekraan + LoRa + Sinihammas + Turvalisus + MQTT + Jadaport + Välised teated + + Ulatustest + Telemeetria + Salvestatud sõnum + Heli + Kaugriistvara + Naabri teave + Ambient valgus + Tuvastusandur + Pax loendur + Heli sätted + CODEC 2 lubatud + PTT klemm + CODEC2 test sagedus + I2S sõna valik + I2S info sisse + I2S info välja + I2S kell + Sinihamba sätted + Sinihammas lubatud + Sidumine + Fikseeritud PIN + Saatmine lubatud + Vastuvõtt lubatud + Vaikesäte + Asukoht lubatud + Täpne asukoht + GPIO klemm + Tüüp + Peida parool + Kuva parool + Üksikasjad + Keskkond + Ambient valguse sätted + LED olek + Punane + Roheline + Sinine + Salvestatud sõnumite sätted + Salvestatud sõnumid lubatud + Pöördvalik #1 lubatud + GPIO klemmi pöördvalik A-pordis + GPIO klemmi pöördvalik B-pordis + GPIO klemmi pöördvalik Vajuta-pordis + Sisendsündmus Vajuta sisendis + Sisendsündmus CW sisendis + Sisendsündmus CCW sisendis + Üles/Alla/Vali sisend lubatud + Luba sisend allikas + Saada Kõll + Sõnum + Tuvastusanduri sätted + Tuvastusandur lubatud + Minimaalne edastusaeg (sekund) + Oleku edastus (sekund) + Saada kõll koos hoiatus-sõnumiga + Kasutajasõbralik nimi + GPIO klemmi jälgimine + Identifitseerimistüüp + Kasuta INPUT_PULLUP režiimi + Seadme sätted + Roll + Seadista uuesti PIN_NUPP + Seadista uuesti PIN_SIGNAAL + Uuesti edastamise režiim + Sõlme Info edastuse sagedus (sekund) + Topelt puudutus nupuvajutusena + Kolmikvajutuse keelamine + POSIX ajatsoon + Keela südamelöögid + Ekraani sätted + Ekraani välja lükkamine (sekund) + GPS koordinaatide formaat + Automaatne ekraani karussell (sekund) + Kompassi põhjasuund üleval + Keera ekraani + Ekraani ühikud + OLED automaat tuvastamise tühistamine + Ekraani režiim + Pealkiri paksult + Ekraani äratamine puudutamise või liigutamisega + Kompassi suund + Välisete teadete sätted + Luba Välised teated + Sõnumi vastuvõtmise teated + Hoiatussõnumi LED + Hoiatussõnumi summer + Hoiatussõnumi värin + Hoiatuskella vastuvõtmise teated + Hoiatuskella LED + Hoiatuskella summer + Hoiatuskella värin + Väljund LED (GPIO) + Väljund LED aktiivne + Väljund summer (GPIO) + Kasuta PWM summerit + Väljund värin (GPIO) + Väljundi kestvus (millisekundit) + Häire ajalõpp (sekundit) + Helin + Kasuta I2S summerina + LoRa sätted + Kasuta modemi vaikesätteid + Modemi vaikesäte + Ribalaius + Levitustegur + Kodeerimiskiirus + Sagedusnihe (MHz) + Regioon (sagedusplaan) + Hüppe limiit + TX lubatud + TX võimsus (dBm) + Sageduspesa + Töötsükli tühistamine + Ignoreeri sissetulevaid + SX126X RX võimendamine + Kasuta kohandatud sagedust (MHz) + PA ventilaator keelatud + Keela MQTT + MQTT kasutuses + MQTT sätted + MQTT lubatud + Aadress + Kasutajatunnus + Parool + Krüptimine lubatud + JSON väljund lubatud + TLS lubatud + Juurteema + Kliendi proksi lubatud + Kaardi raport + Kaardi raporti sagedus (sekundit) + Naabri teabe sätted + Naabri teave lubatud + Uuenduste sagedus (sekundit) + Saada LoRa kaudu + Võrgu sätted + Wifi lubatud + SSID + PSK + Ethernet lubatud + NTP server + rsyslog server + IPv4 režiim + IP + Lüüs + Alamvõrk + Paxcounter sätted + Paxcounter lubatud + WiFi RSSI lävi (vaikeväärtus -80) + BLE RSSI lävi (vaikeväärtus -80) + Asukoha sätted + Asukoha jagamine sagedus (sekund) + Nutikas asukoht kasutuses + Nutika asukoha minimaalne muutus (meetrites) + Nutika asukoha minimaalne aeg (meetrites) + Kasuta fikseeritud asukohta + Laiuskraad + Pikkuskraad + Kõrgus (meetrites) + Kasuta telefoni hetkelist asukohta + GPS režiim + GPS värskendamise sagedus (sekund) + Määra GPS_RX_PIN + Määra GPS_TX_PIN + Määra PIN_GPS_EN + Asukoha märgid + Toite sätted + Luba energiasäästurežiim + Aku viivitus väljalükkamisel (sekund) + Asenda ADC kordistaja suhe + Sinihamba ootamine (sekund) + Super süvaune kestvus (sekund) + Kergune kestvus (sekundit) + Minimaalne ärkamise aeg (sekund) + Aku INA_2XX I2C aadress + Ulatustest sätted + Ulatustest lubatud + Saatja sõnumi sagedus (sekund) + Salvesta .CSV faili (ainult ESP32) + Kaug riistvara sätted + Kaug riistvara lubatud + Luba määratlemata klemmi juurdepääs + Saadaval klemmid + Turva sätted + Avalik võti + Salajane võti + Administraatori võti + Hallatud režiim + Jadapordi konsool + Silumislogi API lubatud + Pärandadministraatori kanal + Jadapordi sätted + Jadaport lubatud + Kaja lubatud + Jadapordi kiirus + Aegunud + Jadapordi režiim + Konsooli jadapordi alistamine + + Südamelöögid + Kirjete arv + Ajalookirjete maksimaalne arv + Ajalookirjete aken + Server + Telemeetria sätted + Seadme mõõdikute värskendamise sagedus (sekundit) + Keskkonnamõõdikute värskendamise sagedus (sekundit) + Keskkonnamõõdikute lubamine + Keskkonnamõõdikute ekraanil kuvamine lubatud + Keskkonnamõõdikud kasutavad Fahrenheiti + Õhukvaliteedi moodul on lubatud + Õhukvaliteedi värskendamise sagedus (sekundit) + Õhukvaliteedi ikoon + Toitemõõdiku moodul on lubatud + Toitemõõdiku värskendamise sagedus (sekundit) + Toitemõõdiku ekraanil kuvamine lubatud + Kasutaja sätted + Sõlme ID + Pikk nimi + Lühinimi + Seadme mudel + Litsentseeritud amatöörraadio (HAM) + Selle valiku lubamine keelab krüpteerimise ja ei ühildu Meshtastic vaikevõrguga. + Kastepunkt + Õhurõhk + Gaasi surve + Kaugus + Luksi + Tuul + Kaal + Radiatsioon + + Siseõhu kvaliteet (IAQ) + URL + + Lae sätted + Salvesta sätted + Raudvara + Toetatud + Sõlme number + Kasutaja ID + Töötamise aeg + Lae %1$d + Vaba kettamaht %1$d + Ajatempel + Suund + Kiirus + Sateliit + Kõrgus + Sagedus + Pesa + Peamine + Pidev asukoha ja telemeetria edastamine + Teisene + Pidevat telemeetria edastamist ei toimu + Vajalik käsitsi asukohapäring + Järjestamiseks vajuta ja lohista + Eemalda vaigistus + Dünaamiline + Skanneeri QR kood + Jaga kontakti + Impordi jagatud kontakt? + Ei võta sõnumeid vastu + Jälgimata või infrastruktuuripõhine + Hoiatus: See kontakt on olemas, importimine kirjutab eelmise kontakti kirje üle. + Avalik võti muudetud + Lae sisse + Küsi metainfot + Toimingud + Püsivara + Kasuta 12 tunni formaati + Kui see on lubatud, kuvab seade ekraanil aega 12 tunni formaadis. + Hosti andurite logi + Host + Vaba mälumaht + Vaba kettamaht + Lae + Kasutaja string + Mine asukohta + Ühendus + Mesh kaart + Vestlused + Sõlmed + Sätted + Määra regioon + Vasta + Teie sõlm saadab pidevalt määratletud MQTT serverile krüpteerimata kaardiaruande pakete, mis sisaldab ID-d, pikka- ja lühinime, ligikaudset asukohta, riistvaramudelit, rolli, püsivara versiooni, LoRa regiooni, modemi eelseadistust ja peamise kanali nime. + Nõusolek krüpteerimata sõlmeandmete jagamiseks MQTT kaudu + Selle funktsiooni lubamisega kinnitate ja nõustute selgesõnaliselt oma seadme reaalajas geograafilise asukoha edastamisega MQTT protokolli kaudu ilma krüpteerimiseta. Neid asukohaandmeid võidakse kasutada sellistel eesmärkidel nagu: reaalajas kaardi aruandlus, seadme jälgimine ja seotud telemeetriafunktsioonid. + Olen ülaltoodu läbi lugenud ja sellest aru saanud. Annan vabatahtlikult nõusoleku oma sõlmeandmete krüpteerimata edastamiseks MQTT kaudu + Nõustun. + Soovitatav püsivara värskendamine. + Uusimate paranduste ja funktsioonide kasutamiseks värskendage oma sõlme püsivara.\n\nUusim stabiilne püsivara versioon: %1$s + Aegub + Aeg + Kuupäev + Kaardi filter\n + Ainult lemmikud + Kuva teekonnapunktid + Näita täpsusringid + Kliendi teated + Tuvastati ohustatud võtmed, valige uuesti loomiseks OK. + Loo uus privaatvõti + Kas olete kindel, et soovite oma privaatvõtit uuesti luua?\n\nSõlmed, mis võisid selle sõlmega varem võtmeid vahetanud, peavad turvalise suhtluse jätkamiseks selle sõlme eemaldama ja võtmed uuesti vahetama. + Salvesta võtmed + Ekspordib avalikud- ja privaatvõtmed faili. Palun hoidke kuskil turvalises kohas. + Moodulid on lukustamata + Kaugjuhtimine + (%1$d võrgus / %2$d kokku) + Reageeri + Katkesta ühendus + Otsin sinihamba seadmeid… + Pole seotud sinihamba seadmeid. + Võrguseadmeid ei leitud. + USB seadmeid ei leita. + Mine lõppu + Meshtastic + Skaneerin + Turvalisuse olek + Turvaline + Hoiatusmärk + Tundmatu kanal + Hoiatus + Lisa valikud + UV Luks + Tundmatu + Seda raadio on hallatud ja muudab ainult kaughaldur. + Täpsem + Tühjenda sõlmede andmebaas + Eemalda sõlmed mida pole nähtud rohkem kui %1$d päeva + Eemalda tundmatud sõlmed + Eemalda vähe aktiivsed sõlmed + Eemalda ignooritud sõlmed + Eemalda nüüd + See eemaldab %1$d seadet andmebaasist. Toimingut ei saa tagasi võtta. + Roheline lukk näitab, et kanal on turvaliselt krüpteeritud kas 128 või 256 bittise AES võtmega. + + Ebaturvaline kanal, ei ole täpne + Kollane avatud lukk näitab, et kanal ei ole turvaliselt krüpteeritud ning seda ei kasutata täpsete asukohaandmete edastamiseks. Võtit ei kasuta üldse või on vaike 1-baidine. + + Ebaturvaline kanal, asukoht täpne + Punane avatud lukk näitab, et kanal ei ole turvaliselt krüpteeritud ning seda kasutatakse täpsete asukohaandmete edastamiseks. Võtit ei kasuta üldse või on see vaike 1-baidine. + + Hoiatus: ebaturvaline, täpne asukoht & MQTT saatmine + Punane avatud lukk koos hoiatusega näitab, et kanal ei ole turvaliselt krüpteeritud ning seda kasutatakse täpsete asukohaandmete edastamiseks internetti läbi MQTT. Võtit ei kasuta või on see vaike 1-baidine. + + Kanali turvalisus + Kanali turvalisuse tähendus + Näita kõik tähendused + Näita hetke olukord + Loobu + Kas olete kindel, et soovite selle sõlme kustutada? + Vasta kasutajale %1$s + Tühista vastus + Kustuta sõnum? + Ära vali midagi + Sõnum + Sisesta sõnum + PAX andurite logi + PAX + PAX andurite logi ei ole saadaval. + WiFi seadmed + Sinihamba seadmed + Seotud seadmed + Ühendatud seadmed + Mine + Limiit ületatud. Proovi hiljem uuesti. + Näita versioon + Lae alla + Paigaldatud + Viimane stabiilne + Viimane alfa + Toetatud Meshtastic kommuuni poolt + Püsivara versioon + Hiljuti nähtud seadmed + Avastatud seadmed + Algusesse + Teretulemast + Igal pool ühenduses + Saada sõnumeid sõpradele ja kommuunile ilma võrguühenduse või mobiilivõrguta. + Loo oma võrk + Loo hõlpsalt privaatseid meshtastic võrke turvaliseks ja usaldusväärseks suhtluseks asustamata piirkondades. + Jälgi ja jaga asukohta + Jaga reaalajas oma asukohta ja hoia oma grupp ühtsena integreeritud GPS funktsioonide abil. + Rakenduse märguanded + Sissetulevad sõnumid + Kanali märguanded ja otsesõnumid. + Uus sõlm + Uue avastatud sõlme märguanded. + Madal akutase + Ühendatud seadme madala akutaseme märguanded. + Kriitilistena saadetud pakettide saatmisel ignoreeritakse operatsioonisüsteemi teavituskeskuse vaigistust ja režiimi „Ära sega” sätteid. + Määra märguannete load + Telefoni asukoht + Meshtastic kasutab teie telefoni asukohta mitmete funktsioonide lubamiseks. Saate oma asukohalubasid igal ajal seadetes muuta. + Jaga asukohta + Kasuta asukohana oma telefoni GPS, mitte sõlme riistvaralist GPS. + Kauguse mõõtmised + Kuva telefoni ja teiste Meshtastic sõlmede asukoha vaheline kaugus. + Kauguse filter + Filtreeri sõlmede loendit ja sõlmede kaarti kauguse põhjal sinu telefonist. + Meshtastic kaardi asukoht + Lubab telefoni asukoha kuvamine sinisena sõlmede kaardil. + Muuda asukoha kasutusload + Jäta vahele + sätted + Häiresõnumid + Et tagada teile kriitiliste teadete vastuvõtmine, näiteks + hädaabisõnumid, isegi siis, kui teie seade on „Ära sega” režiimis, pead lubama eri + load. Palun luba see teavitusseadetes. + + Kriitiliste hoiatuste seadistamine + Meshtastic kasutab märguandeid, et hoida teid kursis uute sõnumite ja muude oluliste sündmustega. Saate oma märguannete õigusi igal ajal seadetes muuta. + Järgmine + Anna luba + %d eemaldatavat sõlme nimekirjas: + Hoiatus: See eemaldab sõlmed rakendusest, kui ka seadmest.\nValikud on lisaks eelnevale. + Ühendan seadet + Normaalne + Sateliit + Maastik + Hübriid + Halda kaardikihte + Kohandatud kihid toetavad .kml või .kmz faile. + Kaardikihid + Kaardikihid laadimata. + Lisa kiht + Peida kiht + Näita kiht + Eemalda kiht + Lisa kiht + Sõlmed siin asukohas + Vali kaardi tüüp + Halda kohandatud kardikihti + Lisa kohandatud kardikiht + Kohandatud kardikihte ei ole + Muuda kohandatud kardikihti + Kustuta kohandatud kardikiht + Nimi ei tohi olla tühi. + Teenusepakkuja nimi on olemas. + URL ei tohi olla tühi. + URL peab sisaldama vahesümboleid. + URL mall + jälgimispunkt + Telefoni seaded +
diff --git a/app/src/main/res/values-fi-rFI/strings.xml b/app/src/main/res/values-fi-rFI/strings.xml new file mode 100644 index 000000000..bd49a0b77 --- /dev/null +++ b/app/src/main/res/values-fi-rFI/strings.xml @@ -0,0 +1,776 @@ + + + + Meshtastic %s + Suodatus + tyhjennä suodatukset + Näytä tuntemattomat + Piilota ei yhteydessä olevat laitteet + Näytä vain suorat yhteydet + Katselet tällä hetkellä huomioimattomia laitteita,\nPaina palataksesi laitelistaan. + Näytä lisätiedot + Lajitteluvaihtoehdot + A-Ö + Kanava + Etäisyys + Hyppyjä + Viimeksi kuultu + MQTT:n kautta + MQTT:n kautta + Suosikkien kautta + Huomioimattomat laitteet + Tuntematon + Odottaa vahvistusta + Jonossa lähetettäväksi + Vahvistettu + Ei reittiä + Vastaanotettu kielteinen vahvistus + Aikakatkaisu + Ei Käyttöliittymää + Maksimimäärä uudelleenlähetyksiä saavutettu + Ei Kanavaa + Paketti on liian suuri + Ei vastausta + Virheellinen pyyntö + Alueellisen toimintasyklin raja saavutettu + Ei oikeuksia + Salattu lähetys epäonnistui + Tuntematon julkinen avain + Virheellinen istuntoavain + Julkinen avain ei ole valtuutettu + Yhdistetty sovellukseen tai itsenäinen viestintälaite. + Laite, joka ei välitä paketteja muilta laitteilta. + Laite, joka laajentaa verkon infrastruktuuria viestejä välittämällä. Näkyy solmulistauksessa. + Yhdistelmä ROUTER sekä CLIENT roolista. Ei mobiililaitteille. + Laite, joka laajentaa verkon kattavuutta välittämällä viestejä verkkoa kuormittamatta. Ei näy solmulistauksessa. + Lähettää GPS-sijaintitiedot ensisijaisesti. + Lähettää telemetriatiedot ensisijaisesti. + Optimoitu ATAK-järjestelmän viestintään, joka vähentää tavanomaisia lähetyksiä. + Laite, joka lähettää vain tarvittaessa tai virransäästotilassa. + Lähettää laitteen sijainnin viestillä oletuskanavalle sen löytämisen helpottamiseksi. + Ottaa käyttöön automaattisen TAK PLI -lähetyksen vähentäen tavanomaisia lähetyksiä. + Muuten samanlainen kuin ROUTER rooli, mutta se uudelleen lähettää paketteja vasta kaikkien muiden tilojen jälkeen, varmistaen paremman peittoalueen muille laitteille. Laite näkyy mesh-verkon solmuluettelossa muille käyttäjille. + Uudelleenlähettää kaikki havaitut viestit, jos ne ovat olleet omalla yksityisellä kanavalla tai toisessa mesh-verkosta, jossa on samat LoRa-parametrit. + Käyttäytyy samalla tavalla kuin ALL, mutta jättää pakettien purkamisen väliin ja lähettää niitä vain uudelleen. Mahdollista käyttää vain Repeater-roolissa. Tämän asettaminen muille rooleille johtaa ALL-käyttäytymiseen. + Ei ota huomioon havaittuja viestejä ulkomaisista verkoista, jotka ovat avoimia tai joita se ei voi purkaa. Lähettää uudelleen viestin vain solmun paikallisilla ensisijaisilla / toissijaisilla kanavilla. + Ei ota huomioon havaittuja viestejä ulkomaisista verkoista kuten LOCAL ONLY, mutta menee askeleen pidemmälle myös jättämällä huomiotta viestit solmuista, joita ei ole jo solmun tuntemassa listassa. + Sallittu vain SENSOR-, TRACKER- ja TAK_TRACKER -rooleille. Tämä estää kaikki uudelleenlähetykset, toisin kuin CLIENT_MUTE -roolissa. + Ei ota huomioon paketteja, jotka tulevat ei-standardeista porttinumeroista, kuten: TAK, RangeTest, PaxCounter jne. Lähettää uudelleen vain paketteja, jotka käyttävät standardeja porttinumeroita: NodeInfo, Text, Position, Telemetry ja Routing. + Käsittele tuetun kiihtyvyysanturin kaksoisnapautusta käyttäjäpainikkeella. + Poista käytöstä kolmoisnapautuksen GPS:n käyttöönoton painike. + Hallitsee laitteen vilkkuvaa LED-valoa. Useimmissa laitteissa tällä voidaan ohjata yhtä neljästä LED-valosta, mutta latauksen tai GPS:n valoja ei voi hallita. + Lähetetäänkö naapuritiedot LoRa:n kautta sen lisäksi, että ne lähetetään MQTT-protokollalla ja PhoneAPI sovellusrajapinnassa? Tämä ei ole tuettu kanavalla, joka käyttää oletussalausavainta ja nimeä. + Julkinen avain + Kanavan nimi + QR-koodi + Sovelluskuvake + Tuntematon käyttäjänimi + Lähetä + Et ole vielä yhdistänyt Meshtastic -yhteensopivaa radiota tähän puhelimeen. Muodosta laitepari puhelimen kanssa ja aseta käyttäjänimesi.\n\nTämä avoimen lähdekoodin sovellus on vielä kehitysvaiheessa. Jos löydät virheen, lähetä siitä viesti foorumillemme: https://github.com/orgs/meshtastic/discussions\n\nLisätietoja saat verkkosivuiltamme - www.meshtastic.org. + Sinä + Salli analytiikka ja virheraportit. + Hyväksy + Peruuta + Peru muutokset + Uusi kanavan URL-osoite vastaanotettu + Meshtastic tarvitsee sijaintioikeudet, jotta se voi löytää uusia laitteita Bluetoothin kautta. Voit poistaa oikeuden käytöstä, kun et käytä sovellusta. + Ilmoita virheestä + Ilmoita virheestä + Oletko varma, että haluat raportoida virheestä? Tee tämän jälkeen julkaisu https://github.com/orgs/meshtastic/discussions osoitteessa, jotta voimme yhdistää löytämäsi virheen raporttiin. + Raportti + Laitepari on muodostettu, käynnistettään palvelua + Laiteparin muodostaminen epäonnistui, valitse uudelleen + Sijainnin käyttöoikeus on poistettu käytöstä, joten emme voi tarjota sijaintia mesh-verkkoon. + Jaa + Uusi laite nähty: %s + Ei yhdistetty + Laite on lepotilassa + Yhdistetty: %1$s verkossa + IP-osoite: + Portti: + Yhdistetty + Yhdistetty radioon (%s) + Ei yhdistetty + Yhdistetty radioon, mutta se on lepotilassa + Sovelluspäivitys vaaditaan + Sinun täytyy päivittää tämä sovellus sovelluskaupassa (tai Githubissa). Sovelluksen versio on liian vanha toimimaan tämän radion ohjelmiston kanssa. Ole hyvä ja lue lisää aiheesta dokumenteistamme. + Ei mitään (ei käytössä) + Palveluilmoitukset + Tietoja + Kanavan URL-osoite on virheellinen, eikä sitä voida käyttää + Vianetsintäpaneeli + Dekoodattu data: + Vie lokitiedot + Suodattimet + Aktiiviset suodattimet + Hae lokitiedoista… + Seuraava osuma + Edellinen osuma + Tyhjennä haku + Lisää suodatin + Sisältää suodattimen + Tyhjennä kaikki suodattimet + Tyhjennä lokitiedot + Täsmää yhteen | kaikkiin + Täsmää yhteen | kaikkiin + Tämä poistaa kaikki lokipaketit ja tietokantamerkinnät laitteestasi – Kyseessä on täydellinen nollaus, ja se on pysyvä. + Tyhjennä + Viestin toimitustila + Suorien viestien ilmoitukset + Yleislähetysviestien ilmoitukset + Hälytysilmoitukset + Laiteohjelmistopäivitys vaaditaan. + Radion laiteohjelmisto on liian vanha toimiakseen tämän sovelluksen kanssa. Lisätietoja löydät ohjelmiston asennusoppaasta. + OK + Sinun täytyy määrittää alue! + Kanavaa ei voitu vaihtaa, koska radiota ei ole vielä yhdistetty. Yritä uudelleen. + Vie rangetest.csv + Palauta + Etsi + Lisää + Oletko varma, että haluat vaihtaa oletuskanavan? + Palauta oletusasetukset + Hyväksy + Teema + Vaalea + Tumma + Järjestelmän oletus + Valitse teema + Jaa puhelimen sijaintitietoa mesh-verkkoon + + Poistetaanko viesti? + Poistetaanko %s viestiä? + + Poista + Poista kaikilta + Poista minulta + Valitse kaikki + Sulje valinta + Poista valitut + Tyylin Valinta + Lataa alue + Nimi + Kuvaus + Lukittu + Tallenna + Kieli + Järjestelmän oletus + Lähetä uudestaan + Sammuta + Sammutusta ei tueta tällä laitteella + Käynnistä uudelleen + Reitinselvitys + Näytä esittely + Viesti + Pikaviestintävaihtoehdot + Uusi pikakeskustelu + Muokkaa pikaviestiä + Lisää viestiin + Lähetä välittömästi + Näytä pikaviestivalikko + Piilota pikaviestivalikko + Palauta tehdasasetukset + Bluetooth on pois käytöstä. Ota se käyttöön laitteen asetuksista. + Avaa asetukset + Firmwaren versio: %1$s + Meshtastic tarvitsee \"lähistön laitteet\" -oikeudet, jotta se voi löytää ja yhdistää laitteisiin Bluetoothin kautta. Voit poistaa oikeuden käytöstä, kun et käytä sovellusta. + Yksityisviesti + Tyhjennä NodeDB tietokanta + Toimitus vahvistettu + Virhe + Jätä huomiotta + Lisää \'%s\' jätä huomiotta listalle? Laite käynnistyy uudelleen muutoksen tekemisen jälkeen. + Poistetaanko \'%s\' jätä huomiotta listalta? Laite käynnistyy uudelleen muutoksen tekemisen jälkeen. + Valitse ladattava kartta-alue + Laattojen latauksessa kuluva aika-arvio: + Aloita Lataus + Tarkastele sijaintia + Sulje + Radion asetukset + Moduulin asetukset + Lisää + Muokkaa + Lasketaan… + Offline hallinta + Nykyinen välimuistin koko + Välimuistin tallennustilan määrä: %1$.2f Mt\nVälimuistin käyttö: %2$.2f Mt + Tyhjennä kartan laatat + Laatatietolähde + SQL-välimuisti tyhjennetty %s: lle + SQL-välimuistin tyhjennys epäonnistui, katso logcat saadaksesi lisätietoja + Välimuistin Hallinta + Lataus on valmis! + Lataus valmis %d virheellä + %d Laattaa + suunta: %1$d° etäisyys: %2$s + Muokkaa reittipistettä + Poista reittipiste? + Uusi reittipiste + Vastaanotettu reittipiste: %s + Duty Cyclen raja saavutettu. Viestien lähettäminen ei ole tällä hetkellä mahdollista. Yritä myöhemmin uudelleen. + Poista + Tämä laite poistetaan luettelosta siihen saakka, kunnes sen tiedot vastaanotetaan uudelleen. + Mykistä ilmoitukset + 8 tuntia + 1 viikko + Aina + Korvaa + Skannaa WiFi QR-koodi + WiFi-verkon käyttöoikeustiedoissa on virheellinen QR-koodin muoto + Siirry takaisin + Akku + Kanavan Käyttö + Ilmantien käyttöaste + Lämpötila + Kosteus + Maaperän lämpötila + Maaperän kosteus + lokitietoa + Hyppyjä + Hyppyjä: %1$d + Tiedot + Nykyisen kanavan lähetyksen (TX) ja vastaanoton (RX) käyttöaste ja virheelliset lähetykset, eli häiriöt. + Viimeisen tunnin aikana käytetyn lähetyksen prosenttiosuus. + IAQ + Jaettu avain + Suorat viestit käyttävät kanavan jaettua avainta. + Julkisen avaimen salaus + Suorat viestit käyttävät uutta julkisen avaimen infrastruktuuria salaukseen. Vaatii laiteohjelmiston version 2.5 tai uudemman. + Julkinen avain ei täsmää + Julkinen avain ei vastaa kirjattua avainta. Voit poistaa laitteen ja antaa sen vaihtaa avaimia uudelleen, mutta tämä saattaa merkitä vakavampaa turvallisuusongelmaa. Ota yhteyttä käyttäjään toisen luotetun kanavan kautta määrittääksesi, johtuiko avain tehtaan resetoinnista tai muusta tarkoituksellisesta toiminnosta. + Tarkastele käyttäjätietoja + Uuden laitteen ilmoitukset + Lisätietoja + SNR + Signaali-kohinasuhde (SNR) on mittari, jota käytetään viestinnässä halutun signaalin tason ja taustahälyn tason määrittämisessä. Meshtasticissa ja muissa langattomissa järjestelmissä korkeampi SNR tarkoittaa selkeämpää signaalia, joka voi parantaa tiedonsiirron luotettavuutta ja laatua. + RSSI + Vastaanotetun signaalin voimakkuusindikaattori (RSSI) on mittari, jota käytetään määrittämään antennilla vastaanotetun signaalin voimakkuus. Korkeampi RSSI-arvo yleensä osoittaa vahvemman ja vakaamman yhteyden. + Sisäilman laatu (IAQ) on suhteellinen asteikko, jota voidaan mitata mm. Bosch BME680 anturilla ja sen arvoväli on 0–500. + Laitteen mittausloki + Solmukartta + Sijainnin Loki + Viimeisin sijainnin päivitys + Ympäristöanturit + Signaalin voimakkuudet + Ylläpito + Etähallinta + Huono + Kohtalainen + Hyvä + ei mitään + Jaa… + Signaali + Signaalin laatu + Reitinselvitys loki + Suora + + 1 hyppy + %d hyppyä + + Reititettyjä hyppyjä %1$d, joista %2$d hyppyä takaisin + 24t + 48t + 1vko + 2vko + 4vko + Kaikki + Tuntematon ikä + Kopioi + Hälytysääni! + Kriittinen hälytys! + Suosikki + Lisää \'%s\' radio suosikkeihin? + Poista \'%s\' radio suosikeista? + Tehomittausdata + Kanava 1 + Kanava 2 + Kanava 3 + Virta + Jännite + Oletko varma? + Laitteen roolit ohjeen ja blogikirjoituksen valitakseni laitteelle oikean roolin.]]> + Tiedän mitä olen tekemässä. + Laitteen %1$s akun varaustila on vähissä (%2$d%%) + Akun vähäisen varauksen ilmoitukset + Akku vähissä: %s + Akun vähäisen varauksen ilmoitukset (suosikkilaitteet) + Barometrinen paine + Mesh-verkko UDP:n kautta käytössä + UDP asetukset + Viimeksi kuultu: %2$s
Viimeisin sijainti: %3$s
Akku: %4$s]]>
+ Kytke sijainti päälle + Käyttäjä + Kanavat + Laite + Sijainti + Virta + Verkko + Näyttö + LoRa + Bluetooth + Turvallisuus + MQTT + Sarjaliitäntä + Ulkoiset ilmoitukset + + Kuuluvuustesti + Telemetria + Esiasetettu viesti + Ääni + Etälaitteisto + Naapuritieto + Ympäristövalaistus + Havaitsemisanturi + PAX-laskuri + Ääniasetukset + CODEC 2 käytössä + PTT-pinni + CODEC2 näytteenottotaajuus + I2S-sanan valinta + I2S-datatulo + I2S-datalähtö + I2S-kello + Bluetooth asetukset + Bluetooth käytössä + Paritustila + Kiinteä PIN-koodi + Lähetys käytössä + Vastaanotto käytössä + Oletus + Sijainti käytössä + Tarkka sijainti + GPIO pinni + Kirjoita + Piilota salasana + Näytä salasana + Tiedot + Ympäristö + Ympäristövalaistuksen asetukset + LED-tila + Punainen + Vihreä + Sininen + Esiasetetun viestin asetukset + Esiasetettu viesti käytössä + Kiertovalitsin #1 käytössä + GPIO-pinni kiertovalitsinta varten A-portti + GPIO-pinni kiertovalitsinta varten B-portti + GPIO-pinni kiertovalitsimen painallusportille + Luo syötetapahtuma painettaessa + Luo syötetapahtuma myötäpäivään käännettäessä + Luo syötetapahtuma vastapäivään käännettäessä + Ylös/Alas/Valitse syöte käytössä + Salli syötteen lähde + Lähetä äänimerkki + Viestit + Tunnistinsensorin asetukset + Tunnistinsensori käytössä + Minimilähetys (sekuntia) + Tilatiedon lähetys (sekuntia) + Lähetä äänimerkki hälytyssanoman kanssa + Käyttäjäystävälinen nimi + GPIO-pinni valvontaa varten + Tunnistuksen tyyppi + Käytä INPUT_PULLUP tilaa + Laitteen asetukset + Rooli + Uudelleenmääritä PIN_BUTTON + Uudelleenmääritä PIN_BUZZER + Uudelleenlähetyksen tila + Laitetiedon lähetyksen väli (sekuntia) + Kaksoisnapautus napin painalluksena + Poista kolmoisklikkaus käytöstä + POSIX-aikavyöhyke + Poista valvontasignaalin LED käytöstä + Näytön asetukset + Näyttö pois päältä (sekuntia) + GPS-koordinaattien formaatti + Automaattinen näytön karuselli (sekuntia) + Kompassin pohjoinen ylhäällä + Käännä näyttö + Näyttöyksiköt + Ohita OLED-näytön automaattinen tunnistus + Näyttötila + Lihavoitu otsikko + Herätä näyttö kosketuksella tai liikkeellä + Kompassin suuntaus + Ulkoisten ilmoituksien asetukset + Ulkoiset ilmoitukset käytössä + Ilmoitukset saapuneesta viestistä + Hälytysviestin LED + Hälytysviestin äänimerkki + Hälytysviestin värinä + Ilmoitukset hälytyksen/äänen saapumisesta + Hälytysäänen LED + Hälytysäänen äänimerkki + Hälytysäänen värinä + Ulostulon LED (GPIO) + Ulostulon LED aktiivinen + Ulostulon äänimerkki (GPIO) + Käytä PWM-äänimerkkiä + Ulostulon värinä (GPIO) + Ulostulon kesto (millisekuntia) + Hälytysaikakatkaisu (sekuntia) + Soittoääni + Käytä I2S protokollaa äänimerkille + LoRa:n asetukset + Käytä modeemin esiasetusta + Modeemin esiasetus + Kaistanlevyes + Signaalin levennyskerroin + Koodausnopeus + Taajuuspoikkeama (MHz) + Alue (taajuussuunnitelma) + Hyppyraja + TX käytössä + TX-lähetysteho (dBm) + Taajuuspaikka + Ohita käyttöaste (Duty Cycle) + Ohita saapuvat + SX126X RX tehostettu vahvistus + Käytä mukautettua taajuutta (MHz) + PA tuuletin pois käytöstä + Ohita MQTT + MQTT päällä + MQTT asetukset + MQTT käytössä + Osoite + Käyttäjänimi + Salasana + Salaus käytössä + JSON ulostulo käytössä + TLS käytössä + Palvelimen osoite (root topic) + Välityspalvelin käytössä + Karttaraportointi + Karttaraportoinnin aikaväli (sekuntia) + Naapuritietojen asetukset + Naapuritiedot käytössä + Päivityksen aikaväli (sekuntia) + Lähetä LoRa:n kautta + Verkon asetukset + WiFi käytössä + SSID + PSK + Ethernet käytössä + NTP palvelin + rsyslog-palvelin + IPv4-tila + IP + Yhdyskäytävä + Aliverkko + PAX-laskurin asetukset + PAX-laskuri käytössä + WiFi-signaalin RSSI-kynnysarvo (oletus -80) + BLE-signaalin RSSI-kynnysarvo (oletus -80) + Sijainnin asetukset + Sijainnin lähetyksen väli (sekuntia) + Älykäs sijainti käytössä + Älykkään sijainnin etäisyys (metriä) + Älykkään sijainnin pienin päivitysväli (sekuntia) + Käytä kiinteää sijaintia + Leveyspiiri + Pituuspiiri + Korkeus (metriä) + Aseta nykyisestä puhelimen sijainnista + GSP tila + GPS päivitysväli (sekuntia) + Määritä uudelleen GPS_RX_PIN + Uudelleenmääritä GPS_TX_PIN + Uudelleenmääritä PIN_GPS_EN + Sijaintimerkinnät + Virran asetukset + Ota virransäästötila käyttöön + Akun viivästetty sammutus (sekuntia) + Korvaava AD-muuntimen kerroin + Bluetoothin odotusaika (sekuntia) + Syväunivaiheen kesto (sekuntia) + Kevyen lepotilan kesto (sekintia) + Vähimmäisheräämisaika (sekuntia) + INA_2XX-akun valvontapiirin I2C-osoite + Kuuluvuustestin asetukset + Kuuluvuustesti käytössä + Viestien lähetyksen aikaväli (sekuntia) + Tallenna .CSV (ESP32 ainoastaan) + Etälaitteen asetukset + Etälaitteen ohjaus käytössä + Salli määrittämättömän pinnin käyttö + Käytettävissä olevat pinnit + Turvallisuusasetukset + Julkinen avain + Yksityinen avain + Ylläpitäjän avain + Hallintatila + Sarjaporttikonsoli + Vianetsintälokirajapinta käytössä + Vanha järjestelmänvalvojan kanava + Sarjaportin asetukset + Sarjaportti käytössä + Palautus päällä + Sarjaportin nopeus + Aikakatkaisu + Sarjaportin tila + Korvaa konsolin sarjaportti + + Valvontasignaali + Kirjausten määrä + Historian maksimimäärä + Historian aikamäärä + Palvelin + Ympäristön asetukset + Laitteen mittaustietojen päivitysväli (sekuntia) + Ympäristötietojen päivitysväli (sekuntia) + Ympäristötietojen moduuli käytössä + Näytä ympäristötiedot näytöllä + Käytä Fahrenheit yksikköä + Ilmanlaadun tietojen moduuli käytössä + Ilmanlaadun tietojen päivitysväli (sekuntia) + Ilmanlaadun kuvake + Virrankulutuksen moduuli käytössä + Virrankulutuksen päivitysväli (sekuntia) + Virrankulutuksen näyttö käytössä + Käyttäjäasetukset + Laiteen ID + Pitkä nimi + Lyhytnimi + Laitteen malli + Lisensoitu radioamatööri (HAM) + Jos otat tämän asetuksen käyttöön, salaus poistetaan käytöstä, eikä laite ole enää yhteensopiva oletusasetuksilla toimivan Meshtastic-verkon kanssa. + Kastepiste + Ilmanpaine + Kaasun vastus + Etäisyys + Luksi + Tuuli + Paino + Säteily + + Sisäilmanlaatu (IAQ) + URL-osoite + + Asetusten tuonti + Asetusten vienti + Laite + Tuettu + Laitteen numero + Käyttäjän ID + Käyttöaika + Lataa %1$d + Vapaa levytila %1$d + Aikaleima + Suunta + Nopeus + Satelliitit + Korkeus + Taajuus + Paikka + Ensisijainen + Säännöllinen sijainti- ja telemetrialähetys + Toissijainen + Telemetriatietoja ei lähetetä säännöllisesti + Manuaalinen sijaintipyyntö vaaditaan + Paina ja raahaa järjestääksesi uudelleen + Poista mykistys + Dynaaminen + Skannaa QR-koodi + Jaa yhteystieto + Tuo jaettu yhteystieto? + Ei vastaanota viestejä + Ei seurannassa tai toimii infrastruktuurilaitteena + Varoitus: Kontakti on jo olemassa, tuonti ylikirjoittaa aiemmat tiedot. + Julkinen avain vaihdettu + Tuo + Pyydä metatiedot + Toiminnot + Laiteohjelmisto + Käytä 12 tunnin kelloa + Kun asetus on käytössä, laite näyttää 12 tunnin ajan näytössä. + Isäntälaitteen lokitiedot + Isäntälaite + Vapaa muisti + Vapaa levytila + Lataa + Käyttäjän syöte + Siirry kohtaan + Yhteys + Mesh-kartta + Keskustelut + Laitteet + Asetukset + Määritä alue + Vastaa + Laitteesi lähettää määräajoin salaamattoman karttaraporttipaketin määritettyyn MQTT-palvelimeen. Tämä paketti sisältää seuraavat tiedot: tunnisteen, pitkän ja lyhyen nimen, likimääräisen sijainnin, laitemallin, roolin, laiteohjelmiston version, LoRa-alueen, modeemiesiasetuksen ja ensisijaisen kanavan nimen. + Salli salaamattomien laitetietojen jakaminen MQTT:n kautta + Ottamalla tämän ominaisuuden käyttöön hyväksyt ja annat suostumuksen siihen, että laitteesi reaaliaikainen sijaintitieto lähetetään MQTT-protokollan kautta ilman salausta. Näitä sijaintitietoja voidaan käyttää esimerkiksi reaaliaikaiseen karttaraportointiin, laitteen seurantaan ja muihin vastaaviin telemetriatoimintoihin. + Olen lukenut ja ymmärtänyt yllä olevan. Annan suostumuksen laitetietojeni salaamattomaan lähettämiseen MQTT:n kautta + Hyväksyn. + Laiteohjelmistopäivitystä suositellaan. + Hyötyäksesi uusimmista korjauksista ja ominaisuuksista, päivitä firmware laiteohjelmistosi.\n\nUusin vakaa laiteohjelmistoversio: %1$s + Päättyy + Aika + Päivä + Karttasuodatin\n + Vain suosikit + Näytä reittipisteet + Näytä tarkkuuspiirit + Sovellusilmoitukset + Turvallisuusriski havaittu: avaimet ovat vaarantuneet. Valitse OK luodaksesi uudet. + Luo uusi yksityinen avain + Haluatko varmasti luoda yksityisen avaimen uudelleen?\n\nLaitteet, jotka ovat aiemmin vaihtaneet avaimia tämän laitteen kanssa, joutuvat poistamaan kyseisen laitteen ja vaihtamaan avaimet uudelleen, jotta suojattu viestintä voi jatkua. + Vie avaimet + Vie julkiset ja yksityiset avaimet tiedostoon. Säilytä tiedosto turvallisessa paikassa. + Lukitsemattomat moduulit + Etäyhteys + (%1$d yhdistetty / %2$d yhteensä) + Reagoi + Katkaise yhteys + Etsitään bluetooth-laitteita… + Ei paritettuja Bluetooth-laitteita. + Verkkolaitteita ei löytynyt. + USB-sarjalaitteita ei löytynyt. + Siirry loppuun + Meshtastic + Etsitään + Turvallisuustila + Suojattu + Varoituskuvake + Tuntematon kanava + Varoitus + Lisävalikko + UV-valon voimakkuus + Tuntematon + Tätä radiota hallitaan etänä, ja sitä voi muuttaa vain etähallinnassa oleva ylläpitäjä. + Lisäasetukset + Tyhjennä NodeDB-tietokanta + Poista laitteet, joita ei ole nähty yli %1$d päivään + Poista vain tuntemattomat laitteet + Poista laitteet, joilla on vähän tai ei yhtään yhteyksiä + Poista huomioimatta olevat laitteet + Poista nyt + Tämä poistaa %1$d laitetta tietokannasta. Toimintoa ei voi peruuttaa. + Vihreä lukko tarkoittaa, että kanava on suojattu salauksella käyttäen joko 128- tai 256-bittistä AES-avainta. + + Kanava ei ole suojattu, sijaintitieto ei ole tarkka + Keltainen avoin lukko osoittaa, että yhteys ei ole salattu turvallisesti. Sitä ei käytetä tarkkaan sijaintitietoon, ja se käyttää joko salaamatonta yhteyttä tai tunnettua yhden tavun avainta. + + Kanava ei ole suojattu, sijaintitieto ei ole tarkka + Punainen avoin lukko osoittaa, että yhteys ei ole turvallisesti salattu, vaikka sitä käytetään tarkkojen sijaintitietojen siirtoon. Salaus on joko kokonaan puuttuva tai perustuu tunnettuun yhden tavun avaimen käyttöön. + + Varoitus: Salaamaton yhteys, tarkka sijainti & MQTT-lähetys käytössä + Punainen avoin lukko varoituksella tarkoittaa, että kanava ei ole suojattu salauksella, sitä käytetään tarkkoihin sijaintitietoihin, jotka lähetetään internetiin MQTT-protokallalla ja se käyttää joko ei lainkaan salausta tai tunnettua yhden tavun avainta. + + Kanavan turvallisuus + Kanavan turvallisuuden merkitykset + Näytä kaikki merkitykset + Näytä nykyinen tila + Hylkää + Oletko varma, että haluat poistaa tämän laitteen? + Vastataan käyttäjälle %1$s + Peruuta vastaus + Poistetaanko viestit? + Tyhjennä valinta + Viesti + Kirjoita viesti + PAX-laskurien lokitiedot + PAX + PAX-laskurien lokitietoja ei ole saatavilla. + WiFi-laitteet + Bluetooth-laitteet + Paritetut laitteet + Yhdistetty laite + Mene + Käyttöraja ylitetty. Yritä myöhemmin uudelleen. + Näytä versio + Lataa + Asennettu + Viimeisin vakaa (stable) + Viimeisin epävakaa (alpha) + Meshtastic-yhteisön tukema + Laiteohjelmistoversio + Äskettäin havaitut verkkolaitteet + Löydetyt verkkolaitteet + Näin pääset alkuun + Tervetuloa + Pysy yhteydessä kaikkialla + Viestitä ilman verkkoyhteyttä ystäviesi ja yhteisösi kanssa ilman matkapuhelinverkkoa. + Luo omia verkkoja + Luo vaivattomasti yksityisiä meshtastic verkkoja turvalliseen ja luotettavaan viestintään kaukana asutuista paikoista. + Seuraa ja jaa sijainteja + Jaa sijaintisi reaaliaikaisesti ja varmista ryhmäsi yhteistoiminta GPS-toimintojen avulla. + Sovellusilmoitukset + Saapuvat viestit + Kanavailmoitukset ja yksityisviestit. + Uudet laitteet + Ilmoitukset uusista löydetyistä laitteista. + Akku lähes tyhjä + Ilmoitukset yhdistetyn laitteen vähäisestä akun varauksesta. + Kriittiset paketit toimitetaan ilmoituksina, vaikka puhelin olisi äänettömällä tai älä häiritse -tilassa. + Määritä ilmoitusten käyttöoikeudet + Puhelimen sijainti + Meshtastic hyödyntää puhelimen sijaintia tarjotakseen erilaisia toimintoja. Voit muuttaa sijaintioikeuksia koska tahansa asetuksista. + Jaa sijainti + Lähetä sijaintitiedot puhelimen GPS:llä laitteen oman GPS:n sijasta. + Etäisyyden mittaukset + Näytä etäisyys puhelimen ja muiden sijainnin jakavien Meshtastic laitteiden välillä. + Etäisyyden suodattimet + Suodata laitelista ja meshtastic kartta puhelimesi läheisyyden perusteella. + Meshtastic kartan sijainti + Ottaa käyttöön puhelimen sijainnin sinisenä pisteenä meshtastic kartalla. + Määritä sijainnin käyttöoikeudet + Ohita + asetukset + Kriittiset hälytykset + Varmistaaksesi, että saat kriittiset hälytykset, kuten + SOS-viestit, vaikka laitteesi olisi \'älä häiritse\' -tilassa, vaativat erityisen + käyttöoikeuden. Ota se käyttöön ilmoitusasetuksissa. + + Määritä kriittiset hälytykset + Meshtastic käyttää ilmoituksia tiedottaakseen uusista viesteistä ja muista tärkeistä tapahtumista. Voit muuttaa ilmoitusasetuksia milloin tahansa. + Seuraava + Myönnä oikeudet + %d laitetta jonossa poistettavaksi: + Varoitus: Tämä poistaa laitteet sovelluksen sekä laitteen tietokannoista.\nValinnat lisätään aiempiin. + Yhdistetään laitteeseen + Normaali + Satelliitti + Maasto + Hybridi + Hallitse Karttatasoja + Mukautetut karttatasot tukevat .kml- tai .kmz-tiedostoja. + Karttatasot + Mukautettuja karttatasoja ei ladattu. + Lisää taso + Piilota taso + Näytä taso + Poista taso + Lisää taso + Laitteet tässä sijainnissa + Valittu karttatyyppi + Hallitse mukautettuja karttatasoja + Lisää mukautettu karttataso + Ei mukautettuja karttatasoja + Muokkaa mukautettua karttatasoa + Poista mukautettu karttataso + Nimi ei voi olla tyhjä. + Palveluntarjoajan nimi on olemassa. + URL-osoite ei voi olla tyhjä. + URL-osoitteessa on oltava paikkamerkkejä. + URL-mallipohja + seurantapiste + Puhelimen asetukset +
diff --git a/app/src/main/res/values-fr-rFR/strings.xml b/app/src/main/res/values-fr-rFR/strings.xml new file mode 100644 index 000000000..61e22757c --- /dev/null +++ b/app/src/main/res/values-fr-rFR/strings.xml @@ -0,0 +1,770 @@ + + + + Meshtastic %s + Filtre + Effacer le filtre de nœud + Inclure inconnus + Masquer les nœuds hors ligne + Afficher uniquement les nœuds directs + Vous visualisez les nœuds ignorés,\nAppuyez pour retourner à la liste des nœuds. + Afficher les détails + Options de tri des nœuds + A-Z + Canal + Distance + Nœuds intermédiaires + Dernière écoute + via MQTT + via MQTT + par Favoris + Nœuds ignorés + Non reconnu + En attente d\'accusé de réception + En file d\'attente pour l\'envoi + Confirmé + Pas de routage + Accusé de réception négatif + Délai dépassé + Pas d\'interface + Nombre de retransmissions atteint + Pas de canal + Paquet trop grand + Aucune réponse + Mauvaise requête + Limite du cycle de fonctionnement régional atteinte + Non Autorisé + Échec de l\'envoi chiffré + Clé publique inconnue + Mauvaise clé de session + Clé publique non autorisée + Dispositif de messagerie autonome ou connecté à l\'application. + Le périphérique ne peut pas retransmettre les paquets des autres périphériques. + Nœud d\'infrastructure pour étendre la couverture réseau en relayant les messages. Visible dans la liste des nœuds. + Combinaison à la fois du ROUTER et du CLIENT. Pas pour les appareils mobiles. + Nœud d\'infrastructure pour étendre la couverture réseau en relayant les messages avec une surcharge minimale. Non visible dans la liste des nœuds. + Diffuse les paquets de position GPS en priorité. + Diffuse les paquets de télémétrie en priorité. + Optimisé pour la communication du système ATAK, réduit les diffusions de routine. + Appareil qui ne diffuse que si nécessaire pour économiser en énergie ou en furtivité. + Diffuse la localisation comme message vers le canal par défaut régulièrement afin d\'aider à la récupération de l\'appareil. + Active les diffusions automatiques de TAK PLI et réduit les diffusions de routine. + Nœud d\'infrastructure qui retransmet toujours les paquets une fois mais seulement après tous les autres modes, assurant une couverture supplémentaire pour les clusters locaux. Visible dans la liste des nœuds. + Rediffuse tout message observé, si il était sur notre canal privé ou depuis un autre maillage avec les mêmes paramètres lora. + Identique au comportement de TOUS mais ignore le décodage des paquets et les rediffuse simplement. Uniquement disponible pour le rôle Répéteur. Définir cela sur tout autre rôle entraînera le comportement de TOUS. + Ignoré mesaj obsève soti nan meshes etranje ki louvri oswa sa yo li pa ka dekripte. Sèlman rebroadcast mesaj sou kanal prensipal / segondè lokal nœud. + Ignoré mesaj obsève soti nan meshes etranje tankou \"LOCAL ONLY\", men ale yon etap pi lwen pa tou ignorer mesaj ki soti nan nœud ki poko nan lis konnen nœud la. + Seulement autorisé pour les rôles SENSOR, TRACKER et TAK_TRACKER, cela empêchera toutes les rediffusions, contrairement au rôle CLIENT_MUTE. + Ignoré pakè soti nan portnum ki pa estanda tankou: TAK, RangeTest, PaxCounter, elatriye. Sèlman rebroadcast pakè ak portnum estanda: NodeInfo, Tèks, Pozisyon, Telemetri, ak Routing. + Traiter un double appui sur les accéléromètres compatibles comme une pression de bouton utilisateur. + Désactive le triple appui du bouton utilisateur pour activer ou désactiver le GPS. + Contrôle la LED clignotante sur l\'appareil. Pour la plupart des appareils cela contrôlera une des 4 LED, celles du chargeur et du GPS ne sont pas contrôlables. + Que ce soit en plus de l\'envoyer à MQTT et à PhoneAPI, notre NeighborInfo devrait être transmis par LoRa. Non disponible sur un canal avec la clé et le nom par défaut. + Clé publique + Nom du canal + Code QR + icône de l\'application + Nom d\'Utilisateur inconnu + Envoyer + Aucune radio Meshtastic compatible n\'a été jumelée à ce téléphone. Jumelez un appareil et spécifiez votre nom d\'utilisateur.\n\nL\'application open-source est en test alpha, si vous rencontrez des problèmes postez au chat sur notre site web.\n\nPour plus d\'information visitez notre site web - www.meshtastic.org. + Vous + Accepter + Annuler + Annuler modifications + Réception de l\'URL d\'un nouveau cana + Meshtastic a besoin d\'autorisations de localisation activées pour trouver de nouveaux appareils via Bluetooth. Vous pouvez désactiver lorsque la localisation n\'est pas utilisée. + Rapporter Bogue + Rapporter un Bogue + Êtes-vous certain de vouloir rapporter un bogue ? Après l\'envoi, veuillez poster dans https://github.com/orgs/meshtastic/discussions afin que nous puissions examiner ce que vous avez trouvé. + Rapport + Jumelage terminé, démarrage du service + Le jumelage a échoué, veuillez sélectionner à nouveau + L\'accès à la localisation est désactivé, impossible de fournir la position du maillage. + Partager + Nouveau nœud vu : %s + Déconnecté + Appareil en veille + Connectés : %1$s sur en ligne + Adresse IP: + Port : + Connecté + Connecté à la radio (%s) + Non connecté + Connecté à la radio, mais en mode veille + Mise à jour de l’application requise + Vous devez mettre à jour cette application sur l\'app store (ou Github). Il est trop vieux pour parler à ce microprogramme radio. Veuillez lire nos docs sur ce sujet. + Aucun (désactivé) + Notifications de service + A propros + Cette URL de canal est invalide et ne peut pas être utilisée + Panneau de débogage + Contenu décodé : + Exporter les logs + Filtres + Filtres actifs + Rechercher dans les journaux… + Occurrence suivante + Occurrence précédente + Effacer la recherche + Ajouter un filtre + Filtre inclus + Supprimer tous les filtres + Effacer le journal + Correspondre à n\'importe lequel | Tous + Correspondre à tout | N\'importe quel + Cela supprimera tous les paquets de journaux et les entrées de la base de données de votre appareil - c\'est une réinitialisation complète, et est permanent. + Effacer + Statut d\'envoi du message + Notifications de message + Diffuser les notifications de message + Notifications d\'alerte + Mise à jour du micrologiciel requise. + Le micrologiciel de la radio est trop ancien pour communiquer avec cette application. Pour des informations, voir Guide d\'installation du micrologiciel. + D\'accord + Vous devez définir une région ! + Impossible de modifier le canal, car la radio n\'est pas encore connectée. Veuillez réessayer. + Exporter rangetest.csv + Réinitialiser + Scanner + Ajouter + Êtes-vous sûr de vouloir passer au canal par défaut ? + Rétablir les valeurs par défaut + Appliquer + Thème + Clair + Sombre + Valeur par défaut du système + Choisir un thème + Fournir l\'emplacement au maillage + + Supprimer le message ? + Supprimer %s messages ? + + Supprimer + Supprimer pour tout le monde + Supprimer pour moi + Sélectionner tout + Fermer le choix + Supprimer la sélection + Sélection du style + Télécharger la région + Nom + Description + Verrouillé + Enregistrer + Langue + Valeur par défaut du système + Renvoyer + Éteindre + Arrêt non pris en charge sur cet appareil + Redémarrer + Traceroute + Afficher l\'introduction + Message + Options du clavardage + Nouveau clavardage + Éditer le clavardage + Ajouter au message + Envoi instantané + Afficher le menu de discussion rapide + Masquer le menu de discussion rapide + Réinitialisation d\'usine + Le Bluetooth est désactivé. Veuillez l\'activer dans les paramètres de votre appareil. + Ouvrir les paramètres + Version du firmware : %1$s + Meshtastic a besoin des autorisations \"Périphériques à proximité\" activées pour trouver et se connecter à des appareils via Bluetooth. Vous pouvez désactiver la lorsque la localisation n\'est pas utilisée. + Message direct + Reconfiguration de NodeDB + Réception confirmée + Erreur + Ignorer + Ajouter \'%s\' à la liste des ignorés ? Votre radio va redémarrer après avoir effectué ce changement. + Supprimer \'%s\' de la liste des ignorés ? Votre radio va redémarrer après avoir effectué ce changement. + Sélectionnez la région de téléchargement + Estimation du téléchargement de tuiles : + Commencer le téléchargement + Échanger la position + Fermer + Réglages de l\'appareil + Réglages du module + Ajouter + Modifier + Calcul en cours… + Gestionnaire hors-ligne + Taille actuelle du cache + Capacité du cache : %1$.2f MB\nUtilisation du cache : %2$.2f MB + Effacer les vignettes inutiles + Source de la vignette + Cache SQL purgé pour %s + La purge du cache SQL a échoué, consultez « logcat » pour plus de détails + Gestionnaire du cache + Téléchargement terminé ! + Téléchargement terminé avec %d erreurs + Vignettes de %d + échelle : %1$d° distance : %2$s + Modifier le repère + Supprimer le repère ? + Nouveau point de repère + Point de passage reçu : %s + Limite du temps d\'utilisation atteinte. Vous ne pouvez pas envoyer de messages maintenant, veuillez réessayer plus tard. + Supprimer + Ce nœud sera supprimé de votre liste jusqu\'à ce que votre nœud reçoive à nouveau des données. + Désactiver les notifications + 8 heures + 1 semaine + Toujours + Remplacer + Scanner le code QR WiFi + Format du code QR d\'identification WiFi invalide + Précédent + Batterie + Utilisation du canal + Utilisation de la transmission + Température + Humidité + Température du sol + Humidité du sol + Journaux + Passer au suivant + Sauts : %1$d + Information + Utilisation pour le canal actuel, y compris TX bien formé, RX et RX mal formé (AKA bruit). + Pourcentage de temps d\'antenne pour la transmission utilisée au cours de la dernière heure. + IAQ + Clé partagée + Les messages directs utilisent la clé partagée du canal. + Chiffrement de clé publique + Les messages directs utilisent la nouvelle infrastructure de clé publique pour le chiffrement. Nécessite une version de firmware 2.5 ou plus. + Les messages directs utilisent la nouvelle infrastructure de clé publique pour le chiffrement. Nécessite une version de firmware 2.5 ou plus. + La clé publique ne correspond pas à la clé enregistrée. Vous pouvez supprimer le nœud et le laisser à nouveau échanger les clés, mais cela peut indiquer un problème de sécurité plus grave. Contactez l\'utilisateur à travers un autre canal de confiance, pour déterminer si le changement de clé est dû à une réinitialisation d\'usine ou à une autre action intentionnelle. + Connectés : %1$s sur en ligne + Notifikasyon nouvo nœud + Plus de détails + SNR + Rapò Siynal sou Bri, yon mezi ki itilize nan kominikasyon pou mezire nivo siynal vle a kont nivo bri ki nan anviwònman an. Nan Meshtastic ak lòt sistèm san fil, yon SNR pi wo endike yon siynal pi klè ki ka amelyore fyab ak kalite transmisyon done. + RSSI + Indicateur de force du signal reçu, une mesure utilisée pour déterminer le niveau de puissance reçu par l\'antenne. Une valeur RSSI plus élevée indique généralement une connexion plus forte et plus stable. + (Kalite Lèy Entèryè) echèl relatif valè IAQ jan li mezire pa Bosch BME680. Ranje valè 0–500. + Journal des métriques de l\'appareil + Carte des nœuds + Journal de position + Dernière mise à jour de position + Journal des métriques d\'environnement + Jounal Metik Siynal + Administration + Administration à distance + Mauvais + Passable + Bon + Aucun + Partager vers… + Signal + Qualité du signal + Jounal Traceroute + Direk + + 1 saut + %d sauts + + Sauts vers %1$d Sauts retour %2$d + 24H + 48H + 1S + 2S + 4S + Max + Age inconnu + Copier + Caractère d\'appel ! + Alerte Critique ! + Favoris + Ajouter \'%s\' votre noeud favoris + Supprimer \'%s\' votre noeud favoris + Journal des métriques de puissance + Canal 1 + Canal 2 + Canal 3 + Actif + Tension + Êtes-vous sûr ? + Documentation du rôle de l\'appareil et le message de blog sur Choisir le rôle de l\'appareil approprié.]]> + Je sais ce que je fais + La batterie du nœud %1$s est faible (%2$d%%) + Notifications de batterie faible + Batterie faible + Notifications de batterie faible (nœuds favoris) + Pression Barométrique + Maillage via UDP activer + Configuration UDP + Dernière écoute : %2$s
Dernière position : %3$s
Batterie : %4$s]]>
+ Basculer ma position + Utilisateur + Canaux + Appareil + Position + Alimentation + Réseau + Ecran + LoRa + Bluetooth + Sécurité + MQTT + Série + Notification externe + + Tests de portée + Télémétrie + Message prédéfini + Audio + Matériel télécommande + Informations sur les voisins + Lumière ambiante + Capteur de détection + Compteur de passages + Configuration audio + CODEC 2 activé + Broche PTT + Taux d\'échantillonnage CODEC2 + Selection de mot I2S + Données d\'entrée I2S + Données de sortie I2S + Horloge I2C + Configuration Bluetooth + Bluetooth activé + Mode d\'appariement + Code PIN fixe + Liaison montante activée + Liaison descendante activé + Défaut + Position activée + Emplacement précis + Broche GPIO + Type + Masquer le mot de passe + Afficher le mot de passe + Détails + Environnement + Configuration lumière ambiante + État de la LED + Rouge + Vert + Bleu + Configuration des messages prédéfinis + Messages prédéfinis activés + Encodeur rotatif #1 activé + Broche GPIO pour un encodeur rotatif port A + Broche GPIO pour un encodeur rotatif port B + Broche GPIO pour un encodeur rotatif port Press + Générer un événement d\'entrée sur Press + Générer un événement d\'entrée sur CW + Générer un événement d\'entrée sur CCW + Entrée Haut/Bas/Select activée + Autoriser la source d\'entrée + Envoyer une sonnerie + Messages + Configuration du capteur de détection + Capteur de détection activé + Diffusion minimale (secondes) + Diffusion de l\'État (secondes) + Envoyer une sonnerie avec un message d\'alerte + Nom convivial + Broche GPIO a surveiller + Type du déclencheur de détection + Utiliser le mode INPUT_PULLUP + Configuration de l\'appareil + Rôle + Redéfinir le PIN_BUTTON + Redéfinir le PIN_BUZZER + Mode de retransmission + Intervalle de diffusion de NodeInfo (secondes) + Appuyer deux fois sur le bouton + Désactiver le triple-clic + Zone horaire POSIX + Désactiver la LED de pulsation + Configuration de l\'affichage + Délai de mise en veille de l\'écran (secondes) + Format des coordonnées GPS + Carrousel automatique des écrans (secondes) + Nord de la boussole vers le haut + Inverser l\'écran + Unités d\'affichage + Remplacer OLED auto-détection + Mode d\'affichage + Titre en gras + Réveiller l\'écran lors d\'un appui ou d\'un déplacement + Orientation de la boussole + Configuration de notification externe + Notifications externes activées + Notifications à la réception d\'un message + LED de message d\'alerte + Avertissement de message + Avertissement de message + Notifications sur réception d\'alerte/cloche + LED à la réception de la cloche d\'alerte + Buzzer à la réception de la cloche d\'alerte + Vibreur à la réception de la cloche d\'alerte + LED extérieure (GPIO) + Sortie LED active à l’état haut + Buzzer extérieur (GPIO) + Utiliser le buzzer PWM + Sortie vibreur (GPIO) + Durée de sortie (en millisecondes) + Délai d\'attente du nag + Sonnerie + Utiliser l\'I2S comme buzzer + Configuration LoRa + Utiliser le pré-réglage du modem + Préréglage du modem + Bande Passante + Facteur de propagation + Taux de codage + Décalage de fréquence (MHz) + Région (plan de fréquence) + Limite de saut + TX activé + Puissance TX (dBM) + Emplacement de fréquence + Ne pas prendre en compte la limite d\'utilisation + Ignorer les entrées + Gain de SX126X RX augmenté + Remplacer la fréquence (MHz) + Ventilateur PA désactivé + Ignorer MQTT + OK vers MQTT + Configuration MQTT + MQTT activé + Adresse + Nom d\'utilisateur + Mot de passe + Chiffrement activé + Sortie JSON activée + TLS activé + Sujet principal + Proxy pour le client activé + Rapport cartographique + Interval de rapport cartographique (secondes) + Configuration des informations du voisinage + Infos de voisinage activées + Intervalle de mise à jour (secondes) + Transmettre par LoRa + Configuration du réseau + WiFi activé + SSID + PSK + Ethernet activé + Serveur NTP + Serveur Rsyslog + Mode IPv4 + IP + Passerelle + Sous-réseau + Configuration du Paxcounter + Paxcounter activé + Seuil RSSI WiFi (par défaut -80) + Seuil BLE RSSI (par défaut -80) + Configuration de la position + Intervalle de diffusion de la position (secondes) + Position intelligente activée + Distance minimale de diffusion intelligente (mètres) + Intervalle minimum de diffusion intelligente (secondes) + Utiliser une position fixe + Latitude + Longitude + Altitude (mètres) + Définir à partir de l\'emplacement actuel du téléphone + Mode GPS + Intervalle de mise à jour GPS (secondes) + Redéfinir GPS_RX_PIN + Redéfinir GPS_TX_PIN + Redéfinir le code PIN_GPS_EN + Informations relatives à la position + Configuration de l\'alimentation + Activer le mode économie d\'énergie + Délai d’extinction sur batterie (secondes) + Facteur de remplacement du multiplicateur ADC + Temps d\'attente pour le Bluetooth + Durée de sommeil en profondeur (secondes) + Durée de sommeil léger (secondes) + Temps de réveil minimum (secondes) + Adresse I2C de la batterie INA_2XX + Configuration des tests de portée + Test de portée activé + Intervalle de message de l\'expéditeur (secondes) + Enregistrer .CSV dans le stockage (ESP32 seulement) + Configuration du matériel distant + Matériel distant activé + Autoriser l\'accès non défini aux broches + Broches disponibles + Configuration de sécurité + Clé publique + Clé privée + Clé Admin + Mode géré + Console série + API de journalisation de débogage activée + Ancien canal Admin + Configuration série + Série activée + Echo activé + Vitesse de transmission série + Délai d\'expiration + Mode série + Outrepasser le port série de la console + + Battement de coeur + Nombre d\'enregistrements + Limite d’historique renvoyé + Fenêtre de retour d’historique + Serveur + Configuration de la Télémétrie + Intervalle de mise à jour des métriques de l\'appareil (secondes) + Intervalle de mise à jour des métriques d\'environnement (secondes) + Module de métriques de l\'environnement activé + Mesures d\'environnement à l\'écran activées + Les mesures environnementales utilisent Fahrenheit + Module de mesure de la qualité de l\'air activé + Interval de mise à jours des mesures de la qualité de l\'air (seconde) + Icône de la qualité de l\'air + Module de mesure de puissance activé + Intervalle de mise à jour des mesures de puissance (secondes) + Indicateurs d\'alimentation à l\'écran activés + Configuration de l\'utilisateur + Identifiant (ID) du nœud + Nom long + Nom court + Modèle de matériel + Radioamateur licencié (HAM) + L\'activation de cette option désactive le chiffrement et n\'est pas compatible avec le réseau Meshtastic par défaut. + Point de rosée + Pression + Résistance au gaz + Distance + Lux + Vent + Poids + Radiation + + Qualité de l\'air intérieur (IAQ) + URL + + Importer la configuration + Exporter la configuration + Matériel + Pris en charge + Numéro de nœud + ID utilisateur + Durée de fonctionnement + Charge %1$d + Disque libre %1$d + Horodatage + En-tête + Vitesse + Sats + Alt + Fréq + Emplacement + Principal + Diffusion périodique de la position et des données de télémétrie + Secondaire + Diffusion de la télémétrie périodique désactivée + Requête manuelle de position requise + Appuyez et faites glisser pour réorganiser + Désactiver Muet + Dynamique + Scanner le code QR + Partager le contact + Importer le contact partagé ? + Non joignable par message + Non surveillé ou Infrastructure + Avertissement : Ce contact est connu, l\'importation écrasera les informations précédentes. + Clé publique modifiée + Importer + Récupérer les métadonnées + Actions + Micrologiciel + Utiliser le format horaire 12h + Affiche l’heure au format 12 h une fois activé. + Journal des métriques de l’hôte + Hôte + Mémoire libre + Espace disque libre + Charge + Texte utilisateur + Naviguer vers + Connexion + Carte de maillage + Conversations + Noeuds + Réglages + Définir votre région + Répondre + Votre nœud enverra périodiquement un paquet de rapport de position non chiffré au serveur MQTT configuré. Ce paquet inclut l\'identifiant, les noms long et court, la position approximative, le modèle matériel, le rôle, la version du micrologiciel, la région LoRa, le préréglage du modem et le nom du canal principal. + Consentir au partage des données non chiffrées du nœud via MQTT + En activant cette fonctionnalité, vous reconnaissez et consentez expressément à la transmission de la position géographique en temps réel de votre appareil via le protocole MQTT, sans chiffrement. Ces données de localisation peuvent être utilisées à des fins telles que l’affichage sur une carte en temps réel, le suivi de l’appareil et d’autres fonctions de télémétrie associées. + J’ai lu et compris ce qui précède. Je consens volontairement à la transmission non chiffrée des données de mon nœud via MQTT. + J\'accepte. + Mise à jour du micrologiciel recommandée. + Pour bénéficier des dernières corrections et fonctionnalités, veuillez mettre à jour le micrologiciel de votre nœud.\n\nDernière version stable du micrologiciel : %1$s + Expire + Heure + Date + Filtre de carte\n + Juste les favoris + Afficher les points de repère + Afficher les cercles de précision + Notification client + Clés compromises détectées, sélectionnez OK pour régénérer. + Régénérer la clé privée + Êtes-vous sûr de vouloir régénérer votre clé privée ?\n\nLes nœuds qui peuvent avoir précédemment échangé des clés avec ce nœud devront supprimer ce nœud et ré-échanger des clés afin de reprendre une communication sécurisée. + Exporter les clés + Exporte les clés publiques et privées vers un fichier. Veuillez stocker quelque part en toute sécurité. + Modules déverrouillés + Distant + (%1$d en ligne / %2$d total) + Réagir + Déconnecter + Recherche de périphériques Bluetooth… + Aucun périphérique Bluetooth associé. + Aucun périphérique réseau trouvé. + Aucun périphérique série USB détecté. + Défiler vers le bas + Meshtastic + Balayage + Statut de sécurité + Sécurisé + Badge d\'alerte + Canal inconnu + Attention + Menu supplémentaire + UV Lux + Inconnu + Cette radio est gérée et ne peut être modifiée que par un administrateur distant. + Avancé + Nettoyer la base de données des nœuds + Nettoyer les nœuds vus pour la dernière fois depuis %1$d jours + Nettoyer uniquement les nœuds inconnus + Nettoyer les nœuds avec une interaction faible/sans interaction + Nettoyer les nœuds ignorés + Nettoyer maintenant + Cela supprimera les %1$d nœuds de votre base de données. Cette action ne peut pas être annulée. + Un cadenas vert signifie que le canal est chiffré de façon sécurisée avec une clé AES 128 ou 256 bits. + + Canal non sécurisé, localisation non précise + Un cadenas ouvert jaune signifie que le canal n\'est pas crypté de manière sécurisée, n\'est pas utilisé pour des données de localisation précises, et n\'utilise aucune clé, ou une clé connue de 1 octet. + + Canal non sécurisé, localisation précise + Un cadenas rouge ouvert signifie que le canal n\'est pas crypté de manière sécurisée, est utilisé pour des données de localisation précises, et n\'utilise aucune clé, ou une clé connue de 1 octet. + + Attention : Localisation précise & MQTT non sécurisée + Un cadenas rouge ouvert avec un avertissement signifie que le canal n\'est pas crypté de manière sécurisée, est utilisé pour des données de localisation précises qui sont diffusées sur Internet via MQTT, et n\'utilise aucune clé, ou une clé connue de 1 octet. + + Sécurité du canal + Signification de la sécurité des canaux + Afficher toutes les significations + Afficher l\'état actuel + Annuler + Êtes-vous sûr de vouloir supprimer ce nœud ? + Répondre à %1$s + Annuler la réponse + Supprimer les messages ? + Effacer la sélection + Message + Composer un message + Journal des métriques PAX + PAX + Aucun journal de métriques PAX disponible. + Périphériques WiFi + Appareils BLE + Périphériques appairés + Périphérique connecté + Go + Limite de débit dépassée. Veuillez réessayer plus tard. + Voir la version + Télécharger + Actuellement installés + Dernière version stable + Dernière version alpha + Soutenu par la communauté Meshtastic + Version du micrologiciel + Périphériques réseaux récents + Appareils réseau découverts + Commencer + Bienvenue sur + Restez connecté n\'importe où + Communiquez en dehors du réseau avec vos amis et votre communauté sans service cellulaire. + Créez votre propre réseau + Installez facilement des réseaux de maillage privé pour une communication sûre et fiable dans les régions éloignées. + Suivre et partager les emplacements + Partagez votre position en temps réel et gardez votre groupe coordonné avec les fonctionnalités GPS intégrées. + Notifications de l’application + Messages entrants + Notifications pour le canal et les messages directs. + Nouveaux nœuds + Notifications pour les nouveaux nœuds découverts. + Batterie faible + Notifications d\'alertes de batterie faible pour l\'appareil connecté. + + Configurer les autorisations de notification + Localisation du téléphone + Meshtastic utilise la localisation de votre téléphone pour activer un certain nombre de fonctionnalités. Vous pouvez mettre à jour vos autorisations de localisation à tout moment à partir des paramètres. + Localisation partagée + Utilisez le GPS de votre téléphone pour envoyer des emplacements à votre nœud au lieu d\'utiliser le GPS de votre nœud. + Mesures de distance + Afficher la distance entre votre téléphone et les autres nœuds Meshtastic avec des positions. + Filtres de distance + Filtrer la liste de nœuds et la carte de maillage en fonction de la proximité de votre téléphone. + Emplacement de la carte de maillage + Active le point de localisation bleu de votre téléphone sur la carte de maillage. + Configurer les autorisations de localisation + Ignorer + Paramètres + Alertes critiques + Pour assurer la réception des alertes critiques, comme les messages de SOS, même lorsque votre périphérique est en mode \"Ne pas déranger\", vous devez donner les droits spéciaux. Activez cela dans les paramètres de notifications + Configurer les alertes critiques + Meshtastic utilise les notifications pour vous tenir à jour sur les nouveaux messages et autres événements importants. Vous pouvez mettre à jour vos autorisations de notification à tout moment à partir des paramètres. + Suivant + Accorder les autorisations + %d nœuds en attente de suppression : + Attention : Ceci supprime les nœuds des bases de données in-app et on-device.\nLes sélections sont additionnelles. + Connexion à l\'appareil + Normal + Satellite + Terrain + Hybride + Gérer les calques de la carte + Couches cartographiques + Aucun calque personnalisé chargé. + Ajouter un calque + Ajouter un calque + Afficher le calque + Supprimer le calque + Ajouter un calque + Nœuds à cet emplacement + Type de carte sélectionné + Gérer les sources de tuiles personnalisées + Ajouter une source de tuile personnalisée + Aucune source de tuiles personnalisée + Modifier la source de tuile personnalisée + Supprimer la source de tuile personnalisée + Le nom ne peut pas être vide. + Le nom du fournisseur existe déjà. + URL ne peut être vide. + L\'URL doit contenir des espaces réservés. + Modèle d\'URL + Point de suivi +
diff --git a/app/src/main/res/values-ga-rIE/strings.xml b/app/src/main/res/values-ga-rIE/strings.xml new file mode 100644 index 000000000..cc7e7b8bc --- /dev/null +++ b/app/src/main/res/values-ga-rIE/strings.xml @@ -0,0 +1,242 @@ + + + + Scagaire + Cuir scagaire na nóid in áirithe + Cuir Anaithnid san áireamh + Taispeáin sonraí + Cainéal + Sáth + Cúlaithe + Deiridh chluinmhu + trí MQTT + trí MQTT + Neamh-aithnidiúil + Ag fanacht le ceadú + Cur síos ar sheoladh + Faighte + Gan route + Fáilte atá faighte le haghaidh niúúáil + Am tráth + Gan anicéir + Ceannaire Máx Dúnadh + Gan cainéal + Pacáiste ró-mhór + Gan freagra + Iarratas Mícheart + Ceangail cileáil tráth + Gan aithne + Ní raibh níos saora phósach fadhach + Pre-set den x-teirí code + Earráid i eochair sesún an riarthóra + Eochair phoiblí riarthóra neamhúdaraithe + Feiste nascaithe nó feiste teachtaireachtaí standálaí. + Feiste nach dtarchuir pacáistí ó ghléasanna eile. + Ceannaire infreastruchtúrtha chun clúdach líonra a leathnú trí theachtaireachtaí a athsheoladh. Infheicthe i liosta na nóid. + Comhcheangail de dhá ról ROUTER agus CLIENT. Ní do ghléasanna soghluaiste. + Ceannaire infreastruchtúrtha chun clúdach líonra a leathnú trí theachtaireachtaí a athsheoladh le níos lú romha. + Bíonn sé ag seoladh pacáistí suíomh GPS mar thosaíocht. + Bíonn sé ag seoladh pacáistí teiliméadair mar thosaíocht. + Optamaithe le haghaidh cumarsáide ATAK, laghdaíonn sé cainéil seirbhíse beacht. + Feiste a seolann ach nuair is gá, chun éalú nó do chumas cothromóige. + Pacáiste leis an suíomh agus é seolta chuig an cainéal réamhshocraithe gach lá. + Ceadaíonn fadhb beathú do bhoganna PLI i sórtú PLI i feidhm reatha. + Athsheoladh aon teachtaireacht i ndáiríre má bhí sí oiriúnach le do cheist go léannais foghlamhrúcháin. + Ceim misniúla thosaí go lucht shnaithte! + Cuireann sé bac ar theachtaireachtaí a fhaightear ó mhóilíní seachtracha cosúil le LOCAL ONLY, ach téann sé céim níos faide trí theachtaireachtaí ó nóid nach bhfuil sa liosta aitheanta ag an nóid a chosc freisin. + Ceadaítear é seo ach amháin do na róil SENSOR, TRACKER agus TAK_TRACKER, agus cuirfidh sé bac ar gach athdháileadh, cosúil leis an róil CLIENT_MUTE. + Cuireann sé bac ar phacáistí ó phortníomhaíochtaí neamhchaighdeánacha mar: TAK, RangeTest, PaxCounter, srl. Ní athdháileann ach pacáistí le portníomhaíochtaí caighdeánacha: NodeInfo, Text, Position, Telemetry, agus Routing. + Ainm Cainéal + Cód QR + deilbhín feidhmchláir + Ainm Úsáideora Anaithnid + Seol + Níl raidió comhoiriúnach Meshtastic péireáilte leis an bhfón seo agat fós. Péireáil gléas le do thoil agus socraigh d’ainm úsáideora.\n\nTá an feidhmchlár foinse oscailte seo faoi alfa-thástáil, má aimsíonn tú fadhbanna cuir iad ar ár bhfóram: https://github.com/orgs/meshtastic/discussions\n\nLe haghaidh tuilleadh faisnéise féach ar ár leathanach gréasáin - www.meshtastic.org. + + Glac + Cealaigh + URL Cainéal nua faighte + Tuairiscigh fabht + Tuairiscigh fabht + An bhfuil tú cinnte gur mhaith leat fabht a thuairisciú? Tar éis tuairisciú a dhéanamh, cuir sa phost é le do thoil in https://github.com/orgs/meshtastic/discussions ionas gur féidir linn an tuarascáil a mheaitseáil leis an méid a d’aimsigh tú. + Tuairiscigh + Péireáil críochnaithe, ag tosú seirbhís + Péireáil neadaithe, le do thoil roghnaigh arís + Cead iontrála áit dúnta, ní féidir an suíomh a chur ar fáil chuig an mesh. + Roinn + Na ceangailte + Gléas ina chodladh + Seoladh IP: + Ceangailte le raidió (%s) + Ní ceangailte + Ceangailte le raidió, ach tá sé ina chodladh + Nuashonrú feidhmchláir riachtanach + Caithfidh tú an feidhmchlár seo a nuashonrú ón siopa feidhmchláir (nó Github). Tá sé ró-aois chun cumarsáid a dhéanamh leis an firmware raidió seo. Le do thoil, léigh ár doiciméid ar an ábhar seo. + Ní aon (diúscairt) + Fógraí seirbhíse + Maidir le + Tá an URL Cainéil seo neamhdhleathach agus ní féidir é a úsáid + Painéal Laige + Glan + Stádas seachadta teachtaireachta + Nuashonrú teastaíonn ar an gcórais. + Tá an firmware raidió ró-aoiseach chun cumarsáid a dhéanamh leis an aip seo. Chun tuilleadh eolais a fháil, féach ár gCúnamh Suiteála Firmware. + Ceadaigh + Caithfidh tú réigiún a shocrú! + Ní féidir an cainéal a athrú, toisc nach bhfuil an raidió nasctha fós. Déan iarracht arís. + Onnmhairigh rangetest.csv + Athshocraigh + Scanadh + Cuir leis + An bhfuil tú cinnte gur mhaith leat an cainéal réamhshocraithe a athrú? + Athshocrú go dtí na réamhshocruithe + Cuir i bhfeidhm + Téama + Solas + Dorcha + Réamhshocrú córas + Roghnaigh téama + Soláthra suíomh na fón do do líonra + + Ar mhaith leat teachtaireacht a scriosadh? + Ar mhaith leat %s teachtaireachtaí a scriosadh? + Ar mhaith leat %s teachtaireachtaí a scriosadh? + Ar mhaith leat %s teachtaireachtaí a scriosadh? + Ar mhaith leat %s teachtaireachtaí a scriosadh? + + Scrios + Scrios do gach duine + Scrios dom + Roghnaigh go léir + Roghnaigh stíl + Íoslódáil réigiún + Ainm + Cur síos + Ceangailte + Sábháil + Teanga + Réamhshocrú córas + Seol arís + Dún + Ní tacaítear le dúnadh ar an ngléas seo + Athmhaoinigh + Céim rianadóireachta + Taispeáin Úvod + Teachtaireacht + Roghanna comhrá tapa + Comhrá tapa nua + Cuir comhrá tapa in eagar + Cuir leis an teachtaireacht + Seol láithreach + Athshocraigh an fhactaraí + Teachtaireacht dhíreach + Athshocraigh NodeDB + Seachadadh deimhnithe + Earráid + Ignóra + Cuir ‘%s’ leis an liosta ignorálacha? + Bain ‘%s’ ón liosta ignorálacha? + Roghnaigh réigiún íoslódála + Meastachán íoslódála tile: + Tosaigh íoslódáil + Dún + Cumraíocht raidió + Cumraíocht an mhódule + Cuir leis + Cuir in eagar + Á ríomh… + Bainisteoir as líne + Méid na Cásla Reatha + Cumas an Cásla: %1$.2f MB\nÚsáid an Cásla: %2$.2f MB + Glan na Tíleanna Íoslódáilte + Foinse Tíle + Cásla SQL glanta do %s + Teip ar ghlanadh Cásla SQL, féach logcat le haghaidh sonraí + Bainisteoir Cásla + Íoslódáil críochnaithe! + Íoslódáil críochnaithe le %d earráidí + %d tíleanna + comhthéacs: %1$d° achar: %2$s + Cuir in eagar an pointe bealach + Scrios an pointe bealach? + Pointe bealach nua + Pointe bealach faighte: %s + Teorainn na Ciorcad Oibre bainte. Ní féidir teachtaireachtaí a sheoladh faoi láthair, déan iarracht arís níos déanaí. + Bain + Bainfear an nod seo ón liosta go dtí go bhfaighidh do nod sonraí uaidh arís. + Cuir foláirimh i gcíocha + 8 uair an chloig + 1 seachtain + I gcónaí + Ionad + Scan QR cód WiFi + Formáid QR cód Creidiúnachtaí WiFi neamhbhailí + Súil Siar + Cúis leictreachais + Úsáid cainéil + Úsáid aeir + Teocht + Laige + Lógáil + Céimeanna uaidh + Eolas + Úsáid na cainéil reatha, lena n-áirítear TX ceartaithe, RX agus RX mícheart (anáilís ar na fuaimeanna). + Céatadán de na hamaitear úsáideach atá in úsáid laistigh de uair an chloig atá caite. + QAÍ (Cáilíocht Aeir Inmheánach) + Eochair roinnte + Tá teachtaireachtaí díreacha á n-úsáid leis an eochair roinnte do na cainéil. + Cóid Poiblí Eochair + Tá teachtaireachtaí díreacha á n-úsáid leis an gcórais eochair phoiblí nua do chriptiú. Riachtanach atá leagan firmware 2.5 nó níos mó. + Mícomhoiriúnacht na heochrach phoiblí + Ní chomhoireann an eochair phoiblí leis an eochair atá cláraithe. Féachfaidh tú le hiarraidh na nod agus athmhaoin na heochrach ach seo féadfaidh a léiriú fadhb níos tromchúisí i gcúrsaí slándála. Téigh i dteagmháil leis an úsáideoir tríd an gcainéal eile atá ar fáil chun a fháil amach an bhfuil athrú eochrach de réir athshocrú monarcha nó aidhm eile ar do chuid. + Fógartha faoi na nodes nua + Tuilleadh sonraí + Ráta Sigineal go Torann, tomhas a úsáidtear i gcomhfhreagras chun an leibhéal de shígnéil inmhianaithe agus torann cúlra a mheas. I Meshtastic agus i gcórais gan sreang eile, ciallaíonn SNR níos airde go bhfuil sígneál níos soiléire ann agus ábalta méadú ar chreideamh agus cáilíocht an tarchur sonraí. + Táscaire Cumhachta Athnuachana Aithint an Aoise, tomhas a úsáidtear chun leibhéal cumhachta atá faighte ag an antsnáithe a mheas. Léiríonn RSSI níos airde gnóthachtáil níos laige atá i gceangal seasmhach agus níos láidre. + (Cáilíocht Aeir Inmheánach) scála ábhartha den luach QAÍ a thomhas ag Bosch BME680. Scála Luach 0–500. + Lógáil Táscairí Feiste + Léarscáil an Node + Lógáil Seirbhís + Lógáil Táscairí Comhshaoil + Lógáil Táscairí Sigineal + Rialachas + Rialú iargúlta + Go dona + Ceart go leor + Maith + Ní dhéanfaidh sé + Sígneal + Cáilíocht na Sígneal + Lógáil Traceroute + Direach + + 1 céim + %d céimeanna + %d céimeanna + %d céimeanna + %d céimeanna + + Céimeanna i dtreo %1$d Céimeanna ar ais %2$d + Am tráth + Sáth + + + + + Teachtaireacht + diff --git a/app/src/main/res/values-gl-rES/strings.xml b/app/src/main/res/values-gl-rES/strings.xml new file mode 100644 index 000000000..4ce203746 --- /dev/null +++ b/app/src/main/res/values-gl-rES/strings.xml @@ -0,0 +1,155 @@ + + + + Filtro + quitar filtro de nodo + Incluír descoñecido + A-Z + Canle + Distancia + Brinca fóra + Última escoita + vía MQTT + vía MQTT + Fallou o envío cifrado + Aplicación conectada ou dispositivo de mensaxería autónomo. + Nome de canle + Código QR + icona da aplicación + Nome de usuario descoñecido + Enviar + Aínda non enlazaches unha radio compatible con Meshtástic neste teléfono. Por favor enlaza un dispositivo e coloca o teu nome de usuario. \n\n Esta aplicación de código aberto está en desenvolvemento. Se atopas problemas por favor publícaos no noso foro: https://github.com/orgs/meshtastic/discussions\n\nPara máis información visita a nosa páxina - www.meshtastic.org. + Ti + Aceptar + Cancelar + Novo enlace de canle recibida + Reportar erro + Reporta un erro + Seguro que queres reportar un erro? Despois de reportar, por favor publica en https://github.com/orgs/meshtastic/discussions para poder unir o reporte co que atopaches. + Reportar + Enlazado completado, comezando servizo + Enlazado fallou, por favor seleccione de novo + Acceso á úbicación está apagado, non se pode prover posición na rede. + Compartir + Desconectado + Dispositivo durmindo + Enderezo IP: + Conectado á radio (%s) + Non conectado + Conectado á radio, pero está durmindo + Actualización da aplicación requerida + Debe actualizar esta aplicación na tenda (ou Github). É moi vella para falar con este firmware de radio. Por favor lea a nosa documentación neste tema. + Ningún (desactivado) + Notificacións de servizo + Acerca de + A ligazón desta canle non é válida e non pode usarse + Panel de depuración + Limpar + Estado de envío de mensaxe + Actualización de firmware necesaria. + O firmware de radio é moi vello para falar con esta aplicación. Para máis información nisto visita a nosa guía de instalación de Firmware. + OK + Tes que seleccionar rexión! + Non se puido cambiar de canle, porque a radio aínda non está conectada. Por favor inténteo de novo. + Exportar rangetest.csv + Restablecer + Escanear + Engadir + Está seguro de que quere cambiar á canle predeterminada? + Restablecer a por defecto + Aplicar + Tema + Claro + Escuro + Por defecto do sistema + Escoller tema + Proporcionar a ubicación do teléfono á malla + + Eliminar mensaxe? + Eliminar %s mensaxes? + + Eliminar + Eliminar para todos + Eliminar para min + Seleccionar todo + Selección de Estilo + Descargar Rexión + Nome + Descrición + Bloqueado + Gardar + Linguaxe + Predeterminado do sistema + Reenviar + Apagar + Reiniciar + Traza-ruta + Amosar introdución + Mensaxe + Opcións de conversa rápida + Nova conversa rápida + Editar conversa rápida + Anexar a mensaxe + Enviar instantaneamente + Restablecemento de fábrica + Mensaxe directa + Restablecer NodeDB + Entrega confirmada + Erro + Ignorar + Engadir \'%s\' á lista de ignorar? + Quitar \'%s\' da lista de ignorar? + Seleccionar a rexión de descarga + Descarga de \'tile\' estimada: + Comezar a descarga + Pechar + Configuración de radio + Configuración de módulo + Engadir + Editar + Calculando… + Xestor sen rede + Tamaño de caché actual + Capacidade de Caché: %1$.2f MB\nUso de Caché: %2$.2f MB + Limpar \'tiles\' descargadas + Fonte de \'tile\' + Caché SQL purgada para %s + A purga de Caché SQL fallou, mira logcat para os detalles + Xestor de caché + Descarga completada! + Descarga completada con %d errores + %d \'tiles\' + rumbo: %1$d distancia:%2$s + Editar punto de ruta + Eliminar punto de ruta? + Novo punto de ruta + Punto de ruta recibido:%s + O límite do Ciclo de Traballo de Sinal foi alcanzado. Non se pode enviar mensaxes agora, inténtao despois. + Eliminar + Este nodo será retirado da túa lista ata que o teu nodo reciba datos seus de novo. + Silenciar notificacións + 8 horas + 1 semana + Sempre + Distancia + + + + + Mensaxe + diff --git a/app/src/main/res/values-hr-rHR/strings.xml b/app/src/main/res/values-hr-rHR/strings.xml new file mode 100644 index 000000000..51ca89989 --- /dev/null +++ b/app/src/main/res/values-hr-rHR/strings.xml @@ -0,0 +1,154 @@ + + + + Filtriraj + očisti filter čvorova + Uključujući nepoznate + A-Z + Kanal + Udaljenost + Broj skokova + Posljednje čuo + putem MQTT + putem MQTT + Naziv kanala + QR kod + ikona aplikacije + Nepoznati korisnik + Potvrdi + Još niste povezali Meshtastic radio uređaj s ovim telefonom. Povežite uređaj i postavite svoje korisničko ime.\n\nOva aplikacija otvorenog koda je u razvoju, ako naiđete na probleme, objavite na našem forumu: https://github.com/orgs/meshtastic/discussions\n\nZa više informacija pogledajte našu web stranicu - www.meshtastic.org. + Vi + Prihvati + Odustani + Primljen je URL novog kanala + Prijavi grešku + Prijavi grešku + Jeste li sigurni da želite prijaviti grešku? Nakon prijave, objavite poruku na https://github.com/orgs/meshtastic/discussions kako bismo mogli utvrditi dosljednost poruke o pogrešci i onoga što ste pronašli. + Izvješće + Uparivanje uspješno, usluga je pokrenuta + Uparivanje nije uspjelo, molim odaberite ponovno + Pristup lokaciji je isključen, Vaš Android ne može pružiti lokaciju mesh mreži. + Podijeli + Odspojeno + Uređaj je u stanju mirovanja + IP Adresa: + Spojen na radio (%s) + Nije povezano + Povezan na radio, ali je u stanju mirovanja + Potrebna je nadogradnja aplikacije + Potrebno je ažurirati ovu aplikaciju putem Play Storea (ili Githuba). Aplikacija je prestara za komunikaciju s ovim firmwerom radija. Pročitajte našu dokumentaciju o ovoj temi. + Ništa (onemogućeno) + Servisne obavijesti + O programu + Ovaj URL kanala je nevažeći i ne može se koristiti + Otklanjanje pogrešaka + Očisti + Status isporuke poruke + Potrebno ažuriranje firmwarea. + Firmware radija je prestar za komunikaciju s ovom aplikacijom. Za više informacija posjetite naš vodič za instalaciju firmwarea. + U redu + Potrebno je postaviti regiju! + Nije moguće promijeniti kanal jer radio još nije povezan. Molim pokušajte ponovno. + Izvezi rangetest.csv + Resetiraj + Pretraži + Dodaj + Jeste li sigurni da želite promijeniti na zadani kanal? + Vrati na početne postavke + Potvrdi + Tema + Svijetla + Tamna + Sistemski zadano + Odaberi temu + Navedi lokaciju telefona na mesh mreži + + Obriši poruku? + Obriši %s poruke? + Obriši %s poruke? + + Obriši + Izbriši za sve + Izbriši za mene + Označi sve + Odabir stila + Preuzmite regiju + Ime + Opis + Zaključano + Spremi + Jezik + Zadana vrijednost sustava + Ponovno pošalji + Isključi + Ponovno pokreni + Traceroute + Prikaži uvod + Poruka + Opcije brzog razgovora + Novi brzi razgovor + Uredi brzi chat + Dodaj poruci + Pošalji odmah + Vraćanje na tvorničke postavke + Izravna poruka + Resetiraj NodeDB bazu + Isporučeno + Pogreška + Ignoriraj + Dodati \'%s\' na popis ignoriranih? Vaš radio će se ponovno pokrenuti nakon ove promjene. + Ukloniti \'%s\' s popisa ignoriranih? Vaš radio će se ponovno pokrenuti nakon ove promjene. + Označite regiju za preuzimanje + Procjena preuzimanja: + Pokreni Preuzimanje + Zatvori + Konfiguracija uređaja + Konfiguracija modula + Dodaj + Uredi + Izračunavanje… + Izvanmrežni upravitelj + Trenutna veličina predmemorije + Kapacitet predmemorije: %1$.2f MB\nUpotreba predmemorije: %2$.2f MB + Ukloni preuzete datoteke + Izvor karte + SQL predmemorija očišćena za %s + Čišćenje SQL predmemorije nije uspjelo, pogledajte logcat za detalje + Upravitelj predmemorije + Preuzimanje je završeno! + Preuzimanje je završeno s %d pogrešaka + %d dijelova karte + smjer: %1$d° udaljenost: %2$s + Uredi putnu točku + Obriši putnu točku? + Nova putna točka + Primljena putna točka: %s + Dosegnuto je ograničenje radnog ciklusa. Trenutačno nije moguće poslati poruke, pokušajte ponovno kasnije. + Ukloni + Ovaj će čvor biti uklonjen s vašeg popisa sve dok vaš čvor ponovno ne primi podatke s njega. + Isključi obavijesti + 8 sati + 1 tjedan + Uvijek + Udaljenost + + + + + Poruka + diff --git a/app/src/main/res/values-ht-rHT/strings.xml b/app/src/main/res/values-ht-rHT/strings.xml new file mode 100644 index 000000000..8baf7f676 --- /dev/null +++ b/app/src/main/res/values-ht-rHT/strings.xml @@ -0,0 +1,231 @@ + + + + Filtre + klarifye filtè nœud + Enkli enkoni + Montre detay + kanal + Distans + Sote lwen + Dènye fwa li tande + atravè MQTT + atravè MQTT + Inkonu + Ap tann pou li rekonèt + Kwen pou voye + Rekonekte + Pa gen wout + Rekòmanse avèk yon refi negatif + Tan pase + Pa gen entèfas + Limite retransmisyon maksimòm rive + Pa gen kanal + Pake twò gwo + Pa gen repons + Demann move + Limite sik devwa rejyonal rive + Pa otorize + Echèk voye ankripte + Kle piblik enkoni + Kle sesyon move + Kle piblik pa otorize + Aplikasyon konekte oswa aparèy mesaj endepandan. + Aparèy ki pa voye pake soti nan lòt aparèy. + Nœud enfrastrikti pou elaji kouvèti rezo pa relaye mesaj. Vizyèl nan lis nœud. + Kombinasyon de toude ROUTER ak CLIENT. Pa pou aparèy mobil. + Nœud enfrastrikti pou elaji kouvèti rezo pa relaye mesaj avèk ti overhead. Pa vizib nan lis nœud. + Voye pakè pozisyon GPS kòm priyorite. + Voye pakè telemetri kòm priyorite. + Optimizé pou kominikasyon sistèm ATAK, redwi emisyon regilye. + Aparèy ki sèlman voye kòm sa nesesè pou kachèt oswa ekonomi pouvwa. + Voye pozisyon kòm mesaj nan kanal default regilyèman pou ede ak rekiperasyon aparèy. + Pèmèt emisyon TAK PLI otomatik epi redwi emisyon regilye. + Rebroadcast nenpòt mesaj obsève, si li te sou kanal prive nou oswa soti nan yon lòt mesh ak menm paramèt lora. + Menm jan ak konpòtman kòm \"ALL\" men sote dekodaj pakè yo epi senpleman rebroadcast yo. Disponib sèlman nan wòl Repeater. Mete sa sou nenpòt lòt wòl ap bay konpòtman \"ALL\". + Ignoré mesaj obsève soti nan meshes etranje ki louvri oswa sa yo li pa ka dekripte. Sèlman rebroadcast mesaj sou kanal prensipal / segondè lokal nœud. + Ignoré mesaj obsève soti nan meshes etranje tankou \"LOCAL ONLY\", men ale yon etap pi lwen pa tou ignorer mesaj ki soti nan nœud ki poko nan lis konnen nœud la. + Sèlman pèmèt pou wòl SENSOR, TRACKER ak TAK_TRACKER, sa a ap entèdi tout rebroadcasts, pa diferan de wòl CLIENT_MUTE. + Ignoré pakè soti nan portnum ki pa estanda tankou: TAK, RangeTest, PaxCounter, elatriye. Sèlman rebroadcast pakè ak portnum estanda: NodeInfo, Tèks, Pozisyon, Telemetri, ak Routing. + Non kanal + Kòd QR + ikòn aplikasyon an + Non itilizatè enkoni + Voye + Ou poko konekte ak yon radyo ki konpatib ak Meshtastic sou telefòn sa a. Tanpri konekte yon aparèy epi mete non itilizatè w lan.\n\nSa a se yon aplikasyon piblik ki nan tès Alpha. Si ou gen pwoblèm, tanpri pataje sou fowòm nou an: https://github.com/orgs/meshtastic/discussions\n\nPou plis enfòmasyon, vizite sit wèb nou an - www.meshtastic.org. + Ou + Aksepte + Anile + Nouvo kanal URL resevwa + Rapòte yon pwoblèm + Rapòte pwoblèm + Èske ou sèten ou vle rapòte yon pwoblèm? Aprew fin rapòte, tanpri pataje sou https://github.com/orgs/meshtastic/discussions pou nou ka konpare rapò a ak sa ou jwenn nan. + Rapò + Koneksyon konplè, sèvis kòmanse + Koneksyon echwe, tanpri chwazi ankò + Aksè lokasyon enfim, pa ka bay pozisyon mesh la. + Pataje + Dekonekte + Aparèy ap dòmi + Adrès IP: + Konekte ak radyo (%s) + Pa konekte + Konekte ak radyo, men li ap dòmi + Aplikasyon twò ansyen + Ou dwe mete aplikasyon sa ajou nan magazen Google Jwèt. Li twò ansyen pou li kominike ak radyo sa a. + Okenn (enfim) + Notifikasyon sèvis + Sou + Kanal URL sa a pa valab e yo pa kapab itilize li + Panno Debug + Netwaye + Eta livrezon mesaj + Nouvo mizajou mikwo lojisyèl obligatwa. + Mikwo lojisyèl radyo a twò ansyen pou li kominike ak aplikasyon sa a. Pou plis enfòmasyon sou sa, gade gid enstalasyon mikwo lojisyèl nou an. + Dakò + Ou dwe mete yon rejyon! + Nou pa t kapab chanje kanal la paske radyo a poko konekte. Tanpri eseye ankò. + Eksporte rangetest.csv + Reyajiste + Eskane + Ajoute + Eske ou sèten ou vle chanje pou kanal default la? + Reyajiste nan paramèt default yo + Aplike + Tèm + Limen + Fènwa + Sistèm default + Chwazi tèm + Bay lokasyon telefòn ou bay mesh la + + Efase mesaj la? + Efase %s mesaj? + + Efase + Efase pou tout moun + Efase pou mwen + Chwazi tout + Seleksyon Style + Telechaje Rejyon + Non + Deskripsyon + Loken + Sove + Lang + Sistèm default + Reenvwaye + Fèmen + Fèmen pa sipòte sou aparèy sa a + Rekòmanse + Montre entwodiksyon + Mesaj + Opsyon chat rapid + Nouvo chat rapid + Modifye chat rapid + Ajoute nan mesaj + Voye imedyatman + Reyajiste nan faktori + Mesaj dirèk + Reyajiste NodeDB + Livrezon konfime + Erè + Ignoré + Ajoute \'%s\' nan lis ignòre? + Retire \'%s\' nan lis ignòre? + Chwazi rejyon telechajman + Estimasyon telechajman tèk + Kòmanse telechajman + Fèmen + Konfigirasyon radyo + Konfigirasyon modil + Ajoute + Modifye + Ap kalkile… + Manadjè Offline + Gwosè Kach aktyèl + Kapasite Kach: %1$.2f MB\nItilizasyon Kach: %2$.2f MB + Efase Tèk Telechaje + Sous Tèk + Kach SQL efase pou %s + Echèk efase Kach SQL, tcheke logcat pou detay + Manadjè Kach + Telechajman konplè! + Telechajman konplè avèk %d erè + %d tèk + ang: %1$d° distans: %2$s + Modifye pwen + Efase pwen? + Nouvo pwen + Pwen resevwa: %s + Limit sik devwa rive. Pa ka voye mesaj kounye a, tanpri eseye ankò pita. + Retire + Pwen sa a ap retire nan lis ou jiskaske nœud ou a resevwa done soti nan li ankò. + Fèmen notifikasyon + 8 èdtan + 1 semèn + Toujou + Ranplase + Skan QR Kòd WiFi + Fòma QR Kòd Kredi WiFi Invalid + Navige Tounen + Batri + Itilizasyon Kanal + Itilizasyon Ay + Tanperati + Imidite + Jounal + Hops Lwen + Enfòmasyon + Itilizasyon pou kanal aktyèl la, ki enkli TX, RX byen fòme ak RX mal fòme (sa yo rele bri). + Pousantaj tan lè transmisyon te itilize nan dènye èdtan an. + Kle Pataje + Mesaj dirèk yo ap itilize kle pataje pou kanal la. + Chifreman Kle Piblik + Mesaj dirèk yo ap itilize nouvo enfrastrikti kle piblik pou chifreman. Sa mande vèsyon lojisyèl 2.5 oswa plis. + Pa matche kle piblik + Kle piblik la pa matche ak kle anrejistre a. Ou ka retire nœud la e kite li echanje kle ankò, men sa ka endike yon pwoblèm sekirite pi grav. Kontakte itilizatè a atravè yon lòt chanèl ki fè konfyans, pou detèmine si chanjman kle a te fèt akòz yon reyajisteman faktori oswa lòt aksyon entansyonèl. + Notifikasyon nouvo nœud + Plis detay + Rapò Siynal sou Bri, yon mezi ki itilize nan kominikasyon pou mezire nivo siynal vle a kont nivo bri ki nan anviwònman an. Nan Meshtastic ak lòt sistèm san fil, yon SNR pi wo endike yon siynal pi klè ki ka amelyore fyab ak kalite transmisyon done. + Endikatè Fòs Siynal Resevwa, yon mezi ki itilize pou detèmine nivo pouvwa siynal ki resevwa pa antèn nan. Yon RSSI pi wo jeneralman endike yon koneksyon pi fò ak plis estab. + (Kalite Lèy Entèryè) echèl relatif valè IAQ jan li mezire pa Bosch BME680. Ranje valè 0–500. + Jounal Metik Aparèy + Kat Nœud + Jounal Pozisyon + Jounal Metik Anviwònman + Jounal Metik Siynal + Administrasyon + Administrasyon Remote + Move + Mwayen + Bon + Pa gen + Siynal + Kalite Siynal + Jounal Traceroute + Direk + Hops vèsus %1$d Hops tounen %2$d + Tan pase + Distans + + + + + Mesaj + diff --git a/app/src/main/res/values-hu-rHU/strings.xml b/app/src/main/res/values-hu-rHU/strings.xml new file mode 100644 index 000000000..8b59b9dad --- /dev/null +++ b/app/src/main/res/values-hu-rHU/strings.xml @@ -0,0 +1,209 @@ + + + + Filter + állomás filter törlése + Ismeretlent tartalmaz + Részletek megjelenítése + A-Z + Csatorna + Távolság + Ugrás Messzire + Utoljára hallott + MQTT-n Keresztül + MQTT-n Keresztül + Ismeretlen + Visszajelzésre vár + Elküldésre vár + Visszaigazolva + Nincs út + Időtúllépés + Nincs Interfész + Maximális Újraküldés Elérve + Nincs Csatorna + Túl nagy csomag + Nincs Válasz + Hibás kérés + Helyi Üzemciklus Határ Elérve + Nem Engedélyezett + Titkosított Küldés Sikertelen + Nem Ismert Publikus Kulcs + Hibás munkamenet kulcs + Nem Engedélyezett Publikus Kulcs + Csatorna neve + QR kód + alkalmazás ikonja + Ismeretlen felhasználónév + Küldeni + Még nem párosított egyetlen Meshtastic rádiót sem ehhez a telefonhoz. Kérem pároztasson egyet és állítsa be a felhasználónevet.\n\nEz a szabad forráskódú alkalmazás fejlesztés alatt áll, ha hibát talál kérem írjon a projekt fórumába: https://github.com/orgs/meshtastic/discussions\n\nBővebb információért látogasson el a projekt weboldalára - www.meshtastic.org. + Te + Elfogadni + Megszakítani + Új csatorna URL érkezett + Hiba jelentése + Hiba jelentése + Biztosan jelenteni akarja a hibát? Bejelentés után kérem írjon a https://github.com/orgs/meshtastic/discussions fórumba, hogy így össze tudjuk hangolni a jelentést azzal, amit talált. + Jelentés + Pároztatás befejeződött, a szolgáltatás indítása + Pároztatás sikertelen, kérem próbálja meg újra. + A földrajzi helyhez való hozzáférés le van tiltva, nem lehet pozíciót közölni a mesh hálózattal. + Megosztás + Szétkapcsolva + Az eszköz alszik + IP cím: + Kapcsolódva a(z) %s rádióhoz + Nincs kapcsolat + Kapcsolódva a rádióhoz, de az alvó üzemmódban van + Az alkalmazás frissítése szükséges + Frissítenie kell ezt az alkalmazást a Google Play áruházban (vagy a GitHub-ról), mert túl régi, hogy kommunikálni tudjob ezzel a rádió firmware-rel. Kérem olvassa el a tudnivalókat ebből a docs-ből. + Egyik sem (letiltás) + Szolgáltatás értesítések + A programról + Ez a csatorna URL érvénytelen, ezért nem használható. + Hibakereső panel + Töröl + Üzenet kézbesítésének állapota + Firmware frissítés szükséges. + A rádió firmware túl régi ahhoz, hogy a programmal kommunikálni tudjon. További tudnivalókat a firmware frissítés leírásában talál, a Github-on. + Be kell állítania egy régiót + Nem lehet csatornát váltani, mert a rádió nincs csatlakoztatva. Kérem próbálja meg újra. + Rangetest.csv exportálása + Újraindítás + Keresés + Új hozzáadása + Biztosan meg akarja változtatni az alapértelmezett csatornát? + Alapértelmezett beállítások visszaállítása + Alkalmaz + Téma + Világos + Sötét + Rendszer alapértelmezett + Válasszon témát + Pozíció hozzáférés a mesh számára + + Töröljem az üzenetet? + Töröljek %s üzenetet? + + Törlés + Törlés mindenki számára + Törlés nekem + Összes kijelölése + Stílus választás + Letöltési régió + Név + Leírás + Zárolt + Mentés + Nyelv + Alapbeállítás + Újraküldés + Leállítás + Leállítás nem támogatott ezen az eszközön + Újraindítás + Traceroute + Bemutatkozás megjelenítése + Üzenet + Gyors csevegés opciók + Új gyors csevegés + Gyors csevegés szerkesztése + Hozzáfűzés az üzenethez + Azonnali küldés + Gyári beállítások visszaállítása + Közvetlen üzenet + NodeDB törlése + Kézbesítés sikeres + Hiba + Mellőzés + Válassz letöltési régiót + Csempe letöltés számítása: + Letöltés indítása + Bezárás + Eszköz beállítások + Modul beállítások + Új hozzáadása + Szerkesztés + Számolás… + Offline kezelő + Gyorsítótár mérete jelenleg + Gyorsítótár kapacitása: %1$.2f MB\nGyorsítótár kihasználtsága: %2$.2f MB + Letöltött csempék törlése + Csempe forrás + SQL gyorsítótár kiürítve %s számára + SQL gyorsítótár kiürítése sikertelen, a részleteket lásd a logcat-ben + Gyorsítótár kezelő + A letöltés befejeződött! + A letöltés %d hibával fejeződött be + %d csempe + irányszög: %1$d° távolság: %2$s + Útpont szerkesztés + Útpont törlés? + Új útpont + Törlés + Értesítések némítása + 8 óra + 1 hét + Mindig + Csere + WiFi QR kód szkennelése + Vissza + Akkumulátor + Csatornahasználat + Légidőhasználat + Hőmérséklet + Páratartalom + Naplók + Ugrás Messzire + Információ + IAQ + Megosztott kulcs + Publikus Kulcs Titkosítás + Publikus kulcs nem egyezik + Új állomás értesítések + Több részlet + SNR + RSSI + Eszközmérő Napló + Állomás Térkép + Pozíciónapló + Környezeti Mérés Napló + Jelminőség Napló + Adminisztráció + Távoli Adminisztráció + Rossz + Megfelelő + + Semmi + Jel + Jelminőség + Traceroute napló + Közvetlen + + 1 ugrás + %d ugrások + + Ugrások oda %1$d Vissza %2$d + Üzenetek + Időtúllépés + Távolság + Beállítások + + + + + Üzenet + diff --git a/app/src/main/res/values-is-rIS/strings.xml b/app/src/main/res/values-is-rIS/strings.xml new file mode 100644 index 000000000..348abc2b0 --- /dev/null +++ b/app/src/main/res/values-is-rIS/strings.xml @@ -0,0 +1,133 @@ + + + + Heiti rásar + QR kóði + tákn smáforrits + Óþekkt notendanafn + Senda + Þú hefur ekki parað Meshtastic radíó við þennan síma. Vinsamlegast paraðu búnað og veldu notendnafn.\n\nÞessi opni hugbúnaður er enn í þróun, finnir þú vandamál vinsamlegast búðu til þráð á spjallborðinu okkar: https://github.com/orgs/meshtastic/discussions\n\nFyrir frekari upplýsingar sjá vefsíðu - www.meshtastic.org. + Þú + Samþykkja + Hætta við + Ný slóð fyrir rás móttekin + Tilkynna villu + Tilkynna villu + Er þú viss um að vilja tilkynna villu? Eftir tilkynningu, settu vinsamlega inn þráð á https://github.com/orgs/meshtastic/discussions svo við getum tengt saman tilkynninguna við villuna sem þú fannst. + Tilkynna + Pörun lokið, ræsir þjónustu + Pörun mistókst, vinsamlegast veljið aftur + Aðgangur að staðsetningu ekki leyfður, staðsetning ekki send út á mesh. + Deila + Aftengd + Radíó er í svefnham + IP Tala: + Tengdur við radíó (%s) + Ekki tengdur + Tengdur við radíó, en það er í svefnham + Uppfærsla á smáforriti nauðsynleg + Þú verður að uppfæra þetta smáforrit í app store (eða Github). Það er of gamalt til að geta talað við fastbúnað þessa radíó. Vinsamlegast lestu leiðbeiningar okkar um þetta mál. + Ekkert (Afvirkjað) + Tilkynningar um þjónustu + Um smáforrit + Þetta rásar URL er ógilt og ónothæft + Villuleitarborð + Hreinsa + Staða sends skilaboðs + Uppfærsla fastbúnaðar nauðsynleg. + Fastbúnaður radíósins er of gamall til að tala við þetta smáforrit. Fyrir ítarlegri upplýsingar sjá Leiðbeiningar um uppfærslu fastbúnaðar. + Í lagi + Þú verður að velja svæði! + Gat ekki skipt um rás vegna þess að radíó er ekki enn tengt. Vinsamlegast reyndu aftur. + Flytja út skránna rangetest.csv + Endurræsa + Leita + Bæta við + Ert þú viss um að þú viljir skipta yfir á sjálfgefna rás? + Endursetja tæki + Virkja + Þema + Ljóst + Dökkt + Grunnstilling kerfis + Veldu þema + Áframsenda staðsetningu á möskvanet + + Eyða skilaboðum? + Eyða %s skilaboðum? + + Eyða + Eyða fyrir öllum + Eyða fyrir mér + Velja allt + Valmöguleikar stíls + Niðurhala svæði + Heiti + Lýsing + Læst + Vista + Tungumál + Grunnstilling kerfis + Endursenda + Slökkva + Endurræsa + Ferilkönnun + Sýna kynningu + Skilaboð + Flýtiskilaboð + Ný flýtiskilaboð + Breyta flýtiskilaboðum + Hengja aftan við skilaboð + Sent samtímis + Grunnstilla + Bein skilaboð + Endurræsa NodeDB + Hunsa + Bæta \'%s\' við Ignore lista? + Fjarlægja \'%s\' frá hunsa lista? + Veldu svæði til að niðurhala + Áætlaður niðurhalstími reits: + Hefja niðurhal + Loka + Stillingar radíós + Stillingar aukaeininga + Bæta við + Reiknar… + Sýsla með utankerfis kort + Núverandi stærð skyndiminnis + Stærð skyndiminnis: %1$.2f MB\nNýtt skyndiminni: %2$.2f MB + Hreinsa burt niðurhalaða reiti + Uppruni reits + SQL skyndiminni hreinsað fyrir %s + Hreinsun SQL skyndiminnis mistókts, sjá upplýsingar í logcat + Sýsla með skyndiminni + Niðurhali lokið! + Niðurhali lauk með %d villum + %d reitar + miðun: %1$d° fjarlægð: %2$s + Breyta leiðarpunkti + Eyða leiðarpunkti? + Nýr leiðarpunktur + Móttekin leiðarpunktur: %s + Hámarsksendingartíma náð. Ekki hægt að senda skilaboð, vinsamlegast reynið aftur síðar. + + + + + Skilaboð + diff --git a/app/src/main/res/values-it-rIT/strings.xml b/app/src/main/res/values-it-rIT/strings.xml new file mode 100644 index 000000000..442b297bf --- /dev/null +++ b/app/src/main/res/values-it-rIT/strings.xml @@ -0,0 +1,776 @@ + + + + Meshtastic %s + Filtro + elimina filtro nodi + Includi sconosciuti + Nascondi i nodi offline + Mostra solamente i nodi diretti + Stai visualizzando i nodi ignorati,\nPremi per tornare alla lista dei nodi + Mostra dettagli + Opzioni ordinamento nodi + A-Z + Canale + Distanza + Distanza in Hop + Ricevuto più di recente + via MQTT + via MQTT + via Preferiti + Nodi ignorati + Non riconosciuto + In attesa di conferma + In coda per l\'invio + Confermato + Nessun percorso + Ricevuta una conferma negativa + Timeout + Nessuna Interfaccia + Tentativi di Ritrasmissione Esauriti + Nessun Canale + Pacchetto troppo grande + Nessuna risposta + Richiesta Non Valida + Raggiunto il limite del ciclo di lavoro regionale + Non Autorizzato + Invio Criptato Non Riuscito + Chiave Pubblica Sconosciuta + Chiave di sessione non valida + Chiave Pubblica non autorizzata + App collegata o dispositivo di messaggistica standalone. + Dispositivo che non inoltra pacchetti da altri dispositivi. + Nodo d\'infrastruttura per estendere la copertura di rete tramite inoltro dei messaggi. Visibile nell\'elenco dei nodi. + Combinazione di ROUTER e CLIENT. Non per dispositivi mobili. + Nodo d\'infrastruttura per estendere la copertura della rete tramite inoltro dei messaggi con overhead minimo. Non visibile nell\'elenco dei nodi. + Dà priorità alla trasmissione di pacchetti di posizione GPS. + Dà priorità alla trasmissione di pacchetti di telemetria. + Ottimizzato per la comunicazione del sistema ATAK, riduce le trasmissioni di routine. + Dispositivo che trasmette solo quando necessario, per risparmiare energia o restare invisibile. + Trasmette a intervalli regolari la posizione come messaggio nel canale predefinito per aiutare il recupero del dispositivo. + Abilita le trasmissioni automatiche TAK PLI e riduce le trasmissioni di routine. + Nodo dell\'infrastruttura che ritrasmette sempre i pacchetti una volta ma solo dopo tutte le altre modalità, garantendo una copertura aggiuntiva per i cluster locali. Visibile nella lista dei nodi. + Ritrasmettere qualsiasi messaggio osservato, se era sul nostro canale privato o da un\'altra mesh con gli stessi parametri lora. + Stesso comportamento di ALL ma salta la decodifica dei pacchetti e semplicemente li ritrasmette. Disponibile solo nel ruolo Repeater. Attivando questo su qualsiasi altro ruolo, si otterrà il comportamento di ALL. + Ignora i messaggi osservati da mesh esterne aperte o quelli che non possono essere decifrati. Ritrasmette il messaggio solo nei canali locali primario / secondario dei nodi. + Ignora i messaggi osservati da mesh esterne come fa LOCAL ONLY, ma in più ignora i messaggi da nodi non presenti nella lista dei nodi conosciuti. + Permesso solo per i ruoli SENSOR, TRACKER e TAK_TRACKER, questo inibirà tutte le ritrasmissioni, come il ruolo CLIENT_MUTE. + Ignora pacchetti da numeri di porta non standard come: TAK, RangeTest, PaxCounter, ecc. Ritrasmette solo pacchetti con numeri di porta standard: NodeInfo, Testo, Posizione, Telemetria e Routing. + Considera il doppio tocco sugli accelerometri supportati come la pressione di un pulsante utente. + Disabilita la tripla pressione del pulsante utente per abilitare o disabilitare il GPS. + Controlla il LED lampeggiante del dispositivo. Per la maggior parte dei dispositivi questo controllerà uno dei LED (fino a 4), il LED dell\'alimentazione e il LED del GPS non sono controllabili. + Se oltre a inviarli tramite MQTT e PhoneAPI, i dati NeighborInfo devono essere trasmessi tramite LoRa. Non disponibile su un canale con chiave e nome predefiniti. + Chiave Pubblica + Nome del canale + Codice QR + Icona dell\'applicazione + Nome Utente Sconosciuto + Invia + Non è ancora stato abbinato un dispositivo radio compatibile Meshtastic a questo telefono. È necessario abbinare un dispositivo e impostare il nome utente.\n\nQuesta applicazione open-source è ancora in via di sviluppo, se si riscontrano problemi, rivolgersi al forum: https://github.com/orgs/meshtastic/discussions\n\nPer maggiori informazioni visitare la pagina web - www.meshtastic.org. + Tu + Consenti analisi e segnalazione di crash. + Accetta + Annulla + Annulla modifiche + Ricevuta URL del Nuovo Canale + Meshtastic ha bisogno dei permessi di localizzazione abilitati per trovare nuovi dispositivi via Bluetooth. Puoi disabilitare quando non è in uso. + Segnala Bug + Segnalazione di bug + Procedere con la segnalazione di bug? Dopo averlo segnalato, si prega di postarlo in https://github.com/orgs/meshtastic/discussions in modo che possiamo associare la segnalazione al problema riscontrato. + Invia Segnalazione + Abbinamento completato, attivazione in corso del servizio + Abbinamento fallito, effettuare una nuova selezione + L\'accesso alla posizione è disattivato, non è possibile fornire la posizione al mesh. + Condividi + Nuovo nodo scoperto:%s + Disconnesso + Il dispositivo è inattivo + Connesso: %1$s online + Indirizzo IP: + Porta: + Connesso + Connesso alla radio (%s) + Non connesso + Connesso alla radio, ma sta dormendo + Aggiornamento dell\'applicazione necessario + È necessario aggiornare questa applicazione nell\'app store (o Github). È troppo vecchio per parlare con questo firmware radio. Per favore leggi i nostri documenti su questo argomento. + Nessuno (disattiva) + Notifiche di servizio + Informazioni + L\'URL di questo Canale non è valida e non può essere usata + Pannello Di Debug + Payload decodificato: + Esporta i logs + Filtri + Filtri attivi + Cerca nei log… + Prossima occorrenza + Occorrenza precedente + Azzera ricerca + Aggiungi filtro + Filtra inclusi + Rimuovi tutti i filtri + Cancella i log + Trova qualsiasi corrispondenza | Tutte + Trova tutte le corrispondenze | Qualsiasi + Verranno rimossi tutti i pacchetti dei log e le voci del database dal dispositivo - Si tratta di un ripristino completo ed irreversibile. + Svuota + Stato di consegna messaggi + Notifiche di messaggi diretti + Notifiche di messaggi broadcast + Notifiche di allarme + È necessario aggiornare il firmware. + Il firmware radio è troppo vecchio per parlare con questa applicazione. Per ulteriori informazioni su questo vedi la nostra guida all\'installazione del firmware. + Ok + Devi impostare una regione! + Impossibile cambiare il canale, perché la radio non è ancora connessa. Riprova. + Esporta rangetest.csv + Reset + Scan + Aggiungere + Confermi di voler passare al canale predefinito? + Ripristina impostazioni predefinite + Applica + Tema + Chiaro + Scuro + Predefinito di sistema + Scegli tema + Fornire la posizione alla mesh + + Eliminare il messaggio? + Eliminare %s messaggi? + + Elimina + Elimina per tutti + Elimina per me + Seleziona tutti + Chiudi selezione + Elimina selezionati + Selezione Stile + Scarica Regione + Nome + Descrizione + Bloccato + Salva + Lingua + Predefinito di sistema + Reinvia + Spegni + Spegnimento non supportato su questo dispositivo + Riavvia + Traceroute + Mostra Guida introduttiva + Messaggio + Opzioni chat rapida + Nuova chat rapida + Modifica chat rapida + Aggiungi al messaggio + Invio immediato + Mostra menu della chat rapida + Nascondi menu della chat rapida + Ripristina impostazioni di fabbrica + Il Bluetooth è disabilitato. Si prega di attivarlo nelle impostazioni del dispositivo. + Apri impostazioni + Versione firmware:%1$s + Meshtastic ha bisogno dei permessi \"Dispositivi nelle vicinanze\" abilitati per trovare e connettersi ai dispositivi tramite Bluetooth. È possibile disabilitare quando non è in uso. + Messaggio diretto + NodeDB reset + Consegna confermata + Errore + Ignora + Aggiungere \'%s\' alla lista degli ignorati? La radio si riavvierà dopo aver apportato questa modifica. + Rimuovere \'%s\' dalla lista degli ignorati? La radio si riavvierà dopo aver apportato questa modifica. + Seleziona la regione da scaricare + Stima dei riquadri da scaricare: + Inizia download + Scambia posizione + Chiudi + Impostazioni dispositivo + Impostazioni moduli + Aggiungere + Modifica + Calcolo… + Gestore Offline + Dimensione Cache attuale + Capacità Cache: %1$.2f MB\nCache utilizzata: %2$.2f MB + Cancella i riquadri mappa scaricati + Sorgente Riquadri Mappa + Cache SQL eliminata per %s + Eliminazione della cache SQL non riuscita, vedere logcat per i dettagli + Gestione della cache + Scaricamento completato! + Download completo con %d errori + %d riquadri della mappa + direzione: %1$d° distanza: %2$s + Modifica waypoint + Elimina waypoint? + Nuovo waypoint + Waypoint ricevuto: %s + Limite di Duty Cycle raggiunto. Impossibile inviare messaggi in questo momento, riprovare più tardi. + Elimina + Questo nodo verrà rimosso dalla tua lista fino a quando il tuo nodo non riceverà di nuovo dei dati. + Disattiva notifiche + 8 ore + 1 settimana + Sempre + Sostituisci + Scansiona codice QR WiFi + Formato codice QR delle Credenziali WiFi non valido + Torna Indietro + Batteria + Utilizzo Canale + Tempo di Trasmissione Utilizzato + Temperatura + Umidità + Temperatura del suolo + Umidità del suolo + Registri + Distanza in Hop + Distanza in Hop: %1$d + Informazioni + Utilizzazione del canale attuale, compreso TX, RX ben formato e RX malformato (cioè rumore). + Percentuale di tempo di trasmissione utilizzato nell’ultima ora. + IAQ + Chiave Condivisa + I messaggi privati usano la chiave condivisa del canale. + Crittografia a Chiave Pubblica + I messaggi privati utilizzano la nuova infrastruttura a chiave pubblica per la crittografia. Richiede la versione 2.5 o superiore. + Chiave pubblica errata + La chiave pubblica non corrisponde alla chiave salvata. È possibile rimuovere il nodo e lasciarlo scambiare le chiavi, ma questo può indicare un problema di sicurezza più serio. Contattare l\'utente attraverso un altro canale attendibile, per determinare se il cambiamento di chiave è dovuto a un ripristino di fabbrica o ad altre azioni intenzionali. + Scambia informazioni utente + Notifiche di nuovi nodi + Ulteriori informazioni + SNR + Rapporto segnale-rumore (Signal-to-Noise Ratio), una misura utilizzata nelle comunicazioni per quantificare il livello di un segnale desiderato rispetto al livello di rumore di fondo. In Meshtastic e in altri sistemi wireless, un SNR più elevato indica un segnale più chiaro che può migliorare l\'affidabilità e la qualità della trasmissione dei dati. + RSSI + Indicatore di forza del segnale ricevuto (Received Signal Strength Indicator), una misura utilizzata per determinare il livello di potenza ricevuto dall\'antenna. Un valore RSSI più elevato indica generalmente una connessione più forte e più stabile. + (Qualità dell\'aria interna) scala relativa del valore della qualità dell\'aria indoor, misurato da Bosch BME680. Valore Intervallo 0–500. + Registro Metriche Dispositivo + Mappa Dei Nodi + Registro Posizione + Aggiornamento ultima posizione + Registro Metriche Ambientali + Registro Metriche Segnale + Amministrazione + Amministrazione Remota + Scarso + Discreto + Buono + Nessuno + Condividi con… + Segnale + Qualità Segnale + Registro Di Traceroute + Diretto + + 1 hop + %d hop + + Hops verso di lui %1$d Hops di ritorno %2$d + 24H + 48H + 1S + 2S + 4S + Max + Età sconosciuta + Copia + Carattere Campana Di Allarme! + Avvisi critici + Preferito + Aggiungere \'%s\' ai nodi preferiti? + Rimuovere \'%s\' dai nodi preferiti? + Registro delle metriche di potenza + Canale 1 + Canale 2 + Canale 3 + Attuale + Tensione + Sei sicuro? + Documentazione sui ruoli dei dispositivi e il post del blog su Scegliere il ruolo giusto del dispositivo .]]> + So cosa sto facendo. + Il nodo %1$s ha la batteria quasi scarica (%2$d%%) + Notifica di batteria scarica + Poca energia rimanente nella batteria: %s + Notifiche batteria scarica (nodi preferiti) + Pressione barometrica + Mesh via UDP abilitato + Configurazione UDP + Ricevuto l\'ultima volta: %2$s
Posizione più recente: %3$s
Batteria: %4$s]]>
+ Attiva/disattiva posizione + Utente + Canali + Dispositivo + Posizione + Alimentazione + Rete + Schermo + LoRa + Bluetooth + Sicurezza + MQTT + Seriale + Notifica Esterna + + Test Distanza + Telemetria + Messaggi Preconfezionati + Audio + Hardware Remoto + Informazioni Vicinato + Luce Ambientale + Sensore Di Rilevamento + Paxcounter + Configurazione Audio + CODEC 2 attivato + Pin PTT + Frequenza di campionamento CODEC2 + I2S word select + I2S data in + I2S data out + I2S clock + Configurazione Bluetooth + Bluetooth attivo + Modalità abbinamento + PIN Fisso + Uplink attivato + Downlink attivato + Predefinito + Posizione attiva + Posizione precisa + Pin GPIO + Tipo + Nascondi password + Visualizza password + Dettagli + Ambiente + Configurazione Illuminazione Ambientale + LED di stato + Rosso + Verde + Blu + Configurazione Messaggi Preconfezionati + Messaggi preconfezionati abilitati + Encoder rotativo #1 abilitato + Pin GPIO della porta A dell\'encoder rotativo + Pin GPIO della porta B dell\'encoder rotativo + Pin GPIO della porta Pulsante dell\'encoder rotativo + Evento generato dalla Pressione del pulsante + Evento generato dalla rotazione in senso orario + Evento generato dalla rotazione in senso antiorario + Input Su/Giu/Selezione abilitato + Consenti sorgente di input + Invia campanella + Messaggi + Configurazione Sensore Rilevamento + Sensore Rilevamento attivo + Trasmissione minima (secondi) + Trasmissione stato (secondi) + Invia campanella con messaggio di avviso + Nome semplificato + Pin GPIO da monitorare + Tipo di trigger di rilevamento + Usa modalità INPUT_PULLUP + Configurazione Dispositivo + Ruolo + Ridefinisci PIN_BUTTON + Ridefinisci PIN_BUZZER + Modalità ritrasmissione + Intervallo di trasmissione NodeInfo (secondi) + Doppio tocco come pressione pulsante + Disabilita triplo-click + POSIX Timezone + Disabilita il LED del battito cardiaco + Configurazione Schermo + Timeout schermo (secondi) + Formato coordinate GPS + Cambia schermate automaticamente (secondi) + Tieni in alto il nord della bussola + Capovolgi schermo + Unità di misura visualizzata + Sovrascrivi rilevamento automatico OLED + Modalità schermo + Titoli in grassetto + Accendi lo schermo al tocco o al movimento + Orientamento bussola + Configurazione Notifiche Esterne + Notifica esterna attivata + Notifiche alla ricezione di messaggi + Avviso messaggi tramite LED + Avviso messaggi tramite suono + Avviso messaggi tramite vibrazione + Notifiche alla ricezione di alert/campanello + LED campanella di allarme + Buzzer campanella di allarme + Vibrazione campanella di allarme + LED Output (GPIO) + Output per LED active high + Output buzzer (GPIO) + Usa buzzer PWM + Output vibrazione (GPIO) + Durata output (millisecondi) + Timeout chiusura popup (secondi) + Suoneria + Usa I2S come buzzer + Configurazione LoRa + Usa preimpostazioni del modem + Configurazione Modem + Larghezza di banda + Fattore di spread + Velocità di codifica + Offset di frequenza (MHz) + Regione (band plan) + Limite di hop + TX attivata + Potenza TX (dBm) + Slot di frequenza + Ignora limite di Duty Cycle + Ignora in arrivo + Migliora guadagno in RX su SX126X + Sovrascrivi la frequenza (MHz) + Ventola PA disabilitata + Ignora MQTT + OK per MQTT + Configurazione MQTT + MQTT abilitato + Indirizzo + Username + Password + Crittografia abilitata + Output JSON abilitato + TLS abilitato + Root topic + Proxy to client attivato + Segnalazione su mappa + Intervallo di segnalazione su mappa (secondi) + Configurazione Info Nodi Vicini + Info Nodi Vicini abilitato + Intervallo di aggiornamento (secondi) + Trasmettere su LoRa + Configurazione Della Rete + WiFi abilitato + SSID + PSK + Ethernet abilitato + Server NTP + server rsyslog + Modalità IPv4 + IP + Gateway + Subnet + Configurazione Paxcounter + Paxcounter abilitato + Soglia RSSI WiFi (valore predefinito -80) + Soglia RSSI BLE (valore predefinito -80) + Configurazione Posizione + Intervallo trasmissione posizione (secondi) + Posizione smart abilitata + Distanza minima per trasmissione smart (metri) + Intervallo minimo per trasmissione smart (secondi) + Usa posizione fissa + Latitudine + Longitudine + Altitudine (metri) + Imposta dalla posizione attuale del telefono + Modalità GPS + Intervallo aggiornamento GPS (secondi) + Ridefinisci GPS_RX_PIN + Ridefinisci GPS_TX_PIN + Ridefinisci PIN_GPS_EN + Opzioni posizione + Configurazione Alimentazione + Abilita modalità risparmio energetico + Ritardo spegnimento a batteria (secondi) + Sovrascrivi rapporto moltiplicatore ADC + Durata attesa Bluetooth (secondi) + Durata super deep sleep (secondi) + Durata light sleep (secondi) + Tempo minimo di risveglio (secondi) + Indirizzo INA_2XX I2C della batteria + Configurazione Test Distanza Massima + Test distanza massima abilitato + Intervallo messaggio mittente (secondi) + Salva .CSV nello storage (solo ESP32) + Configurazione Hardware Remoto + Hardware Remoto abilitato + Consenti accesso a pin non definiti + Pin disponibili + Configurazione Sicurezza + Chiave Pubblica + Chiave Privata + Chiave Amministratore + Modalità Gestita + Console seriale + Debug log API abilitato + Canale di Amministrazione legacy + Configurazione Seriale + Seriale abilitata + Echo abilitato + Velocità della seriale + Timeout + Modalità seriale + Sovrascrivi porta seriale della console + + Heartbeat + Numero di record + Cronologia ritorno max + Finestra di ritorno cronologia + Server + Configurazione Telemetria + Intervallo aggiornamento metriche dispositivo (secondi) + Intervallo aggiornamento metriche ambientali (secondi) + Modulo metriche ambientali abilitato + Metriche ambientali visualizzate su schermo + Usa i gradi Fahrenheit nelle metriche ambientali + Modulo metriche della qualità dell\'aria abilitato + Intervallo aggiornamento metriche qualità dell\'aria (secondi) + Icona della qualità dell\'aria + Modulo metriche di alimentazione abilitato + Intervallo aggiornamento metriche alimentazione (secondi) + Metriche di alimentazione visualizzate su schermo + Configurazione Utente + ID Nodo + Nome esteso + Nome breve + Modello hardware + Radioamatori con licenza (HAM) + Abilitare questa opzione disabilita la crittografia e non è compatibile con la rete Meshtastic predefinita. + Punto Di Rugiada + Pressione + Resistenza Ai Gas + Distanza + Lux + Vento + Peso + Radiazione + + Qualità dell\'Aria Interna (IAQ) + URL + + Importa configurazione + Esporta configurazione + Hardware + Supportato + Numero Nodo + ID utente + Tempo di attività + Utilizzo %1$d + Disco libero %1$d + Data e ora + Direzione + Velocità + Sat + Alt + Freq + Slot + Principale + Diffusione periodica di posizione e telemetria + Secondario + Nessuna trasmissione telemetria periodica + Richiesta posizione manuale mandatoria + Premi e trascina per riordinare + Riattiva l\'audio + Dinamico + Scansiona codice QR + Condividi contatto + Importare Contatto Condiviso? + Non messaggabile + Non monitorato o Infrastruttura + Attenzione: Questo contatto è noto, l\'importazione sovrascriverà le informazioni di contatto precedenti. + Chiave Pubblica Modificata + Importa + Richiedi Metadati + Azioni + Firmware + Usa formato orologio 12h + Se abilitato, il dispositivo visualizzerà il tempo in formato 12 ore sullo schermo. + Registro Metriche Host + Host + Memoria libera + Spazio disco libero + Carico + Stringa Utente + Guidami Verso + Connessione + Mappa della Mesh + Conversazioni + Nodi + Impostazioni + Imposta la tua regione + Rispondi + Il nodo invierà periodicamente un pacchetto di report mappa non cifrato al server MQTT configurato, questo include il nome id lungo e breve, posizione approssimativa, modello hardware, ruolo, versione firmware, regione LoRa, configurazione modem e nome del canale primario. + Do il consenso a condividere i dati non cifrati del nodo tramite MQTT + Abilitando questa funzione, l\'utente riconosce e acconsente espressamente alla trasmissione della posizione geografica in tempo reale del suo dispositivo su protocollo MQTT senza crittografia. Questi dati di localizzazione possono essere utilizzati per scopi quali la compilazione di mappe in tempo reale, il tracking del dispositivo e le relative funzioni di telemetria. + Ho letto e accetto quanto sopra. Acconsento volontariamente alla trasmissione non crittografata dei dati del mio nodo tramite MQTT + Sono d’accordo. + Aggiornamento Firmware Consigliato. + Per usufruire delle ultime correzioni e funzionalità, aggiorna il firmware del tuo nodo.\n\nVersione stabile più recente del firmware: %1$s + Scade + Ora + Data + Filtro mappa\n + Solo preferiti + Mostra Waypoint + Mostra cerchi precisi + Notifiche Client + Rilevate chiavi compromesse, seleziona OK per rigenerarle. + Rigenera Chiavi Private + Sei sicuro di voler rigenerare la tua chiave privata?\n\nI nodi che potrebbero aver precedentemente scambiato le chiavi con questo nodo dovranno rimuovere quel nodo ed effettuare di nuovo lo scambio di chiavi per ristabilire la sicurezza nella comunicazione. + Esporta Chiavi + Esporta le chiavi pubbliche e private in un file. Si prega di memorizzarlo da qualche parte in modo sicuro. + Moduli sbloccati + Controllo remoto + (%1$d online / %2$d in totale) + Rispondi + Disconnetti + Scansione dei dispositivi Bluetooth… + Nessun dispositivo Bluetooth associato. + Nessun dispositivo di rete trovato. + Nessun dispositivo trovato sulla seriale USB. + Scorri fino in fondo + Meshtastic + Scansione in corso + Stato di sicurezza + Sicuro + Badge di attenzione + Canale Sconosciuto + Attenzione + Menu di overflow + UV Lux + Sconosciuto + Questa radio è gestita e può essere modificata solo da un amministratore remoto. + Avanzate + Azzera il database dei nodi + Elimina i nodi visti per l\'ultima volta più di %1$d giorni fa + Elimina solo i nodi sconosciuti + Elimina i nodi con bassa/nessuna interazione + Elimina i nodi ignorati + Elimina ora + Questo rimuoverà %1$d nodi dal tuo database. Questa azione non può essere annullata. + L\'icona di un lucchetto verde chiuso indica che il canale è criptato in modo sicuro con una chiave AES a 128 o 256 bit + + Canale non sicuro, non preciso + L\'icona di un lucchetto giallo aperto indica che il canale non è criptato, non viene utilizzato per dati di posizione precisa e non utilizza una chiave oppure ne usa una da 1 byte conosciuta. + + Canale non sicuro, posizione precisa + L\'icona di un lucchetto rosso aperto indica che il canale non è criptato, viene utilizzato per dati di posizione precisa e non utilizza una chiave oppure ne usa una da 1 byte conosciuta. + + Attenzione: Insicuro, posizione precisa & MQTT Uplink + L\'icona di un lucchetto rosso aperto con un avvertimento indica che il canale non è criptato in modo sicuro, viene usato per la posizione precisa e viene fatto l\'uplink su internet attraverso MQTT e non utilizza una chiave oppure ne usa una da 1 byte conosciuta. + + Sicurezza del canale + Significato di sicurezza del canale + Mostra tutti i significati + Mostra lo stato attuale + Annulla + Sei sicuro di voler eliminare questo nodo? + Rispondendo a %1$s + Annulla risposta + Eliminare messaggi? + Annulla selezione + Messaggio + Inserisci un messaggio + Registro metriche PAX + PAX + Nessun log delle metriche PAX disponibile. + Dispositivi WiFi + Dispositivi BLE + Dispositivi associati + Dispositivo connesso + Vai + Limite di trasmissione superato. Riprova più tardi + Visualizza Release + Scarica + Attualmente in uso + Ultima stabile + Ultima alfa + Supportato dalla comunità Meshtastic + Edizione Firmware + Dispositivi di rete recenti + Dispositivi di rete rilevati + Inizia ora + Benvenuto a + Rimani connesso ovunque + Comunica off-grid con i tuoi amici e la tua community senza la connessione cellulare + Crea le tue reti + Crea reti mesh private in modo semplice per connessioni sicure e affidabili in zone remote + Visualizza e condividi la posizione + Condividi la tua posizione in tempo reale e mantieni il tuo gruppo coordinato con le funzionalità GPS integrate. + Notifiche dell\'app + Messaggi in arrivo + Notifiche per i canali e i messaggi diretti + Nuovi nodi + Notifiche per i nodi scoperti + Livello batteria basso + Notifiche per gli avvisi di batteria scarica per il dispositivo collegato. + Selezionare i pacchetti inviati come critici ignorerà la modalità silenziosa e le impostazioni di Non disturbare nel centro di notifica del sistema operativo. + Configura le autorizzazioni delle notifiche + Posizione del telefono + Meshtastic utilizza la posizione del telefono per abilitare molte funzionalità. È possibile aggiornare i permessi riguardo la posizione in qualsiasi momento dalle impostazioni. + Condividi posizione + Usa il GPS del telefono per inviare la posizione al nodo invece di utilizzare un GPS hardware sul tuo nodo. + Misure di distanza + Visualizza la distanza tra il telefono e gli altri nodi Meshtastic con posizione attiva. + Filtri distanza + Filtra l\'elenco dei nodi e la mappa mesh in base alla prossimità al tuo telefono. + Posizione sulla mappa della Mesh + Abilita l\'indicatore blu per il tuo telefono sulla mappa della mesh. + Configura i permessi sulla posizione + Ignora + impostazioni + Avvisi critici + Per assicurarti di ricevere avvisi critici, come i messaggi SOS + , anche quando il dispositivo è in modalità \"Non disturbare\", è necessario concedere il permesso speciale + . Si prega di abilitarlo dalle impostazioni di notifica. + + Configura avvisi critici + Meshtastic utilizza le notifiche per tenerti aggiornato su nuovi messaggi e altri eventi importanti. È possibile aggiornare i permessi di notifica in qualsiasi momento dalle impostazioni. + Avanti + Concedi permessi + %d nodi in coda per l\'eliminazione: + Attenzione: questo rimuove i nodi dal database dell\'app e sul dispositivo. Le selezioni\nsono additive. + Connessione al dispositivo in corso… + Normale + Satelliti + Terreno + Ibrido + Gestisci livelli della mappa + I livelli personalizzati supportano file .kml o .kmz. + Livelli della mappa + Nessun livello personalizzato caricato. + Aggiungi livello + Nascondi livello + Mostra livello + Rimuovi livello + Aggiungi livello + Nodi in questa posizione + Tipo di mappa selezionata + Gestisci sorgenti Tile personalizzati + Aggiungi sorgente Tile Personalizzato + Nessuna Sorgente Personalizzata dei Tile + Modifica sorgenti Tile personalizzati + Elimina sorgenti Tile personalizzati + Il nome non può essere vuoto. + Il nome del provider esiste. + L\'URL non può essere vuoto. + L\'URL deve contenere dei placeholder. + Template dell\'URL + punto di interesse + Impostazioni telefono +
diff --git a/app/src/main/res/values-iw-rIL/strings.xml b/app/src/main/res/values-iw-rIL/strings.xml new file mode 100644 index 000000000..2ae3e58f2 --- /dev/null +++ b/app/src/main/res/values-iw-rIL/strings.xml @@ -0,0 +1,149 @@ + + + + פילטר + כלול לא ידועים + הצג פרטים + א-ת + ערוץ + מרחק + דלג קדימה + שם הערוץ + קוד QR + אייקון אפליקציה + שם המשתמש אינו מוכר + שלח + עוד לא צימדת מכשיר תומך משטסטיק לטלפון זה. בבקשה צמד מכשיר והגדר שם משתמש.\n\nאפליקציית קוד פתוח זה נמצא בפיתוח, במקשר של בעיות בבקשה גש לפורום: https://github.com/orgs/meshtastic/discussions\n\n למידע נוסף בקרו באתר - www.meshtastic.org. + אתה + אישור + בטל + התקבל כתובת ערוץ חדשה + דווח על באג + דווח על באג + בטוח שתרצה לדווח על באג? לאחר דיווח, בבקשה תעלה פוסט לפורום https://github.com/orgs/meshtastic/discussions כדי שנוכל לחבר בין חווייתך לדווח זה. + דווח + צימוד הסתיים בהצלחה, מתחיל שירות + צימוד נכשל, בבקשה נסה שנית + שירותי מיקום כבויים, לא ניתן לספק מיקום לרשת משטסטיק. + שתף + מנותק + מכשיר במצב שינה + ‏כתובת IP: + פורט: + מחובר למכשיר (%s) + לא מחובר + מחובר למכשיר, אך הוא במצב שינה + נדרש עדכון של האפליקציה + נדרש להתקין עדכון לאפליקציה זו דרך חנות האפליקציות (או Github). גרסת האפליקציה ישנה מדי בכדי לתקשר עם מכשיר זה. בבקשה קרא מסמכי עזרה בנושא זה. + לא מחובר (כבוי) + התראות שירות + אודות + כתובת ערוץ זה אינו תקין ולא ניתן לעשות בו שימוש + פאנל דיבאג + נקה + מצב שליחת הודעה + התראות + נדרש עדכון קושחה. + קושחת המכשיר ישנה מידי בכדי לתקשר עם האפליקציה. למידע נוסף בקר במדריך התקנת קושחה. + אישור + חובה לבחור אזור! + לא ניתן לשנות ערוץ כי אין מכשיר מחובר. בבקשה נסה שנית. + ייצא rangetest.csv + איפוס + סריקה + הוסף + לשנות לערוץ ברירת המחדל? + איפוס לברירת מחדל + החל + ערכת נושא + בהיר + כהה + ברירות מחדל + בחר ערכת עיצוב + ספק מיקום טלפון לרשת המש + + מחק הודעה? + מחק %s הודעות? + מחק %s הודעות? + מחק %s הודעות? + + מחק + מחק לכולם + מחק עבורי + בחר הכל + בחירת סגנון + הורד מפה אזורי + שם + תיאור + נעול + שמור + שפה + ברירות מחדל + שליחה מחדש + כיבוי + כיבוי אינו נתמך במכשיר זה + אתחול מחדש + בדיקת מסלול + הראה מקדמה + הודעה + הגדרות צ\'ט מהיר + צ\'ט מהיר חדש + ערוך צ\'ט מהיר + הוסף להודעה + שלח מייד + איפוס להגדרות היצרן + הודעה ישירה + איפוס NodeDB + שגיאה + התעלם + הוסף \'%s\' לרשימת ההתעלמות? המכשיר יתחיל מחדש. + הורד \'%s\' מרשימת ההתעלמות? המכשיר יתחיל מחדש. + בחר אזור להורדה + הערכת זמן להורדה: + התחל הורדה + סגור + הגדרות רדיו + הגדרות מודולות + הוסף + מחשב… + ניהול מפות שמורות + גודל מטמון נוכחי + מקום אחסון מטמון: %1$.2fMB\nמטמון משומש: %2$.2fMB + מחק אזורי מפה שהורדו + מקור מפות + אופס מטמון SQK עבור %s + נכשל איפוס מטמון SQL, ראה logcat לפרטים + ניהול מטמון + ההורדה הושלמה! + ההורדה הושלמה עם %d שגיאות + %d אזורי מפה + כיוון: %1$d° מרחק: %2$s + ערוך נקודת ציון + מחק נקודת ציון? + נקודת ציון חדשה + התקבל נקודת ציון: %s + הגעת לרף ה-duty cycle. לא ניתן לשלוח הודעות כרגע, בבקשה נסה שוב מאוחר יותר. + הודעות + מרחק + הגדרות + + + + + הודעה + diff --git a/app/src/main/res/values-ja-rJP/strings.xml b/app/src/main/res/values-ja-rJP/strings.xml new file mode 100644 index 000000000..7f410f705 --- /dev/null +++ b/app/src/main/res/values-ja-rJP/strings.xml @@ -0,0 +1,536 @@ + + + + フィルター + ノードフィルターをクリアします + 不明なものを含める + 詳細を表示 + ノードの並べ替えオプション + A-Z + チャンネル + 距離 + ホップ数 + 最後の通信 + MQTT 経由で + MQTT経由 + お気に入りから + 不明 + 相手の受信確認待ち + 送信待ち + 相手の受信を確認しました + ルートがありません + 相手が正常に受信できませんでした + タイムアウト + インターフェースがありません + 最大再送信回数に達しました + チャンネルがありません + パケットが大きすぎます + 応答がありません + 不正な要求 + リージョンのデューティサイクルの上限に達しました。 + 承認されていません + 暗号化された送信に失敗しました + 不明な公開キー + セッションキーが不正です + 許可されていない公開キー + アプリに接続されているか、スタンドアロンのメッセージングデバイスです。 + このデバイスは他のデバイスからのパケットを転送しません。 + メッセージを中継することでネットワークの通信範囲を拡大するためのインフラストラクチャノード。ノードリストに表示されます。 + ROUTERとCLIENTの組み合わせ。モバイルデバイス向けではありません。 + 最小限のオーバーヘッドでメッセージを中継することでネットワークの通信範囲を拡大するためのインフラストラクチャノード。ノードリストには表示されません。 + GPSの位置情報パケットを優先してブロードキャストします。 + テレメトリーパケットを優先してブロードキャストします。 + ATAKシステムとの通信に最適化し、定期的なブロードキャストを削減します。 + ステルスまたは電力節約のため、必要に応じてのみブロードキャストするデバイス。 + デバイスを見つけやすくするために、デバイス自身の位置情報をメッセージ形式で定期的にデフォルトのチャンネルにブロードキャストします。 + TAK PLIの自動ブロードキャストを有効にし、ルーチンブロードキャストを削減します。 + 常にパケットを再ブロードキャストするインフラストラクチャノードは、他のすべてのモードの後にのみ、ローカルクラスタの追加カバレッジを確保します。ノードリストに表示されます。 + 受信したメッセージが、参加しているプライベートチャンネル上のもの、または同じLoRaパラメータを持つ別のメッシュからのものであれば、それを再ブロードキャストします。 + ALLと同じ動作ですが、パケットのデコードをスキップして単純に再ブロードキャストします。 リピーターロールでのみ使用できます。他のロールに設定すると、ALLの動作になります。 + 開いている外部メッシュや復号できないメッシュからのメッセージを無視します。 ノードのローカルプライマリー/セカンダリーチャンネルでのみメッセージを再ブロードキャストします。 + LOCAL ONLYのような外部メッシュからのメッセージを無視します。 さらに一歩進んで既知のノードリストにないノードからのメッセージを無視します。 + SENSOR、TRACKER、およびTAK_TRACKERロールでのみ許可されています。CLIENT_MUTEロールとは異なり、すべての再ブロードキャストを禁止します。 + TAK、RangeTest、PaxCounterなどの非標準ポート番号からのパケットを無視します。NodeInfo、Text、Position、Telemetry、Routingなどの標準ポート番号を持つパケットのみを再ブロードキャストします。 + 加速度センサー搭載デバイスで本体をダブルタップすると、ボタンのプッシュと同じ動作として扱います。 + ボタン3回押しでGPSをオンオフできる機能を無効にします。 + デバイスの点滅するLEDを制御します。ほとんどのデバイスでは、最大4つあるLEDのうちの1つを制御します。充電用LEDとGPS用LEDは制御できません。 + 近隣ノード情報(NeighborInfo)をMQTTやPhoneAPIへ送信することに加えて、LoRa無線経由でも送信すべきかどうかを設定します。デフォルトの名前とキーが設定されたチャンネルでは利用できません。 + 公開鍵 + チャンネル名 + QRコード + アプリアイコン + ユーザー名不明 + 送信 + このスマートフォンはMeshtasticデバイスとペアリングされていません。デバイスとペアリングしてユーザー名を設定してください。\n\nこのオープンソースアプリケーションはアルファテスト中です。問題を発見した場合はBBSに書き込んでください。 https://github.com/orgs/meshtastic/discussions\n\n詳しくはWEBページをご覧ください。 www.meshtastic.org + あなた + 同意 + キャンセル + 新しいチャンネルURLを受信しました + バグを報告 + バグを報告 + 不具合報告として診断情報を送信しますか?送信した場合は https://github.com/orgs/meshtastic/discussions に検証できる報告を書き込んでください。 + 報告 + ペアリングが完了しました。サービスを開始します。 + ペアに設定できませんでした。もう一度選択してください。 + 位置情報が無効なため、メッシュネットワークに位置情報を提供できません。 + シェア + 切断 + デバイスはスリープ状態です + 接続済み: %1$s オンライン + IPアドレス + Meshtasticデバイスに接続しました。 +(%s) + 接続されていません + 接続しましたが、Meshtasticデバイスはスリープ状態です。 + アプリを更新して下さい。 + アプリが古く、デバイスと通信ができません。アプリストアまたはGithubでアプリを更新してください。詳細はこちら に記載されています。 + なし (切断) + 通知サービス + 概要 + このチャンネルURLは無効なため使用できません。 + デバッグ + 削除 + メッセージ配信状況 + アラート通知 + デバイスのファームウェアが古く、アプリと通信ができません。詳細はFirmware Installation guide に記載されています。 + リージョンを指定する必要があります。 + デバイスが未接続のため、チャンネルが変更できませんでした。もう一度やり直してください。 + rangetest.csv をエクスポート + リセット + スキャン + 追加 + デフォルトチャンネルに変更しますか? + デフォルトにリセット + 適用 + テーマ + ライト + ダーク + システムのデフォルト + テーマを選択 + メッシュネットワークにスマホの位置情報を提供 + + %s 件のメッセージを削除しますか? + + 削除 + 全員のデバイスから削除 + 自分のデバイスから削除 + すべてを選択 + スタイルの選択 + リージョンをダウンロードする + 名前 + 説明 + ロック済み + 保存 + 言語 + システムのデフォルト + 再送信 + シャットダウン + このデバイスでシャットダウンはサポートされていません + 再起動 + トレースルート + 導入ガイドを表示 + メッセージ + クイックチャット設定 + 新規クイックチャット + クイックチャットを編集 + メッセージに追加 + すぐに送信 + 出荷時にリセット + ダイレクトメッセージ + NodeDBをリセット + 配信を確認しました + エラー + 無視 + \'%s\'を無視リストに追加しますか? + \'%s\'を無視リストから削除しますか? + 指定範囲の地図タイルをダウンロード + ダウンロードする地図タイルの予測数: + ダウンロード開始 + 位置交換 + 終了 + デバイスの設定 + 追加機能の設定 + 追加 + 編集 + 計算中… + オフライン地図の管理 + 現在のキャッシュサイズ + キャッシュ容量: %1$.2f MB\nキャッシュ使用量: %2$.2f MB + ダウンロード済みの地図タイルを消去 + 地図タイルのソース + %sがSQLキャッシュから削除されました。 + SQL キャッシュの削除に失敗しました。詳細は logcat を参照してください。 + キャッシュの管理 + ダウンロード完了! + ダウンロード完了、%dのエラーがあります。 + %d タイル + 方位: %1$d°距離: %2$s + ウェイポイントを編集 + ウェイポイントを削除しますか? + 新規ウェイポイント + 受信したウェイポイント: %s + デューティサイクル制限に達しました。現在メッセージを送信できません。しばらくしてからもう一度お試しください。 + 削除 + このノードから再びデータを受信するまで、このノードはリストに表示されなくなります。 + 通知をミュート + 8時間 + 1週間 + 常時 + 置き換え + WiFiのQRコードをスキャン + WiFi認証のQRコードの形式が無効です + 前に戻る + バッテリー + チャンネルの利用 + 通信の利用 + 温度 + 湿度 + ログ + ホップ数 + 情報 + 現在のチャンネルの使用率。正常な送信(TX)、正常な受信(RX)、および不正な受信 (ノイズ)を含みます。 + 過去1時間以内に送信に使用された通信時間の割合。 + IAQ + 共有キー + ダイレクトメッセージは、チャンネルの共有キーを使用します。 + 公開キー暗号化 + ダイレクトメッセージは、暗号化に新しい公開キーのインフラストラクチャを使用しています。ファームウェアバージョン2.5以降が必要です。 + 公開キーが一致しません + 公開キーが記録されているキーと一致しません。ノードを削除して再度キーの交換を行うことも可能ですが、これはより深刻なセキュリティ問題を示している可能性があります。出荷時リセットやその他の意図的な操作によるキーの変更かどうかを確認するため、別の信頼できるチャンネルでユーザーに連絡を取ってください。 + ユーザー情報を交換 + 新しいノードの通知 + 詳細を見る + SN比 + 信号対ノイズ比(SN比)は、通信において、目的の信号のレベルを背景ノイズのレベルに対して定量化するために使用される尺度です。Meshtasticや他の無線システムでは、SN比が高いほど信号が鮮明であることを示し、データ伝送の信頼性と品質を向上させることができます。 + RSSI + 受信信号強度インジケーター(RSSI)は、アンテナで受信している電力レベルを測定するための指標です。一般的にRSSI値が高いほど、より強力で安定した接続を示します。 + (屋内空気質) 相対スケールIAQ値は、ボッシュBME680によって測定されます。 値の範囲は 0-500。 + デバイス・メトリックログ + ノードマップ + 位置ログ + 環境メトリックログ + 信号メトリックログ + 管理 + リモート管理 + 不良 + 普通 + + なし + … に共有 + 信号 + 信号品質 + トレースルート・ログ + 直接 + + %d ホップ + + ホップ数 行き %1$d 帰り %2$d + 24時間 + 48時間 + 1週間 + 2週間 + 4週間 + 最大 + 年齢不明 + コピー + アラートベル! + 緊急アラート + お気に入り + %s\' をお気に入りのノードとして追加しますか? + お気に入りのノードとして「%s」を削除しますか? + 電力指標ログ + チャンネル 1 + チャンネル 2 + チャンネル 3 + 電流 + 電圧 + よろしいですか? + デバイスロールドキュメントと はい、了承します + バッテリー残量低下通知 + バッテリー低残量: %s + バッテリー残量低下通知 (お気に入りノード) + 大気圧 + UDP経由のメッシュを有効化 + UDP Config + 自分の位置を切り替え + ユーザー + チャンネル + 接続するデバイスを選択 + 位置 + 電源 + ネットワーク + 表示 + LoRa + Bluetooth + セキュリティ + MQTT + シリアル + 外部通知 + + レンジテスト + テレメトリー + Cannedメッセージ + オーディオ + 遠隔ハードウェア + 隣接ノード情報 + 環境照明 + 検出センサー + Paxcounter + 音声設定 + CODEC 2 を有効化 + PTT端子 + CODEC2 サンプルレート + I2S 単語の選択 + I2Sデータ IN + I2S データ OUT + I2S クロック + Bluetooth 設定 + Bluetoothを有効 + ペアリングモード + 固定PIN + アップリンクの有効化 + ダウンリンクの有効化 + デフォルト + 位置情報共有の有効化 + GPIO端子 + 種別 + パスワードを非表示 + パスワードを表示 + 詳細 + 環境 + 環境照明設定 + LEDの状態 + + + + Cannedメッセージ設定 + Cannedメッセージを有効化 + ロータリーエンコーダ#1を有効化 + ロータリーエンコーダAポート用のGPIOピン + ロータリーエンコーダBポート用GPIOピン + ロータリーエンコーダプレース用GPIOピン + プレスで入力イベントを生成 + CWで入力イベントを生成 + CCWで入力イベントを生成 + 上下/選択入力を有効化 + 入力ソースを許可 + ベルを送信 + メッセージ + 検出センサ設定 + 検出センサーを有効化 + 状態放送 (秒) + 状態放送 (秒) + アラートメッセージ付きのベルを送信 + 名前 + モニターのGPIOピン + 検出トリガーの種類 + INPUT_PULUP モードを使用 + デバイスの設定 + 役割 + PIN_BUTTON を再定義 + PIN_BUZZER を再定義 + 再ブロードキャストモード + 近隣ノード情報のブロードキャスト間隔 (秒) + ボタンとしてダブルタップする + トリプルクリックを無効化 + POSIX 時間帯 + LEDの点滅を無効化 + 表示設定 + 画面のタイムアウト(秒) + GPS座標形式 + 自動画面巻き戻し(秒) + ノースアップ表示 + 画面反転 + 表示単位 + OLED の自動検出を上書き + 表示モード + 見出しを太字にする + 画面をタップまたはモーションでスリープ解除 + コンパスの向き + 外部通知設定 + 外部通知を有効にする + メッセージ受信時の通知 + LED + ブザー + バイブレーション + アラートベル受信時の通知 + LED + ブザー + バイブレーション + LED出力 (GPIO) + LED出力 アクティブ高値 + ブザー出力(GPIO) + PWMブザーを使用 + バイブレーション出力 (GPIO) + 出力時間 (ミリ秒) + 繰り返し通知間隔(秒) + 着信メロディ + I2Sをブザーとして使用 + LoRa設定 + モデムプリセットを使用 + 帯域 + 拡散係数 + コーディングレート + 周波数オフセット (MHz) + リージョン (周波数プラン) + ホップ制限 + 送信を有効化 + 送信出力(dBm) + 周波数スロット + デューティサイクルを上書き + 着信を無視 + SX126X RXブーストゲイン + 周波数を上書き (MHz) + PAファン無効 + MQTT を無視 + MQTTを許可 + MQTT設定 + MQTTを有効化 + アドレス + ユーザー名 + パスワード + 暗号化の有効化 + JSON出力の有効化 + TLS の有効化 + ルート トピック + クライアントへのプロキシの有効化 + マップレポート + マップレポートの間隔 (秒) + 近隣ノード情報 (Neighbor Info) の設定 + 近隣ノード情報を有効化 + 更新間隔 (秒) + LoRaで送信 + ネットワーク設定 + Wi-Fiを有効化 + SSID + PSK + イーサネット有効 + NTPサーバー + rsyslogサーバー + IPv4 モード + IP + ゲートウェイ + サブネット + Paxcounter 設定 + Paxcounter を有効化 + WiFi RSSI閾値(デフォルトは -80) + BLE RSSI閾値(デフォルトは -80) + 位置情報設定 + 位置情報のブロードキャスト間隔 (秒) + スマートポジションを有効化 + スマートブロードキャストの最小距離(メートル) + スマートブロードキャストの最小間隔 (秒) + 固定された位置情報を使用 + 緯度 + 経度 + 高度(メートル) + GPS モード + GPS 更新間隔 (秒) + GPS_RX_PINを再定義 + GPS_TX_PINを再定義 + PIN_GPS_EN を再定義 + フラグの位置 + 電源設定 + 省電力モードを有効化 + 外部電源喪失後の自動シャットダウンまでの待機時間(秒) + ADC乗算器のオーバーライド率 + Bluetooth接続が一定時間無ければ自動的にオフ(秒) + スーパーディープスリープモードの最大継続時間(秒) + ライトスリープモードの最大継続時間 (秒) + 最小ウェイクタイム (秒) + バッテリー INA_2XX I2C アドレス + レンジテスト設定 + レンジテストを有効にする + 送信者のメッセージ間隔 (秒) + ストレージにCSVファイルを保存(ESP32のみ) + リモートハードウェア設定 + リモートハードウェアを有効化 + 未定義のPINアクセスを許可 + 使用可能な端子 + セキュリティ設定 + 公開鍵 + 秘密鍵 + 管理者キー + 管理モード + シリアルコンソール + デバッグログAPIを有効にしました + レガシー管理チャンネル + シリアル設定 + シリアル通信を有効にする + Echoを有効化 + シリアルボーレイト + タイムアウト + シリアルモード + コンソールのシリアルポートを上書き + + ハートビート + サーバーの最大保管レコード数 (デフォルト 約11,000レコード) + リクエスト可能な最大の履歴件数 + リクエスト可能な履歴の期間 (分) + サーバー + テレメトリー設定 + デバイスのメトリック更新間隔 (秒) + 環境メトリック更新間隔 (秒) + 環境メトリックモジュールを有効化 + 環境メトリックを画面上で有効化 + 環境メトリックは華氏を使用 + 空気品質測定モジュールを有効にする + 空気品質指標更新間隔 (秒) + 電源メトリックモジュール有効 + 電源メトリックの更新間隔 (秒) + 電源メトリックを画面上で有効化 + ユーザー設定 + ノード ID + 名前 + 略称 (英数4文字) + ハードウェアのモデル + アマチュア無線免許所持者向け (HAM) + このオプションを有効にすると、暗号化が無効になりデフォルトのMeshtasticネットワークと互換性が無くなります。 + 露点 + 気圧 + ガス耐性 + 距離 + Lux + 風力 + 重さ + 放射線 + + 屋内空気品質 (IAQ) + URL + + 設定をインポート + 設定をエクスポート + ハードウェア + 対応済み + ノード番号 + ユーザーID + 連続稼働時間 + タイムスタンプ + 方角 + GPS衛星 + 高度 + ミュート解除 + 動的 + 設定 + + + + + メッセージ + diff --git a/app/src/main/res/values-ko-rKR/strings.xml b/app/src/main/res/values-ko-rKR/strings.xml new file mode 100644 index 000000000..2f31c016d --- /dev/null +++ b/app/src/main/res/values-ko-rKR/strings.xml @@ -0,0 +1,592 @@ + + + + Meshtastic %s + 필터 + 노드 필터 지우기 + 미확인 노드 포함 + 오프라인 노드 숨기기 + 직접 연결된 노드만 보기 + 자세히 보기 + 노드 정렬 + A-Z + 채널 + 거리 + Hops 수 + 최근 수신 + MQTT 경유 + MQTT 경유 + 즐겨찾기 우선 + 확인되지 않음 + 수락을 기다리는 중 + 전송 대기 열에 추가됨 + 수락 됨 + 루트 없음 + 수락 거부됨 + 시간 초과됨 + 인터페이스 없음 + 최대 재 전송 한계에 도달함 + 채널 없음 + 패킷 이 너무 큽니다 + 응답 없음 + 잘못된 요청 + Duty Cycle 한도에 도달하였습니다 + 승인되지 않음 + 암호화 전송 실패 + 알 수 없는 공개 키 + 세션 키 오류 + 허용되지 않는 공개 키 + 앱과 연결해서 사용하거나 독립형 메시징 장치. + 다른 장치에서 온 패킷을 전달하지 않는 장치. + 메시지를 중계하여 네트워크 범위를 확장하는 인프라 노드. 노드 목록에 표시. + CLIENT와 ROUTER의 조합. 이동형 장치에는 적합하지 않음. + 최소한의 오버헤드로 메시지를 전달하여 네트워크 범위를 확장하기 위한 인프라 노드. 노드 목록에 표시되지 않음. + GPS 위치 정보를 우선적으로 전송. + 텔레메트리 패킷을 우선적으로전송. + ATAK 시스템 통신에 최적화됨, 정기적 전송을 최소화. + 스텔스 또는 절전을 위해 필요한 경우에만 전송. + 분실 장치의 회수를 돕기 위해 기본 채널에 정기적으로 위치 정보를 전송. + TAK PLI 전송을 자동화하고 정기적 전송을 최소화. + 모든 다른 모드의 노드들이 패킷을 재전송한 후에만 항상 한 번씩 패킷을 재전송하여, 로컬 클러스터에 추가적인 커버리지를 보장하는 인프라스트럭처 노드입니다. 노드 목록에 표시. + 관찰된 메시지가 우리 비공개 채널에 있거나, 동일한 LoRa 파라미터를 사용하는 다른 메쉬에서 온 경우 해당 메시지를 재전송합니다. + ALL 역할과 동일하게 동작하지만, 패킷 디코딩을 건너뛰고 단순히 재전송만 수행합니다. Repeater 일때 설정가능. 다른 Role에서는 ALL로 동작. + 오픈되어 있거나 해독할 수 없는 외부 메시에서 관찰된 메시지를 무시합니다. 로컬 기본/보조 채널에서만 메시지를 재브로드캐스트. + LOCAL_ONLY와 유사하게 외부 메쉬에서 관찰된 메시지를 무시하지만, 추가적으로 알려진 목록에 없는 노드의 메시지도 무시합니다. + SENSOR, TRACKER 및 TAK_TRACKER role에서만 허용되며 CLIENT_MUTE role과 마찬가지로 모든 재브로드캐스트를 금지합니다. + TAK, RangeTest, PaxCounter 등과 같은 비표준 포트 번호의 패킷을 무시합니다. NodeInfo, Text, Position, Telemetry 및 Routing과 같은 표준 포트 번호가 있는 패킷만 재브로드캐스트. + 가속도계가 있는 장치를 두 번 탭하여 사용자 버튼과 동일한 동작. + 사용자 버튼 세 번 눌러서 GPS 켬/끔 기능 끄기. + 장치에서 깜빡이는 LED를 제어합니다. 대부분 장치의 경우 최대 4개의 LED 중 하나를 제어할 수 있지만 충전 상태 LED와 GPS 상태 LED는 제어할 수 없습니다. + MQTT 및 PhoneAPI로 전송하는 것 외에도, 우리 NeighborInfo는 LoRa를 통해 전송되어야 합니다. 기본 키와 이름을 사용하는 채널에서는 사용할 수 없습니다. + 공개 키 + 채널명 + QR코드 + 앱아이콘 + 미확인 유저 + 보내기 + 아직 스마트폰과 Meshtastic 장치와 연결하지 않았습니다. 장치와 연결하고 사용자 이름을 정하세요. \n\n이 오픈소스 응용 프로그램은 개발 중입니다. 문제가 발견되면 포럼: https://github.com/orgs/meshtastic/discussions 을 통해 알려주세요.\n\n 자세한 정보는 웹페이지 - www.meshtastic.org 를 참조하세요. + + 수락 + 취소 + 새로운 채널 URL 수신 + 버그 보고 + 버그 보고 + 버그를 보고하시겠습니까? 보고 후 Meshtastic 포럼 https://github.com/orgs/meshtastic/discussions 에 당신이 발견한 내용을 게시해주시면 신고 내용과 귀하가 찾은 내용을 일치시킬 수 있습니다. + 보고 + 페어링 완료, 서비스를 시작합니다. + 페어링 실패, 다시 시도해주세요. + 위치 접근 권한 해제, 메시에 위치를 제공할 수 없습니다. + 공유 + 연결 끊김 + 절전모드 + 연결됨: 중 %1$s 온라인 + IP 주소: + 포트: + 연결됨 + (%s)에 연결됨 + 연결되지 않음 + 연결되었지만, 해당 장치는 절전모드입니다. + 앱 업데이트가 필요합니다. + 구글 플레이 스토어 또는 깃허브를 통해서 앱을 업데이트 해야합니다. 앱이 너무 구버전입니다. 이 주제의 docs 를 읽어주세요 + 없음 (연결해제) + 서비스 알림 + 앱에 대하여 + 이 채널 URL은 잘못 되었습니다. 따라서 사용할 수 없습니다. + 디버그 패널 + 로그 내보내기 + 필터 + 로그 지우기 + 초기화 + 메시지 전송 상태 + DM 알림 + 메시지 발송 알림 + 경고 알림 + 펌웨어 업데이트 필요. + 이 장치의 펌웨어가 매우 오래되어 이 앱과 호환되지않습니다. 더 자세한 정보는 펌웨어 업데이트 가이드를 참고해주세요. + 확인 + 지역을 설정해 주세요! + 장치가 연결되지않아 채널을 변경할 수 없습니다. 다시 시도해주세요. + rangetest.csv 내보내기 + 초기화 + 스캔 + 추가 + 기본 채널로 변경하시겠습니까? + 기본값으로 재설정 + 적용 + 테마 + 라이트 + 다크 + 시스템 기본값 + 테마 선택 + 메쉬에 현재 위치 공유 + + %s개의 메세지를 삭제하시겠습니까? + + 삭제 + 모두에게서 삭제 + 나에게서 삭제 + 전부 선택 + 스타일 선택 + 다운로드 지역 + 이름 + 설명 + 잠김 + 저장 + 언어 + 시스템 기본값 + 재전송 + 종료 + 이 장치에서 재시작이 지원되지 않습니다 + 재부팅 + 추적 루트 + 기능 소개 + 메시지 + 빠른 대화 옵션 + 새로운 빠른 대화 + 빠른 대화 편집 + 메시지에 추가 + 즉시 보내기 + 공장초기화 + 다이렉트 메시지 + 노드목록 리셋 + 발송 확인 됨 + 오류 + 무시하기 + %s를 무시 목록에 추가하시겠습니까? + %s를 무시 목록에서 삭제하시겠습니까? + 다운로드 지역 선택 + 맵 타일 다운로드 예상: + 다운로드 시작 + 위치 교환 + 닫기 + 무선 설정 + 모듈 설정 + 추가 + 편집 + 계산 중... + 오프라인 관리자 + 현재 캐시 크기 + 캐시 용량: %1$.2fMB\n캐시 사용량: %2$.2fMB + 다운로드한 타일 지우기 + 타일 소스 + %s에 대한 SQL 캐시가 제거되었습니다. + SQL 캐시 제거 실패, 자세한 내용은 logcat 참조 + 캐시 관리자 + 다운로드 완료! + %d 에러로 다운로드 완료되지 않았습니다. + %d 타일 + 방위: %1$d° 거리: %2$s + 웨이포인트 편집 + 웨이포인트 삭제? + 새 웨이포인트 + 웨이포인트 수신: %s + 듀티 사이클 제한에 도달했습니다. 지금은 메시지를 보낼 수 없습니다. 나중에 다시 시도하세요. + 지우기 + 이 노드는 당신의 노드에서 데이터를 수신할 때 까지 목록에서 삭제됩니다. + 알림 끄기 + 8 시간 + 1 주 + 항상 + 바꾸기 + WiFi QR코드 스캔 + WiFi QR코드 형식이 잘못됨 + 뒤로 가기 + 배터리 + 채널 사용 + 전파 사용 + 온도 + 습도 + 로그 + Hops 수 + %1$d Hops 떨어짐 + 정보 + 현재 채널 사용, 올바르게 형성된 TX, RX, 잘못 형성된 RX(일명 노이즈)를 포함. + 지난 1시간 동안 전송에 사용된 통신 시간의 백분율. + IAQ + 공유 키 + 다이렉트 메시지는 채널의 공유 키를 사용합니다. + 공개 키 암호화 + 다이렉트 메시지는 새로운 공개 키 인프라를 사용해 암호화합니다. 펌웨어 버전 2.5 이상이 필요합니다. + 공개키가 일치하지 않습니다 + 공개 키가 기록된 키와 일치하지 않습니다. 노드를 제거하고 키를 다시 교환할 수 있지만 이는 더 심각한 보안 문제를 나타낼 수 있습니다. 다른 신뢰할 수 있는 채널을 통해 사용자에게 연락하여 키 변경이 공장 초기화 또는 기타 의도적인 작업 때문인지 확인하세요. + 유저 정보 교환 + 새로운 노드 알림 + 자세히 보기 + SNR + 통신에서 원하는 신호의 수준을 배경 잡음의 수준과 비교하여 정량화하는 데 사용되는 신호 대 잡음비 Signal-to-Noise Ratio, SNR는 Meshtastic와 같은 무선 시스템에서 SNR이 높을수록 더 선명한 신호를 나타내어 데이터 전송의 안정성과 품질을 향상시킬 수 있습니다. + RSSI + 수신 신호 강도 지표 Received Signal Strength Indicator, RSSI는 안테나가 수신하는 신호의 전력 수준을 측정하는 데 사용되는 지표입니다. RSSI 값이 높을수록 일반적으로 더 강력하고 안정적인 연결을 나타냅니다. + (실내공기질) Bosch BME680으로 측정한 상대적 척도 IAQ 값. 범위 0–500. + 장치 메트릭 로그 + 노드 지도 + 위치 로그 + 최근 위치 업데이트 + 환경 메트릭 로그 + 신호 메트릭 로그 + 관리 + 원격 설정 + 나쁨 + 보통 + 좋음 + 없음 + …로 공유 + 신호 + 신호 감도 + 추적 루트 로그 + 직접 연결 + + %d hops + + Hops towards %1$d Hops back %2$d + 24시간 + 48시간 + 1주 + 2주 + 4주 + 최대 + 수명 확인 되지 않음 + 복사 + 알람 종 문자! + 중요 경고! + 즐겨찾기 + \'%s\'를 즐겨찾기 하시겠습니까? + \'%s\'를 즐겨찾기 취소하시겠습니까? + 전원 메트릭 로그 + 채널 1 + 채널 2 + 채널 3 + 전류 + 전압 + 확실합니까? + Device Role Documentation과 Choosing The Right Device Role 에 대한 블로그 게시물을 읽었습니다.]]> + 뭘하는지 알고 있습니다 + %1$s 노드의 배터리가 낮습니다. (%2$d%%) + 배터리 부족 알림 + 배터리 부족: %s + 배터리 부족 알림 (즐겨찾기 노드) + 기압 + UDP를 통한 메시 활성화 + UDP 설정 + 최근 수신: %2$s
최근 위치: %3$s
배터리: %4$s]]>
+ 내 위치 토글 + 사용자 + 채널 + 장치 + 위치 + 전원 + 네트워크 + 화면 + LoRa + 블루투스 + 보안 + MQTT + 시리얼 + 외부 알림 + + 거리 테스트 + 텔레메트리 + 빠른 답장 문구 + 오디오 + 원격 하드웨어 + 이웃 정보 + 조명 + 감지 센서 + 팍스카운터 + 오디오 설정 + CODEC2 활성화 + PTT 핀 + CODEC2 샘플 레이트 + I2S 단어 선택 + I2S 데이터 in + I2S 데이터 out + I2S 시간 + 블루투스 설정 + 블루투스 활성화 + 페어링 모드 + 고정 PIN + 업링크 활성화 + 다운링크 활성화 + 기본값 + 위치 활성화 + GPIO 핀 + 타입 + 비밀번호 숨김 + 비밀번호 보기 + 세부 정보 + 환경 + 조명 설정 + LED 상태 + 빨강 + 초록 + 파랑 + 빠른 답장 문구 설정 + 빠른 답장 활성화 + 로터리 엔코더 #1 활성화 + 로터리 엔코더 A포트 용 GPIO 핀 + 로터리 엔코더 B포트 용 GPIO 핀 + 로터리 엔코더 누름 포트 용 GPIO 핀 + 누름 동작 + 시계방향 동작 + 반시계방향 동작 + 업/다운/선택 입력 활성화 + 입력 소스 허용 + 벨 전송 + 메시지 + 감지 센서 설정 + 감지 센서 활성화 + 최소 전송 간격 (초) + 상태 전송 간격 (초) + 알람 메시지와 벨 전송 + 식별 이름 + 상태 모니터링 GPIO 핀 + 디텍션 트리거 타입 + INPUT_PULLUP 모드 사용 + 장치 설정 + 역할 + PIN_BUTTON 재정의 + PIN_BUZZER 재정의 + 중계 모드 + 노드 정보 중계 간격 (초) + 더블 탭하여 버튼 누름 + 세 번 클릭 끄기 + POSIX 시간대 + LED 숨쉬기 끄기 + 화면 설정 + 화면 끄기 시간 (초) + GPS 좌표 포맷 + 화면 자동 전환 (초) + 나침반 상단을 북쪽으로 고정 + 화면 뒤집기 + 단위 표시 + OLED 자동 감지 + 디스플레이 모드 + 상태표시줄 볼드체 + 탭하거나 모션으로 깨우기 + 나침반 방향 + 외부 알림 설정 + 외부 알림 활성화 + 메시지 수신 알림 + 알림 메시지 LED + 알림 메시지 소리 + 알림 메시지 진동 + 경고/벨 수신 알림 + 알림 벨 LED + 알림 벨 부저 + 알림 벨 진동 + LED 출력 (GPIO) + LED 출력 active high + 부저 출력 (GPIO) + PWM 부저 사용 + 진동 출력 (GPIO) + 출력 지속시간 (밀리초) + 반복 종료 시간 (초) + 벨소리 + I2S 부저 사용 + LoRa 설정 + 모뎀 프리셋 사용 + 모뎀 프리셋 + 대역폭 + Spread factor + Coding rate + 주파수 오프셋 (MHz) + 지역 (주파수 지정) + Hop 제한 + 송신 활성화 + 송신 전력 (dBm) + 주파수 슬롯 + Duty Cycle 무시 + 수신 무시 + SX126X 수신 부스트 gain + 프리셋 주파수 무시하고 해당 주파수 사용 (Mhz) + PA fan 비활성화됨 + MQTT로 부터 수신 무시 + MQTT로 전송 허용 + MQTT 설정 + MQTT 활성화 + 서버 주소 + 사용자명 + 비밀번호 + 암호화 사용 + JSON 사용 + TLS 사용 + Root topic + Proxy to client 사용 + 맵 보고 + 맵 보고 간격 (초) + 이웃 정보 설정 + 이웃 정보 활성화 + 업데이트 간격 (초) + LoRa로 전송 + 네트워크 설정 + WiFi 활성화 + SSID + PSK + 이더넷 활성화 + NTP 서버 + rsyslog 서버 + IPv4 모드 + IP + 게이트웨이 + 서브넷 + 팍스카운터 설정 + 팍스카운터 활성화 + WiFi RSSI 임계값 (기본값 -80) + BLE RSSI 임계값 (기본값 -80) + 위치 설정 + 위치 송신 간격 (초) + 스마트 위치 활성화 + 스마트 위치 사용 최소 거리 간격 (m) + 스마트 위치 사용 최소 시간 간격 (초) + 고정 위치 사용 + 위도 + 경도 + 고도 (m) + GPS 모드 + GPS 업데이트 간격 (초) + GPS_RX_PIN 재정의 + GPS_TX_PIN 재정의 + PIN_GPS_EN 재정의 + 위치 전송값 옵션 + 전원 설정 + 저젼력 모드 설정 + 거리 테스트 설정 + 거리 테스트 활성화 + 송신 장치 메시지 간격 (초) + .CSV 파일 저장 (EPS32만 동작) + 원격 하드웨어 설정 + 원격 하드웨어 활성화 + 보안 설정 + 공개 키 + 개인 키 + Admin 키 + 관리 모드 + 시리얼 콘솔 + 시리얼 설정 + 시리얼 활성화 + 에코 활성화 + 시리얼 baud rate + 시간 초과 + 시리얼 모드 + + 서버 + 텔레메트리 설정 + 장치 메트릭 업데이트 간격 (초) + 환경 메트릭 업데이트 간격 (초) + 환경 메트릭 모듈 사용 + 환경 메트릭 화면 사용 + 환경 메트릭에서 화씨 사용 + 대기질 메트릭 모듈 사용 + 대기질 메트릭 업데이트 간격 (초) + 전력 메트릭 모듈 사용 + 전력 메트릭 업데이트 간격 (초) + 전력 메트릭 화면 사용 + 사용자 설정 + 노드 ID + 긴 이름 + 짧은 이름 + 하드웨어 모델 + 아마추어무선 자격 보유 (HAM) + 이 옵션을 활성화하면 암호화가 비활성화되며 기본 Meshtastic 네트워크와 호환되지 않습니다. + 이슬점 + 기압 + 가스 저항 + 거리 + 조도 + 바람 + 무게 + 복사 + + 실내공기질 (IAQ) + URL + + 설정 불러오기 + 설정 내보내기 + 하드웨어 + 지원됨 + 노드 번호 + 유저 ID + 업타임 + 타임스탬프 + 제목 + 인공위성 + 고도 + 주파수 + 슬롯 + 주 채널 + 위치 및 텔레메트리 주기적 전송 + 보조 채널 + 주기적인 텔레메트리 전송 없음 + 수동 위치 요청 필요함 + 누르고 드래그해서 순서 변경 + 음소거 해제 + QR코드 스캔 + 연락처 공유 + 공유된 연락처를 내려받겠습니까? + 메시지를 보낼 수 없음 + 감시되지 않거나 인프라 노드 + 경고: 이 연락처는 이미 등록되어 있습니다. 내려받으면 이전 연락처 정보가 덮어쓰어질 수 있습니다. + 공개 키 변경됨 + 불러오기 + 메타데이터 요청 + 작업 + 펌웨어 + 12시간제 보기 + 활성화 하면 장치의 디스플레이에서 시간이 12시간제로 표시됩니다. + 연결 + 노드 + 설정 + 지역을 설정하세요 + 답장 + 귀하의 노드는 설정된 MQTT 서버로 주기적으로 암호화되지 않은 지도 보고서 패킷을 전송합니다. 이 패킷에는 ID, 긴 이름과 짧은 이름, 대략적인 위치, 하드웨어 모델, 역할, 펌웨어 버전, LoRa 지역, 모뎀 프리셋 및 주요 채널 이름이 포함됩니다. + MQTT를 통해 암호화되지 않은 노드 데이터를 공유하는 데 동의합니다. + 이 기능을 활성화함으로써, 귀하는 귀하의 장치의 실시간 지리적 위치가 MQTT 프로토콜을 통해 암호화 없이 전송되는 것을 인지하고 동의합니다. 이 위치 데이터는 실시간 지도 보고, 장치 추적, 관련 텔레메트리 기능 등과 같은 목적으로 사용될 수 있습니다. + 위 내용을 읽고 이해했습니다. 저는 MQTT를 통해 제 노드 데이터를 암호화되지 않은 상태로 전송하는 것에 자발적으로 동의합니다. + 동의합니다. + 펌웨어 업데이트를 권장합니다. + 노드의 펌웨어를 업데이트하여 최신 기능, 수정사항을 이용하세요. \n\n최신 안정 버전: %1$s + 만료 + 시간 + 날짜 + 맵 필터\n + 즐겨찾기만 보기 + 웨이포인트 보기 + 정밀도 반경 보이기 + 클라이언트 알림 + 손상된 키가 감지되었습니다. 다시 생성하려면 OK를 선택하세요. + 개인 키 다시 생성하기 + 개인 키를 다시 생성하시겠습니까?\n\n이 노드와 이전에 키를 교환한 노드들은 해당 노드를 제거하고 키를 다시 교환해야 안전한 통신을 재개할 수 있습니다. + 키 내보내기 + 공개 및 개인 키를 파일로 내 보냅니다. 안전하게 보관하십시오. + 모듈 잠금해제 + 원격 + (%1$d 온라인 / 총 %2$d ) + 반응 + 연결 끊기 + 네트워크 장치를 찾을 수 없습니다. + USB 시리얼 장치를 찾을 수 없습니다. + Meshtastic + 알 수 없는 + 고급 + + + + + 취소 + 메시지 + 다운로드 + diff --git a/app/src/main/res/values-lt-rLT/strings.xml b/app/src/main/res/values-lt-rLT/strings.xml new file mode 100644 index 000000000..f6f762e34 --- /dev/null +++ b/app/src/main/res/values-lt-rLT/strings.xml @@ -0,0 +1,249 @@ + + + + Filtras + išvalyti įtaisų filtrą + Įtraukti nežinomus + Rodyti detales + A-Z + Kanalas + Atstumas + Persiuntimų kiekis + Seniausiai girdėtas + per MQTT + per MQTT + Be kategorijos + Laukiama patvirtinimo + Eilėje išsiuntimui + Pristatymas patvirtintas + Nėra maršruto + Gautas negatyvus patvirtinimas + Baigėsi laikas + Nėra sąsajos + Pasiektas persiuntimų limitas + Nėra kanalo + Paketas perdidelis + Nėra atsakymo + Bloga užklausa + Pasiektas regioninis ciklų limitas + Neautorizuotas + Šifruotas siuntimas nepavyko + Nežinomas viešasis raktas + Blogas sesijos raktas + Viešasis raktas nepatvirtintas + Programėlė prijungta prie atskiro susirašinėjimo įtaiso. + Įtaisas kuris nepersiunčia kitų įtaisų paketų. + Stacionarus aukštuminis įtaisas geresniam tinklo padengimui. Matomas node`ų sąraše. + ROUTER ir CLIENT kombinacija. Neskirta mobiliems įtaisams. + Stacionarus įtaisas tinklo išplėtimui, persiunčiantis žinutes. Nerodomas įtaisų sąraše. + Pirmenybinis GPS pozicijos paketų siuntimas + Pirmenybinis telemetrijos paketų siuntimas + Optimizuota ATAK komunikacijai, sumažinta rutininių transliacijų + Įtaisas transliuojantis tik prireikus. Naudojama slaptumo ar energijos taupymui. + Reguliariai siunčia GPS pozicijos informaciją į pagrindinį kanalą, lengvesniam įtaiso radimui. + Įgalina automatines TAK PLI transliacijas ir sumažina rutininių transliacijų kiekį. + Persiųsti visas žinutes, nesvarbu jos iš Jūsų privataus tinklo ar iš kito tinklo su analogiškais LoRa parametrais. + Taip pat kaip ir VISI bet nebando dekoduoti paketų ir juos tiesiog persiunčia. Galima naudoti tik Repeater rolės įtaise. Įjungus bet kokiame kitame įtaise - veiks tiesiog kaip VISI. + Leidžiama tik SENSOR, TRACKER ar TAK_TRACKER rolių įtaisams. Tai užblokuos visas retransliacijas, ne taip kaip CLIENT_MUTE atveju. + Atjungia galimybė trigubu paspaudimu įgalinti arba išjungti GPS. + Viešasis raktas + Kanalo pavadinimas + QR kodas + aplikacijos piktograma + Nežinomas vartotojo vardas + Siųsti + Su šiuo telefonu dar nėra susietas joks Meshtastic įtaisais. Prašome suporuoti įrenginį ir nustatyti savo vartotojo vardą.\n\nŠi atvirojo kodo programa yra kūrimo stadijoje, jei pastebėsite problemas, prašome pranešti mūsų forume: https://github.com/orgs/meshtastic/discussions\n\nDaugiau informacijos rasite mūsų interneto svetainėje - www.meshtastic.org. + Tu + Priimti + Atšaukti + Gautas naujo kanalo URL + Pranešti apie klaidą + Pranešti apie klaidą + Ar tikrai norite pranešti apie klaidą? Po pranešimo prašome parašyti forume https://github.com/orgs/meshtastic/discussions, kad galėtume suderinti pranešimą su jūsų pastebėjimais. + Raportuoti + Susiejimas užbaigtas, paslauga pradedama + Susiejimas nepavyko, prašome pasirinkti iš naujo + Vietos prieigos funkcija išjungta, negalima pateikti pozicijos tinklui. + Dalintis + Atsijungta + Įrenginys miega + IP adresas: + Prisijungta prie radijo (%s) + Neprijungtas + Prisijungta prie radijo, bet jis yra miego režime + Reikalingas programos atnaujinimas + Urite atnaujinti šią programą programėlių parduotuvėje (arba Github). Ji per sena, kad galėtų bendrauti su šiuo radijo įrangos programinės įrangos versija. Prašome perskaityti mūsų dokumentaciją šia tema. + Nėra (išjungti) + Paslaugos pranešimai + Apie + Šio kanalo URL yra neteisingas ir negali būti naudojamas + Derinimo skydelis + Išvalyti + Žinutės pristatymo statusas + Reikalingas įrangos Firmware atnaujinimas. + Radijo įrangos pfirmware yra per sena, kad galėtų bendrauti su šia programa. Daugiau informacijos apie tai rasite mūsų firmware diegimo vadove. + Gerai + Turite nustatyti regioną! + Nepavyko pakeisti kanalo, nes radijas dar nėra prisijungęs. Bandykite dar kartą. + Eksportuoti rangetest.csv + Nustatyti iš naujo + Skenuoti + Pridėti + Ar tikrai norite pakeisti į numatytąjį kanalą? + Atkurti numatytuosius parametrus + Taikyti + Išvaizda + Šviesi + Tamsi + Sistemos numatyta + Pasirinkite Aplinką + Pateikti telefono vietą tinklui + + Ištrinti pranešimą? + Ištrinti %s pranešimus? + Ištrinti %s pranešimus? + Ištrinti %s pranešimus? + + Ištrinti + Ištrinti visiems + Ištrinti man + Pažymėti visus + Stiliaus parinktys + Atsisiųsti regioną + Pavadinimas + Aprašymas + Užrakintas + Išsaugoti + Kalba + Numatytoji sistema + Siųsti iš naujo + Išjungti + Išjungimas nepalaikomas šiame įtaise + Perkrauti + Žinutės kelias + Rodyti įvadą + Žinutė + Greito pokalbio parinktys + Naujas greitas pokalbis + Redaguoti greitą pokalbį + Pridėti prie žinutės + Siųsti nedelsiant + Gamyklinis atstatymas + Tiesioginė žinutė + NodeDB perkrauti + Nustatymas įkeltas + Klaida + Ignoruoti + Ar pridėti „%s“ į ignoruojamų sąrašą? Po šio pakeitimo jūsų radijas bus perkrautas. + Ar pašalinti „%s“ iš ignoruojamų sąrašo? Po šio pakeitimo jūsų radijas bus perkrautas. + Pasirinkite atsisiuntimo regioną + Plytelių atsisiuntimo apskaičiavimas: + Pradėti atsiuntimą + Uždaryti + Radijo modulio konfigūracija + Modulio konfigūracija + Pridėti + Redaguoti + Skaičiuojama… + Neprisijungusio režimo valdymas + Dabartinis talpyklos dydis + Talpyklos talpa: %1$.2f MB\nTalpyklos naudojimas: %2$.2f MB + Ištrinti atsisiųstas plyteles + Plytelių šaltinis + SQL talpykla išvalyta %s + SQL talpyklos išvalymas nepavyko, detales žiūrėkite logcat + Talpyklos valdymas + Atsiuntimas baigtas! + Atsiuntimas baigtas su %d klaidomis + %d plytelės + kryptis: %1$d° atstumas: %2$s + Redaguoti kelio tašką + Ištrinti orientyrą? + Naujas orientyras + Gautas orientyras: %s + Pasiektas veikimo ciklo limitas. Šiuo metu negalima siųsti žinučių, bandykite vėliau. + Pašalinti + Šis įtaisas bus pašalintas iš jūsų sąrašo iki tol kol vėl iš jo gausite žinutę / duomenų paketą. + Nutildyti pranešimus + 8 valandos + 1 savaitė + Visada + Pakeisti + Nuskenuoti WiFi QR kodą + Neteisingas WiFi prisijungimo QR kodo formatas + Grįžti atgal + Baterija + Kanalo panaudojimas + Eterio panaudojimas + Temperatūra + Drėgmė + Log`ai + Persiuntimų kiekis + Informacija + Dabartinio kanalo panaudojimas, įskaitant gerai suformuotą TX (siuntimas), RX (gavimas) ir netinkamai suformuotą RX (arba - triukšmas). + Procentas eterio laiko naudoto perdavimams per pastarąją valandą. + Viešas raktas + Tiesioginės žinutės naudoja bendrajį kanalo raktą (nėra šifruotos). + Viešojo rakto šifruotė + Tiesioginės žinutės šifravimui naudoja naująją viešojo rakto infrastruktūrą. Reikalinga 2,5 ar vėlesnės versijos programinė įranga. + Viešojo rakto neatitikimas + Naujo įtaiso pranešimas + Daugiau info + SNR + RSSI + Įtaiso duomenų žurnalas + Įtaisų žemėlapis + Pozicijos duomenų žurnalas + Aplinkos duomenų žurnalas + Signalo duomenų žurnalas + Administravimas + Nuotolinis administravimas + Silpnas + Pakankamas + Geras + Nėra + Dalintis su… + Signalas + Signalo kokybė + Pristatymo kelio žurnalas + Tiesiogiai + + Vienas + Keli + Daug + Kita + + Persiuntimų iki %1$d persiuntimų nuo %2$d + 24 val + 48 val + 1 sav + 2 sav + 4 sav + Max + Kopijuoti + Skambučio simbolis! + Viešasis raktas + Privatus raktas + Baigėsi laikas + Atstumas + + + + + Žinutė + diff --git a/app/src/main/res/values-nl-rNL/strings.xml b/app/src/main/res/values-nl-rNL/strings.xml new file mode 100644 index 000000000..6ea74792b --- /dev/null +++ b/app/src/main/res/values-nl-rNL/strings.xml @@ -0,0 +1,459 @@ + + + + Filter + wis node filter + Include onbekend + Toon details + Node sorteeropties + A-Z + Kanaal + Afstand + Aantal sprongen + Laatst gehoord + via MQTT + via MQTT + Op Favoriet + Niet herkend + Wachten op bevestiging + In behandeling + Bevestigd + Geen route + Negatieve bevestiging ontvangen + Time-Out + Geen Interface + Maximum Pogingen Bereikt + Geen Kanaal + Pakket te groot + Geen antwoord + Ongeldige aanvraag + Regionale limiet inschakeltijd bereikt + Niet Bevoegd + Versleuteld verzenden mislukt + Onbekende publieke sleutel + Ongeldige sessiesleutel + Publieke sleutel onbevoegd + Toestel geeft geen pakketten door van andere toestellen. + Apparaat stuurt geen pakketten van andere apparaten. + Infrastructuur node om netwerk bereik te vergroten door berichten door te geven. Zichtbare in noden lijst. + Combinatie van ROUTER en CLIENT. Niet voor mobiele toestellen. + Infrastructuur node om netwerk bereik te vergroten door berichten door te geven zonder overtolligheid. Niet zichtbaar in noden lijst. + Zendt GPS-positiepakketten met prioriteit uit. + Zendt telemetriepakketten met prioriteit uit. + Geoptimaliseerd voor ATAK-systeemcommunicatie, beperkt routine uitzendingen. + Apparaat dat alleen uitzendt als dat nodig is voor stealth of energiebesparing. + Zend locatie regelmatig als bericht via het standaard kanaal voor zoektocht apparaat. + Activeer automatisch zenden TAK PLI en beperk routine zendingen. + Infrastructuurknooppunt dat altijd pakketten één keer opnieuw uitzendt, maar pas nadat alle andere modi zijn voltooid, om extra dekking te bieden voor lokale clusters. Zichtbaar in de lijst met knooppunten. + Herzend ontvangen berichten indien ontvangen op eigen privé kanaal of van een ander toestel met dezelfde lora instellingen. + Hetzelfde gedrag als ALL maar sla pakketdecodering over en herzendt opnieuw. Alleen beschikbaar in Repeater rol. Het instellen van dit op andere rollen resulteert in ALL gedrag. + Negeert waargenomen berichten van open vreemde mazen of die welke niet kunnen decoderen. Alleen heruitzenden bericht op de nodes lokale primaire / secundaire kanalen. + Negeert alleen waargenomen berichten van vreemde meshes zoals LOCAL ONLY, maar gaat een stap verder door ook berichten van knooppunten te negeren die nog niet in de bekende lijst van knooppunten staan. + Alleen toegestaan voor SENSOR, TRACKER en TAK_TRACKER rollen, dit zal alle heruitzendingen beperken, niet in tegenstelling tot CLIENT_MUTE rol. + Negeert pakketten van niet-standaard portnums, zoals: TAK, RangeTest, PaxCounter, etc. Herzendt alleen pakketten met standaard portnummers: NodeInfo, Text, Positie, Telemetry, en Routing. + Behandel een dubbele tik op ondersteunde versnellingsmeters als een knopindruk door de gebruiker. + Schakelt de drie keer indrukken van de gebruikersknop uit voor het in- of uitschakelen van GPS. + Regelt de knipperende LED op het apparaat. Voor de meeste apparaten betreft dit een van de maximaal 4 LEDs; de LED\'s van de lader en GPS zijn niet regelbaar. + Publieke sleutel + Kanaalnaam + QR-code + applicatie icon + Onbekende Gebruikersnaam + Verzend + Je hebt nog geen Meshtastic compatibele radio met deze telefoon gekoppeld. Paar alstublieft een apparaat en voer je gebruikersnaam in.\n\nDeze open-source applicatie is in alpha-test, indien je een probleem vaststelt, kan je het posten op onze forum: https://github.com/orgs/meshtastic/discussions\n\nVoor meer informatie bezoek onze web pagina - www.meshtastic.org. + Jij + Accepteer + Annuleer + Nieuw kanaal URL ontvangen + Rapporteer bug + Rapporteer een bug + Ben je zeker dat je een bug wil rapporteren? Na het doorsturen, graag een post in https://github.com/orgs/meshtastic/discussions zodat we het rapport kunnen toetsen aan hetgeen je ondervond. + Rapporteer + Koppeling geslaagd, start service + Koppeling mislukt, selecteer opnieuw + Vrijgave positie niet actief, onmogelijk de positie aan het netwerk te geven. + Deel + Niet verbonden + Apparaat in slaapstand + Verbonden: %1$s online + IP-adres: + Poort: + Verbonden + Verbonden met radio (%s) + Niet verbonden + Verbonden met radio in slaapstand + Applicatie bijwerken vereist + Applicatie update noodzakelijk in Google Play store (of Github). Deze versie is te oud om te praten met deze radio. + Geen (uit) + Servicemeldingen + Over + Deze Kanaal URL is ongeldig en kan niet worden gebruikt + Debug-paneel + Wis + Bericht afleverstatus + Waarschuwingsmeldingen + Firmware-update vereist. + De radio firmware is te oud om met deze applicatie te praten. Voor meer informatie over deze zaak, zie onze Firmware Installation gids. + OK + Je moet een regio instellen! + Kon kanaal niet wijzigen, omdat de radio nog niet is aangesloten. Probeer het opnieuw. + Exporteer rangetest.csv + Reset + Scan + Voeg toe + Weet je zeker dat je naar het standaard kanaal wilt wijzigen? + Standaardinstellingen terugzetten + Toepassen + Thema + Licht + Donker + Systeemstandaard + Kies thema + Geef telefoon locatie door aan mesh + + Bericht verwijderen? + %s berichten verwijderen? + + Verwijder + Verwijder voor iedereen + Verwijder voor mij + Selecteer alle + Stijl selectie + Download regio + Naam + Beschrijving + Vergrendeld + Opslaan + Taal + Systeemstandaard + Verzend opnieuw + Zet uit + Uitschakelen niet ondersteund op dit apparaat + Herstart + Traceroute + Toon introductie + Bericht + Opties voor snelle chat + Nieuwe snelle chat + Wijzig snelle chat + Aan einde bericht toevoegen + Direct verzenden + Reset naar fabrieksinstellingen + Privébericht + NodeDB reset + Aflevering bevestigd + Fout + Negeer + Voeg \'%s\' toe aan negeerlijst? + Verwijder \'%s\' uit negeerlijst? + Selecteer regio om te downloaden + Geschatte download tegels: + Download starten + Positie uitwisselen + Sluit + Radioconfiguratie + Module-configuratie + Voeg toe + Wijzig + Berekenen… + Offline Manager + Huidige cache grootte + Cache capaciteit: %1$.2f MB\nCache gebruik: %2$.2f MB + Wis gedownloade tegels + Bron tegel + SQL cache gewist voor %s + SQL cache verwijderen mislukt, zie logcat voor details + Cachemanager + Download voltooid! + Download voltooid met %d fouten + %d tegels + richting: %1$d° afstand: %2$s + Wijzig waypoint + Waypoint verwijderen? + Nieuw waypoint + Ontvangen waypoint: %s + Limiet van Duty Cycle bereikt. Kan nu geen berichten verzenden, probeer het later opnieuw. + Verwijder + Deze node zal worden verwijderd uit jouw lijst totdat je node hier opnieuw gegevens van ontvangt. + Meldingen dempen + 8 uur + 1 week + Altijd + Vervang + Scan WiFi QR-code + Ongeldige WiFi Credential QR-code formaat + Ga terug + Batterij + Kanaalgebruik + Luchtverbruik + Temperatuur + Vochtigheid + Logs + Aantal sprongen + Informatie + Gebruik voor het huidige kanaal, inclusief goed gevormde TX, RX en misvormde RX (ruis). + Percentage van de zendtijd die het afgelopen uur werd gebruikt. + IAQ + Gedeelde Key + Directe berichten gebruiken de gedeelde sleutel voor het kanaal. + Publieke sleutel encryptie + Directe berichten gebruiken de nieuwe openbare sleutel infrastructuur voor versleuteling. Vereist firmware versie 2.5 of hoger. + Publieke sleutel komt niet overeen + De publieke sleutel komt niet overeen met de opgenomen sleutel. Je kan de node verwijderen en opnieuw een sleutel laten uitwisselen, maar dit kan duiden op een ernstiger beveiligingsprobleem. Neem contact op met de gebruiker via een ander vertrouwd kanaal, om te bepalen of de sleutel gewijzigd is door een reset naar de fabrieksinstellingen of andere opzettelijke actie. + Gebruikersinformatie uitwisselen + Nieuwe node meldingen + Meer details + SNR + Signal-to-Noise Ratio, een meeting die wordt gebruikt in de communicatie om het niveau van een gewenst signaal tegenover achtergrondlawaai te kwantificeren. In Meshtastische en andere draadloze systemen geeft een hoger SNR een zuiverder signaal aan dat de betrouwbaarheid en kwaliteit van de gegevensoverdracht kan verbeteren. + RSSI + Ontvangen Signal Sterkte Indicator, een meting gebruikt om het stroomniveau te bepalen dat de antenne ontvangt. Een hogere RSSI-waarde geeft een sterkere en stabielere verbinding aan. + (Binnenluchtkwaliteit) relatieve schaal IAQ waarde gemeten door Bosch BME680. Waarde tussen 0 en 500. + Apparaat Statistieken Log + Node Kaart + Positie Logboek + Omgevingsstatistieken logboek + Signaal Statistieken Logboek + Beheer + Extern beheer + Slecht + Matig + Goed + Geen + Delen met… + Signaal + Signaalkwaliteit + Traceroute log + Direct + + 1 hop + %d hops + + Sprongen richting %1$d Springt terug %2$d + 24U + 48U + 1W + 2W + 4W + Maximum + Onbekende Leeftijd + Kopieer + Melding Bell teken! + Kritieke Waarschuwing! + Favoriet + \'%s\' aan favorieten toevoegen? + \'%s\' uit favorieten verwijderen? + Energiegegevenslogboek + Kanaal 1 + Kanaal 2 + Kanaal 3 + Huidige + Spanning + Weet u het zeker? + Ik weet waar ik mee bezig ben. + Batterij bijna leeg + Batterij bijna leeg: %s + Luchtdruk + Mesh via UDP ingeschakeld + UDP Configuratie + Wissel mijn positie + Gebruiker + Kanalen + Apparaat + Positie + Vermogen + Netwerk + Weergave + LoRa + Bluetooth + Beveiliging + MQTT + Serieel + Externe Melding + Bereik Test + Telemetrie + Geluid + Externe Hardware + Sfeerverlichting + Detectie Sensor + Paxcounter + Audioconfiguratie + CODEC 2 ingeschakeld + PTT pin + CODEC2 sample rate + I2S klok + Bluetooth Configuratie + Bluetooth ingeschakeld + Koppelmodus + Vaste PIN + Uplink ingeschakeld + Downlink ingeschakeld + Standaard + Positie ingeschakeld + GPIO pin + Type + Wachtwoord verbergen + Wachtwoord tonen + Details + Omgeving + LED status + Rood + Groen + Blauw + Genereer invoergebeurtenis bij indrukken + Verstuur bel + Berichten + Bewegingssensor Configuratie + Bewegingssensor Ingeschakeld + Minimale broadcast (seconden) + Weergavenaam + GPIO pin om te monitoren + Detectie trigger type + Apparaat Configuratie + Functie + Rebroadcast modus + LED-knipperen uitschakelen + Weergave Configuratie + Scherm timeout (seconden) + GPS coördinaten formaat + Kompas Noorden bovenaan + Scherm omdraaien + Geef eenheden weer + Overschrijf OLED automatische detectie + Weergavemodus + Scherm inschakelen bij aanraking of beweging + Kompas oriëntatie + Gebruik PWM zoemer + Output vibra (GPIO) + Output duur (milliseconden) + Beltoon + LoRa Configuratie + Gebruik modem preset + Bandbreedte + Spread factor + Codering ratio + Frequentie offset (MHz) + Hoplimiet + TX ingeschakeld + TX vermogen (dBm) + Frequentie slot + Overschrijf Duty Cycle + Inkomende negeren + Overschrijf frequentie (MHz) + Negeer MQTT + MQTT Configuratie + MQTT ingeschakeld + Adres + Gebruikersnaam + Wachtwoord + Encryptie ingeschakeld + JSON uitvoer ingeschakeld + TLS ingeschakeld + Proxy to client ingeschakeld + Kaartrapportage + Update-interval (seconden) + Zend over LoRa + Netwerkconfiguratie + Wifi ingeschakeld + SSID + PSK + Ethernet ingeschakeld + NTP server + rsyslog server + IPv4 modus + IP-adres + Gateway + Subnet + Paxcounter Configuratie + Paxcounter ingeschakeld + WiFi RSSI drempelwaarde (standaard -80) + BLE RSSI drempelwaarde (standaard -80) + Positie Configuratie + Slimme positie ingeschakeld + Gebruik vaste positie + Breedtegraad + Lengtegraad + Hoogte in meters + GPS modus + GPS update interval (seconden) + Positie vlaggen + Energie configuratie + Energiebesparingsmodus inschakelen + Externe hardwareconfiguratie + Externe hardware ingeschakeld + Beschikbare pinnen + Beveiligings Configuratie + Publieke sleutel + Privésleutel + Admin Sleutel + Beheerde modus + Seriële console + Legacy Admin kanaal + Seriële Configuratie + Serieel ingeschakeld + Echo ingeschakeld + Time-Out + Seriële modus + Hartslag + Aantal records + Server + Gebruikersconfiguratie + Node ID + Volledige naam + Verkorte naam + Hardwaremodel + Druk + Afstand + Lux + Wind + Gewicht + Straling + Binnenluchtkwaliteit (IAQ) + URL + + Configuratie importeren + Configuratie exporteren + Hardware + Ondersteund + Node Nummer + Gebruiker ID + Tijd online + Tijdstempel + Sats + Alt + Freq + Slot + Primair + Secundair + Handmatige positieaanvraag vereist + Dempen opheffen + Dynamisch + Scan QR-code + Contactpersoon delen + Gedeelde contactpersoon importeren? + Niet berichtbaar + Publieke sleutel gewijzigd + Importeer + Metadata opvragen + Acties + Instellingen + + + + + Bericht + diff --git a/app/src/main/res/values-no-rNO/strings.xml b/app/src/main/res/values-no-rNO/strings.xml new file mode 100644 index 000000000..8621d89d8 --- /dev/null +++ b/app/src/main/res/values-no-rNO/strings.xml @@ -0,0 +1,257 @@ + + + + Filter + tøm nodefilter + Inkluder ukjent + Vis detaljer + A-Å + Kanal + Distanse + Hopp unna + Sist hørt + via MQTT + via MQTT + Ikke gjenkjent + Venter på bekreftelse + I kø for å sende + Bekreftet + Ingen rute + Mottok negativ bekreftelse + Tidsavbrudd + Ingen grensesnitt + Maks Retransmisjoner Nådd + Ingen Kanal + Pakken er for stor + Ingen respons + Ugyldig Forespørsel + Regional Arbeidssyklusgrense Nådd + Ikke Autorisert + Kryptert sending mislyktes + Ukjent Offentlig Nøkkel + Ikke-gyldig sesjonsnøkkel + Ikke-autorisert offentlig nøkkel + App-tilkoblet eller frittstående meldingsenhet. + Enhet som ikke videresender pakker fra andre enheter. + Infrastruktur-node for utvidelse av nettverksdekning ved å videresende meldinger. Synlig i nodelisten. + Kombinasjon av ROUTER og CLIENT. Ikke for mobile enheter. + Infrastruktur-node for utvidelse av nettverksdekning ved å videresende meldinger med minimal overhead. Ikke synlig i nodelisten. + Sender GPS-posisjonspakker som prioritert. + Sender telemetripakker som prioritet. + Optimalisert for ATAK systemkommunikasjon, reduserer rutinemessige kringkastinger. + Enhet som bare kringkaster når nødvendig, for stealth eller strømsparing. + Sender sted som melding til standardkanalen regelmessig for å hjelpe med å finne enheten. + Aktiverer automatiske TAK PLI-sendinger og reduserer rutinesendinger. + Infrastrukturnode som alltid sender pakker på nytt én gang, men bare etter alle andre moduser og sikrer ekstra dekning for lokale klynger. Synlig i nodelisten. + Alle observerte meldinger sendes på nytt hvis den var på vår private kanal eller fra en annen mesh med samme lora-parametere. + Samme atferd som alle andre, men hopper over pakkedekoding og sender dem ganske enkelt på nytt. Kun tilgjengelig i Repeater-rollen. Å sette dette på andre roller vil resultere i ALL oppførsel. + Ignorerer observerte meldinger fra fremmede mesh\'er som er åpne eller de som ikke kan dekrypteres. Sender kun meldingen på nytt på nodene lokale primære / sekundære kanaler. + Ignorer observerte meldinger fra utenlandske mesher som KUN LOKALE men tar det steget videre, ved å også ignorere meldinger fra noder som ikke allerede er i nodens kjente liste. + Bare tillatt for SENSOR, TRACKER og TAK_TRACKER roller, så vil dette hindre alle rekringkastinger, ikke i motsetning til CLIENT_MUTE rollen. + Ignorerer pakker fra ikke-standard portnumre som: TAK, RangeTest, PaxCounter, etc. Kringkaster kun pakker med standard portnum: NodeInfo, Text, Position, Telemetrær og Ruting. + Behandle dobbeltrykk på støttede akselerometre som brukerknappetrykk. + Deaktiverer trippeltrykk av brukerknappen for å aktivere eller deaktivere GPS. + Kontrollerer blinking av LED på enheten. For de fleste enheter vil dette kontrollere en av de opp til 4 lysdiodene. Laderen og GPS-lysene er ikke kontrollerbare. + Hvorvidt det i tillegg for å sende det til MQTT og til telefonen, skal vår Naboinfo overføres over LoRa. Ikke tilgjengelig på en kanal med standardnøkkel og standardnavn. + Offentlig nøkkel + Kanal Navn + QR kode + applikasjon ikon + Ukjent Brukernavn + Send + Du har ikke paret en Meshtastic kompatibel radio med denne telefonen. Vennligst parr en enhet, og sett ditt brukernavn.\n\nDenne åpen kildekode applikasjonen er i alfa-testing, Hvis du finner problemer, vennligst post på vårt forum: https://github.com/orgs/meshtastic/discussions\n\nFor mer informasjon, se vår nettside - www.meshtastic.org. + Deg + Godta + Avbryt + Ny kanal URL mottatt + Rapporter Feil + Rapporter en feil + Er du sikker på at du vil rapportere en feil? Etter rapportering, vennligst posti https://github.com/orgs/meshtastic/discussions så vi kan matche rapporten med hva du fant. + Rapport + Paring fullført, starter tjeneste + Paring feilet, vennligst velg igjen + Lokasjonstilgang er slått av,kan ikke gi posisjon til mesh. + Del + Frakoblet + Enhet sover + IP-adresse: + Tilkoblet til radio (%s) + Ikke tilkoblet + Tilkoblet radio, men den sover + Applikasjon for gammel + Du må oppdatere denne applikasjonen på Google Play store (eller Github). Den er for gammel til å snakke med denne radioen. + Ingen (slå av) + Tjeneste meldinger + Om + Denne kanall URL er ugyldig og kan ikke benyttes + Feilsøkningspanel + Tøm + Melding leveringsstatus + Firmwareoppdatering kreves. + Radiofirmwaren er for gammel til å snakke med denne applikasjonen. For mer informasjon om dette se vår Firmware installasjonsveiledning. + Ok + Du må angi en region! + Kunne ikke endre kanalen, fordi radio ikke er tilkoblet enda. Vennligst prøv på nytt. + Eksporter rekkeviddetest.csv + Nullstill + Søk + Legg til + Er du sikker på at du vil endre til standardkanalen? + Tilbakestill til standard + Bruk + Tema + Lys + Mørk + System standard + Velg tema + Oppgi plassering til nett + + Slett meldingen? + Slette %s meldinger? + + Slett + Slett for alle brukere + Slett kun for meg + Velg alle + Stil valg + Nedlastings Region + Navn + Beskrivelse + Låst + Lagre + Språk + System standard + Send på nytt + Avslutt + Avslutning støttes ikke på denne enheten + Omstart + Traceroute + Vis introduksjon + Melding + Alternativer for enkelchat + Ny enkelchat + Endre enkelchat + Tilføy meldingen + Send øyeblikkelig + Tilbakestill til fabrikkstandard + Direktemelding + NodeDB reset + Leveringen er bekreftet + Feil + Ignorer + Legg til \'%s\' i ignorereringslisten? + Fjern \'%s fra ignoreringslisten? + Velg nedlastingsregionen + Tile nedlastingsestimat: + Start nedlasting + Lukk + Radiokonfigurasjon + Modul konfigurasjon + Legg til + Rediger + Beregner… + Offlinemodus + Nåværende størrelse for mellomlager + Cache Kapasitet: %1$.2f MB\nCache Bruker: %2$.2f MB + Tøm nedlastede fliser + Fliskilde + SQL-mellomlager tømt for %s + Tømming av SQL-mellomlager feilet, se logcat for detaljer + Mellomlagerbehandler + Nedlastingen er fullført! + Nedlasting fullført med %d feil + %d fliser + retning: %1$d° avstand: %2$s + Rediger veipunkt + Fjern veipunkt? + Nytt veipunkt + Mottatt veipunkt: %s + Grensen for sykluser er nådd. Kan ikke sende meldinger akkurat nå, prøv igjen senere. + Fjern + Denne noden vil bli fjernet fra listen din helt til din node mottar data fra den igjen. + Demp varsler + 8 timer + 1 uke + Alltid + Erstatt + Skann WiFi QR-kode + Ugyldig WiFi legitimasjon QR-kode format + Gå tilbake + Batteri + Kanalutnyttelse + Luftutnyttelse + Temperatur + Luftfuktighet + Logger + Hopp Unna + Informasjon + Utnyttelse for denne kanalen, inkludert godt formet TX, RX og feilformet RX (aka støy). + Prosent av lufttiden brukt i løpet av den siste timen. + Luftkvalitet + Delt nøkkel + Direktemeldinger bruker den delte nøkkelen til kanalen. + Offentlig-nøkkel kryptering + Direktemeldinger bruker den nye offentlige nøkkelinfrastrukturen for kryptering. Krever firmware versjon 2.5 eller høyere. + Direktemeldinger bruker den nye offentlige nøkkelinfrastrukturen for kryptering. Krever firmware versjon 2.5 eller høyere. + Den offentlige nøkkelen samsvarer ikke med den lagrede nøkkelen. Du kan fjerne noden og la den utveksle nøkler igjen, men dette kan indikere et mer alvorlig sikkerhetsproblem. Ta kontakt med brukeren gjennom en annen klarert kanal for å avgjøre om nøkkelen endres på grunn av en tilbakestilling til fabrikkstandard eller andre tilsiktede tiltak. + Varsel om nye noder + Flere detaljer + SNR + Signal-to-Noise Ratio, et mål som brukes i kommunikasjon for å sette nivået av et ønsket signal til bakgrunnstrøynivået. I Meshtastic og andre trådløse systemer tyder et høyere SNR på et klarere signal som kan forbedre påliteligheten og kvaliteten på dataoverføringen. + RSSI + \"Received Signal Strength Indicator\", en måling som brukes til å bestemme strømnivået som mottas av antennen. Høyere RSSI verdi indikerer generelt en sterkere og mer stabil forbindelse. + (Innendørs luftkvalitet) relativ skala IAQ-verdi målt ved Bosch BME680. Verdi 0–500. + Enhetens måltallslogg + Nodekart + Posisjonslogg + Logg for miljømåltall + Signale måltallslogg + Administrasjon + Fjernadministrasjon + Dårlig + Middelmådig + Godt + Ingen + Del med… + Signal + Signalstyrke + Sporingslogg + Direkte + + 1 hopp + %d hopp + + Hopp mot %1$d Hopper tilbake %2$d + 24t + 48t + 1U + 2U + 4U + Maks + Kopier + Varsel, bjellekarakter! + Offentlig nøkkel + Privat nøkkel + Tidsavbrudd + Distanse + + + + + Melding + diff --git a/app/src/main/res/values-pl-rPL/strings.xml b/app/src/main/res/values-pl-rPL/strings.xml new file mode 100644 index 000000000..1228302c0 --- /dev/null +++ b/app/src/main/res/values-pl-rPL/strings.xml @@ -0,0 +1,370 @@ + + + + Filtr + Wyczyść filtr + Pokaż nierozpoznane + Pokaż szczegóły + Opcje sortowania węzłów + Nazwa + Kanał + Odległość + Liczba skoków + Aktywność + Przez MQTT + Przez MQTT + Przez ulubione + Nierozpoznany + Oczekiwanie na potwierdzenie + Zakolejkowane do wysłania + Potwierdzone + Brak trasy + Otrzymano negatywne potwierdzenie + Upłynął limit czasu + Brak interfejsu + Przekroczono czas lub liczbę retransmisji + Brak kanału + Pakiet jest zbyt duży + Brak odpowiedzi + Błędne żądanie + Osiągnięto okresowy limit nadawania dla tego regionu + Brak autoryzacji + Zaszyfrowane wysyłanie nie powiodło się + Nieznany klucz publiczny + Nieprawidłowy klucz sesji + Nieautoryzowany klucz publiczny + Urządzenie samodzielne lub sparowane z aplikacją. + Urządzenie, które nie przekazuje pakietów z innych urządzeń. + Węzeł infrastruktury do rozszerzenia zasięgu sieci poprzez przekazywanie pakietów. Widoczny na liście węzłów. + Połączenie zarówno trybu ROUTER, jak i CLIENT. Nie dla urządzeń przenośnych. + Węzeł infrastruktury do rozszerzenia zasięgu sieci poprzez przekazywanie pakietów z minimalnym narzutem. Niewidoczny na liście węzłów. + Nadaje priorytetowo pakiety z pozycją GPS. + Nadaje priorytetowo pakiety telemetryczne. + Zoptymalizowany pod kątem komunikacji systemowej ATAK, redukuje nadmiarowe transmisje. + Urządzenie, które nadaje tylko wtedy, gdy jest to konieczne w celu zachowania ukrycia lub oszczędzania energii. + Nadaje regularnie lokalizację jako wiadomości do głównego kanału, aby pomóc w odzyskaniu urządzenia. + Umożliwia automatyczne transmisje TAK PLI i zmniejsza liczbę nadmiarowych transmisji. + Węzeł infrastruktury, który zawsze powtarza pakiety raz, ale tylko po wszystkich innych trybach, zapewniając dodatkowe pokrycie lokalnych klastrów. Widoczne na liście węzłów. + Przekazuje ponownie każdy odebrany pakiet, niezależnie od tego, czy został wysłany na nasz prywatny kanał, czy z innej sieci Mesh o tych samych parametrach radia. + To samo zachowanie co ALL, ale pomija dekodowanie pakietów i po prostu je retransmituje. Dostępne tylko w roli REPEATER. Ustawienie tego w innych rolach spowoduje zachowanie jak ALL. + Ignoruje odebrane pakiety z obcych sieci Mesh, które są otwarte lub których nie można odszyfrować. Retransmituje wiadomość tylko na lokalnych kanałach primary / secondary. + Ignoruje odebrane pakiety z obcych sieci, podobnie jak LOCAL_ONLY, ale idzie o krok dalej, ignorując również pakiety z węzłów, które nie znajdują się jeszcze na liście znanych węzłów. + Dozwolone wyłącznie dla ról SENSOR, TRACKER i TAK_TRACKER. Spowoduje to zablokowanie wszystkich retransmisji, podobnie jak rola CLIENT_MUTE. + Ignoruje niestandardowe pakiety (non-standard portnums) takie jak: TAK, RangeTest, PaxCounter, itp. Przekazuje dalej jedynie standardowe pakiety (standard portnums): NodeInfo, Text, Position, Telemetry oraz Routing. + Traktuj podwójne dotknięcie na obsługiwanych akcelerometrach jako naciśnięcie przycisku użytkownika. + Wyłącza trzykrotne naciśnięcie przycisku użytkownika, aby włączyć lub wyłączyć GPS. + Kontroluje miganie LED na urządzeniu. Dla większości urządzeń będzie to sterować jednym z maksymalnie 4 diod LED, ładowarka i diody GPS nie są sterowane. + Czy oprócz wysyłania do MQTT i PhoneAPI, NeighborInfo powinny być przesłane przez LoRa? Niedostępny na kanale z domyślnym kluczem i nazwą. + Klucz publiczny + Nazwa Kanału + Kod QR + ikona aplikacji + Nieznana nazwa użytkownika + Wyślij + Nie sparowałeś jeszcze urządzenia Meshtastic z tym telefonem. Proszę sparować urządzenie i ustawić swoją nazwę użytkownika.\n\nTa aplikacja open-source jest w fazie rozwoju, jeśli znajdziesz problemy, napisz na naszym forum: https://github.com/orgs/meshtastic/discussions\n\nWięcej informacji znajdziesz na naszej stronie internetowej - www.meshtastic.org. + Ty + Akceptuj + Anuluj + Otrzymano nowy URL kanału + Zgłoś błąd + Zgłoś błąd + Czy na pewno chcesz zgłosić błąd? Po zgłoszeniu opublikuj post na https://github.com/orgs/meshtastic/discussions, abyśmy mogli dopasować zgłoszenie do tego, co znalazłeś. + Zgłoś + Parowanie zakończone, uruchamianie + Parowanie nie powiodło się, wybierz ponownie + Brak dostępu do lokalizacji, nie można udostępnić pozycji w sieci mesh. + Udostępnij + Rozłączono + Urządzenie uśpione + Adres IP: + Połączony + Połączono z urządzeniem (%s) + Nie połączono + Połączono z urządzeniem, ale jest ono w stanie uśpienia + Konieczna aktualizacja aplikacji + Należy zaktualizować aplikację za pomocą Sklepu Play lub z GitHub, ponieważ aplikacja jest zbyt stara, by skomunikować się z oprogramowaniem zainstalowanym na tym urządzeniu. Więcej informacji (ang.). + Brak (wyłącz) + Powiadomienia o usługach + O aplikacji + Ten adres URL kanału jest nieprawidłowy i nie można go użyć + Panel debugowania + Czyść + Status doręczenia wiadomości + Powiadomienia alertowe + Wymagana aktualizacja firmware\'u. + Oprogramowanie układowe radia jest zbyt stare, aby komunikować się z tą aplikacją. Aby uzyskać więcej informacji na ten temat, zobacz nasz przewodnik instalacji oprogramowania układowego. + OK + Musisz ustawić region! + Nie można zmienić kanału, ponieważ urządzenie nie jest jeszcze podłączone. Proszę, spróbuj ponownie. + Eksport rangetest.csv + Zresetuj + Skanowanie + Dodaj + Czy na pewno chcesz zmienić kanał na domyślny? + Przywróć domyślne + Zastosuj + Motyw + Jasny + Ciemny + Domyślne ustawienie systemowe + Wybierz motyw + Podaj lokalizację telefonu do sieci + + Usunąć wiadomość? + Usunąć %s wiadomości? + Usunąć %s wiadomości? + Usunąć %s wiadomości? + + Usuń + Usuń dla wszystkich + Usuń u mnie + Zaznacz wszystko + Wybór stylu + Pobierz region + Nazwa + Opis + Zablokowany + Zapisz + Język + Domyślny systemu + Ponów + Wyłącz + Wyłączenie nie jest obsługiwane w tym urządzeniu + Restart + Pokaż trasę + Wprowadzenie + Wiadomość + Szablony wiadomości + Nowy szablon + Zmień szablon + Dodaj do wiadomości + Wyślij natychmiast + Ustawienia fabryczne + Bezpośrednia wiadomość + Zresetuj NodeDB + Dostarczono + Błąd + Zignoruj + Dodać \'%s\' do listy ignorowanych? + Usunąć \'%s\' z listy ignorowanych? Twoje urządzenie zostanie zrestartowane po tej zmianie. + Wybierz region do pobrania + Szacowany czas pobrania: + Rozpocznij pobieranie + Poproś o pozycję + Zamknij + Ustawienia urządzenia + Ustawienia modułu + Dodaj + Edytuj + Obliczanie… + Menedżer map offline + Aktualny rozmiar pamięci podręcznej + Pojemność pamięci: %1$.2f MB\nUżycie pamięci: %2$.2f MB + Wyczyść pobrane mapy offline + Źródło map + Pamięć podręczna wyczyszczona dla %s + Usuwanie pamięci podręcznej SQL nie powiodło się, zobacz logcat + Zarządzanie pamięcią podręczną + Pobieranie ukończone! + Pobieranie zakończone z %d błędami + %d mapy + kierunek: %1$d° odległość: %2$s + Edytuj punkt nawigacji + Usuń punkt nawigacji? + Nowy punkt nawigacyjny + Otrzymano punkt orientacyjny: %s + Osiągnięto limit nadawania. Nie można wysłać wiadomości w tej chwili, spróbuj później. + Usuń + Węzeł będzie usunięty z listy dopóki nie otrzymasz ponownie danych od niego. + Wycisz powiadomienia + 8 godzin + 1 tydzień + Na zawsze + Zastąp + Skanuj kod QR Wi-Fi + Nieprawidłowy format kodu QR + Przejdź wstecz + Bateria + Wykorzystanie kanału + Wykorzystanie eteru + Temperatura + Wilgotność + Rejestry zdarzeń (logs) + Skoków + Informacja + Wykorzystanie dla bieżącego kanału, w tym prawidłowego TX/RX oraz zniekształconego RX (czyli szumu). + Procent czasu wykorzystanego do transmisji w ciągu ostatniej godziny. + IAQ + Klucz współdzielony + Wiadomości bezpośrednie korzystają ze współdzielonego klucza kanału. + Szyfrowanie klucza publicznego + Wiadomości bezpośrednie używają nowego systemu klucza publicznego do szyfrowania. Wymagana jest wersja firmware 2.5 lub wyższa. + Niezgodność klucza publicznego + Klucz publiczny nie pasuje do otrzymanego wcześniej klucza. Możesz usunąć węzeł i pozwolić na ponowną wymianę kluczy, ale może również wskazywać to na poważniejszy problem z bezpieczeństwem. Skontaktuj się z użytkownikiem za pomocą innego zaufanego kanału, aby ustalić, czy zmiana klucza była spowodowana przywróceniem ustawień fabrycznych czy innym działaniem. + Poproś o informacje + Powiadomienia o nowych węzłach + Więcej… + SNR: + Współczynnik sygnału do szumu (Signal-to-Noise Ratio) - miara stosowana w komunikacji do określania poziomu pożądanego sygnału w stosunku do poziomu szumu tła. W Meshtastic i innych systemach bezprzewodowych wyższy współczynnik SNR oznacza czystszy sygnał, który może zwiększyć niezawodność i jakość transmisji danych. + RSSI: + Received Signal Strength Indicator - miara używana do określenia poziomu mocy odbieranej przez antenę. Wyższa wartość RSSI zazwyczaj oznacza silniejsze i bardziej stabilne połączenie. + Jakość powietrza w pomieszczeniach (Indoor Air Quality) - wartość względna w skali IAQ mierzona czujnikiem BME680. Zakres wartości: 0–500. + Historia telemetrii + Ślad na mapie + Historia pozycji + Historia danych otoczenia + Historia danych sygnału + Zarządzanie + Zdalne zarządzanie + słaby + wystarczający + dobry + brak + Udostępnij… + Sygnał: + Jakość sygnału + Historia sprawdzania trasy + Bezpośrednio + + 1 skok + %d skoki + %d skoki + %d skoków + + Skoki do: %1$d. Skoki od: %2$d + 24H + 48H + 1W + 2W + 4W + Maks. + Unknown Age + Kopiuj + Znak ostrzegawczy! + Krytyczny alert! + Ulubiony + Dodać węzeł \'%s\' do ulubionych? + Usunąć węzeł \'%s\' z ulubionych? + Historia zasilania + Kanał 1 + Kanał 2 + Kanał 3 + Natężenie + Napięcie + Czy jesteś pewien? + Dokumentacja roli urządzenia oraz post na blogu o Wybranie odpowiedniej roli urządzenia.]]> + Wiem, co robię. + Powiadomienia o niskim poziomie baterii + Niski poziom baterii: %s + Powiadomienia o niskim poziomie baterii (ulubione węzły) + Ciśnienie barometryczne + Mesh na UDP włączony + Ustawienia UDP + Pokaż moją pozycję + Użytkownik + Kanały + Urządzenie + Pozycjonowanie + Zasilanie + Sieć + Wyświetlacz + Bezpieczeństwo + Seryjny + Zewnętrzne Powiadomienie + Test zasięgu + Telemetria + Konfiguracja Bluetooth + Stały PIN + Domyślny + Ukryj hasło + Pokaż hasło + Szczegóły + Wiadomości + Konfiguracja urządzenia + Rola + Konfiguracja wyświetlacza + Orientacja kompasu + Konfiguracja Zewnętrznego Powiadomienia + Użyj buzzer PWM + Dzwonek + Użyj I2S jako buzzer + Konfiguracja LoRa + Limit skoków + Konfiguracja MQTT + Nazwa użytkownika + Hasło + Szyfrowanie włączone + Częstotliwość aktualizacji (w sekundach) + Nadaj przez LoRa + Konfiguracja sieci + WiFi włączone + SSID + PSK + Ethernet włączony + Serwer NTP + Serwer rsyslog + Brama domyślna + Próg WiFi RSSI (domyślnie: -80) + Konfiguracja pozycjonowania + Sprytne pozycjonowanie + Użyj stałego położenia + Szerokość geograficzna + Flagi położenia + Konfiguracja zarządzania energią + Konfiguracja testu zasięgu + Konfiguracja zabezpieczeń + Klucz publiczny + Klucz prywatny + Konfiguracja seryjna + Limit czasu + Serwer + Konfiguracja telemetrii + ID węzła + Długa nazwa + Skrócona nazwa + Punkt rosy + Ciśnienie + Odległość + Jasność + Wiatr + Promieniowanie + Import konfiguracji + Eksport konfiguracji + Obsługiwane + Numer węzła + ID użytkownika + Czas pracy + Znacznik czasu + Kierunek + Podstawowy + Wtórny + Połączenie + Mapa Sieci + Ustawienia + Odpowiedz + Rozłącz + Nieznany + + + + + Zamknij + Wiadomość + Satelita + Hybrydowy + diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml new file mode 100644 index 000000000..9d2a78829 --- /dev/null +++ b/app/src/main/res/values-pt-rBR/strings.xml @@ -0,0 +1,772 @@ + + + + Meshtastic %s + Filtro + limpar filtro de dispositivos + Incluir desconhecido + Ocultar nós offline + Mostrar apenas nós diretos + Você está vendo nós ignorados,\nPressione para retornar à lista de nós. + Mostrar detalhes + Opções de ordenação do nó + A-Z + Canal + Distância + Qtd de saltos + Última vez visto em + via MQTT + via MQTT + via Favorito + Nós Ignorados + Desconhecido + Esperando para ser reconhecido + Programado para envio + Reconhecido + Sem rota + Recebi uma negativa de reconhecimento + Tempo esgotado + Sem interface + Limite de Retransmissões Atingido + Nenhum canal + Pacote grande demais + Nenhuma resposta + Requisição Inválida + Limite Regional de Ciclo de Trabalho Alcançado + Não Autorizado + Falha ao Enviar Criptografado + Chave Pública Desconhecida + Chave de sessão incorreta + Chave Publica não autorizada + Aplicativo conectado ou é um dispositivo autônomo de mensagem. + Dispositivo que não retransmite pacotes de outros dispositivos. + Nó de infraestrutura para estender a cobertura da rede repassando mensagens. Visível na lista de nós. + Combinação de ROUTER e CLIENT. Incompatível com dispositivos móveis. + Nó de infraestrutura para estender a cobertura da rede repassando mensagens com sobrecarga mínima. Não visível na lista de nós. + Transmita pacotes de posição do GPS como prioridade. + Transmita pacotes de telemetria como prioridade. + Otimizado para a comunicação do sistema ATAK, reduz as transmissões de rotina. + Dispositivo que só transmite conforme necessário para economizar energia ou se manter em segredo. + Transmite o local como mensagem para o canal padrão regularmente para ajudar na recuperação do dispositivo. + Habilita transmissões automáticas TAK PLI e reduz as transmissões rotineiras. + Nó de infraestrutura que sempre retransmitirá pacotes somente uma vez depois de todos os outros modos, garantindo cobertura adicional para clusters locais. Visível na lista de nós. + Retransmita qualquer mensagem observada, se estivesse em nosso canal privado ou de outra malha com os mesmos parâmetros de lora. + O mesmo que o comportamento de TODOS, mas ignora a decodificação de pacotes e simplesmente os retransmite. Apenas disponível no papel de Repetidor. Configurar isso em qualquer outra função resultará em comportamento como TODOS. + Ignora mensagens observadas de malhas estrangeiras que estão abertas ou aquelas que não pode descriptografar. Apenas retransmite mensagem nos nós de canais primários / secundários. + Ignora mensagens observadas de malhas estrangeiras como APENAS LOCAL, e vai ainda mais longe ignorando também mensagens de nós que não estão na lista conhecida do nó. + Somente permitido para os papéis SENSOR, TRACKER e TAK_TRACKER, isso irá inibir todas as retransmissões, como do papel CLIENT_MUTE. + Ignora pacotes de portnums não padrão como: TAK, RangeTest, PaxCounter, etc. Apenas retransmite pacotes com portnums padrão: NodeInfo, Text, Position, Telemetry, and Routing. + Tratar toque duplo nos acelerômetros suportados enquanto um botão pressionado pelo usuário. + Desativa o pressionamento triplo do botão pelo usuário para ativar ou desativar o GPS. + Controla o LED piscando no dispositivo. Para a maioria dos dispositivos, isto controlará um dos até 4 LEDs, os LEDs do carregador e GPS não são controláveis. + Se além de enviá-lo para MQTT e PhoneAPI, nosso NeighborInfo deve ser transmitido por LoRa. Não disponível em um canal com chave e nome padrão. + Chave Publica + Nome do canal + Código QR + ícone do aplicativo + Nome desconhecido + Enviar + Você ainda não pareou um rádio compatível ao Meshtastic com este smartphone. Por favor pareie um dispositivo e configure seu nome de usuário.\n\nEste aplicativo open source está em desenvolvimento, caso encontre algum problema por favor publique em nosso fórum: https://github.com/orgs/meshtastic/discussions\n\nPara mais informações acesse nossa página: www.meshtastic.org. + Você + Aceitar + Cancelar + Limpar mudanças + Novo link de canal recebido + Meshtastic precisa de permissões de localização ativadas para encontrar novos dispositivos via Bluetooth. Você pode desativar quando não estiver usando. + Informar Bug + Informar um bug + Tem certeza que deseja informar um erro? Após o envio, por favor envie uma mensagem em https://github.com/orgs/meshtastic/discussions para podermos comparar o relatório com o problema encontrado. + Informar + Pareamento concluído, iniciando serviço + Pareamento falhou, favor selecionar novamente + Localização desativada, não será possível informar sua posição. + Compartilhar + Novo Nó Visto: %s + Desconectado + Dispositivo em suspensão (sleep) + Conectado: %1$s ligado(s) + Endereço IP: + Porta: + Conectado + Conectado ao rádio (%s) + Não conectado + Conectado ao rádio, mas ele está em suspensão (sleep) + Atualização do aplicativo necessária + Será necessário atualizar este aplicativo no Google Play (ou Github). Versão muito antiga para comunicar com o firmware do rádio. Favor consultar docs. + Nenhum (desabilitado) + Notificações de serviço + Sobre + Este link de canal é inválido e não pode ser usado + Painel de depuração + Pacote Decodificado: + Exportar Logs + Filtros + Filtros ativos + Pesquisar nos logs… + Próxima correspondência + Correspondência anterior + Limpar busca + Adicionar filtro + Filtro incluído + Limpar todos os filtros + Limpar Logs + Corresponda a Qualquer | Todos + Corresponda a Todos | Qualquer + Isto removerá todos os pacotes de log e entradas de banco de dados do seu dispositivo - É uma redefinição completa e permanente. + Limpar + Status de entrega de mensagem + Notificações de mensagem direta + Notificações de mensagem transmitida + Notificações de Alerta + Atualização do firmware necessária. + Versão de firmware do rádio muito antiga para comunicar com este aplicativo. Para mais informações consultar Nosso guia de instalação de firmware. + Ok + Você deve informar uma região! + Não foi possível mudar de canal, rádio não conectado. Tente novamente. + Exportar rangetest.csv + Redefinir + Escanear + Adicionar + Tem certeza que quer mudar para o canal padrão? + Redefinir para configurações originais + Aplicar + Tema + Claro + Escuro + Padrão do sistema + Escolher tema + Fornecer localização para mesh + + Excluir %s mensagem? + Excluir %s mensagens? + + Excluir + Apagar para todos + Apagar para mim + Selecionar tudo + Fechar seleção + Excluir selecionados + Seleção de estilo + Baixar região + Nome + Descrição + Bloqueado + Salvar + Idioma + Padrão do sistema + Reenviar + Desligar + Desligamento não suportado neste dispositivo + Reiniciar + Traçar rota + Mostrar Introdução + Mensagem + Opções de chat rápido + Novo chat rápido + Editar chat rápido + Anexar à mensagem + Enviar imediatamente + Mostrar menu de chat rápido + Ocultar menu de chat rápido + Redefinição de fábrica + O Bluetooth está desativado. Por favor, ative-o nas configurações do seu dispositivo. + Abrir configurações + Versão do firmware: %1$s + Meshtastic precisa das permissões de \"Dispositivos próximos\" habilitadas para localizar e conectar a dispositivos via Bluetooth. Você pode desativar quando não estiver em uso. + Mensagem direta + Redefinir NodeDB + Entrega confirmada + Erro + Ignorar + Adicionar \'%s\' na lista de ignorados? + Remover \'%s\' da lista de ignorados? + Selecione a região para download + Estimativa de download do bloco: + Iniciar download + Trocar posições + Fechar + Configurações do dispositivo + Configurações dos módulos + Adicionar + Editar + Calculando… + Gerenciador offline + Tamanho atual do cache + Capacidade do Cache: %1$.2f MB\nCache Utilizado: %2$.2f MB + Limpar blocos baixados + Fonte dos blocos + Cache SQL removido para %s + Falha na remoção do cache SQL, consulte logcat para obter detalhes + Gerenciador de cache + Download concluído! + Download concluído com %d erros + %d blocos + direção: %1$d° distância: %2$s + Editar ponto de referência + Excluir ponto de referência? + Novo ponto de referência + Ponto de referência recebido: %s + Limite de capacidade atingido. Não é possível enviar mensagens no momento. Por favor, tente novamente mais tarde. + Excluir + Este dispositivo será excluído de sua lista até que seu dispositivo receba dados dele novamente. + Desativar notificações + 8 horas + 1 semana + Sempre + Substituir + Escanear código QR do Wi-Fi + Formato de código QR da Credencial do WiFi Inválido + Voltar + Bateria + Utilização do Canal + Utilização do Ar + Temperatura + Umidade + Temperatura do Solo + Umidade do Solo + Registros + Qtd de saltos + Distância em Saltos: %1$d + Informação + Utilização para o canal atual, incluindo TX bem formado, RX e RX mal formado (conhecido como ruído). + Percentagem do tempo de ar utilizado na última hora para transmissões. + IAQ + Chave Compartilhada + Mensagens diretas estão usando a chave compartilhada do canal. + Criptografia de Chave Pública + Mensagens diretas estão usando a nova infraestrutura de chave pública para criptografia. Requer firmware versão 2.5 ou superior. + Chave pública não confere + A chave pública não corresponde à chave gravada. Você pode remover o nó e deixá-lo trocar as chaves novamente, mas isso pode indicar um problema de segurança mais sério. Contate o usuário através de outro canal confiável, para determinar se a chave mudou devido a uma restauração de fábrica ou outra ação intencional. + Trocar informações de usuário + Novas notificações de nó + Mais detalhes + SNR + Relação sinal-para-ruído, uma medida utilizada nas comunicações para quantificar o nível de um sinal desejado para o nível de ruído de fundo. Na Meshtastic e outros sistemas sem fios, uma SNR maior indica um sinal mais claro que pode melhorar a confiabilidade e a qualidade da transmissão de dados. + RSSI + Indicador de Força de Sinal Recebido, uma medida usada para determinar o nível de potência que está sendo recebida pela antena. Um valor maior de RSSI geralmente indica uma conexão mais forte e mais estável. + (Qualidade do ar interior) valor relativo da escala IAQ medido pelo Bosch BME680. Intervalo de Valor de 0–500. + Log de métricas do dispositivo + Mapa do nó + Log de Posição + Atualização da última posição + Log de Métricas Ambientais + Log de Métricas de Sinal + Administração + Administração remota + Ruim + Média + Bom + Nenhum + Compartilhar com… + Sinal + Qualidade do sinal + Registro Traceroute + Direto + + 1 salto + %d saltos + + Salto em direção a %1$d Saltos de volta %2$d + 24H + 48H + 1S + 2S + 4S + Máx. + Idade Desconhecida + Copiar + Caractere de Alerta! + Alerta Crítico! + Favorito + Adicionar \'%s\' como um nó favorito? + Remover \'%s\' como um nó favorito? + Log de Métricas de Energia + Canal 1 + Canal 2 + Canal 3 + Atual(is) + Voltagem + Você tem certeza? + do papel do dispositivo e o post do ‘blog’ sobre Escolher o papel correto do dispositivo .]]> + Eu sei o que estou fazendo. + O nó %1$s está com bateria fraca (%2$d%%) + Notificações de bateria fraca + Bateria fraca: %s + Notificações de bateria fraca (nós favoritos) + Pressão Barométrica + Mesh via UDP ativado + Configuração UDP + Última vez: %2$s
Última posição: %3$s
Bateria: %4$s]]>
+ Ativar minha posição + Usuário + Canais + Dispositivo + Posição + Energia + Rede + Tela + LoRa + Bluetooth + Segurança + MQTT + Serial + Notificação Externa + + Teste de Alcance + Telemetria + Mensagem Pronta + Áudio + Equipamento Remoto + Informações do Vizinho + Luz Ambiente + Sensor de Deteção + Medidor de fluxo de pessoas + Configuração de Áudio + CODEC 2 ativado + Pino de PTT + Taxa de amostragem CODEC2 + CS I2S + MOSI I2S + MISO I2S + CLK I2S + Configuração Bluetooth + Bluetooth ativado + Modo de pareamento + PIN fixo + Uplink ativado + Downlink ativado + Padrão + Posição ativada + Localização precisa + Pino GPIO + Tipo + Ocultar Senha + Mostrar senha + Detalhes + Ambiente + Configuração de Iluminação Ambiente + Estado do LED + Vermelho + Verde + Azul + Configuração de Mensagens Prontas + Mensagem pronta ativada + Codificador rotativo #1 ativado + Pin GPIO para porta A do codificador rotativo + Pin GPIO para porta B do codificador rotativo + Pin GPIO para codificador rotativo porta Press + Gerar evento de entrada ao pressionar + Gerar evento de entrada rodando no sentido horário + Gerar evento de entrada rodando no sentido oposto ao horário + Entrada Cima/Baixo/Selecionar ativada + Permitir fonte de entrada + Enviar sino + Mensagens + Configuração do Sensor de Detecção + Sensor de Detecção ativado + Transmissão mínima (segundos) + Transmissão de estado (segundos) + Enviar sino com mensagem de alerta + Nome amigável + Pin GPIO para monitorar + Tipo de gatilho de deteção + Usar o modo INPUT_PULLUP + Configuração do Dispositivo + Papel + Definir PIN_BUTTON + Definir PIN_BUZZER + Modo de retransmissão + Intervalo de transmissão de NodeInfo (segundos) + Toque duplo para pressionar botão + Desativar click triplo + Fuso horário POSIX + Desativar pulsação do LED + Configuração da Tela + Tempo limite da tela (segundos) + Formato das coordenadas GPS + Carrossel de tela automático (segundos) + Norte da bússola no topo + Inverter tela + Unidades de exibição + Ignorar deteção automática do OLED + Modo da tela + Direção em destaque + Ligar a tela ao tocar ou mover + Orientação da bússola + Configuração de Notificação Externa + Notificação Externa habilitada + Notificações no recibo de mensagem + LED de mensagem de alerta + Som de mensagem de alerta + Vibração de mensagem de alerta + Notificações no recibo de alerta/sino + LED de alerta de sino + Som de alerta de sino + Vibração de alerta de sino + LED de Saída (GPIO) + LED de saída ativo alto + Buzzer de saída (GPIO) + Usar um buzzer PWM + Vibra de saída (GPIO) + Duração da Saída (milissegundos) + Tempo limite a incomodar (segundos) + Toque + Usar I2S como buzzer + Configuração do LoRa + Usar predefinição do modem + Predefinição do modem + Largura da banda + Fator de difusão + Taxa de codificação + Deslocamento da frequência (MHz) + Região (plano de frequências) + Limite de saltos + TX ativado + Potência TX (dBm) + Intervalo de frequência + Ignorar ciclo de trabalho + Ignorar entrada + RX com ganho reforçado SX126X + Substituir a frequência (MHz) + Ventilador do PA desativado + Ignorar MQTT + OK para MQTT + Configuração MQTT + MQTT ativado + Endereço + Nome de usuário + Senha + Criptografia ativada + Saída JSON ativada + TLS ativado + Tópico raiz + Proxy para cliente ativado + Relatório de mapa + Intervalo de relatório de mapa (segundos) + Configuração de Informação do Vizinho + Informações do Vizinho ativado + Intervalo de atualização (segundos) + Enviar por LoRa + Configuração de Rede + Wi-Fi ativado + SSID + PSK + Ethernet ativado + Servidor NTP + servidor rsyslog + Modo IPv4 + IP + Gateway + Subnet + Configuração do Contador de Pessoas + Contador de Pessoas ativado + Limite de RSSI do Wi-Fi (o padrão é -80) + Limite de RSSI BLE (o padrão é -80) + Configuração da Posição + Intervalo de transmissão de posição (segundos) + Posição inteligente ativada + Distância mínima de transmissão inteligente (metros) + Intervalo mínimo de transmissão inteligente (segundos) + Usar posição fixa + Latitude + Longitude + Altitude (metros) + Definir a partir da localização atual do telefone + Modo GPS + Intervalo de atualização do GPS (segundos) + Redefinir GPS_RX_PIN + Redefinir GPS_TX_PIN + Redefinir PIN_GPS_EN + Opções de posição + Configuração de Energia + Ativar modo de economia de energia + Espera para desligar ao passar para bateria (segundos) + Alterar proporção do multiplicador ADC + Tempo de espera por Bluetooth (segundos) + Duração do sono profundo (segundos) + Duração do sono leve (segundos) + Tempo mínimo acordado (segundos) + Endereço I2C da bateria INA_2XX + Configuração de Teste de Distância + Teste de distância ativado + Intervalo de mensagem do remetente (segundos) + Salvar .CSV no armazenamento (apenas ESP32) + Configuração de Hardware Remoto + Hardware Remoto ativado + Permitir acesso indefinido ao pin + Pins disponíveis + Configuração de Segurança + Chave Publica + Chave Privada + Chave do Administrador + Modo Administrado + Console serial + API de logs de depuração ativada + Canal de administração antigo + Configuração Serial + Serial ativado + Eco ativado + Taxa de transmissão série + Tempo esgotado + Modo de série + Substituir porta série do console + + Batimento + Número de registros + Histórico de retorno máximo + Janela de retorno do histórico + Servidor + Configuração de Telemetria + Intervalo de atualização das métricas do dispositivo (segundos) + Intervalo de atualização das métricas de ambiente (segundos) + Módulo de métricas do ambiente ativado + Mostrar métricas de ambiente na tela + Métricas de Ambiente usam Fahrenheit + Módulo de métricas de qualidade do ar ativado + Intervalo de atualização das métricas de qualidade do ar (segundos) + Ícone da qualidade do ar + Módulo de métricas de energia ativado + Intervalo de atualização de métricas de energia (segundos) + Mostrar métricas de energia na tela + Configuração do Usuário + ID do Nó + Nome longo + Nome curto + Modelo de hardware + Rádio amador licenciado (HAM) + Ativar esta opção desativa a criptografia e não é compatível com a rede padrão do Meshtastic. + Ponto de orvalho + Pressão + Resistência ao gás + Distância + Lux + Vento + Peso + Radiação + + Qualidade do ar (IAQ) + URL + + Importar configuração + Exportar configuração + Hardware + Suportado + Número do node + ID do utilizador + Tempo ativo + Carga %1$d + Disco Livre %1$d + Data e hora + Direção + Velocidade + Sats + Alt + Freq + Slot + Primário + Transmissão periódica da posição e telemetria + Secundário + Sem difusão periódica de telemetria + Pedidos de posição obrigatoriamente manual + Pressionar e arrastar para reordenar + Desativar Mudo + Dinâmico + Ler código QR + Compartilhar Contato + Importar contato compartilhado? + Impossível enviar mensagens + Não monitorizado ou infraestrutura + Aviso: Esse contato é conhecido, importar irá escrever por cima da informação anterior. + Chave Pública Mudou + Importar + Pedir Metadados + Ações + Firmware + Usar formato de relógio 12h + Quando ativado, o dispositivo exibirá o tempo em formato de 12 horas na tela. + Log de métricas do Host + Host + Memória Livre + Armazenamento Livre + Carregar + String de Usuário + Navegar Em + Conexão + Mapa Mesh + Conversas + Nós + Configurações + Defina sua região + Responder + Seu nó enviará periodicamente um pacote de relatório de mapa não criptografado para o servidor MQTT configurado, incluindo, id, nome longo e curto, localização aproximada, modelo de hardware, função de firmware, região de LoRa, predefinição de modem e nome de canal primário. + Consentir para compartilhar dados de nó não criptografados via MQTT + Ao ativar este recurso, você reconhece e concorda expressamente com a transmissão da localização geográfica em tempo real do seu dispositivo pelo protocolo MQTT sem criptografia. Esses dados de localização podem ser usados para propósitos como relatório de mapa ao vivo, rastreamento do dispositivo e funções de telemetria relacionadas. + Eu li e entendo o acima. Eu concordo voluntariamente com a transmissão não criptografada dos dados do meu nó via MQTT. + Concordo. + Atualização de Firmware recomendada. + Para se beneficiar das últimas correções e recursos, por favor, atualize o seu firmware de nó.\n\nÚltima versão de firmwares estáveis: %1$s + Expira em + Hora + Data + Filtro de Mapa\n + Somente Favoritos + Mostrar Waypoints + Mostrar círculos de precisão + Notificação de cliente + Chaves comprometidas foram detectadas, selecione OK para regenerar. + Regenerar a chave privada + Tem certeza de que deseja regenerar sua Chave Privada?\n\nnós que podem ter trocado chaves anteriormente com este nó precisará remover aquele nó e re-trocar chaves a fim de retomar uma comunicação segura. + Exportar chaves + Exporta as chaves públicas e privadas para um arquivo. Por favor, armazene em algum lugar com segurança. + Módulos desbloqueados + Remoto + (%1$d online / %2$d total) + Reagir + Desconectar + Procurando dispositivos Bluetooth… + Nenhum dispositivo Bluetooth pareado. + Nenhum dispositivo de rede encontrado. + Nenhum dispositivo USB Serial encontrado. + Rolar para o final + Meshtastic + Escaneando + Status de segurança + Seguro + Emblema de aviso + Canal Desconhecido + Atenção + Menu Overflow + Luz UV + Desconhecido + Este rádio é gerenciado e só pode ser alterado por um administrador remoto. + Limpar Banco de Dados de Nó + Limpar nós vistos há mais de %1$d dias + Limpar somente nós desconhecidos + Limpar nós com baixa/nenhuma interação + Limpar nós ignorados + Limpar Agora + Isto irá remover %1$d nós de seu banco de dados. Esta ação não pode ser desfeita. + Um cadeado verde significa que o canal é criptografado com uma chave AES de 128 ou 256 bits. + + Canal Inseguro, Impreciso + Um cadeado amarelo aberto significa que o canal não é criptografado, não é usado para dados de localização precisos e não usa nenhuma chave ou uma chave de 1 byte. + + Canal Inseguro, Localização Precisa + Um cadeado vermelho aberto significa que o canal não está criptografado, é usado para dados de localização precisos e não usa nenhuma chave ou uma chave conhecida por 1 byte. + + Atenção: Inseguro, Localização Precisa & MQTT Uplink + Um cadeado vermelho aberto com um aviso significa que o canal não é criptografado, é usado para dados de localização precisos que estão sendo colocados na internet via MQTT, e não usa nenhuma chave ou uma chave conhecida de 1 byte. + + Segurança do Canal + Significados da Segurança do Canal + Mostrar Todos os Significados + Exibir Status Atual + Ignorar + Tem certeza que deseja excluir este nó? + Respondendo a %1$s + Cancelar resposta + Excluir Mensagens? + Limpar seleção + Mensagem + Digite uma mensagem + Log de Métricas do Fluxo de Pessoas + PAX + Não há logs de métricas de PAX disponíveis. + Dispositivos WiFi + Dispositivos BLE + Dispositivos Pareados + Dispositivo Conectado + Ir + Limite excedido. Por favor, tente novamente mais tarde. + Ver Lançamento + Baixar + Instalado Atualmente + Último estável + Último alfa + Apoiado pela Comunidade Meshtastic + Edição do Firmware + Dispositivos de Rede Recentes + Dispositivos de Rede Descobertos + Vamos começar + Bem-vindo à + Fique Conectado em Qualquer Lugar + Comunique-se off-grid com seus amigos e comunidades sem serviço de celular. + Crie Suas Próprias Redes + Configure facilmente redes de malha privada para uma comunicação segura e confiável em áreas remotas. + Rastreie e Compartilhe Locais + Compartilhe sua localização em tempo real e mantenha seu grupo coordenado com recursos integrados de GPS. + Notificações do Aplicativo + Mensagens Recebidas + Notificações para canais e mensagens diretas. + Novos Nós + Notificações para nós recém-descobertos. + Bateria Fraca + Notificações para alertas de bateria fraca para o dispositivo conectado. + Selecionar os pacotes enviados como críticos irá ignorar o seletor de mudo e as configurações do \"Não perturbe\" no centro de notificações do sistema operacional. + Configurar permissões de notificação + Localização do Telefone + Meshtastic usa a localização do seu telefone para habilitar vários recursos. Você pode atualizar as permissões de localização a qualquer momento a partir das configurações. + Compartilhar Localização + Use o GPS do seu telefone para enviar locais para seu nó em vez de usar um módulo GPS no seu nó. + Medição de Distâncias + Exiba a distância entre o telefone e outros nós do Meshtastic com posições. + Filtros de Distância + Filtre a lista de nós e o mapa da malha baseado na proximidade do seu telefone. + Mapa de Localização da Malha + Permite o ponto de localização azul para o seu telefone no mapa da malha. + Configurar Permissões de Localização + Pular + configurações + Alertas críticos + Para garantir que você receba alertas críticos, como mensagens de + SOS, mesmo quando o seu dispositivo estiver no modo \"Não Perturbe\", você precisa conceder + permissão especial. Por favor, habilite isso nas configurações de notificação. + + Configurar Alertas Críticos + Meshtastic usa notificações para mantê-lo atualizado sobre novas mensagens e outros eventos importantes. Você pode atualizar suas permissões de notificação a qualquer momento nas configurações. + Avançar + Conceder Permissões + %d nós na fila para exclusão: + Cuidado: Isso irá remover nós dos bancos de dados do aplicativo e do dispositivo.\nSeleções são somadas. + Conectando ao dispositivo + Normal + Satélite + Terreno + Híbrido + Gerenciar Camadas do Mapa + Camadas do Mapa + Nenhuma camada personalizada carregada. + Adicionar Camada + Ocultar Camada + Mostrar Camada + Remover Camada + Adicionar Camada + Nós neste local + Tipo de Mapa Selecionado + Gerenciar Fontes de Bloco Personalizados + Gerenciar Fontes de Blocos Personalizados + Sem Fontes de Blocos Personalizadas + Editar Fonte do Bloco Personalizado + Excluir Fonte do Bloco Personalizado + Nome não pode estar vazio. + O nome do provedor existe. + A URL não pode estar vazia. + A URL deve conter espaços reservados. + Modelo de URL + ponto de rastreamento +
diff --git a/app/src/main/res/values-pt-rPT/strings.xml b/app/src/main/res/values-pt-rPT/strings.xml new file mode 100644 index 000000000..6b2039ac8 --- /dev/null +++ b/app/src/main/res/values-pt-rPT/strings.xml @@ -0,0 +1,561 @@ + + + + Filtrar + limpar filtro de nodes + Incluir desconhecidos + Ocultar nós offline + Mostrar detalhes + Opções de ordenação de nodes + A-Z + Canal + Distância + Saltos + Último recebido + via MQTT + via MQTT + via Favorito + Desconhecido + A aguardar confirmação + Na fila de envio + Confirmar + Sem rota + Recebida uma confirmação negativa + Timeout + Sem interface + Máximo de Retransmissão Atingido + Sem canal + Pacote demasiado grande + Sem resposta + Pedido Inválido + Limite do Duty Cycle Regional Atingido + Não Autorizado + Envio cifrado falhou + Public Key desconhecida + Chave de sessão inválida + Public Key não autorizada + Ligado por app, ou dispositivo autónomo de mensagens. + Dispositivo que não encaminha mensagens de outros dispositivos. + Node de infraestrutura que retransmite mensagens para estender a cobertura da rede (Router). Visível na lista de nodes. + Combinação de ROUTER e CLIENT. Não indicado para dispositivos móveis. + Node de infraestrutura para estender a cobertura da rede retransmitindo mensagens com overhead mínimo. Não visível na lista de nodes. + Transmite dados de posições GPS como prioridade. + Transmite dados de telemetria como prioridade. + Otimizado para comunicação do sistema ATAK, reduz as transmissões de rotina. + Dispositivo que só transmite quando necessário para economizar energia ou anonimidade. + Transmite regularmente a localização como uma mensagem para o canal default, para auxiliar na recuperação do dispositivo. + Permite transmissões automáticas do TAK PLI e reduz as transmissões de rotina. + Node de infraestrutura que vai sempre retransmitir dados uma vez, mas apenas após todos os outros modos, garantindo cobertura adicional para grupos locais. Visível na lista de nós. + Se estiver no nosso canal privado ou de outra rede com os mesmos parâmetros LoRa, retransmite qualquer mensagem observada. + Modo indêntico ao ALL, mas apenas retransmite os dados sem os descodificar. Apenas disponível em modo Repeater. Esta opção em qualquer outro modo resulta em comportamento igual ao ALL. + Ignora mensagens observadas de malhas estrangeiras que estão abertas ou aquelas que não pode desencriptar. Apenas retransmite mensagem nos canais primários / secundários locais. + Ignora mensagens observadas de malhas estrangeiras, como APENAS LOCAL, mas leva mais longe ignorando também mensagens de nodes que não já estão na lista conhecida do node. + Permitido apenas para SENSOR, TRACKER e TAK_TRACKER, isto irá desativar todas as retransmissões, como o papel CLIENT_MUTE. + Ignora pacotes de portas não padrão, tais como: TAK, RangeTest, PaxCounter, etc. Apenas retransmite pacotes com portas padrão: NodeInfo, Texto, Posição, Telemetria e Roteamento. + Tratar toques duplos em acelerómetros suportados como pressionar um botão. + Desativa o pressionar triplo do botão para ativar ou desativar o GPS. + Controla o piscar do LED no dispositivo. Para a maioria dos dispositivos, isto controla um dos até 4 LEDs, os do carregador e GPS não são controláveis. + Além de enviar para MQTT e PhoneAPI, a vizinhança deve ser transmitida através da LoRa. Não disponível em canais com chave e nome padrão. + Chave pública + Nome do Canal + Código QR + icone da aplicação + Nome de utilizador desconhecido + Enviar + Ainda não emparelhou um rádio compatível com Meshtastic com este telefone. Emparelhe um dispositivo e defina seu nome de usuário.\n\nEste aplicativo de código aberto está em teste alfa, se encontrar problemas, por favor reporte através do nosso forum em: https://github.com/orgs/meshtastic/discussions\n\nPara obter mais informações, consulte a nossa página web - www.meshtastic.org. + Você + Aceitar + Cancelar + Novo Link Recebido do Canal + Reportar Bug + Reportar a bug + Tem certeza de que deseja reportar um bug? Após o relatório, comunique também em https://github.com/orgs/meshtastic/discussions para que possamos comparar o relatório com o que encontrou. + Reportar + Emparelhamento concluído, a iniciar serviço + Emparelhamento falhou, por favor escolha novamente + Acesso à localização desativado, não é possível fornecer a localização na mesh. + Partilha + Desconectado + Dispositivo a dormir + Ligado: %1$s “online” + Endereço IP: + Porta: + Ligado + Ligado ao rádio (%s) + Desligado + Ligado ao rádio, mas está a dormir + A aplicação é muito antiga + Tem de atualizar esta aplicação no Google Play (ou Github). A versão é muito antiga para ser possível falar com este rádio. + Nenhum (desabilitado) + Notificações de serviço + Sobre + O Link Deste Canal é inválido e não pode ser usado + Painel de depuração + Limpar + Estado da entrega + Notificações de alerta + Atualização do firmware necessária. + Versão de firmware do rádio muito antiga para comunicar com este aplicativo. Para mais informações consultar Nosso guia de instalação de firmware. + Okay + Você deve informar uma região! + Não foi possível mudar de canal, rádio desligado. Tente novamente. + Exportar rangetest.csv + Redefinir + Digitalizar + Adicionar + Tem certeza que quer mudar para o canal padrão? + Redefinir para configurações originais + Aplicar + Tema + Claro + Escuro + Padrão do sistema + Escolher tema + Fornecer localização para mesh + + Excluir mensagem? + Excluir %s mensagens? + + Excluir + Apagar para todos + Apagar para mim + Selecionar tudo + Seleção de estilo + Baixar região + Nome + Descrição + Bloqueado + Salvar + Idioma + Padrão do sistema + Reenviar + Desligar + A função de desligar não suportada neste dispositivo + Reiniciar + Traçar rota + Mostrar Introdução + Mensagem + Opções de chat rápido + Novo chat rápido + Editar chat rápido + Anexar à mensagem + Enviar imediatamente + Redefinição de fábrica + Mensagem direta + Redefinir NodeDB + Entrega confirmada + Erro + Ignorar + Adicionar \'%s\' para a lista de ignorados? + Remover \'%s\' de lista dos ignorados? + Selecione a região para download + Estimativa de download do bloco: + Iniciar download + Intercâmbio de posições + Fechar + Configurações do dispositivo + Configurações dos módulos + Adicionar + Editar + Calculando… + Gerenciador offline + Tamanho atual do cache + Capacidade do Cache: %1$.2f MB\nCache Utilizado: %2$.2f MB + Limpar blocos baixados + Fonte dos blocos + Cache SQL removido para %s + Falha na remoção do cache SQL, consulte logcat para obter detalhes + Gerenciador de cache + Download concluído! + Download concluído com %d erros + %d blocos + direção: %1$d° distância: %2$s + Editar ponto de referência + Apagar o ponto de referência? + Novo ponto de referência + Ponto de passagem recebido %s + Limite do ciclo de trabalho atingido. Não é possível enviar mensagens no momento. Tente novamente mais tarde. + Remover + Este node será removido da sua lista até que o seu node receba dados dele novamente. + Silenciar notificações + 8 horas + 1 semana + Sempre + Substituir + Ler o código QR do Wi-Fi + Código QR do Wi-Fi com formato inválido + Retroceder + Bateria + Utilização do canal + Utilização do ar + Temperatura + Humidade + Registo de eventos + Saltos + Informações + Utilização do canal atual, incluindo TX bem formado, RX e RX mal formado (ruído). + Percentagem do tempo de transmissão utilizado na última hora. + Qualidade do Ar Interior + Chave partilhada + As mensagens diretas usam a chave partilhada do canal. + Criptografia de chave pública + Mensagens diretas usam a nova infraestrutura de chave pública para criptografia. Requer firmware versão 2.5 ou superior. + Incompatibilidade de chave pública + A chave pública não corresponde com a chave gravada. Pode remover o node e deixá-lo trocar chaves novamente, mas isso pode indicar um problema de segurança mais sério. Contate o utilizador através de outro canal confiável, para determinar se a chave mudou devido a uma restauração de fábrica ou outra ação intencional. + Trocar informação de utilizador + Notificações de novos nodes + Mais detalhes + SNR + Relação sinal-para-ruído, uma medida utilizada nas comunicações para quantificar o nível de um sinal desejado com o nível de ruído de fundo. Em Meshtastic e outros sistemas sem fio. Quanto mais alta for a relação sinal-ruído, menor é o efeito do ruído de fundo sobre a deteção ou medição do sinal. + RSSI + Indicador de Força de Sinal Recebido, uma medida usada para determinar o nível de energia que está a ser recebido pela antena. Um valor mais elevado de RSSI geralmente indica uma conexão mais forte e mais estável. + (Qualidade do ar interior) valor relativo da escala IAQ conforme medida por Bosch BME680. Entre 0–500. + Histórico de métricas do dispositivo + Mapa de nodes + Histórico de posição + Histórico de telemetria ambiental + Histórico de métricas de sinal + Administração + Administração Remota + Mau + Razoável + Bom + Nenhum + Partilhar para… + Sinal + Qualidade do Sinal + Histórico de rotas + Direto + + 1 salto + %d saltos + + Saltos em direção a %1$d Saltos de regresso %2$d + 24h + 48h + 1sem + 2sem + 4sem + Máximo + Idade desconhecida + Copiar + Símbolo de alerta + Alerta crítico! + Favoritos + Adicione \'%s\' como um nó favorito? + Remover \'%s\' como um nó favorito? + Histórico de telemetria de energia + Canal 1 + Canal 2 + Canal 3 + Atual + Voltagem + Confirma? + Configuração do Dispositivo e o post do blog sobre a escolha da função correta do dispositivo.]]> + Eu sei o que estou a fazer. + O node %1$s tem a bateria fraca (%2$d%%) + Notificação de bateria fraca + Bateria fraca: %s + Notificações de bateria fraca (nodes favoritos) + Pressão atmosférica + Ativar malha via UDP + Configuração UDP + Utilizador + Canal + Dispositivo + Posição + Energia + Rede + Ecrã + LoRa + Bluetooth + Segurança + MQTT + Série + Notificação externa + + Teste de Alcance + Telemetria + Mensagem Pronta + Áudio + Equipamento remoto + Informações da vizinhança + Iluminação ambiente + Sensor de deteção + Contador de pessoas + Configurações de áudio + CODEC 2 ativado + Pin de PTT + Taxa de amostragem CODEC2 + Selecionar palavra I2S + Entrada de dados I2S + Saída de dados I2S + Relógio I2S + Configuração de Bluetooth + Bluetooth ativado + Modo de emparelhamento + PIN fixo + Uplink ativado + Downlink ativado + Predefinição + Posição ativada + Pin GPIO + Tipo + Ocultar palavra-passe + Mostrar palavra-passe + Detalhes + Ambiente + Configuração da Iluminação Ambiente + Estado do LED + Vermelho + Verde + Azul + Configuração de Mensagem Pronta + Mensagem pronta ativada + Ativar Codificador rotativo #1 + Pin GPIO para porta A do codificador rotativo + Pin GPIO para porta B do codificador rotativo + Gerar evento de entrada ao pressionar + Gerar evento de entrada rodando no sentido horário + Gerar evento de entrada rodando no sentido oposto ao horário + Entrada Cima/Baixo/Selecionar ativa + Permitir fonte de entrada + Enviar sino + Mensagens + Configuração do Sensor de Deteção + Sensor de deteção ativado + Transmissão mínima (segundos) + Transmissão de estado (segundos) + Enviar sino com mensagem de alerta + Nome amigável + Pin GPIO para monitorizar + Tipo de gatilho de deteção + Usar o modo INPUT_PULLUP + Configuração do Dispositivo + Papel + Definir PIN_BUTTON + Definir PIN_BUZZER + Modo de retransmissão + Intervalo de difusão nodeInfo (segundos) + Toque duplo para pressionar botão + Desativar click triplo + Fuso horário POSIX + Desativar pulsação do LED + Configuração do Ecrã + Tempo limite do ecrã (segundos) + Formato das coordenadas GPS + Carrossel de ecrã automático (segundos) + Norte da bússola no topo + Inverter ecrã + Unidade de visualização + Ignorar deteção automática do OLED + Modo de visualização + Direção em destaque + Ligar o ecrã ao tocar ou mover + Orientação da bússola + Configuração de Notificação Externa + Ativar notificações externas + Notificações no recibo de mensagem + LED de mensagem de alerta + Som de mensagem de alerta + Vibração de mensagem de alerta + Notificações no recibo de alerta/sino + LED de alerta de sino + Som de alerta de sino + Vibração de alerta de sino + LED de Saída (GPIO) + LED de saída ativo alto + Buzzer de saída (GPIO) + Usar um buzzer PWM + Vibra de saída (GPIO) + Duração da Saída (milissegundos) + Tempo limite a incomodar (segundos) + Toque + Usar I2S como buzzer + Configuração de LoRa + Usar predefinição do modem + Largura de banda + Fator de difusão + Índice de codificação + Compensação de frequência (MHz) + Região (plano de frequências) + Limite de saltos + Ativar TX + Potência TX (dBm) + Intervalo de frequência + Ignorar ciclo de trabalho + Ignorar entrada + RX com ganho reforçado SX126X + Ignorar MQTT + Disponibilizar no MQTT + Configuração MQTT + MQTT ativo + Endereço + Utilizador + Palavra-passe + Encriptação ativada + Saída JSON ativada + Ativar TLS + Tópico principal + Enviar através do cliente + Enviar para o mapa + Intervalo de envio (segundos) + Configuração de informações dos vizinhos + Enviar informações de vizinhos + Intervalo de atualização (segundos) + Enviar por LoRa + Configuração de Rede + WiFi ligado + SSID + PSK + Ethernet ativada + Servidor NTP + servidor rsyslog + Modo IPv4 + IP + Gateway + Subnet + Configuração do contador de pessoas + Ativar contador de pessoas + Limite de RSSI do Wi-Fi (o padrão é -80) + Limite de RSSI BLE (o padrão é -80) + Configuração da posição + Intervalo de difusão da posição (segundos) + Ativar posição inteligente + Distância mínima de difusão inteligente (metros) + Distância mínima de difusão inteligente (segundos) + Utilizar posição fixa + Latitude + Longitude + Altitude (metros) + Modo GPS + Intervalo de atualização GPS (segundos) + Definir GPS_RX_PIN + Definir GPS_TX_PIN + Definir PIN_GPS_EN + Opções de posição + Configuração de Energia + Ativar modo de poupança de energia + Espera para desligar ao passar para bateria (segundos) + Alterar rácio do multiplicador ADC + Tempo de espera por Bluetooth (segundos) + Duração do sono profundo (segundos) + Duração do sono leve (segundos) + Tempo mínimo acordado (segundos) + Endereço I2C da bateria INA_2XX + Configuração de Teste de Alcance + Ativar Teste de alcance + Guardar .CSV no armazenamento (apenas ESP32) + Configuração de Hardware Remoto + Hardware Remoto ativado + Permitir acesso indefinido ao pin + Pins disponíveis + Configuração de Segurança + Chave pública + Chave privada + Chave do Administrador + Modo Administrado + Consola de série + API de histórico de depuração ativada + Canal de administração antigo + Configuração de Série + Série ativada + Eco ativado + Taxa de transmissão série + Timeout + Modo de série + Substituir porta série do console + + Batimento + Número de registos + Servidor + Configuração de Telemetria + Intervalo de atualização de métricas do dispositivo (segundos) + Intervalo de atualização de métricas de ambiente (segundos) + Módulo de métricas de ambiente ativado + Mostrar métricas de ambiente no ecrã + Métricas de Ambiente usam Fahrenheit + Módulo de métricas de qualidade do ar ativado + Intervalo de atualização das métricas de qualidade do ar (segundos) + Módulo de métricas de energia ativado + Intervalo de atualização de métricas de energia (segundos) + Mostrar métricas de energia no ecrã + Configuração do Utilizador + ID do Node + Nome longo + Nome curto + Modelo de hardware + Rádio amador licenciado (HAM) + Ativar esta opção desativa a encriptação e não é compatível com a rede Meshtastic normal. + Ponto de Condensação + Pressão + Distância + Lux + Vento + Peso + Radiação + + Qualidade do ar (IAQ) + URL + + Importar configuração + Exportar configuração + Hardware + Suportado + Número do node + ID do utilizador + Tempo ativo + Data e hora + Direção + Sats + Alt + Freq + Slot + Principal + Difusão periódica da posição e telemetria + Secundário + Sem difusão periódica de telemetria + Pedidos de posição obrigatoriamente manuais + Pressionar e arrastar para reordenar + Tirar mute + Dinâmico + Ler código QR + Partilhar Contacto + Importar contacto partilhado? + Impossível enviar mensagens + Não monitorizado ou infraestrutura + Aviso: Este contacto é conhecido, importar irá escrever por cima da informação anterior. + Chave Pública Mudou + Importar + Pedir Metadados + Ações + Firmware + Usar formato de relógio 12h + Quando ativado, o dispositivo exibirá o tempo em formato de 12 horas no ecrã. + Memória livre + Nodes + Definições + Estou de acordo. + Atualização de firmware recomendada. + Para beneficiar das últimas correções e funcionalidades, por favor, atualize o firmware do node.\n\nÚltima versão estável do firmware: %1$s + + + + + Mensagem + diff --git a/app/src/main/res/values-ro-rRO/strings.xml b/app/src/main/res/values-ro-rRO/strings.xml new file mode 100644 index 000000000..c9b583d40 --- /dev/null +++ b/app/src/main/res/values-ro-rRO/strings.xml @@ -0,0 +1,136 @@ + + + + Cheie publică neautorizată + Transmite pachete telemetrice ca prioritate. + Numele canalului + Cod QR + Iconița aplicației + Nume utilizator necunoscut + Trimite + Încă nu ai asociat un radio compatibil cu Meshtastic cu acest telefon. Te rugăm să asociezi un dispozitiv și să îți setezi numele de utilizator.\n\nAceastă aplicaţie open-source este în dezvoltare, dacă întâmpinaţi probleme, vă rugăm să postaţi pe forumul nostru: https://github.com/orgs/meshtastic/discussions\n\nPentru mai multe informații, consultați pagina noastră de internet - www.meshtastic.org. + Tu + Accept + Renunta + Am primit un nou URL de canal + Raportează Bug + Raportează un bug + Ești sigur că vrei să raportezi un bug? După ce ai raportat, te rog postează în https://github.com/orgs/meshtastic/discussions că să reușim să potrivim reportul tău cu ce ai găsit. + Raportare + Conectare reușită, începem serviciul + Conectare eșuată, te rog reselecteaza + Accesul locației este dezactivat, nu putem furniza locația ta la rețea. + Distribuie + Deconectat + Dispozitiv în sleep mode + Adresa IP: + Conectat la dispozitivul (%s) + Neconectat + Connectat la dispozitivi, dar e în modul de sleep + Aplicație prea veche + Trebuie să updatezi această aplicație de pe Google Play (sau Github). Aplicația este prea veche pentru a comunica cu dispozitivul. + Niciunul (dezactivat) + Notificările serviciului + Despre + Acest URL de canal este invalid și nu poate fi folosit + Panou debug + Șterge + Status livrare mesaj + Este necesară actualizarea firmware-ului. + Firmware-ul radioului este prea vechi pentru a putea comunica cu această aplicație. Pentru mai multe informații despre acest proces, consultați Ghidul nostru de instalare pentru firmware. + Ok + Trebuie să alegeți o regiune! + Nu s-a putut schimba canalul, deoarece radioul nu este conectat încă. Vă rugăm să încercați din nou. + Export rangetest.csv + Resetare + Scanare + Adaugă + Ești sigur că vrei să revii la canalul implicit? + Reinițializare la valorile implicite + Aplică + Temă + Luminos + Întunecat + Setarea telefonului + Alege tema + Furnizați locația telefonului la mesh + + Ștergeți mesajul? + Ștergeți %1$s mesaje? + Ștergeți %1$s mesaje? + + Șterge + Șterge pentru toată lumea + Șterge pentru mine + Selectează tot + Selecție stil + Descarca regiunea + Nume + Descriere + Blocat + Salvează + Limba + Setarea telefonului + Retrimite + Oprire + Restartează + Traceroute + Arată Introducere + Mesaj + Opțiuni chat rapid + Chat rapid nou + Editare chat rapid + Adaugă la mesaj + Trimite instant + Resetare la setările din fabrică + Mesaj direct + Resetare NodeDB + Ignoră + Adaugă \'%s\' in lista de ignor? Radioul tău va reporni după ce această modificare. + Elimină \'%s\' din lista de ignor? Radioul tău va reporni după această modificare. + Selectați regiunea pentru descărcare + Estimare descărcare secțiuni: + Pornește descărcarea + Închide + Configurare radio + Configurare modul + Adaugă + Calculare… + Manager offline + Dimensiunea actuală a cache-ului + Capacitate cache: %1$.2f MB\nUtilizare cache: %2$.2f MB + Șterge secțiunile descărcate + Sursa secțiuni + Cache SQL șters pentru %s + Ștergerea cache-ului SQL a eșuat, vedeți logcat pentru detalii + Manager cache + Descărcare finalizată! + Descărcare finalizată cu %d erori + %d secțiuni + compas: %1$d° distanță: %2$s + Editează waypoint + Şterge waypointul? + Waypoint nou + Waypoint recepționat: $1%s + Limita Duty Cycle a fost atinsă. Nu se pot trimite mesaje acum, vă rugăm să încercați din nou mai târziu. + + + + + Mesaj + diff --git a/app/src/main/res/values-ru-rRU/strings.xml b/app/src/main/res/values-ru-rRU/strings.xml new file mode 100644 index 000000000..46fff52b7 --- /dev/null +++ b/app/src/main/res/values-ru-rRU/strings.xml @@ -0,0 +1,709 @@ + + + + Meshtastic %s + Фильтр + очистить фильтр узлов + Включать неизвестно + Скрыть узлы офлайн + Отображать только слышимые узлы + Вы просматриваете игнорируемые узлы,\nНажмите, чтобы вернуться к списку узлов. + Показать детали + Варианты сортировки узлов + А-Я + Канал + Расстояние + Прыжков + Последний раз слышен + через MQTT + через MQTT + по фаворитам + Игнорируемые узлы + Нераспознанный + Ожидание подтверждения + В очереди для отправки + Принято + Нет маршрута + Получено отрицательное подтверждение + Время ожидания истекло + Нет интерфейса + Достигнут максимальный лимит ретрансляции + Нет канала + Пакет слишком велик + Нет ответа + Неверный запрос + Достигнут региональный предел рабочего цикла + Не авторизован + Ошибка шифрования отправки + Неизвестный публичный ключ + Неверный ключ сессии + Публичный ключ не авторизован + Приложение подключено или автономное устройство обмена сообщениями. + Устройство, которое не пересылает пакеты с других устройств. + Инфраструктурный узел для расширения охвата сети путем передачи сообщений. Видим в списке узлов. + Комбинация ROUTER и CLIENT. Не для мобильных устройств. + Инфраструктурный узел для расширения покрытия сети путем передачи сообщений с минимальными накладными расходами. Не виден в списке узлов. + Транслирует пакеты позиций GPS в качестве приоритета. + Транслирует пакеты телеметрии в приоритетном порядке. + Оптимизировано для связи с системой ATAK, сокращает текущие передачи. + Устройство, которое передает сигнал только при необходимости для скрытности или экономии энергии. + Регулярно передает местоположение в виде сообщения на канал по умолчанию для помощи в восстановлении устройства. + Включает автоматические трансляции TAK PLI и сокращает рутинные трансляции. + Инфраструктурный узел, который всегда ретранслирует пакеты один раз, но только после всех остальных режимов, обеспечивая дополнительное покрытие для локальных кластеров. Видим в списке. + Ретранслировать замеченное сообщение, если оно было на нашем частном канале или из другой сетки с теми же параметрами lora. + Так же, как и все, но пропускает декодирование пакетов и просто ретранслирует их. Доступно только в роли репитера. Установка этой функции для любых других ролей приведет к поведению режима ВСЁ. + Игнорирует замеченные сообщения от чужих сетей, которые открыты или не может расшифровать. Ретранслировать сообщение только на узлах локальных первичных / вторичных каналов. + Игнорируемые сообщения из других сетей, таких как ТОЛЬКО ДЛЯ СВОИХ, но так же, и игнорирует сообщения от узлов, которые еще не включены в известный список узлов. + Разрешено только для ролей SENSOR, TRACKER и TAK_TRACKER, это запретит все ретрансляции, не похожие на роль CLIENT_MUTE. + Игнорирует пакеты из нестандартных портов, таких как: TAK, RangeTest, PaxCounter и т. д. Только ретранслирует пакеты со стандартными номерами портов: NodeInfo, Text, Position, Telemetry, Routing. + Рассматривать двойное нажатие на поддерживаемых акселерометрах как нажатие пользовательской кнопки. + Отключает тройное нажатие кнопки пользователя, чтобы включить или отключить GPS. + Управляет мигающим светодиодом на устройстве. Для большинства устройств это будет управлять одним из до 4 светодиодов, зарядное устройство и GPS светодиоды не управляются. + В дополнение к отправке на MQTT и PhoneAPI, наши NeighborInfo должны быть переданы через LoRa. Недоступно на канале с ключом и именем по умолчанию. + Публичный ключ + Имя канала + QR код + значок приложения + Неизвестное имя пользователя + Отправить + Вы еще не подключили к телефону устройство, совместимое с Meshtastic радио. Пожалуйста, подключите устройство и задайте имя пользователя.\n\nЭто приложение с открытым исходным кодом находится в альфа-тестировании, если вы обнаружите проблемы, пожалуйста, напишите в чате на нашем сайте.\n\nДля получения дополнительной информации посетите нашу веб-страницу - www.meshtastic.org. + Вы + Принять + Отмена + Отменить изменения + URL нового канала получен + Сообщить об ошибке + Сообщить об ошибке + Вы уверены, что хотите сообщить об ошибке? После сообщения, пожалуйста, напишите в https://github.com/orgs/meshtastic/discussions, чтобы мы могли сопоставить отчет с тем, что вы нашли. + Отчет + Сопряжение завершено, запуск сервиса + Соединение не удалось, выберите еще раз + Доступ к местоположению выключен, невозможно посылать местоположение в сеть. + Поделиться + + Отключено + Устройство спит + Подключено: %1$s в сети + IP-адрес: + Порт: + Подключено + Подключен к радио (%s) + Нет соединения + Подключено к радио, но оно спит + Требуется обновление приложения + Вы должны обновить это приложение в магазине приложений app store (или Github). Приложение слишком старо, чтобы работать с этой прошивкой в радио. Пожалуйста, прочитайте нашу документацию по этой теме. + Нет (выключить) + Служебные уведомления + О программе + Этот URL-адрес канала недействителен и не может быть использован + Панель отладки + Экспортировать логи + Фильтры + Активные фильтры + Искать в журнале… + Следующее совпадение + Предыдущее совпадение + Очистить условия поиска + Добавить фильтр + Фильтр включен + Очистить все фильтры + Очистить журнал + Совпадение любой | Все + Совпадение всех | Любой + Это удалит все пакеты журналов и записи базы данных с вашего устройства. Это — полный сброс, и он необратим. + Очистить + Статус доставки сообщения + Уведомления о личных сообщениях + Уведомления о сообщениях в общем чате + Служебные уведомления + Требуется обновление прошивки. + Слишком старая микропрограмма в радио для общения с этим приложением. Более подробную информацию об этом можно найти в нашем руководстве по установке прошивки. + Лады + Вы должны задать регион! + Не удалось изменить канал, потому что радио еще не подключено. Пожалуйста, попробуйте еще раз. + Экспортировать rangetest.csv + Сброс + Сканирования + Добавить + Вы уверены, что хотите перейти на канал по умолчанию? + Сброс значений по умолчанию + Применить + Тема + Светлая + Темная + По умолчанию + Выберите тему + Предоставление местоположения для сети + + Удалить сообщение? + Удалить %s сообщения? + Удалить %s сообщений? + Удалить все сообщения? = Delete all messages? + + Удалить + Удалить для всех + Удалить у меня + Выбрать все + Закрыть выбранное + Удалить выбранное + Выбор стиля + Скачать Регион + Имя + Описание + Заблокировано + Сохранить + Язык + По умолчанию + Отправить + Выключение + Выключение не поддерживается на этом устройстве + Перезагрузить + Трассировка маршрута + Показать Введение + Сообщение + Настройки быстрого чата + Новый быстрый чат + Редактировать быстрый чат + Добавить к сообщению + Мгновенная отправка + Показать меню быстрого чата + Скрыть меню быстрого чата + Сброс настроек к заводским настройкам + Прямое сообщение + Очистка списка узлов сети + Доставка подтверждена + Ошибка + Игнорировать + Добавить \'%s\' в список игнорируемых? + Удалить \'%s\' из списка игнорируемых? + Выберите регион загрузки + Предполагаемое время загрузки файла: + Начать скачивание + Обменяться местоположением + Закрыть + Настройки устройства + Настройки модуля + Добавить + Редактировать + Вычисление… + Оффлайн менеджер + Текущий размер кэша + Емкость кэша: %1$.2f MB\nИспользование кэша: %2$.2f MB + Очистить загруженные файлы + Источник файла + Кэш SQL очищен на %s + Ошибка очистки кэша SQL, подробности в logcat + Менеджер кэша + Загрузка завершена! + Скачивание завершено с %d ошибок + %d файла + курс: %1$d° расстояние: %2$s + Редактировать путевую точку + Удалить путевую точку? + Установить путевую точку + Принята путевая точка: %s + Достигнут лимит отправки сообщений в единицу времени. Не удается отправить сообщения прямо сейчас, пожалуйста, повторите попытку позже. + Удалить + Этот узел будет удалён из вашего списка, пока ваш узел снова не получит данные от него. + Отключить уведомления + 8 часов + 1 неделя + Всегда + Заменить + Сканировать QR-код WiFi + Неверный формат QR-кода WiFi + Вернуться + Батарея + Использование канала + Использование эфира + Температура + Влажность + Температура почвы + Влажность почвы + Журналы + Прыжков + Количество ретрансляций %1$d + Информация + Использование для текущего канала, включая хорошо сформированный TX, RX и неправильно сформированный RX (так называемый шум). + Процент времени эфира для передачи в течение последнего часа. + Относительное качество воздуха в помещении + Общедоступный ключ + Частые сообщения используют общий ключ для канала. + Общий ключ шифрования + Прямые сообщения используют новую инфраструктуру публичных ключей для шифрования. Требуется прошивка версии 2.5 или выше. + Несоответствие публичного ключа + Открытый ключ не соответствует записанному ключу. Вы можете удалить узел и снова обменяться ключами, но это может повлечь за собой более серьезную проблему безопасности. Свяжитесь с пользователем через другой доверенный канал, чтобы определить, было ли изменение ключа из-за заводского сброса или другого преднамеренного действия. + Обменять информацию пользователя + Уведомления о новых узлах + Подробнее + Сигнал/шум + Соотношение сигнал/шум, мера, используемая в коммуникациях для количественной оценки уровня желаемого сигнала по отношению к уровню фонового шума. В Meshtastic и других беспроводных системах более высокий SNR указывает на более четкий сигнал, который может повысить надежность и качество передачи данных. + RSSI + Индикатор уровня принимаемого сигнала, измерение, используемое для определения уровня мощности, принимаемой антенной. Более высокое значение RSSI обычно указывает на более сильное и стабильное соединение. + (Качество воздуха в помещении) Относительная шкала IAQ, измеренная Bosch BME680. Диапазон значений 0–500. + Журнал метрик устройства + Карта узла + Журнал местоположения + Обновление последнего местоположения + Журнал параметров среды + Журнал показателей сигнала + Администрирование + Удаленное администрирование + Плохой + Средний + Хороший + Отсутствует + Поделиться… + Сигнал + Качество сигнала + Журнал трассировок + Прямой + + 1 Узел + %d Узлов + %d Узлов + %d Узлов + + Узлов к %1$d Узлов назад от%2$d + 24ч + 48ч + 1нед + 2нед + 4нед + Макс + Неизвестный возраст + Копировать + Символ колокольчика оповещения! + Критическое оповещение! + Избранное + Добавить \'%s\' как избранный узел? + Удалить \'%s\' как избранный узел? + Журнал энергопотребления + Канал 1 + Канал 2 + Канал 3 + Ток + Напряжение + Вы уверены? + документацию ролей и блог об этомвыбор правильной роли.]]> + Я знаю, что я делаю. + Узел %1$s имеет низкий заряд батареи (%2$d%%) + Уведомление о низком заряде + Низкий заряд батареи: %s + Уведомления о низком заряде батареи (Фаворитные узлы) + Давление на барометре + Сеть через UDP включена + UDP Config + Последний приём: %2$s
Последнее местоположение: %3$s
Батарея: %4$s]]>
+ Переключить мою позицию + Пользователь + Каналы + Устройство + Позиция + Питание + Сеть + Дисплей + LoRa + Bluetooth + Безопасность + MQTT + Серийный порт + Внешние уведомления + + Проверка дальности + Телеметрия + Заготовки сообщений + Звук + Удаленное устройство + Информация об окружности + Световое освещение + Датчик обнаружения + Счётчик прохожих + Настройка звука + CODEC 2 включен + PTT контакт + Скорость дискретизации CODEC2 + Выбор слов I2S + Вход данных I2S + Выход данных I2S + Часы I2S + Настройка Bluetooth + Bluetooth включен + Режим привязки + Фиксированный PIN-код + Uplink включен + Downlink включен + По умолчанию + Позиция включена + Точность местоположения + GPIO контакт + Тип + Скрыть пароль + Показать пароль + Подробности + Окружающая среда + Настройки Ambient Lighting + Состояние LED + Красный + Зеленый + Синий + Конфигурация шаблонных сообщений + Шаблонные сообщения включены + Вращающегося энкодер #1 включён + GPIO контакт для порта вращающегося энкодера A + GPIO контакт для порта вращающегося энкодера B + GPIO контакт для порта кнопки + Создать событие ввода при нажатии + Создать событие ввода для CW + Создать событие ввода для CW + Вверх/Вниз/Выбирать включён + Разрешить источник ввода + Отправить колокольчик + Сообщения + Настройка датчика обнаружения + Датчик определения включен + Минимальная трансляция (в секундах) + Трансляция состояния (в секундах) + Отправить колокол с уведомлением + Понятное имя + GPIO контакт для мониторинга + Тип триггера обнаружения + Использовать режим INPUT_PULLUP + Настройки устройства + Роль + Изменить PIN_BUTTON + Переопределить PIN_BUZER + Режим ретрансляции + Интервал трансляции узла (в секундах) + Двойное нажатие по нажатию кнопки + Отключить тройное нажатие + POSIX Timezone + Отключить светодиод + Отображать конфигурацию + Тайм-аут экрана (в секундах) + Формат координат GPS + Автоматическая карусель экрана (в секундах) + Север компаса в верх + Повернуть экран + Единицы отображения + Переопределить автоопределение OLED + Режим экрана + Направление жирным текстом + Включать экран при касании или движении + Направление компаса + Настройка внешнего уведомления + Внешние уведомления включены + Уведомления о получении сообщения + LED-индикатор уведомлений + Звуковой уведомитель сообщений + Вибрация при уведомлении + Уведомления при получении оповещения/звонка + Светодиодный индикатор + Бузер оповещений + Вибросигнал + Выход LED (GPIO) + Вывод светодиода активный высокий + Выход Буззера (GPIO) + Использовать PWM буззер + Вибросигнал (GPIO) + Продолжительность вывода (миллисекунды) + Таймаут Nag (в секундах) + Рингтон + Использовать I2S как буззер + Настройка LoRa + Использовать шаблон модема + Режим работы модема + Ширина канала + Коэффициент распространения + Частота кодирования + Частота смещения (MHz) + Регион (частотный план) + Ограничение прыжков + TX включён + Мощность TX (dBm) + Частотный слот + Переопределить цикл работы + Игнорировать входящие + Повышенная усиление SX126X RX + Переопределить частоту (MHz) + PA вентилятор выключен + Игнорировать MQTT + ОК в MQTT + Настройка MQTT + MQTT включен + Адрес + Имя пользователя + Пароль + Шифрование включено + Вывод JSON включен + TLS включен + Корневая тема + Прокси клиенту включен + Отчёты по карте + Интервал отсчета карты (в секундах) + Настройки соседей + Информация о соседях включена + Интервал обновления (в секундах) + Передать через LoRa + Настройка сети + WiFi включен + Название сети + Пароль + Ethernet включен + NTP сервер + Сервер rsyslog + Режим IPv4 + IP адрес + Шлюз + Subnet + Настройки Paxcounter + Paxcounter включен + Порог WiFi RSSI (по умолчанию -80) + BLE RSSI порог (по умолчанию -80) + Настройки позиции + Интервал трансляции позиции (секунды) + Умная позиция включена + Умная трансляция минимальное расстояние (метры) + Минимальный интервал умной трансляции (секунд) + Использовать фиксированную позицию + Широта + Долгота + Высота (в метрах) + Режим GPS + Интервал обновления GPS (в секундах) + Переопределить GPS_RX_PIN + Переопределить GPS_TX_PIN + Переопределить PIN_GPS_EN + Флаги позиции + Настройка питания + Включить энергосбережение + Задержка выключения в режиме батареи (в секундах) + Коэффициент переопределения ADC + Ожидание Bluetooth (в секундах) + Длительность супер глубокого сна (в секундах) + Длительность легкого сна (в секундах) + Минимальное время пробуждения (в секундах) + Батарея INA_2XX I2C адрес + Настройка проверки дальности + Проверка дальности включена + Интервал сообщений отправителя (в секундах) + Сохранить .CSV в хранилище (только ESP32) + Настройка удаленного оборудования + Удаленное оборудование включено + Разрешить неопределённый контакт + Доступные контакты + Настройки безопасности + Публичный ключ + Закрытый ключ + Ключ админа + Управляемый режим + Серийный консоль + API лог включен + Устаревший канал Администратора + Настройка серийного порта + Серийный порт включен + Echo включен + Скорость порта + Время ожидания истекло + Серийный режим + Переопределить серийный порт консоли + + Heartbeat + Количество записей + Макс возврат истории + Окно возврата истории + Сервер + Настройка телеметрии + Интервал обновления метрик устройства (в секундах) + Интервал обновления метрик окружения (в секундах) + Модуль метрик окружения включен + Показатели окружения на экране включены + Использовать метрику окружения в Fahrenheit + Модуль измерения качества воздуха включен + Интервал обновления показателей качества воздуха (в секундах) + Значок качества воздуха + Модуль метрик питания включен + Интервал обновления метрик питания (в секундах) + Включить метрики питания на экране + Настройки пользователя + ID узла + Полное имя + Короткое имя + Модель оборудования + Лицензированный радиолюбитель (HAM) + Включение данной опции отключает шифрование и несовместимо с основной сетью Meshtastic. + Точка росы + Давление + Сопротивление газа + Расстояние + Lux + Ветер + Вес + Радиация + + Качество воздуха в помещении (IAQ) + URL-адрес + + Импорт настроек + Экспорт настроек + Оборудование + Поддерживается + Номер узла + ID пользователя + Время работы + Нагрузка %1$d + Отметка времени + Курс + Скорость + Количество спутников + Уровень моря + Частота + Слот + Первичный + Периодическая трансляция местоположения и телеметрии + Вторичный + Нет периодической телеметрической передачи + Требуется запрос позиции вручную + Нажмите и перетащите для изменения порядка + Включить микрофон + Динамический + Сканировать QR код + Поделиться контактом + Импортировать контакт? + Не отправляемо + Неконтролируемые или инфраструктура + Внимание: Данный контакт уже существует, импорт перезапишет ранее известную информацию о нём. + Публичный ключ изменён + Импортировать + Запросить метаданные + Действия + Прошивка + Использовать 12-часовой формат времени + Если включено, устройство будет отображать время на экране в 12-часовом формате. + Журнал метрик хоста + Хост + Свободная память + Свободно памяти на диске + Загрузка + Строка пользователя + Перейти в + Узлы + Настройки + Установите ваш регион + Ответить + Ваш узел будет периодически отправлять незашифрованный пакет отчёта карты на настроенный MQTT-сервер, что включает идентификатор, полное и краткое имя, примерное местоположение, модель аппаратного обеспечения, роль, версия прошивки, регион LoRa, режим работы передатчика и имя основного канала. + Согласие на передачу незашифрованных данных узла через MQTT + Включая данную функцию, вы подтверждаете и прямо соглашаетесь на передачу географического местоположения вашего устройства в реальном времени через протокол MQTT без шифрования. Эти данные о местоположении могут быть использованы для таких целей, как отчёты карты в реальном времени, отслеживание устройства и подобные функции телеметрии. + Я прочитал и понял вышеописанное. Я добровольно даю согласие на незашифрованную передачу данных моего узла через MQTT + Я согласен. + Рекомендуется обновление прошивки. + Чтобы использовать последние исправления и функции, обновите прошивку вашего узла. \n\nПоследняя стабильная версия прошивки: %1$s + Срок действия + Время + Дата + Фильтр карты\n + Только Избранные + Показать путевые точки + Показывать точные круги + Уведомления клиента + Обнаружены скомпрометированные ключи, нажмите OK для пересоздания. + Пересоздать приватный ключ + Вы уверены, что хотите пересоздать свой приватный ключ?\n\nУзлы, которые ранее обменивались ключами с этим узлом, должны будут удалить этот узел и повторно обменяться ключами для того, чтобы возобновить защищённую связь. + Экспортировать ключи + Экспортирует публичный и приватный ключи в файл. Пожалуйста, храните их где-нибудь в безопасности. + Модули разблокированы + Удаленные + (%1$d в сети / всего %2$d) + Среагировать + Отключиться + Сетевые устройства не найдены. + USB-устройства COM-порта не найдены. + Прокрутить вниз + Meshtastic + Сканирование + Статус безопасности + Безопасный + Предупреждающий Знак + Неизвестный канал + Предупреждение + Переполнение меню + УФ Люкс + Неизвестно + Очистить сейчас + Зеленый замок означает, что канал надежно зашифрован либо 128, либо 256 битным ключом AES. + + Небезопасный канал, не точный + Желтый открытый замок означает, что канал небезопасно зашифрован, не используется для точного определения местоположения и не использует ни один ключ вообще, ни один из известных байтовых ключей. + + Небезопасный канал, точное местоположение + Красный открытый замок означает, что канал не зашифрован, используется для точного определения местоположения и не использует ни один ключ вообще, ни один байтный известный ключ. + + Предупреждение: Небезопасно, точное местоположение; Uplink MQTT + Красный открытый замок с предупреждением означает, что канал не зашифрован, используется для получения точных данных о местоположении, которые передаются через Интернет по MQTT, и не использует ни один ключ вообще, ни один байтовый известный ключ. + + Безопасность канала + Значения безопасности канала + Показать все значения + Показать текущий статус + Отменить + Ответить %1$s + Отменить ответ + Удалить сообщения? + Очистить выбор + Сообщение + PAX + WiFi устройства + Просмотреть релиз + Скачать + Текущая версия: + Последняя стабильная + Последняя альфа + Версия прошивки + Начать работу + Входящие сообщения + Поделиться геопозицией + ........ + Пропустить + Алерты + + Далее + Обычный + Спутниковая + Ландшафт + Смешанный + Управление Слоями Карты + Слои карты + Пользовательские слои не загружены. + Добавить слой + Скрыть слой + Показать слой + Удалить слой + Добавить слой + Узлы в этом месте + Выбранный тип карты + Управление собственными источниками плиток + Добавить свой источник плиток + Нет пользовательских источников плиток + Изменить свой источник плиток + Удалить свой источник плиток + Имя не может быть пустым. + Имя провайдера уже существует. + URL не может быть пустым. + URL должен содержать placeholders. + Шаблон URL +
diff --git a/app/src/main/res/values-sk-rSK/strings.xml b/app/src/main/res/values-sk-rSK/strings.xml new file mode 100644 index 000000000..4396b9698 --- /dev/null +++ b/app/src/main/res/values-sk-rSK/strings.xml @@ -0,0 +1,325 @@ + + + + Filter + vymazať filter uzlov + Vrátane neznámych + Zobraziť detaily + Nastavenie triedenia uzlov + A-Z + Kanál + Vzdialenosť + Počet skokov + Posledný príjem + cez MQTT + cez MQTT + Prostredníctvom obľúbených + Nerozoznaný + Čaká sa na potvrdenie + Vo fronte na odoslanie + Potvrdené + Žiadna trasa + Prijaté negatívne potvrdenie + Časový limit + Žiadne rozhranie + Dosiahnutý maximum opakovaných prenosov + Žiaden kanál + Príliš veľký paket + Bez odozvy + Nesprávna požiadavka + Dosiahnutý regionálny limit pracovného cyklu + Neautorizované + Zlyhalo šifrované odosielanie + Neznámy verejný kľúč + Zlý kľúč relácie + Verejný kľúč neautorizovaný + Pripojená aplikácia, alebo samostatné zariadenie na odosielanie správ. + Zariadenie, ktoré nepreposiela pakety z ďalších zariadení. + Uzol infraštruktúry na rozšírenie pokrytia siete prenosom správ. Viditeľný v zozname uzlov. + Kombinácia ROUTER a CLIENT. Nie pre mobilné zariadenia. + Uzol infraštruktúry na rozšírenie pokrytia siete prenosom správ s minimálnou réžiou. Nezobrazuje sa v zozname uzlov. + Prioritne vysiela pakety polohy GPS. + Prioritne vysiela telemetrické pakety. + Optimalizované pre systémovú komunikáciu ATAK, znižuje rutinné vysielanie. + Zariadenie, ktoré vysiela len podľa potreby pre utajenie, alebo úsporu energie. + Pravidelne vysiela polohu ako správu na predvolený kanál, aby pomohol pri obnove zariadenia. + Umožňuje automatické vysielanie TAK PLI a znižuje rutinné vysielanie. + Uzol infraštruktúry, ktorý vždy preposiela pakety raz, ale až po všetkých ostatných režimoch, čím zabezpečuje dodatočné pokrytie pre miestne zväzky. Viditeľný v zozname uzlov. + Preposiela akúkoľvek pozorovanú správu, ak bola na našom súkromnom kanáli alebo z inej siete s rovnakými parametrami lora. + Rovnaké ako správanie ako ALL, ale preskočí dekódovanie paketov a jednoducho ich prepošle. Dostupné iba v úlohe Opakovača. Nastavenie tejto možnosti na akékoľvek iné roly bude mať za následok správania sa ako ALL. + Ignoruje pozorované správy z cudzích sietí, ktoré sú otvorené alebo tie, ktoré nedokáže dešifrovať. Opätovne vysiela správu iba na lokálnych primárnych / sekundárnych kanáloch uzlov. + Ignoruje pozorované správy z cudzích sietí, ako napríklad LOCAL ONLY, ale ide o krok ďalej tým, že ignoruje aj správy z uzlov, ktoré ešte nie sú v známom zozname uzla. + Povolené len pre role SENSOR, TRACKER a TAK_TRACKER, zamedzí to všetkým opätovným vysielaniam, na rozdiel od roly CLIENT_MUTE. + Ignoruje pakety z neštandardných portov, ako sú: TAK, RangeTest, PaxCounter atď. Opätovne vysiela iba pakety so štandardnými portami: NodeInfo, Text, Position, Telemetry a Routing. + Vykoná dvojklepnutie na podporovaných akcelerometroch ako stlačenie užívateľského tlačidla. + Vypne trojité stlačenie užívateľského tlačidla pre zapnutie, alebo vypnutie GPS. + Ovláda blikajúcu LED na zariadení. Pre väčšinu zariadení toto ovláda jednu zo štyroch LED, neovláda LED pre GPS a nabíjanie. + Okrem odoslania do MQTT a PhoneAPI je prenášanie informácii o susedoch prostredníctvom LoRa. Nedostupné na kanáli s predvoleným kľúčom a názvom. + Verejný kľúč + Názov kanála + QR kód + Ikona aplikácie + Neznáme užívateľské meno + Odoslať + K tomuto telefónu ste ešte nespárovali žiadne zariadenie kompatibilné s Meshtastic. Prosím spárujte zariadenie a nastavte svoje užívateľské meno.\n\nTáto open-source aplikácia je v alpha testovacej fáze, ak nájdete chybu, prosím popíšte ju na fóre: https://github.com/orgs/meshtastic/discussions\n\n Pre viac informácií navštívte web stránku - www.meshtastic.org. + Vy + Prijať + Odmietnuť + Prijatá nová URL kanálu + Nahlásiť chybu + Nahlásiť chybu + Ste si istý, že chcete nahlásiť chybu? Po odoslaní prosím pridajte správu do https://github.com/orgs/meshtastic/discussions aby sme vedeli priradiť Vami nahlásenú chybu ku Vášmu príspevku. + Nahlásiť + Párovanie ukončené, štartujem službu + Párovanie zlyhalo, prosím skúste to znovu + Prístup k polohe zariadenia nie je povolený, nedokážem poskytnúť polohu zariadenia Mesh sieti. + Zdieľať + Odpojené + Vysielač uspaný + Pripojený: %1$s online + IP adresa: + Pripojené k vysielaču (%s) + Nepripojené + Pripojené k uspanému vysielaču + Aplikáciu je potrebné aktualizovať + Musíte aktualizovať aplikáciu na Google Play store (alebo z Github). Je príliš stará pre komunikáciu s touto verziou firmvéru vysielača. Viac informácií k tejto téme nájdete na Meshtastic docs. + Žiaden (zakázať) + Notifikácie zo služby + O aplikácii + URL adresa tohoto kanála nie je platná a nedá sa použiť + Debug okno + Zmazať + Stav doručenia správy + Notifikácie upozornení + Nutná aktualizácia firmvéru. + Firmvér vysielača je príliš zastaralý, aby dokázal komunikovať s aplikáciou. Viac informácií nájdete na našom sprievodcovi inštaláciou firmvéru. + Musíte nastaviť región! + Nie je možné zmeniť kanál, pretože vysielač ešte nie je pripojený. Skúste to neskôr. + Exportovať rangetest.csv + Obnoviť + Skenovať + Pridať + Ste si istý, že sa chcete prepnúť na predvolený kanál? + Obnoviť na predvolené nastavenia + Použiť + Téma + Svetlá + Tmavá + Predvolená systémom + Výber témy + Poskytnúť polohu telefónu do siete + + Vymazať správu? + Vymazať %s správy? + Vymazať %s správ? + Vymazať správy? + + Vymazať + Vymazať pre všetkých + Vymazať pre mňa + Vybrať všetko + Štýl výberu + Stiahnuť oblasť + Názov + Popis + Zamknuté + Uložiť + Jazyk + Predvolené nastavenie + Znovu poslať + Vypnúť + Toto zariadenie nepodporuje vypínanie + Reštartovať + Trasovanie + Zobraziť úvod + Správa + Nastavenia rýchleho četu + Nový rýchly čet + Edituj rýchly čet + Pripojiť k správe + Okamžite pošli + Obnova do výrobných nastavení + Priama správa + Reset databázy uzlov + Doručenie potvrdené + Chyba + Ignorovať + Pridať \'%s\' do zoznamu ignorovaných? + Odstrániť \'%s\' zo zoznamu ignorovaných? + Vybrať oblasť na stiahnutie + Odhad sťahovania dlaždíc: + Spustiť sťahovanie + Vymeniť si pozície + Zavrieť + Konfigurácia vysielača + Konfigurácia modulu + Pridať + Upraviť + Prepočítavanie… + Offline manager + Aktuálna veľkosť cache + Kapacita cache: %1$.2f MB\nVyužitie cache: %2$.2f MB + Vymazať stiahnuté dlaždice + Zdroj dlaždíc + SQL Cache vyčistená pre %s + Vyčistenie SQL Cache zlyhalo, podrobnosti nájdete v logcat + Cache Manager + Sťahovanie dokončené! + Sťahovanie ukončené s %d chybami + %d dlaždíc + smer: %1$d° vzdialenosť: %2$s + Editovať cieľový bod + Vymazať cieľový bod? + Nový cieľový bod + Prijatý cieľový bod: %s + Dosiahnutý limit pracovného cyklu. Nedá sa teraz posielať správy, skúste neskôr. + Odstrániť + Tento uzol bude odstránený z vášho zoznamu, kým váš uzol opäť príjme jeho údaje. + Stlmiť notifikácie + 8 hodín + 1 týždeň + Vždy + Nahradiť + Skenuj WiFi QR kód + Neplatný formát QR kódu poverenia WiFi + Navigovať späť + Batéria + Využitie kanálu + Využitie éteru + Teplota + Vlhkosť + Záznamy + Počet skokov + Informácia + Využitie pre aktuálny kanál, vrátane dobre vytvoreného TX, RX a poškodeného RX (známy ako šum). + Percento vysielacieho času na prenos použitého za poslednú hodinu. + IAQ + Zdieľaný kľúč + Priame správy používajú zdieľaný kľúč pre kanál. + Šifrovanie verejného kľúča + Priame správy využívajú na šifrovanie novú infraštruktúru verejného kľúča. Vyžaduje verziu firmvéru 2.5 alebo vyššiu. + Nezhoda verejného kľúča + Verejný kľúč sa nezhoduje so zaznamenaným kľúčom. Môžete odstrániť uzol a nechať ho znova vymeniť kľúče, ale to môže naznačovať vážnejší bezpečnostný problém. Kontaktujte používateľa prostredníctvom iného dôveryhodného kanála a zistite, či bola zmena kľúča spôsobená obnovením továrenských nastavení alebo inou úmyselnou akciou. + Vymeniť si používateľské informácie + Notifikácie nových uzlov + Viac detailov + SNR + Pomer signálu od šumu (SNR), miera používaná v komunikácii na kvantifikáciu úrovne požadovaného signálu k úrovni hluku pozadia. V Meshtastic a iných bezdrôtových systémoch znamená vyšší SNR jasnejší signál, ktorý môže zvýšiť spoľahlivosť a kvalitu prenosu údajov. + RSSI + Indikátor sily prijímaného signálu (RSSI), meranie používané na určenie úrovne výkonu prijatého skrz anténu. Vyššia hodnota RSSI vo všeobecnosti znamená silnejšie a stabilnejšie pripojenie. + (Kvalita vzduchu v interiéri) relatívna hodnota IAQ meraná prístrojom Bosch BME680. Rozsah hodnôt 0–500. + Log metrík zariadenia + Mapa uzlov + Log pozície + Log poveternostných metrík + Log metrík signálu + Administrácia + Administrácia na diaľku + Zlý + Primeraný + Dobrý + Žiadny + Zdieľať… + Signál + Kvalita signálu + Log trasovania + Priamo + + 1 skok + %d skoky + %d skokov + %d skokov + + Počet skokov smerom k %1$d Počet skokov späť %2$d + 24 hodín + 48 hodín + 1 týždeň + 2 týždne + 4 týždne + Maximum + Neznámy vek + Kopírovať + Znak zvončeku upozornení! + Kritická výstraha! + Obľúbený + Pridať \'%s\', ako obľúbený uzol? + Odstrániť \'%s\' obľúbený uzol? + Záznamník výkonu + Kanál 1 + Kanál 2 + Kanál 3 + Prúd + Napätie + Si si istý? + Dokumentáciu o úlohách zariadení a blog o Výberaní správnej úlohy pre zariadenie .]]> + Viem čo robím. + Upozornenia o slabej batérii + Slabá batéria: %s + Upozornenia o slabej batérii (obľúbene uzle) + Barometrický tlak + Sieť prostredníctvom UDP zapnutá + Konfigurácia UDP + Zapnúť lokalizáciu + Užívateľ + Kanále + Zariadenie + Pozícia + Napájanie + Sieť + Obrazovka + LoRa + Bluetooth + Zabezpečenie + MQTT + Sériový + Externá notifikácia + + Test dosahu + Telemetria + Konzervovaná správa + Zvuk + Vzdialený hardvér + Informácia o susedoch + Ambientné osvetlenie + Detekčný senzor + Počítadlo ľudí + Konfigurácia zvuku + CODEC 2 zapnutý + PTT pin + CODEC2 vzorkovacia frekvencia + I2C výber slova + I2S vstup dát + I2S výstup dát + I2S čas + Konfigurácia Bluetooth + Bluetooth zapnuté + Režim párovania + Pevný PIN + Prostredie + Správy + Verejný kľúč + Súkromný kľúč + Časový limit + Vzdialenosť + Nastavenia + + + + + Správa + diff --git a/app/src/main/res/values-sl-rSI/strings.xml b/app/src/main/res/values-sl-rSI/strings.xml new file mode 100644 index 000000000..175176e82 --- /dev/null +++ b/app/src/main/res/values-sl-rSI/strings.xml @@ -0,0 +1,261 @@ + + + + Filter + Počisti filtre vozlišča + Vključi neznane + Prikaži podrobnosti + A-Z + Kanal + Razdalja + Skokov stran + Nazadnje slišano + Preko MQTT + Preko MQTT + Neprepoznano + Čakanje na potrditev + V čakalni vrsti za pošiljanje + Potrjeno + Brez poti + Prejeta negativna potrditev + Časovna omejitev + Brez vmesnika + Dosežena meja ponovnega pošiljanja + Brez kanala + Paketek je prevelik + Brez odgovora + Slaba zahteva + Dosežena regionalna omejitev delovnega cikla + Niste pooblaščeni + Šifrirano pošiljanje ni uspelo + Neznan javni ključ + Napačen sejni ključ + Javni ključ ni pooblaščen + Aplikacija povezana ali samostojna naprava za sporočanje. + Naprava ki ne posreduje paketkov drugih naprav. + Infrastrukturno vozlišče za razširitev pokritosti omrežja s posredovanjem sporočil. Vidno na seznamu vozlišč. + Kombinacija ROUTER in CLIENT. Ni za mobilne naprave. + Infrastrukturno vozlišče za razširitev pokritosti omrežja s posredovanjem sporočil z minimalnimi stroški. Ni vidno na seznamu vozlišč. + Prednostno oddaja paketke GPS položaja. + Prednostno oddaja paketke telemetrije. + Optimizirano za komunikacijo sistema ATAK, zmanjšuje rutinsko oddajanje. + Naprava, ki oddaja samo po potrebi zaradi prikritosti ali varčevanja z energijo. + Redno oddaja lokacijo kot sporočilo privzetemu kanalu za pomoč pri vrnitvi naprave. + Omogoča samodejno oddajanje TAK PLI in zmanjšuje rutinsko oddajanje. + Infrastrukturno vozlišče, ki vedno znova oddaja paketke enkrat, vendar šele po vseh drugih načinih, kar zagotavlja dodatno pokritost za lokalne gruče. Vidno na seznamu vozlišč. + Ponovno oddaja vsako opaženo sporočilo, če je bilo na našem zasebnem kanalu ali iz drugega omrežja z enakimi parametri. + Enako kot vedenje ALL, vendar preskoči dekodiranje paketkov in jih preprosto ponovno odda. Na voljo samo v vlogi Repeater. Če to nastavite za katero koli drugo vlogo, bo to povzročilo vedenje ALL. + Ignorira opažena sporočila tujih odprtih mrež, ali tistih, ki jih ne more dešifrirati. Ponovno oddaja samo sporočila na lokalnih primarnih/sekundarnih kanalih vozlišč. + Ignorira opažena sporočila iz tujih mrež, kot je LOCAL ONLY, vendar gre korak dlje, tako da ignorira tudi sporočila vozlišč, ki še niso na seznamu znanih. + Dovoljeno samo za vloge SENSOR, TRACKER in TAK_TRACKER, prepovedano bo vsakršnje ponovno oddajanje, v nasprotju z vlogo CLIENT_MUTE. + Ignorira nestandardne paketke, kot so: TAK, RangeTest, PaxCounter itd. Ponovno oddaja samo standardne paketke: NodeInfo, Text, Position, Telemetry in Routing. + Obravnavaj dvojni pritisk na podprtih merilnikih pospeška kot pritisk uporabnika. + Onemogoči trikratni pritisk uporabniškega gumba za omogočanje ali onemogočanje GPS. + Upravlja utripajočo LED na napravi. Pri večini naprav bo to krmililo eno od največ 4 LED diod, LED napajanja in GPS ni mogoče nadzorovati. + Izbira ali je treba naš NeighborInfo poleg pošiljanja v MQTT in PhoneAPI posredovati tudi prek LoRa. Ni na voljo na kanalu s privzetim ključem in imenom. + Javni ključ + Ime kanala + QR koda + Ikona aplikacije + Neznano uporabniško ime + Pošlji + S tem telefonom še niste seznanili združljivega Meshtastic radia. Prosimo povežite napravo in nastavite svoje uporabniško ime. \n\nTa odprtokodna aplikacija je v alfa testiranju, če imate težave, objavite na našem spletnem klepetu.\n\nZa več informacij glejte našo spletno stran - www.meshtastic.org. + Jaz + Sprejmi + Prekliči/zavrzi + Prejet je bil novi URL kanala + Prijavi napako + Prijavite napako + Ali ste prepričani, da želite prijaviti napako? Po poročanju objavite v https://github.com/orgs/meshtastic/discussions, da bomo lahko primerjali poročilo s tistim, kar ste našli. + Poročilo + Seznanjanje zaključeno, zagon storitve + Seznanjanje ni uspelo. Prosimo, izberite znova + Dostop do lokacije je onemogočen, mreža ne more prikazati položaja. + Souporaba + Prekinjeno + Naprava je v \"spanju\" + IP naslov: + Povezana z radiem (%s) + Ni povezano + Povezan z radiem, vendar radio \"spi\" + Aplikacija je prestara + To aplikacijo morate posodobiti v trgovini Google Play (ali Github). Žal se ne more povezati s tem radiem. + Brez (onemogoči) + Obvestila storitve + O programu + Neveljaven kanal + Plošča za odpravljanje napak + Počisti + Stanje poslanega sporočila + Zastarela programska oprema. + Vdelana programska oprema radijskega sprejemnika je za pogovor s to aplikacijo prestara. Za več informacij o tem glejtenaš vodnik za namestitev strojne programske opreme. + V redu + Nastavitev regije! + Menjava ni možna ni radia. + Izvozi rangetest.csv + Ponastavi + Skeniraj + Dodaj + Ali si prepričan spremeni na osnovno? + Ponastavi na osnovno + Uporabi + Tema + Svetla tema + Temna tema + Privzeta sistemska + Izberi temo + Zagotovi lokacijo telefona v omrežju + + Izbriši sporočilo? + Izbrišem sporočili? + Izbrišem %s sporočila? + Izbrišem sporočila: %1$s? + + Izbriši + Izbriši za vse + Izbriši zame + Izberi vse + Izbor stila + Prenesi regijo + Ime + Opis + Zaklenjeno + Shrani + Jezik + Privzeta sistemska + Ponovno pošlji + Ugasni + Izklop na tej napravi ni podprt + Ponovni zagon + Pot + Pokaži napoved + Sporočilo + Možnosti hitrega klepeta + Novi hitri klepet + Uredi hitri klepet + Dodaj v sporočilo + Pošlji takoj + Povrnitev tovarniških nastavitev + Direktno sporočilo + Ponastavi NodeDB + Prejem potrjen + Napaka + Prezri + Dodaj \'%s\' na prezrto listo? + Odstrani \'%s\' iz prezrte liste? + Prenesi izbrano regijo + Ocena prenosa plošče: + Začni prenos + Zapri + Nastavitev radia + Nastavitev modula + Dodaj + Uredi + Preračunavam… + Upravljalnik brez povezave + Trenutna velikost predpomnilnika + Velikost predpomnilnika: %1$.2f MB\nUporaba predpomnilnika: %2$.2f MB + Počisti izbrane ploščice + Vir plošcice + Predpomnilnik SQL očiščen za %s + Čiščenje predpomnilnika SQL Cache ni uspelo, za podrobnosti glejte logcat + Upravitelj predpomnilnika + Prenos končan! + Prenos končan z %d napakami + %d plošče + lega: %1$d° oddaljenost: %2$s + Uredi točko poti + Izbriši točko poti? + Nova točka poti + Prejeta točka poti: %s + Dosežena je omejitev delovnega cikla. Trenutno ne morete pošiljati sporočil, poskusite kasneje. + Odstrani + To vozlišče bo odstranjeno z vašega seznama, dokler vaše vozlišče znova ne prejme njegovih podatkov. + Utišaj obvestila + 8 ur + 1 teden + Vedno + Zamenjaj + Skeniraj WiFi QR kodo + Neveljavna oblika WiFi QR kode + Pojdi nazaj + Baterija + Uporaba kanala + Uporaba oddaje + Temperatura + Vlaga + Dnevniki + Skokov stran + Informacije + Uporaba za trenutni kanal, vključno z dobro oblikovanimi TX, RX in napačno oblikovanim RX (šum). + Odstotek časa oddajanja v zadnji uri. + IAQ + Skupni ključ + Neposredna sporočila uporabljajo skupni ključ za kanal. + Šifriranje javnega ključa + Neposredna sporočila za šifriranje uporabljajo novo infrastrukturo javnih ključev. Zahteva različico 2.5 ali novejšo. + Neujemanje javnega ključa + Javni ključ se ne ujema s zabeleženim ključem. Odstranite lahko vozlišče in pustite, da znova izmenja ključe, vendar to lahko pomeni resnejšo varnostno težavo. Obrnite se na uporabnika prek drugega zaupanja vrednega kanala, da ugotovite, ali je bila sprememba ključa posledica ponastavitve na tovarniške nastavitve ali drugega namernega dejanja. + Obvestila novih vozlišč + Več podrobnosti + SNR + Razmerje med signalom in šumom je merilo, ki se uporablja v komunikacijah za količinsko opredelitev ravni želenega signala glede na raven hrupa v ozadju. V Meshtastic in drugih brezžičnih sistemih višji SNR pomeni jasnejši signal, ki lahko poveča zanesljivost in kakovost prenosa podatkov. + RSSI + Indikator moči sprejetega signala je meritev, ki se uporablja za določanje ravni moči, ki jo sprejema antena. Višja vrednost RSSI na splošno pomeni močnejšo in stabilnejšo povezavo. + (Kakovost zraka v zaprtih prostorih) relativna vrednost IAQ na lestvici, izmerjena z Bosch BME680. Razpon vrednosti 0–500. + Dnevnik meritev naprave + Zemljevid vozlišč + Dnevnik lokacije + Dnevnik meritev okolja + Dnevnik meritev signala + Administracija + Administracija na daljavo + Slab + Precejšen + Dober + Brez + Delite z… + Signal + Kakovost signala + Dnevnik poti + Neposreden + + 1 skok + %dskoka + %dskoka + %dskoki + + Skokov k %1$d Skokov nazaj %2$d + 24ur + 48ur + 1T + 2T + 4T + Maks. + Kopiraj + Znak opozorilnega zvonca! + Javni ključ + Zasebni ključ + Časovna omejitev + Razdalja + + + + + Sporočilo + diff --git a/app/src/main/res/values-sq-rAL/strings.xml b/app/src/main/res/values-sq-rAL/strings.xml new file mode 100644 index 000000000..c6927b81e --- /dev/null +++ b/app/src/main/res/values-sq-rAL/strings.xml @@ -0,0 +1,231 @@ + + + + Filtrimi + pastro filtrin e nyjës + Përfshi të panjohurat + Shfaq detajet + Kanal + Distanca + Hop-e larg + I fundit që u dëgjua + përmes MQTT + përmes MQTT + I panjohur + Pritet të pranohet + Në radhë për dërgim + Pranuar + Nuk ka rrugë + Marrë një njohje negative + Koha e skaduar + Nuk ka ndërfaqe + Arritur kufiri i ri-dërgimeve + Nuk ka kanal + Paketa shumë e madhe + Nuk ka përgjigje + Kërkesë e gabuar + Arritur kufiri i ciklit të detyrës rajonale + Nuk jeni të autorizuar + Dërgesa e enkriptuar ka dështuar + Çelësi publik i panjohur + Çelës sesioni i gabuar + Çelësi publik i paautorizuar + Pajisje e lidhur ose pajisje mesazhi autonome. + Pajisje që nuk kalon paketa nga pajisje të tjera. + Nyjë infrastrukture për zgjerimin e mbulimit të rrjetit duke transmetuar mesazhe. E dukshme në listën e nyjeve. + Kombinim i të dyjave ROUTER dhe CLIENT. Nuk është për pajisje mobile. + Nyjë infrastrukture për zgjerimin e mbulimit të rrjetit duke transmetuar mesazhe me ngarkesë minimale. Nuk është e dukshme në listën e nyjeve. + Transmeton paketa pozicioni GPS si prioritet. + Transmeton paketa telemetri si prioritet. + Optimizuar për komunikim në sistemin ATAK, zvogëlon transmetimet rutinë. + Pajisje që transmeton vetëm kur është e nevojshme për fshehtësi ose kursim energjie. + Transmeton vendndodhjen si mesazh në kanalin e parazgjedhur rregullisht për të ndihmuar në rikuperimin e pajisjeve. + Aktivizon transmetimet automatikisht TAK PLI dhe zvogëlon transmetimet rutinë. + Ritransmeton çdo mesazh të vërejtur, nëse ishte në kanalin tonë privat ose nga një tjetër rrjet me të njëjtat parametra LoRa. + Po të njëjtën sjellje si ALL, por kalon pa dekoduar paketat dhe thjesht i ritransmeton. I disponueshëm vetëm për rolin Repeater. Vendosja e kësaj në rolet e tjera do të rezultojë në sjelljen e ALL. + Injoron mesazhet e vëzhguara nga rrjete të huaja që janë të hapura ose ato që nuk mund t\'i dekodoj. Vetëm ritransmeton mesazhe në kanalet lokale primare / dytësore të nyjës. + Injoron mesazhet e vëzhguara nga rrjete të huaja si LOCAL ONLY, por e çon më tutje duke injoruar edhe mesazhet nga nyje që nuk janë në listën e njohur të nyjës. + Lejohet vetëm për rolet SENSOR, TRACKER dhe TAK_TRACKER, kjo do të pengojë të gjitha ritransmetimet, jo ndryshe nga roli CLIENT_MUTE. + Injoron paketat nga portnumra jo standardë si: TAK, RangeTest, PaxCounter, etj. Vetëm ritransmeton paketat me portnumra standard: NodeInfo, Text, Position, Telemetry, dhe Routing. + Emri i kanalit radio + Kodi QR + Ikona e aplikacionit + Emri i përdoruesit është i panjohur + Dërgo + Ju ende nuk keni lidhur një paisje radio Meshtastic me këtë telefon. Ju lutem lidhni një paisje radio dhe vendosni emrin e përdoruesit.\n\nKy aplikacion është software i lire \"open-source\" dhe në variantin Alpha për testim. Nëse hasni probleme, ju lutem shkruani në çatin e faqes tonë të internetit: https://github.com/orgs/meshtastic/discussions\n\nPër më shumë informacione vizitoni faqen tonë në internet - www.meshtastic.org. + Ju + Prano + Anullo + Ju keni një kanal radio të ri URL + Raporto Bug + Raporto një bug + Jeni të sigurtë që dëshironi të raportoni një bug? Pas raportimit, ju lutem postoni në https://github.com/orgs/meshtastic/discussions që të mund të lidhim raportin me atë që keni gjetur. + Raporto + Lidhja u përfundua, duke nisur shërbimin + Lidhja dështoi, ju lutem zgjidhni përsëri + Aksesimi në vendndodhje është i fikur, nuk mund të ofrohet pozita për rrjetin mesh. + Ndaj + I shkëputur + Pajisja po fle + Adresa IP: + E lidhur me radio (%s) + Nuk është lidhur + E lidhur me radio, por është në gjumë + Përditësimi i aplikacionit kërkohet + Duhet të përditësoni këtë aplikacion në dyqanin e aplikacioneve (ose Github). Është shumë i vjetër për të komunikuar me këtë firmware radioje. Ju lutemi lexoni dokumentet tona këtu për këtë temë. + Asnjë (çaktivizo) + Njoftime shërbimi + Rreth + Ky URL kanal është i pavlefshëm dhe nuk mund të përdoret + Paneli i debug-ut + Pastro + Statusi i dorëzimit të mesazhit + Përditësimi i firmware kërkohet. + Firmware radio është shumë i vjetër për të komunikuar me këtë aplikacion. Për më shumë informacion rreth kësaj, shikoni udhëzuesin tonë për instalimin e firmware. + Mirë + Duhet të vendosni një rajon! + Nuk mund të ndryshoni kanalin, sepse radioja ende nuk është lidhur. Ju lutemi provoni përsëri. + Eksporto rangetest.csv + Rivendos + Skano + Shto + A jeni të sigurt se doni të kaloni në kanalin e parazgjedhur? + Rivendos në parazgjedhje + Apliko + Temë + Dritë + Errësirë + Parazgjedhje sistemi + Zgjidh temën + Ofroni vendndodhjen e telefonit për rrjetin mesh + + Fshini mesazhin? + Fshini %s mesazhe? + + Fshi + Fshi për të gjithë + Fshi për mua + Përzgjedh të gjithë + Përzgjedhja e stilit + Shkarko rajonin + Emri + Përshkrimi + I bllokuar + Ruaj + Gjuhë + Parazgjedhje sistemi + Përsëri dërguar + Fik + Fikja nuk mbështetet në këtë pajisje + Rindiz + Shfaq prezantimin + Mesazh + Opsionet për biseda të shpejta + Bisedë e re e shpejtë + Redakto bisedën e shpejtë + Shto në mesazh + Dërgo menjëherë + Përditësim i fabrikës + Mesazh i drejtpërdrejtë + Përditësimi i NodeDB + Dërgimi i konfirmuar + Gabim + Injoro + Të shtohet ‘%s’ në listën e injoruar? + Të hiqet ‘%s’ nga lista e injoruar? + Zgjidh rajonin për shkarkim + Parashikimi i shkarkimit të pllakatës: + Filloni shkarkimin + Mbylle + Konfigurimi i radios + Konfigurimi i modulit + Shto + Redakto + Po llogaritet… + Menaxheri Offline + Madhësia e aktuale e cache + Kapasiteti i Cache: %1$.2f MB\nPërdorimi i Cache: %2$.2f MB + Pastroni pllakat e shkarkuara + Burimi i pllakatave + Cache SQL u pastrua për %s + Pastrimi i Cache SQL ka dështuar, shihni logcat për detaje + Menaxheri i Cache + Shkarkimi përfundoi! + Shkarkimi përfundoi me %d gabime + %d pllaka + drejtimi: %1$d° distanca: %2$s + Redakto pikën e rreshtit + Të fshihet pika e rreshtit? + Pikë e re rreshti + Pikë rreshti e marrë: %s + Cikli i detyrës ka arritur kufirin. Nuk mund të dërgoni mesazhe tani, ju lutem provoni përsëri më vonë. + Hiq + Ky node do të hiqet nga lista juaj derisa pajisja juaj të marrë të dhëna prej tij përsëri. + Hesht njoftimet + 8 orë + 1 javë + Gjithmonë + Zëvendëso + Skano QR kodi WiFi + Formati i gabuar i kodit QR të kredencialeve WiFi + Kthehu pas + Bateria + Përdorimi i kanalit + Përdorimi i ajrit + Temperatura + Lagështia + Loget + Hops larg + Informacion + Përdorimi për kanalin aktual, duke përfshirë TX të formuar mirë, RX dhe RX të dëmtuar (në gjuhën e thjeshtë: zhurmë). + Përqindja e kohës së përdorur për transmetim brenda orës së kaluar. + Çelësi i Përbashkët + Mesazhet direkte po përdorin çelësin e përbashkët për kanalin. + Kriptimi me Çelës Publik + Mesazhet direkte po përdorin infrastrukturën e re të çelësave publikë për kriptim. Kërkon versionin 2.5 të firmuerit ose më të ri. + Përputhje e Gabuar e Çelësit Publik + Çelësi publik nuk përputhet me çelësin e regjistruar. Mund të hiqni nyjën dhe të lejoni që ajo të shkëmbejë përsëri çelësat, por kjo mund të tregojë një problem më serioz të sigurisë. Kontaktoni përdoruesin përmes një kanali tjetër të besuar për të përcaktuar nëse ndryshimi i çelësit ishte si pasojë e një rikthimi në fabrikë ose një veprim tjetër të qëllimshëm. + Njoftimet për nyje të reja + Më shumë detaje + Raporti i Sinjalit në Zhurmë, një masë e përdorur në komunikime për të kuantifikuar nivelin e një sinjali të dëshiruar ndaj nivelit të zhurmës në background. Në Meshtastic dhe sisteme të tjera pa tel, një SNR më i lartë tregon një sinjal më të pastër që mund të rrisë besueshmërinë dhe cilësinë e transmetimit të të dhënave. + Indikatori i Fuqisë së Sinjalit të Marrë, një matje e përdorur për të përcaktuar nivelin e energjisë që po merret nga antena. Një vlerë më e lartë RSSI zakonisht tregon një lidhje më të fortë dhe më të qëndrueshme. + (Cilësia e Ajrit të Brendshëm) shkalla relative e vlerës IAQ siç matet nga Bosch BME680. Intervali i Vlerave 0–500. + Regjistri i Metrikave të Pajisjes + Harta e Nyjës + Regjistri i Pozitës + Regjistri i Metrikave të Mjedisit + Regjistri i Metrikave të Sinjalit + Administratë + Administratë e Largët + I Keq + Mesatar + Mirë + Asnjë + Sinjal + Cilësia e Sinjalit + Regjistri i Traceroute + Direkt + Hops drejt %1$d Hops prapa %2$d + Koha e skaduar + Distanca + + + + + Mesazh + diff --git a/app/src/main/res/values-srp/strings.xml b/app/src/main/res/values-srp/strings.xml new file mode 100644 index 000000000..7400ab19f --- /dev/null +++ b/app/src/main/res/values-srp/strings.xml @@ -0,0 +1,359 @@ + + + + Филтер + очисти филтер чворова + Укључи непознато + Прикажи детаље + А-Ш + Канал + Удаљеност + Скокова далеко + Последњи пут виђено + преко MQTT-а + преко MQTT-а + Некатегорисано + Чека на потврду + У реду за слање + Потврђено + Нема руте + Примљена негативна потврда + Истекло време + Нема интерфејса + Достигнут максимални број поновних слања + Нема канала + Пакет превелик + Нема одговора + Лош захтев + Достигнут регионални лимит циклуса рада + Без овлашћења + Шифровани пренос није успео + Непознат јавни кључ + Лош кључ сесије + Јавни кључ није ауторизован + Повезана апликација или самостални уређај за слање порука. + Уређај који не прослеђује пакете са других уређаја. + Инфраструктурни чвор за проширење покривености мреже прослеђивањем порука. Видљив на листи чворова. + Комбинација и РУТЕРА и КЛИЈЕНТА. Нису намењени за мобилне уређаје. + Инфраструктурни чвор за проширење покривености мреже прослеђивањем порука са минималним трошковима енергије. Није видљив на листи чворова. + Емитује GPS пакете положаја као приоритет. + Преноси телеметријске пакете као приоритетне. + Оптимизовано за комуникацију у ATAK систему, смањује рутинске преносе. + Уређај који преноси само када је потребно ради скривености или уштеде енергије. + Преноси локацију као поруку на подразумевани канал редовно како би помогао у проналаску уређаја. + Омогућава аутоматске TAK PLI преносе и смањује рутинске преносе. + Инфраструктурни чвор који увек поново емитује пакете само једном, али тек након свих других режима, обезбеђујући додатно покривање за локалне кластере. Видљиво на листи чворова. + Поново преноси сваку примећену поруку, ако је била на нашем приватном каналу или из друге мреже са истим LoRA параметрима. + Исто као понашање као ALL, али прескаче декодирање пакета и једноставно их поново преноси. Доступно само у Repeater улози. Постављање овога на било коју другу улогу резултираће ALL понашањем. + Игнорише примећене поруке из страних мрежа које су отворене или оне које не може да декодира. Поново преноси поруку само на локалне примарне/секундарне канале чвора. + Игнорише примећене поруке из страних мрежа као LOCAL ONLY, али иде корак даље тако што такође игнорише поруке са чворова који нису већ на листи познатих чворова. + Дозвољено само за улоге SENSOR, TRACKER и TAK_TRACKER, ово ће онемогућити све поновне преносе, слично као улога CLIENT_MUTE. + Игнорише пакете са нестандардним бројевима порта као што су: TAK, RangeTest, PaxCounter, итд. Поново преноси само пакете са стандардним бројевима порта: NodeInfo, Text, Position, Telemetry и Routing. + Третирај двоструки тап на подржаним акцелерометрима као притисак корисничког дугмета. + Онемогућава троструко притискање корисничког дугмета за укључивање или искључивање GPS-а. + Контролише трепћућу LED лампицу на уређају. За већину уређаја ово ће контролисати једну од до 4 LED лампице, LED лампице за пуњач и GPS нису контролисане. + Да ли би поред слања на MQTT и PhoneAPI, наша NeighborInfo требало да се преноси преко LoRa? Није доступно на каналу са подразумеваним кључем и именом. + Јавни кључ + Назив канала + QR код + иконица апликације + Непознато корисничко име + Пошаљи + Још нисте упарили Мештастик компатибилан радио са овим телефоном. Молимо вас да упарите уређај и поставите своје корисничко име.\n\nОва апликација отвореног кода је у развоју, ако нађете проблеме, молимо вас да их објавите на нашем форуму: https://github.com/orgs/meshtastic/discussions\n\nЗа више информација посетите нашу веб страницу - www.meshtastic.org. + Ти + Прихвати + Откажи + Примљен нови линк канала + Пријави грешку + Пријави грешку + Да ли сте сигурни да желите да пријавите грешку? Након пријаве, молимо вас да објавите на https://github.com/orgs/meshtastic/discussions како бисмо могли да упаримо извештај са оним што сте нашли. + Извештај + Упаривање завршено, покрећем сервис + Упаривање неуспешно, молимо изабери поново + Приступ локацији је искључен, не може се обезбедити позиција мрежи. + Подели + Раскачено + Уређај је у стању спавања + IP адреса: + Блутут повезан + Повезан на радио уређај (%s) + Није повезан + Повезан на радио уређај, али уређај је у стању спавања + Неопходно је ажурирање апликације + Морате ажурирати ову апликацију у продавници апликација (или на Гитхабу). Превише је стара да би могла комуницирати са овим радио фирмвером. Молимо вас да прочитате наша <a href=\'https://meshtastic.org/docs/software/android/installation\'>документа</a> на ову тему. + Ништа (онемогућено) + Обавештења о услугама + О + Ова URL адреса канала је неважећа и не може се користити + Панел за отклањање грешака + Очисти + Статус пријема поруке + Обавештења о упозорењима + Ажурирање фирмвера је неопходно. + Радио фирмвер је превише стар да би комуницирао са овом апликацијом. За више информација о овоме погледајте наш водич за инсталацију фирмвера. + Океј + Мораш одабрати регион! + Није било могуће променити канал, јер радио још није повезан. Молимо покушајте поново. + Извези rangetest.csv + Поново покрени + Скенирај + Додај + Да ли сте сигурни да желите да промените на подразумевани канал? + Врати на подразумевана подешавања + Примени + Тема + Светла + Тамна + Прати систем + Одабери тему + Обезбедите локацију телефона меш мрежи + + Обриши поруку? + Обриши поруке? + Обриши %s порука? + + Обриши + Обриши за све + Обриши за мене + Изабери све + Одабир стила + Регион за преузимање + Назив + Опис + Закључано + Сачувај + Језик + Подразумевано системско подешавање + Поново пошаљи + Искључи + Искључивање није подржано на овом уређају + Поново покрени + Праћење руте + Прикажи упутства + Порука + Опције за брзо ћаскање + Ново брзо ћаскање + Измени брзо ћаскање + Надодај на поруку + Моментално пошаљи + Рестартовање на фабричка подешавања + Директне поруке + Ресетовање базе чворова + Испорука потврђена + Грешка + Игнориши + Додати \'%s\' на листу игнорисаних? + Уклнити \'%s\' на листу игнорисаних? + Изаберите регион за преузимање + Процена преузимања плочица: + Започни преузимање + Затвори + Конфигурација радио уређаја + Конфигурација модула + Додај + Измени + Прорачунавање… + Менаџер офлајн мапа + Тренутна величина кеш меморије + Капацитет кеш меморије: %1$.2f MB\n Употреба кеш меморије: %2$.2f MB + Очистите преузете плочице + Извор плочица + Кеш SQL очишћен за %s + Пражњење SQL кеша није успело, погледајте logcat за детаље + Меначер кеш меморије + Преузимање готово! + Преузимање довршено са %d грешака + %d плочице + смер: %1$d° растојање: %2$s + Измените тачку путање + Обрисати тачку путање? + Нова тачка путање + Примљена тачка путање: %s + Достигнут је лимит циклуса рада. Не могу слати поруке тренутно, молимо вас покушајте касније. + Уклони + Овај чвор ће бити уклоњен са вашег списка док ваш чвор поново не добије податке од њега. + Утишај нотификације + 8 сати + 1 седмица + Увек + Замени + Скенирај ВајФај QR код + Неважећи формат QR кода за ВајФАј податке + Иди назад + Батерија + Искоришћеност канала + Искоришћеност ваздуха + Температура + Влажност + Дневници + Скокова удаљено + Информација + Искоришћење за тренутни канал, укључујући добро формиран TX, RX и неисправан RX (такође познат као шум). + Проценат искоришћења ефирског времена за пренос у последњем сату. + IAQ + Дељени кључ + Директне поруке користе дељени кључ за канал. + Шифровање јавним кључем + Директне поруке користе нову инфраструктуру јавног кључа за шифровање. Потребна је верзија фирмвера 2,5 или новија. + Неусаглашеност јавних кључева + Јавни кључ се не поклапа са забележеним кључем. Можете уклонити чвор и омогућити му поновну размену кључева, али ово може указивати на озбиљнији безбедносни проблем. Контактирајте корисника путем другог поузданог канала да бисте утврдили да ли је промена кључа резултат фабричког ресетовања или друге намерне акције. + Обавештења о новим чворовима + Више детаља + SNR + Однос сигнал/шум SNR је мера која се користи у комуникацијама за квантитативно одређивање нивоа жељеног сигнала у односу на ниво позадинског шума. У Мештастик и другим бежичним системима, већи SNR указује на јаснији сигнал који може побољшати поузданост и квалитет преноса података. + RSSI + Индикатор јачине примљеног сигнала RSSI је мера која се користи за одређивање нивоа снаге која се прима преко антене. Виша вредност RSSI генерално указује на јачу и стабилнију везу. + Индекс квалитета ваздуха (IAQ) као мера за одређивање квалитета ваздуха унутрашњости, мерен са Bosch BME680. Вредности се крећу у распону од 0 до 500. + Дневник метрика уређаја + Мапа чворова + Дневник локација + Дневник метрика околине + Дневник метрика сигнала + Администрација + Удаљена администрација + Лош + Прихватљиво + Добро + Без + Подели на… + Сингал + Квалитет сигнала + Дневник праћења руте + Директно + + 1 скок + %d скокова + %d скокова + + Скокови ка %1$d Скокови назад %2$d + 24ч + 48ч + + + + Максимум + Непозната старост + Копирај + Карактер звона за упозорења! + Критично упозорење! + Омиљени + Додај „%s” у омиљене чворове? + Углони „%s” из листе омиљених чворова? + Логови метрика снаге + Канал 1 + Канал 2 + Канал 3 + Струја + Напон + Да ли сте сигурни? + Документацију улога уређаја и објаву на блогу Одабир праве улоге за уређај.]]> + Знам шта радим. + Нотификације о ниском нивоу батерије + Низак ниво батерије: %s + Нотификације о ниском нивоу батерије (омиљени чворови) + Барометарски притисак + UDP конфигурација + Корисник + Канали + Уређај + Позиција + Снага + Мрежа + Приказ + LoRA + Блутут + Сигурност + Серијска веза + Спољна обавештења + + Тест домета + Телеметрија (сензори) + Амбијентално осветљење + Сензор откривања + Блутут подешавања + Подразумевано + Окружење + Подешавања амбијенталног осветљења + GPIO пин за A порт ротационог енкодера + GPIO пин за Б порт ротационог енкодера + GPIO пин за порт клика ротационог енкодера + Поруке + Подешавања ензора откривања + Пријатељски назив + Подешавања уређаја + Улога + Подешавања приказа + Подешавање спољних обавештења + Мелодија звона + LoRA подешавања + Проток + Игнориши MQTT + MQTT подешавања + Адреса + Корисничко име + Лозинка + Конфигурација мреже + Подешавања позиције + Ширина + Дужина + Подешавања напајња + Конфигурација теста домета + Сигурносна подешавања + Јавни кључ + Приватни кључ + Подешавања серијске везе + Временско ограничење + Број записа + Сервер + Конфигурација телеметрије + Корисничка подешавања + Раздаљина + + Квалитет ваздуха у затвореном простору (IAQ) + Хардвер + Подржан + Број чвора + Време рада + Временска ознака + Смер + Брзина + Сателита + Висина + Примарни + Секундарни + Акције + Фирмвер + Мапа меша + Чворови + Подешавања + Одговори + Истиче + Време + Датум + Прекините везу + Непознато + Напредно + + + + + Отпусти + Порука + Сателит + Хибридни + diff --git a/app/src/main/res/values-sv-rSE/strings.xml b/app/src/main/res/values-sv-rSE/strings.xml new file mode 100644 index 000000000..52a376249 --- /dev/null +++ b/app/src/main/res/values-sv-rSE/strings.xml @@ -0,0 +1,304 @@ + + + + Filter + rensa filtrering av noder + Inkludera okända + Visa detaljer + A-Ö + Kanal + Avstånd + Antal hopp + Senast hörd + via MQTT + via MQTT + Ignorerade noder + Okänd + Inväntar kvittens + Kvittens köad + Kvitterad + Ingen rutt + Misslyckad kvittens + Timeout + Inget gränssnitt + Maximalt antal sändningar nådd + Ingen kanal + Paket för stort + Inget svar + Misslyckad + Gränsen för intermittensfaktor uppnådd + Ej behörig + Krypterad sändning misslyckades + Okänd publik nyckel + Felaktig sessionsnyckel + Obehörig publik nyckel + App uppkopplad eller fristående nod. + Nod som inte vidarebefordrar meddelanden. + Nod som utökar nätverket igenom att vidarebefordra meddelanden. Syns i nod listan. + Kombinerad ROUTER och CLIENT. Ej för mobila noder. + Nod som utökar nätverket igenom att vidarebefordra meddelanden utan egen information. Syns ej i nod listan. + Nod som prioriterar GPS meddelanden. + Nod som prioriterar telemetri meddelanden. + Roll optimerad för användning tillsammans med ATAK. + Nod som endast kommunicerar vid behov för att gömma sig och samtidigt hålla nere strömförbrukningen. + Skickar regelbundet ut GPS position på standardkanalen för att assistera vid uppsökande. + Skickar automatiskt ut GPS position för användning med ATAK. + Nod som utökar nätverket igenom att vidarebefordra meddelanden men endast efter alla noder. Syns i nod listan. + Vidarebefordra alla mottagna meddelanden med samma lora inställningar. + Vidarebefordra alla mottagna meddelanden med samma lora inställningar utan avkodning. Endast valbar som REPEATER. Om vald med annan roll används ALL. + Ignorerar mottagna meddelanden från okända kanaler som är öppna eller krypterade. Vidarebefordrar endast meddelanden för nodens primära och sekundära kanaler. + Ignorerar mottagna meddelanden från okända meshnätverk som är öppna eller krypterade samt från noder som inte finns i nod listan. Vidarebefordrar endast meddelanden för kända kanaler. + Endast för SENSOR, TRACKER och TAK_TRACKER. Stoppar all annan vidarebefordran av meddelanden. + Ignorerar meddelanden från icke-standard portnummer. Exempelvis: TAK, RangeTest, PaxCounters, etc. Vidarebefordrar endast standard portnummer. Exempelvis: NodeInfo, Text, Position, Telemetri och Routing. + Dubbelklick på supporterad accelerometer räknas som användarknapp. + Stäng av funktion för att slå av- och på GPS med hjälp av att klicka på användarknapp tre gånger. + Kontrollerar den blinkande LED lampan på enheten. På dom flesta enheter kontrollerar det här en av de fyra LED lampor monterade. Laddning och GPS lamporna går inte att kontrollera. + Ange om NeighborInfo ska skickas ut över LoRa utöver igenom MQTT och PhoneAPI. Ej applicerbart på kanalen med standard namn och nyckel. + Publik nyckel + Kanalnamn + QR-kod + applikationsikon + Okänt användarnamn + Skicka + Du har ännu inte parat en Meshtastic-kompatibel radio med den här telefonen. Koppla ihop en enhet och ange ditt användarnamn.\n\nDetta öppna källkodsprogram (open source) är under utveckling, om du hittar problem, vänligen publicera det på vårt forum: https://github.com/orgs/meshtastic/discussions\n\nFör mer information se vår webbsida - www.meshtastic.org. + Du + Acceptera + Avbryt + Ny kanal-länk mottagen + Rapportera bugg + Rapportera bugg + Är du säker på att du vill rapportera en bugg? Efter rapportering, vänligen posta i https://github.com/orgs/meshtastic/discussions så att vi kan matcha rapporten med buggen du hittat. + Rapportera + Parkoppling slutförd, startar tjänst + Parkoppling misslyckades, försök igen + Platsåtkomst är avstängd, kan inte leverera position till meshnätverket. + Dela + Frånkopplad + Enheten i sovläge + IP-adress: + Ansluten + Ansluten till radioenhet (%s) + Ej ansluten + Ansluten till radioenhet, men den är i sovläge + Applikationen måste uppgraderas + Du måste uppdatera detta program i app-butiken (eller Github). Det är för gammalt för att prata med denna radioenhet. Läs vår dokumentation i detta ämne. + Ingen (inaktivera) + Tjänsteaviseringar + Om + Denna kanal-URL är ogiltig och kan inte användas + Felsökningspanel + Rensa + Meddelandets leveransstatus + Uppdatering av firmware krävs. + Radiomodulens firmware är för gammal för att prata med denna applikation. För mer information om detta se vår installationsguide för Firmware. + Okej + Du måste ställa in en region! + Det gick inte att byta kanal, eftersom radiomodulen ännu inte är ansluten. Försök igen. + Exportera rangetest.csv + Nollställ + Sök + Lägg till + Är du säker på att du vill ändra till standardkanalen? + Återställ till standardinställningar + Verkställ + Tema + Ljust + Mörkt + Systemets standard + Välj tema + Dela telefonens position till meshnätverket + + Ta bort meddelande? + Ta bort %s meddelanden? + + Radera + Radera för alla + Radera för mig + Välj alla + Stilval + Ladda ner region + Namn + Beskrivning + Låst + Spara + Språk + Systemets standard + Skicka igen + Stäng av + Enhet stöder inte avstängning + Starta om + Traceroute (spåra rutt) + Visa introduktion + Meddelande + Inställningar för snabbchatt + Ny snabbchatt + Redigera snabbchatt + Lägg till i meddelandet + Skicka direkt + Återställ till standardinställningar + Direktmeddelande + Nollställ NodeDB + Sändning bekräftad + Fel + Ignorera + Lägg till \'%s\' på ignorera-listan? Din radioenhet kommer att starta om efter denna ändring. + Ta bort \'%s\' från ignorera-listan? Din radioenhet kommer att starta om efter denna ändring. + Välj nedladdningsområde + Kartdelar estimat: + Starta Hämtning + Stäng + Konfiguration av radioenhet + Modul konfiguration + Lägg till + Ändra + Beräknar… + Offline-hanterare + Aktuell cachestorlek + Cache-kapacitet: %1$.2f MB\nCache-användning: %2$.2f MB + Rensa hämtade kartdelar + Källa för kartdelar + SQL-cache rensad för %s + SQL-cache rensning misslyckades, se logcat för detaljer + Cache-hanterare + Nedladdningen slutförd! + Nedladdning slutförd med %d fel + %d kartdelar + bäring: %1$d° distans: %2$s + Redigera vägpunkt + Radera vägpunkt? + Ny vägpunkt + Mottagen vägpunkt: %s + Gränsen för sändningscykeln har uppnåtts. Kan inte skicka meddelanden just nu, försök igen senare. + Ta bort + Denna nod kommer att tas bort från din lista till dess att din nod tar emot data från den igen. + Tysta notifieringar + 8 timmar + 1 vecka + Alltid + Ersätt + Skanna WiFi QR-kod + Felaktigt QR-kodformat eller inloggningsinformation + Tillbaka + Batteri + Kanalutnyttjande + Luftrumsutnyttjande + Temperatur + Luftfuktighet + Loggar + Hopp bort + Information + Utnyttjande av den nuvarande kanalen, inklusive välformad TX, RX och felformaterad RX (sk. brus). + Procent av luftrumstid använd för sändningar inom den senaste timmen. + IAQ + Delad nyckel + Direktmeddelanden använder kanalens delade nyckel. + Kryptering med Publik nyckel + Direktmeddelanden använder den nya publika nyckel infrastrukturen för kryptering. Kräver firmware 2.5 eller högre. + Publik nyckel matchar inte + Den publika nyckel matchar inte den insamlade. Du kan ta bort noden ur nod listan för att förhandla nycklar på nytt, men det här kan påvisa ett säkerhetsproblem. Kontakta nodens ägare igenom en annan betrodd kanal för att avgöra om nyckeländringen berodde på en fabriksåterställning eller annan avsiktlig åtgärd. + Ny nod avisering + Mer detaljer + SNR + Signal-to-Noise Ratio, är ett mått som används inom kommunikation för att kvantifiera nivån av en önskad signal mot nivån av bakgrundsbrus. I Meshtastic och andra trådlösa system indikerar en högre SNR en tydligare signal som kan förbättra tillförlitligheten och kvaliteten på dataöverföringen. + RSSI + Received Signal Strength Indicator, ett mått som används för att avgöra effektnivån som togs emot av antennen. Ett högre RSSI-värde indikerar generellt en starkare och stabilare anslutning. + (Indoor Air Quality) relativ skala IAQ värdet mätt med Bosch BME600. Värdeintervall 0-500. + Enhetsstatistik Loggbok + Nod karta + Position Loggbok + Miljömätning Loggbok + Signalkvalité Loggbok + Administration + Fjärradministration + Dålig + Ok + Bra + Ingen + Dela med… + Signal + Signalkvalité + Traceroute (spåra rutt) Loggbok + Direkt + + 1 hopp + %d hopp + + Hopp mot %1$d Hopp tillbaka %2$d + 24T + 48T + 1V + 2V + 4V + Max + Kopiera + Varningsklocka! + Favorit + Spänning + Är du säker? + UDP-konfiguration + Kanaler + Plats + Ström + Nätverk + Display + LoRa + Bluetooth + Säkerhet + MQTT + Seriell kommunikation + Parkopplingsläge + Dölj lösenord + Visa lösenord + Detaljer + Meddelanden + Roll + POSIX-tidszon + Modem-förinställningar + Bandbredd + Ersätt gräns för driftsperiod + Ignorera MQTT + OK till MQTT + SSID + PSK + Ip-adress + Gateway + Subnät + Publik nyckel + Privat nyckel + Timeout + Avstånd + Hårdvara + Nodnummer + Drifttid + Primär + Skanna QR-kod + Importera + Anslutning + Noder + Svara + Meshtastic + Okänd + Advancerat + + + + + Stäng + Meddelande + Ladda ner + diff --git a/app/src/main/res/values-tr-rTR/strings.xml b/app/src/main/res/values-tr-rTR/strings.xml new file mode 100644 index 000000000..fe9e11d92 --- /dev/null +++ b/app/src/main/res/values-tr-rTR/strings.xml @@ -0,0 +1,602 @@ + + + + Filtre + düğüm filtresini kaldır + Bilinmeyenleri dahil et + Detayları göster + Düğüm sıralama seçenekleri + A-Z + Kanal + Mesafe + Atlama üzerinden + Son duyulma + MQTT yoluyla + MQTT yoluyla + Favorilerden + Tanınmayan + Ulaştı bildirisi bekleniyor + Gönderilmek üzere sırada + Onaylandı + Rota yok + Negatif bir onay alındı + Zaman Aşımı + Arayüz Yok + Azami Yeniden Gönderme Limitine Ulaşıldı + Kanal yok + Paket çok büyük + Yanıt yok + Geçersiz İstek + Bölgesel Görev Çevrimi Limitine Ulaşıldı + Yetkisiz + Şifreli Gönderme Başarısız + Bilinmeyen Genel Anahtar + Hatalı oturum anahtarı + Genel Anahtar yetkisiz + Uygulamaya bağlı veya bağımsız mesajlaşma cihazı. + Diğer cihazlardan gelen paketleri tekrarlamayan cihaz. + Mesajları tekrarlayarak ağ kapsamını genişletmek için altyapı düğümü. Düğümler listesinde görünür. + Hem ROUTER hem de CLIENT\'ın bir kombinasyonu. Mobil cihazlar için değildir. + Mesajları minimum ek yük ile tekrarlayarak ağ kapsamını genişletmek için altyapı düğümü. Düğümler listesinde görünmez. + Öncelikli olarak konum paketlerini yayınlar. + Öncelikli olarak telemetri paketlerini yayınlar. + Rutin yayınları azaltarak ATAK sistemi için optimize edilmiştir. + Gizlilik veya güç tasarrufu için sadece gerektiğinde yayın yapan cihaz. + Cihazın kurtarılmasına yardımcı olmak için konumunu düzenli olarak varsayılan kanala mesaj olarak gönderir. + Rutin yayınları azaltarak otomatik TAK PLI yayınlarını etkinleştirir. + Tüm diğer modlardan sonra paketleri her zaman bir kez yeniden yayınlayan ve yerel kümeler için ek kapsama alanı sağlayan altyapı düğümü. Düğümler listesinde görünür. + Tespit edilen herhangi bir mesajı, özel kanalımızdaysa veya aynı LoRa parametrelerine sahip başka bir ağdan geliyorsa yeniden yayınlayın. + ALL ile aynı davranış, ancak paketleri çözmeksizin yeniden yayınlar. Yalnızca Repeater rolünde kullanılabilir. Bunu başka herhangi bir rolde ayarlamak ALL davranışıyla sonuçlanacaktır. + Açık olan veya şifresini çözemediği yabancı ağlardan geldiği tespit edilen mesajları yok sayar. Yalnızca düğümlerin yerel birincil / ikincil kanallarında mesajı yeniden yayınlar. + LOCAL ONLY gibi yabancı ağlardan geldiği tespit edilen mesajları yok sayar, ancak düğümün bilinen listesinde bulunmayan düğümlerden gelen mesajları da yok sayarak bir adım daha ileri gider. + Yalnızca SENSOR, TRACKER ve TAK_TRACKER rolleri için izin verilir, CLIENT_MUTE rolünden farklı olarak tüm yeniden yayınları engeller. + TAK, RangeTest, PaxCounter gibi standart olmayan portnum\'ları yok sayarken sadece standart portnum\'lar olan NodeInfo, Text, Position, Telemetry ve Routing\'i yeniden yayınlar. + Desteklenen ivmeölçerlere çift dokunmayı kullanıcı düğmesine basma olarak değerlendirir. + GPS\'i etkinleştirmek veya devre dışı bırakmak için kullanıcı düğmesine üç kez basılmasını devre dışı bırakır. + Cihaz üzerindeki yanıp sönen LED\'i kontrol eder. Çoğu cihaz için bu, en fazla 4 LED\'den birini kontrol edecektir, şarj ve GPS LED\'leri kontrol edilemez. + MQTT ve PhoneAPI\'ye göndermenin yanı sıra, NeighborInfo\'muzun LoRa üzerinden iletilip iletilmeyeceğidir. Varsayılan anahtar ve ada sahip bir kanalda kullanılamaz. + Genel Anahtar + Kanal Adı + Karekod + uygulama ikonu + Bilinmeyen kullanıcı adı + Gönder + Telefonu, Meshtastic uyumlu bir cihaz ile eşleştirmediniz. Bir cihazla eşleştirin ve kullanıcı adınızı belirleyin.\n\nAçık kaynaklı bu uygulama şu an alfa-test aşamasında, problem fark ederseniz forumda lütfen paylaşın: https://github.com/orgs/meshtastic/discussions\n\nDaha fazla bilgi için, sitemiz: www.meshtastic.org. + Siz + Kabul et + İptal + Değişiklikleri Temizle + Yeni Kanal Adresi(URL) alındı + Hata Bildir + Hata Bildir + Hata bildirmek istediğinizden emin misiniz? Hata bildirdikten sonra, lütfen https://github.com/orgs/meshtastic/discussions sayfasında paylaşınız ki raporu bulgularınızla eşleştirebilelim. + Bildir + Eşleşme tamamlandı, servis başlatılıyor + Eşleşme başarısız, lütfen tekrar seçiniz + Konum erişimi kapalı, konum ağ ile paylaşılamıyor. + Paylaş + Bağlantı kesildi + Cihaz uyku durumunda + Bağlı: %1$s çevrimiçi + IP Adresi: + Bağlantı noktası: + Bağlandı + (%s) telsizine bağlandı + Bağlı değil + Cihaza bağlandı, ancak uyku durumunda + Uygulama güncellemesi gerekli + Uygulamayı Google Play store (ya da GitHub)\'dan güncelleyin. Bu cihaz ile haberleşmek için uygulama çok eski. İlgili Dokümantasyon. + Hiçbiri (kapat) + Servis bildirimleri + Hakkında + Bu Kanal URL\' si geçersiz ve kullanılamaz + Hata Ayıklama Paneli + Filtreler + Aktif Filtreler + Loglarda ara… + Sonraki eşleşme + Önceki eşleşme + Aramayı sil + Filtre ekle + Temizle + Mesaj teslim durumu + Uyarı bildirimleri + Yazılım güncellemesi gerekli. + Radyo yazılımı bu uygulamayla iletişim kurmak için çok eski. Bu konuda daha fazla bilgi için: Yazılım yükleme kılavuzumuza bakın. + Tamam + Bölge seçmelisin! + Radyo bağlı olmadığından, kanal değiştirilemedi. Lütfen tekrar deneyin. + Dışa aktar: rangetest.csv + Sıfırla + Tara + Ekle + Varsayılan kanala geçmek istediğinizden emin misiniz? + Varsayılana dön + Uygula + Tema + Açık + Koyu + Sistem varsayılanı + Tema seçin + Ağda telefon konumunu kullan + + Mesajı sil? + %s adet mesajı sil? + + Sil + Herkesten sil + Benden sil + Tümünü seç + Stil Seçimi + Bölgeyi İndir + İsmi + Açıklaması + Kilitli + Kaydet + Dil + Sistem varsayılanı + Tekrar gönder + Kapat + Bu cihazda kapatma desteklenmiyor + Yeniden başlat + Yol izle + Tanıtımı Göster + Mesaj + Hızlı mesaj seçenekleri + Yeni hızlı mesaj + Hızlı mesajı düzenle + Mesaj sonuna ekle + Hemen gönder + Fabrika ayarları + Direkt Mesaj + NodeDB sıfırla + Teslim Edildi + Hata + Yok say + Yoksay listesine \'%s\' eklensin mi? Değişiklikten sonra cihazınız yeniden başlar. + Yoksay listesinden \'%s\' çıkarılsın mı? Değişiklikten sonra cihazınız yeniden başlar. + İndirilecek bölgeyi seçin + Tahmini indirme boyutu: + İndirmeye başla + Konum takas et + Kapat + Cihaz ayarları + Modül ayarları + Ekle + Düzenle + Hesaplanıyor… + Çevrim dışı işlemleri + Önbellek doluluğu + Önbellek Kapasitesi: %1$.2f MB\nÖnbellek Kullanımı: %2$.2f MB + Harita Parçalarını Sil + Harita Kaynağı + %s için SQL önbelleği temizlendi + SQL Önbellek temizleme başarısız, ayrıntılar için logcat\' e bakın + Önbellek Yöneticisi + İndirme tamamlandı! + İndirme %d hata ile tamamlandı + %d harita parçası + yön: %1$d° mesafe: %2$s + Yer işareti düzenle + Yer işaretini sil? + Yeni yer işareti + Alınan yer işareti: %s + Zaman limitine (duty cycle) ulaşıldı. Şu anda mesaj gönderilemiyor, lütfen daha sonra tekrar deneyin. + Kaldır + Bu node, kendisinden yeniden paket alınana kadar listenizden kaldırılacaktır. + Bildirimleri sessize al + 8 saat + 1 hafta + Her zaman + Değiştir + Wi-Fi QR Kodu Tara + Geçersiz Wi-Fi Kimlik Bilgisi QR kodu formatı + Geri Dön + Pil + Kanal Kullanımı + Yayın Süresi Kullanımı + Sıcaklık + Nem + Kayıtlar + Atlama Üzerinden + Bilgi + İyi biçimlendirilmiş TX ve RX ile hatalı biçimlendirilmiş RX (gürültü) dahil olmak üzere mevcut kanal için kullanım. + Son bir saat içinde kullanılan iletim için yayın süresi yüzdesi. + IAQ + Paylaşılan Anahtar + Doğrudan mesajlar, kanal için paylaşılan anahtarı kullanır. + Genel Anahtar Şifrelemesi + Doğrudan mesajlar şifreleme için yeni genel anahtar alt yapısını kullanmaktadır. Bu bağlamda 2.5 ve üstü firmware yüklemeniz gerekmektedir. + Genel Anahtar Uyuşmazlığı + Genel anahtar, kayıtlı anahtarla eşleşmiyor. Düğümü kaldırabilir ve tekrar anahtar değişimi yapmasına izin verebilirsiniz, ancak bu daha ciddi bir güvenlik sorununa işaret edebilir. Anahtar değişikliğinin fabrika ayarlarına sıfırlamadan veya başka bir kasıtlı eylemden kaynaklanıp kaynaklanmadığını belirlemek için başka bir güvenilir kanal aracılığıyla kullanıcıyla iletişime geçiniz. + Kullanıcı bilgisi takas et + Yeni düğüm bildirimleri + Daha fazla detay + SNR + Sinyal-Gürültü Oranı, iletişimde istenen bir sinyalin seviyesini arka plan gürültüsü seviyesine mukayese ölçmek için kullanılan bir ölçüdür. Meshtastic ve diğer kablosuz sistemlerde, daha yüksek bir SNR, veri iletiminin güvenilirliğini ve kalitesini artırabilecek daha net bir sinyale işaret eder. + RSSI + Alınan Sinyal Gücü Göstergesi, anten tarafından alınan güç seviyesini belirlemek için kullanılan bir ölçüdür. Daha yüksek bir RSSI değeri genellikle daha güçlü ve daha istikrarlı bir bağlantıya işaret eder. + (İç Hava Kalitesi) Bosch BME680 tarafından ölçülen bağıl ölçekli IAQ değeri. Değer Aralığı 0–500. + Cihaz Ölçüm Kayıtları + Düğüm Haritası + Konum Kayıtları + Çevre Ölçüm Kayıtları + Sinyal Seviyesi Kayıtları + Yönetim + Uzaktan Yönetim + Kötü + İdare Eder + İyi + Yok + Paylaş: … + Sinyal + Sinyal Kalitesi + Yol İzleme Kayıtları + Doğrudan + + 1 atlama + %d atlama + + İleri atlama %1$d Geri atlama %2$d + 24S + 48S + 1H + 2H + 4H + Maks + Bilinmeyen Yaş + Kopyala + Zili Çaldır! + Kritik Uyarı! + Favori + \'%s\' düğümünü favorilere eklemek istiyor musunuz? + \'%s\' düğümünü favorilerden silmek istiyor musunuz? + Güç Ölçüm Kayıtları + Kanal 1 + Kanal 2 + Kanal 3 + Akım + Voltaj + Emin misiniz? + Cihaz Rolü Dokümantasyonu ve Doğru Cihaz Rolünü Seçme hakkındaki blog yazılarını okudum.]]> + Ne yaptığımı biliyorum. + Düşük pil bildirimleri + Düşük pil: %s + Düşük pil bildirimleri (favori düğümler) + Barometrik Basınç + UDP üzerinden Mesh etkinleştirildi + UDP Ayarları + Konumunumu aç/kapa + Kullanıcı + Kanallar + Cihaz + Konum + Güç + + Ekran + LoRa + Bluetooth + Güvenlik + MQTT + Seri + Dış Bildirim + + Mesafe Testi + Telemetri + Önceden Hazırlanmış Mesaj + Ses + Uzaktan Donanım + Komşu Bilgisi + Ortam Işıklandırması + Algılama Sensörü + Pax sayacı + Ses Ayarı + CODEC 2 etkinleştirildi + PTT pini + CODEC2 örnekleme hızı + I2S kelime seçimi + I2S veri girişi + I2S veri çıkışı + I2S saati + Bluetooth Ayarı + Bluetooth Etkin + Eşleştirme Modu + Sabit PIN + Yukarı bağlantı etkinleştirildi + Aşağı bağlantı etkinleştirildi + Varsayılan + Pozisyon etkinleştirildi + GPIO pini + Tip + Şifreyi gizle + Şifreyi göster + Detaylar + Çevre + Ortam Işıklandırma Ayarı + LED durumu + Kırmızı + Yeşil + Mavi + Önceden Hazırlanmış Mesaj Yapılandırması + Önceden Hazırlanmış mesaj etkinleştirildi + Dönen kodlayıcı #1 etkinleştirildi + Dönen kodlayıcı A portu için GPIO pini + Dönen kodlayıcı B portu için GPIO pini + Dönen kodlayıcı Basma portu için GPIO pini + Basıldığında giriş olayı oluştur + CW ile giriş olayı oluştur + CCW ile giriş olayı oluştur + Yukarı/Aşağı/Seçme girişi etkinleştirildi + Giriş kaynağına izin ver + Zil gönder + Mesajlar + Algılama Sensörü Ayarları + Algılama Sensörü etkinleştirildi + Minimum yayın (saniye) + Durum yayını (saniye) + Uyarı mesajı ile zil gönder + Arkadaşça isim + İzlenecek GPIO pini + Algılama tetikleme türü + INPUT_PULLUP modu kullan + Cihaz Ayarı + Rol + PIN_BUTTON yeniden tanımla + PIN_BUZZER yeniden tanımla + Yeniden yayın modu + NodeInfo yayın aralığı (saniye) + Çift tıklamayı düğmeye basma olarak kabul et + Üçlü tıklamayı devre dışı bırak + POSIX Zaman Dilimi + LED kalp atışını devre dışı bırak + Akran Ayarı + Ekran zaman aşımı (saniye) + GPS koordinat formatı + Otomatik ekran kayması (saniye) + Pusula kuzey üstte + Ekranı Çevir + Görüntü Birimleri + OLED otomatik algılamayı geçersiz kıl + Görüntü Modu + Başlık kalın + Ekrana dokunuş veya hareketle uyan + Pusula yönü + Harici Bildirim Ayarı + Harici bildirim etkin + Mesaj alındığında bildirimler + Uyarı mesajı LED + Uyarı mesajı zırnı + Uyarı mesajı titreşimi + Uyarı/çan alındığında bildirimler + Uyarı çanı LED + Uyarı çanı zırnı + Uyarı çanı titreşim + Çıktı LED (GPIO) + Çıktı LED aktif yüksek + Çıktı zırnı (GPIO) + PWM zırnı kullan + Çıktı titreşim (GPIO) + Çıktı süresi (milisaniye) + Nag zaman aşımı (saniye) + Zil tipi + I2S\'yi zırnı olarak kullan + LoRa Ayarı + Modem ön ayarını kullan + Modem Ön Ayarı + Bant genişliği + Yayılma faktörü + Kodlama oranı + Frekans kayması (MHz) + Bölge (frekans planı) + Sıçrama limiti + TX etkin + TX gücü (dBm) + Frekans slotu + Görev Döngüsünü Geçersiz Kıl + Gelenleri Yoksay + SX126X RX arttırılmış kazanç + Frekansı Geçersiz Kıl (MHz) + PA fanı devre dışı + MQTT\'yi Yoksay + MQTT\'ye Tamam + MQTT Yapılandırması + MQTT etkin + Adres + Kullanıcı adı + Şifre + Şifreleme etkin + JSON çıktısı etkin + TLS etkin + Ana konu + Vekilden istemciye etkin + Harita raporlama + Harita raporlama aralığı (saniye) + Komşu Bilgisi Ayarı + Komşu Bilgisi etkin + Güncelleme aralığı (saniye) + LoRa üzerinden ilet + Ağ Ayarı + WiFi etkin + SSID + PSK + Ethernet etkin + NTP sunucusu + rsyslog sunucusu + IPv4 modu + IP + Ağ geçidi + Alt ağ + Pax sayacı Ayarı + Pax sayacı etkin + WiFi RSSI eşiği (varsayılan -80) + BLE RSSI eşiği (varsayılan -80) + Konum Ayarı + Konum yayılma aralığı (saniye) + Akıllı konum etkin + Akıllı yayılma minimum mesafe (metre) + Akıllı yayılma minimum aralık (saniye) + Sabit konum kullan + Enlem + Boylam + Yükseklik (metre) + GPS modu + GPS güncelleme aralığı (saniye) + GPS_RX_PIN’i yeniden tanımla + GPS_TX_PIN’i yeniden tanımla + PIN_GPS_EN’i yeniden tanımla + Konum bayrakları + Güç Ayarı + Güç tasarrufu modunu etkinleştir + Pilin kapanma gecikmesi (saniye) + ADC çarpanını geçersiz kılma oranı + Bluetooth bekleme süresi (saniye) + Süper derin uyku süresi (saniye) + Hafif uyku süresi (saniye) + Minimum uyanma süresi (saniye) + Pilin INA_2XX I2C adresi + Menzi Test Ayarı + Menzi testi etkin + Gönderen mesaj aralığı (saniye) + .CSV\'yi depolamada kaydet (sadece ESP32) + Uzak Donanım Ayarı + Uzak Donanım etkin + Tanımlanmamış pin erişimine izin ver + Mevcut pinler + Güvenlik Ayarı + Genel Anahtar + Özel Anahtar + Yönetici Anahtarı + Yönetilen Mod + Seri konsol + Hata ayıklama kaydı API\'si etkin + Eski Yönetici kanalı + Seri Ayarı + Seri etkin + Eko etkin + Seri baud hızı + Zaman Aşımı + Seri modu + Konsol seri portunu geçersiz kıl + + Kalp atışı + Kayıt sayısı + Geçmiş geri dönüş maksimum + Geçmiş geri dönüş penceresi + Sunucu + Telemetri Ayarı + Cihaz metrikleri güncelleme aralığı (saniye) + Çevre metrikleri güncelleme aralığı (saniye) + Çevre metrikleri modülü etkin + Çevre metrikleri ekran üzerinde etkin + Çevre metrikleri Fahrenheit kullan + Hava kalitesi metrikleri modülü etkin + Hava kalitesi metrikleri güncelleme aralığı (saniye) + Hava kalitesi ikonu + Güç metrikleri modülü etkin + Güç metrikleri güncelleme aralığı (saniye) + Güç metrikleri ekran üzerinde etkin + Kullanıcı Ayarı + Düğüm ID + Uzun ad + Kısa ad + Donanım modeli + Lisanslı amatör radyo + Bu seçeneği aktif etmek şifrelemeyi devre dışı bırakır ve bu varsayılan Meshtastic ağı ile uyumsuzdur. + Çiğ Noktası + Basınç + Gaz Direnci + Mesafe + Lüks + Rüzgar + Ağırlık + Radyasyon + + İç Hava Kalitesi (IAQ) + URL + + Ayarları içe aktar + Ayarları dışa aktar + Donanım + Desteklenen + Düğüm Numarası + Kullanıcı Kimliği + Çalışma Süresi + Zaman Damgası + İstikamet + Uydular + Yükseklik + Frekans + Yuva + Birincil + Periyodik konum ve telemetri yayını + İkincil + Periyodik telemetri yayını yok + Manuel konum isteği gerekli + Yeniden sıralamak için basılı tutup sürükleyin + Sesi aç + Dinamik + QR Kodu Tara + Kişiyi paylaş + Paylaşılan kişiyi içe aktar? + Mesaj gönderilemez + İzlenmeyen veya Altyapı + Uyarı: Bu kişi biliniyor, içe aktarma işlemi önceki kişi bilgilerini üzerine yazacaktır. + Açık Anahtar Değiştirildi + İçeri aktar + İstek Meta Verisi + işlemler + Aygıt Yazılımı + 12h saat formatını kullan + Aktif edildiğinde, cihaz ekranda saati 12 saat formatında gösterecek + Sunucu Ölçüm Kayıtları + Sunucu + Boş Hafıza + Boş Disk + Yükle + Kullanıcı Karakter Dizisi + Ayarlar + Katılıyorum. + Zaman + Tarih + Harita Filtresi\n + Sadece Favoriler + Taranıyor + Güvenlik Durumu + Güvenlik + Gelişmiş + + + + + Vazgeç + Bu node silinsin mi? + Mesaj + Mesaj yaz + İndir + Uzaklık Ölçüsü + Mesafe Filtresi + Mesh Harita Konumu + Telefonunuz için mesh haritasında mavi konum noktasını etkinleştirir. + Konum İzinlerini Yapılandırın + Atla + ayarlar + Kritik Uyarılar + Kritik Uyarı Yapılandır + Meshtastic, yeni mesajlar ve diğer önemli etkinlikler hakkında sizi bilgilendirmek için bildirimleri kullanır. Bildirim izinlerinizi istediğiniz zaman ayarlardan güncelleyebilirsiniz. + Sonraki + diff --git a/app/src/main/res/values-uk-rUA/strings.xml b/app/src/main/res/values-uk-rUA/strings.xml new file mode 100644 index 000000000..05659e393 --- /dev/null +++ b/app/src/main/res/values-uk-rUA/strings.xml @@ -0,0 +1,291 @@ + + + + Meshtastic %s + Фільтри + очистити фільтр вузлів + Включаючи невідомий + Сховати вузли не в мережі + Показати деталі + A-Z + Канал + Відстань + через MQTT + через MQTT + через Обране + Канал відсутній + Пакет завеликий + Немає відповіді + Ім\'я каналу + QR код + значок додатку + Невідомий користувач + Надіслати + Ви ще не підєднали пристрій, сумісний з Meshtastic. Будьласка приєднайте пристрій і введіть ім’я користувача.\n\nЦя програма з відкритим вихідним кодом знаходиться в розробці, якщо ви виявите проблеми, опублікуйте їх на нашому форумі: https://github.com/orgs/meshtastic/discussions\n\nДля отримання додаткової інформації відвідайте нашу веб-сторінку - www.meshtastic.org. + Ви + Прийняти + Скасувати + Отримано URL-адресу нового каналу + Повідомити про помилку + Повідомити про помилку + Ви впевнені, що бажаєте повідомити про помилку? Після звіту опублікуйте його в https://github.com/orgs/meshtastic/discussions, щоб ми могли зіставити звіт із тим, що ви знайшли. + Звіт + Пара створена, запуск сервісу + Не вдалося створити пару, виберіть ще раз + Доступ до місцезнаходження вимкнено, неможливо транслювати позицію. + Поділіться + Відключено + Пристрій в режимі сну + IP Адреса: + Порт: + Підключено до радіомодуля (%s) + Не підключено + Підключено до радіомодуля, але він в режимі сну + Потрібне оновлення програми + Ви повинні оновити цю програму в App Store (або Github). Він занадто старий, щоб спілкуватися з цією прошивкою радіо. Будь ласка, прочитайте нашу документацію у вказаній темі. + Відсутнє (вимкнуте) + Сервісні сповіщення + Про + URL-адреса цього каналу недійсна та не може бути використана + Панель налагодження + Експортувати журнали + Фільтри + Очистити журнал + Очистити + Статус доставки повідомлень + Сповіщення про тривоги + Потрібне оновлення прошивки. + Прошивка радіо застаріла для зв’язку з цією програмою. Для отримання додаткової інформації дивіться наш посібник із встановлення мікропрограми. + Гаразд + Ви повинні встановити регіон! + Неможливо змінити канал, тому що радіо поки що не підключені. Будь ласка, спробуйте ще раз. + Експортувати rangetest.csv + Скинути + Сканувати + Додати + Ви впевнені, що хочете змінити канал за умовчанням? + Відновити налаштування за замовчуванням + Застосувати + Тема + Світла + Темна + Системна + Оберіть тему + Укажіть розташування для мережі + + Видалити повідомлення? + Видалити %s повідомлення? + Видалити %s повідомлення? + Видалити %s повідомлення? + + Видалити + Видалити для всіх + Видалити для мене + Вибрати все + Вибір стилю + Завантажити регіон + Ім\'я + Опис + Блоковано + Зберегти + Мова + Системні налаштунки за умовчанням + Перенадіслати + Вимкнути + Перезавантаження + Маршрут + Показати підказки + Повідомлення + Налаштування швидкого чату + Новий швидкий чат + Редагувати швидкий чат + Додати до повідомлення + Миттєво відправити + Скидання до заводських налаштувань + Пряме повідомлення + Очищення бази вузлів + Доставку підтверджено + Помилка + Ігнорувати + Додати \'%s\' до чорного списку? Після цієї зміни ваш пристрій перезавантажиться. + Видалити \'%s\' з чорного списку? Після цієї зміни ваш пристрій перезавантажиться. + Оберіть регіон завантаження + Час завантаження фрагментів: + Почати завантаження + Закрити + Налаштування пристрою + Налаштування модуля + Додати + Редагувати + Обчислюю… + Управління в автономному режимі + Поточний розмір кешу + Місткість кешу: %1$.2f МБ\nВикористання кешу: %2$.2f МБ + Очистити завантажені плитки + Джерело плиток + SQL кеш очищено для %s + Помилка очищення кешу SQL, перегляньте logcat для деталей + Керування кешем + Звантаження завершено! + Завантаження завершено з %d помилками + %d плиток + прийом: %1$d° відстань: %2$s + Редагувати точку + Видалити мітку? + Новий мітка + Отримано точку маршруту: %s + Досягнуто обмеження заповнення каналу. Неможливо надіслати повідомлення зараз, будь ласка, спробуйте ще раз пізніше. + Видалити + Цей вузол буде видалений зі списку доки ваш вузол не отримає дані з нього знову. + Вимкнути сповіщення + 8 годин + 1 тиждень + Завжди + Замінити + Сканувати QR-код Wi-Fi + Батарея + Температура + Вологість + Журнали подій + Інформація + Докладніше + SNR + RSSI + Адміністрування + Віддалене керування + Сигнал + Якість сигналу + Макс + Копіювати + Обране + Додати \'%s\' як обраний вузол? + Видалити \'%s\' з обраних вузлів? + Канал 1 + Канал 2 + + Напруга + Ви впевнені? + ]]> + Я знаю, що роблю. + Сповіщення про низький рівень заряду + Низький заряд батареї: %s + Налаштування UDP + Користувач + Канали + Пристрій + Живлення + Мережа + Дисплей + LoRa + Bluetooth + Безпека + MQTT + Серійний порт + + Тест дальності + Телеметрія + Аудіо + Налаштування аудіо + Налаштування Bluetooth + Bluetooth увімкнено + Тип + Приховати пароль + Показати пароль + Подробиці + Середовище + Стан світлодіоду + Червоний + Зелений + Синій + Повідомлення + Конфігурація пристрою + Роль + Перевизначити PIN_BUTTON + Перевизначити PIN_BUZZER + Часова зона POSIX + Налаштування дисплею + Тайм-аут екрану (секунд) + Перевернути екран + Режим екрану + Орієнтація компаса + Мелодія + Налаштування LoRa + TX увімкнено + Потужність TX (dBm) + Ігнорувати вхідні + Ім\'я користувача + Пароль + Налаштування мережі + WiFi увімкнено + SSID + PSK + Ethernet увімкнено + NTP-сервер + rsyslog-сервер + Режим IPv4 + IP-адреса + Шлюз + Підмережа + Широта + Довгота + Висота (метри) + Режим GPS + Інтервал оновлення GPS (в секундах) + Перевизначити GPS_RX_PIN + Перевизначити GPS_TX_PIN + Перевизначити PIN_GPS_EN + Налаштування живлення + Доступні піни + Налаштування безпеки + Ключ адміністратора + Серійна консоль + Таймаут + Сервер + Налаштування користувача + Довга назва + Коротка назва + Атмосферний тиск + Відстань + Вітер + Вага + Радіація + URL + ID користувача + Час роботи + Мітка часу + Сканувати QR-код + Поділитися контактом + Імпортувати + Запитати метадані + Дії + Прошивка + Якщо увімкнено, пристрій буде показувати час у 12-годинному форматі на екрані. + Налаштування + Погоджуюся. + Час + Дата + Лише обрані + Експортувати ключі + Meshtastic + Розширені + + + + + Повідомлення + diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml new file mode 100644 index 000000000..c4c29ce89 --- /dev/null +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -0,0 +1,758 @@ + + + + Meshtastic %s + 筛选 + 清除筛选 + 包括未知内容 + 隐藏离线节点 + 仅显示直连节点 + 您正在查看被忽略的节点,\n点击返回到节点列表。 + 显示详细信息 + 节点排序选项 + 字母顺序 + 频道 + 距离 + 跳数 + 上次连接时间 + 通过 MQTT + 通过 MQTT + 通过收藏夹 + 忽略的节点 + 无法识别的 + 正在等待确认 + 发送队列中 + 已确认 + 无路径 + 接收到否定确认 + 超时 + 无界面 + 已达到最大再传输量 + 无频道 + 数据包过大 + 无响应 + 错误请求 + 区域占空比限制已达到 + 未授权 + 加密发送失败! + 未知公钥 + 会话密钥错误 + 未授权的公钥 + 应用配对或独立使用的消息传递设备 + 不转发其他设备数据包的设备 + 用于通过转发消息扩展网络覆盖范围的基础设施节点。可在节点列表中看到。 + 同时兼具路由器和客户端功能的设备。不适用于移动设备。 + 通过最低开销转发消息扩展网络覆盖的基础设施节点。不可见于节点列表。 + 优先广播 GPS 位置数据包 + 优先广播遥测数据包 + 优化ATAK系统通讯,减少常规广播。 + 仅在需要时广播的设备,用于隐蔽或节能模式 + 定期向默认频道广播位置,以协助设备恢复。 + 启用自动 TAK PLI 广播并减少常规广播。 + 基础设施节点,总是在所有其他模式之后重新广播数据包一次,以确保本地集群的额外覆盖范围。会在节点列表中显示。 + 重新广播任何观察到的消息,无论是来自我们的私有频道还是具有相同 LoRa 参数的其他网状网络。 + 与 ALL 模式的行为相同,但跳过数据包解码,仅简单地重新广播它们。仅适用于中继器角色。在其他角色中设置此选项将表现为 ALL 模式。 + 忽略来自开放网状网络或无法解密的消息,仅在节点的本地主/次频道上重新广播消息。 + 与 LOCAL_ONLY 类似,忽略来自其他网状网络的消息,但更进一步,忽略来自不在节点已知列表中的节点的消息。 + 仅限 SENSOR、TRACKER 和 TAK_TRACKER 角色,此模式将禁止所有重新广播,与 CLIENT_MUTE 角色类似。 + 忽略来自非标准端口号(如 TAK、RangeTest、PaxCounter 等)的数据包,仅重新广播标准端口号的数据包:NodeInfo、Text、Position、Telemetry 和 Routing。 + 将支持的加速度计上的双击操作视为 User 按键的按压动作。 + 禁用 User 按键的三击操作来启用或禁用 GPS。 + 控制设备上的指示灯闪烁。对于大多数设备,这将控制最多 4 个指示灯,充电器和 GPS 指示灯无法控制。 + 是否除了发送到 MQTT 和 PhoneAPI 外,还应通过 LoRa 传输我们的邻居信息(NeighborInfo)。在具有默认密钥和名称的通道上不可用。 + 公钥 + 频道名称 + QR 码 + 应用程序图标 + 未知的使用者名称 + 传送 + 您尚未将手机与 Meshtastic 兼容的装置配对。请先配对装置并设置您的用户名称。\n\n此开源应用程序仍在开发中,如有问题,请在我们的论坛 https://github.com/orgs/meshtastic/discussions 上面发文询问。\n\n 也可参阅我们的网页 - www.meshtastic.org。 + + 接受 + 取消 + 清除更改 + 收到新的频道 URL + 报告 Bug + 报告 Bug 详细信息 + 您确定要报告错误吗?报告后,请在 https://github.com/orgs/meshtastic/discussions 上贴文,以便我们可以将报告与您发现的问题匹配。 + 报告 + 配对完成,启动服务 + 配对失败,请重新选择 + 位置访问已关闭,无法向网络提供位置信息 + 分享 + 新节点: %s + 已断开连接 + 设备休眠中 + 已连接:%1$s / 在线 + IP地址: + 端口: + 已连接 + 已连接至设备 (%s) + 尚未联机 + 已连接至设备,但设备正在休眠中 + 需要更新应用程序 + 您必须在应用商店或 Github上更新此应用程序。程序太旧了以至于无法与此装置进行通讯。 请阅读有关此主题的 文档 + 无 (停用) + 服务通知 + 关于 + 此频道网址无效,无法使用 + 调试面板 + 解码Payload: + 导出程序日志 + 筛选器 + 启用的过滤器 + 搜索日志… + 下一匹配 + 上一匹配 + 清除搜索 + 添加筛选条件 + 筛选已包含 + 清除所有筛选条件 + 清除日志 + 匹配任意 | 所有 + 匹配所有 | 任意 + 这将从您的设备中移除所有日志数据包和数据库条目 - 完整重置,永久失去所有内容。 + 清除 + 消息传递状态 + 私信提醒 + 广播消息提醒 + 提醒通知 + 需要固件更新。 + 版本过旧,无法与此应用程序通讯。欲了解更多信息,请参阅 Meshtastic 网站上的韧体安装指南 + 确定 + 您必须先选择一个地区 + 无法更改频道,因为装置尚未连接。请再试一次。 + 导出信号测试数据.csv + 重置 + 扫描 + 新增 + 您是否确定要改回默认频道? + 重置为默认设置 + 申请 + 主题 + 浅色 + 深色 + 系统默认设置 + 选择主题 + 向网格提供手机位置 + + 删除 消息? + +删除 %s 条消息? + + 删除 + 也从所有人的聊天纪录中删除 + 仅在我的设备中删除 + 选择全部 + 关闭选中 + 删除选中 + 主题选择 + 下载区域 + 名称 + 说明 + 锁定 + 保存 + 语言 + 系统默认值 + 重新发送 + 关机 + 此设备不支持关机 + 重启 + 路由追踪 + 显示简介 + 信息 + 快速聊天选项 + 新的快速聊天 + 编辑快速聊天 + 附加到消息中 + 立即发送 + 显示快速聊天菜单 + 隐藏快速聊天菜单 + 恢复出厂设置 + 私信 + 重置节点数据库 + 已送达 + 错误 + 忽略 + 添加 \'%s\' 到忽略列表? + 从忽略列表中删除 \'%s\' ? + 选择下载地区 + 局部地图下载估算: + 开始下载 + 交换位置 + 关闭 + 设备配置 + 模块设定 + 新增 + 编辑 + 正在计算…… + 离线管理 + 当前缓存大小 + 缓存容量: %1$.2f MB\n缓存使用: %2$.2f MB + 清除下载的区域地图 + 区域地图来源 + 清除 %s 的 SQL 缓存 + 清除 SQL 缓存失败,请查看 logcat 纪录 + 缓存管理员 + 下载已完成! + 下载完成,但有 %d 个错误 + %d 图砖 + 方位:%1$d° 距离:%2$s + 编辑航点 + 删除航点? + 新建航点 + 收到航点:%s + 触及占空比上限。暂时无法发送消息,请稍后再试。 + 移除 + 此节点将从您的列表中删除,直到您的节点再次收到它的数据。 + 消息免打扰 + 8 小时 + 1周 + 始终 + 替换 + 扫描 WiFi 二维码 + WiFi凭据二维码格式无效 + 回溯导航 + 电池 + 频道使用 + 无线信道利用率 + 温度 + 湿度 + 土壤温度 + 土壤湿度 + 日志 + 跳数 + 越点数: %1$d + 信息 + 当前信道的利用情况,包括格式正确的发送(TX)、接收(RX)以及无法解码的接收(即噪声)。 + 过去一小时内用于传输的空中占用时间百分比。 + IAQ + 共享密钥 + 私信使用频道的共享密钥进行加密。 + 公钥加密 + 私信使用新的公钥基础设施(PKC)进行加密。需要固件版本 2.5 或更高。 + 公钥不匹配 + 公钥与记录的密钥不匹配。 您可以移除该节点并让它再次交换密钥,但这可能会显示一个更严重的安全问题。 通过另一个信任频道联系用户,以确定密钥更改是否是出厂重置或其他故意操作。 + 交换用户信息 + 新节点通知 + 查看更多 + SNR + 信噪比(Signal-to-Noise Ratio, SNR)是一种用于通信领域的测量指标,用于量化目标信号与背景噪声的比例。在 Meshtastic 及其他无线系统中,较高的信噪比表示信号更加清晰,从而能够提升数据传输的可靠性和质量。 + RSSI + 接收信号强度指示(Received Signal Strength Indicator, RSSI)是一种用于测量天线接收到的信号功率的指标。较高的 RSSI 值通常表示更强、更稳定的连接。 + 室内空气质量(Indoor Air Quality, IAQ):由 Bosch BME680 传感器测量的相对标尺 IAQ 值,取值范围为 0–500。 + 设备测量日志 + 节点地图 + 定位日志 + 最后位置更新 + 环境测量日志 + 信号测量日志 + 管理 + 远程管理 + + 一般 + 良好 + + 分享到… + 信号 + 信号质量 + 路由追踪日志 + 直连 + + %d 跳数 + + 传输跳数:去程 %1$d,回程 %2$d + 24 小时 + 48 小时 + 1 周 + 2 周 + 4 周 + 最大值 + 未知时长 + 复制 + 警铃字符! + 关键告警! + 收藏 + 添加 \'%s\'为收藏节点? + 不再把\'%s\'作为收藏节点? + 电源计量日志 + 频道 1 + 频道 2 + 频道 3 + 电流 + 电压 + 你确定吗? + 设备角色文档 以及关于 选择正确设备角色的博客文章。]]> + 我知道自己在做什么 + 节点 %1$s 电量低(%2$d%%) + 低电量通知 + 电池电量低: %s + 低电量通知 (收藏节点) + 气压 + 通过 UDP 的Mesh + UDP 设置 + 最后听到: %2$s
最后位置: %3$s
电量: %4$s]]>
+ 切换我的位置 + 用户 + 频道 + 设备 + 定位 + 电源 + 网络 + 显示 + LoRa + 蓝牙 + 安全 + MQTT + 串口 + 外部通知 + + 距离测试 + 遥测 + 预设消息 + 音频 + 远程硬件 + 邻居信息 + 环境照明 + 检测传感器 + 客流计数 + 音频配置 + 启用CODEC2 + PTT 引脚 + CODEC2 采样率 + I2S 字选择 + I2S 数据 IN + I2S 数据 OUT + I2S 时钟 + 蓝牙配置 + 启用蓝牙 + 配对模式 + 固定PIN码 + 启用上传 + 启用下行 + 默认 + 启用位置 + 精准位置 + GPIO 引脚 + 类型 + 隐藏密码 + 显示密码 + 详细信息 + 环境 + 环境亮度配置 + LED 状态 + + 绿 + + 预设消息配置 + 启用预设消息 + 启用旋转编码器 #1 + 用于旋转编码器A端口的 GPIO 引脚 + 用于旋转编码器B端口的 GPIO 引脚 + 用于旋转编码器按键端口的 GPIO 引脚 + 按下时生成输入事件 + CW 时生成输入事件 + CCW时生成输入事件 + 启用Up/Down/select 输入 + 允许输入源 + 发送响铃 + 消息 + 检测传感器配置 + 启用检测传感器 + 最小广播时间(秒) + 状态广播(秒) + 发送带有警报消息的响铃声 + 易记名称 + 显示器的 GPIO 引脚 + 检测触发器类型 + 使用 输入上拉 模式 + 设备配置 + 角色 + 重新定义 PIN_BUTTON + 重新定义 PIN_BUZZER + 转播模式 + 节点信息广播间隔 (秒) + 双击按键按钮 + 禁用三次点击 + POSIX 时区 + 禁用LED心跳 + 显示设置 + 屏幕超时(秒) + GPS坐标格式 + 自动旋转屏幕(秒) + 罗盘总是朝北 + 翻转屏幕 + 显示单位 + 覆盖 OLED 自动检测 + 显示模式 + 标题粗体 + 点击或移动时唤醒屏幕 + 罗盘方向 + 外部通知设置 + 启用外部通知 + 消息已读回执通知 + 警告消息指示灯 + 警告消息蜂鸣 + 警告消息振动 + 警报/铃声接收通知 + 警铃 LED + 警铃蜂鸣 + 警铃震动 + 输出 LED (GPIO) + 输出 LED 活动高 + 输出震动(GPIO) + 使用 PWM 蜂鸣器 + 输出振动 (GPIO) + 输出持续时间 (毫秒) + 屏幕超时(秒) + 铃声 + 使用 I2S 作为蜂鸣器 + LoRa 配置 + 使用调制解调器预设 + 调制解调器预设 + 带宽 + 传播因子 + 编码速率 + 频率偏移(MHz) + 地区(频率计划) + 跳跃限制 + 启用传输 + 传输功率(dBm) + 频率槽位 + 覆盖占空比 + 忽略接收 + SX126X 接收强化增益 + 覆盖频率(MHz) + PA风扇已禁用 + 忽略 MQTT + 使用MQTT + MQTT设置 + 启用MQTT + 地址 + 用户名 + 密码 + 启用加密 + 启用JSON输出 + 启用TLS + 根主题 + 启用客户端代理 + 地图报告 + 地图报告间隔 (秒) + 邻居信息设置 + 启用邻居信息 + 更新间隔(秒) + 通过 LoRa 传输 + 网络配置 + 启用 WiFi + SSID + 共享密钥/PSK + 启用以太网 + NTP 服务器 + rsyslog 服务器 + IPv4模式 + IP + 网关 + 子网 + Paxcount 配置 + 启用 Paxcount + WiFi RSSI 阈值(默认为-80) + BLE RSSI 阈值(默认为-80) + 位置设置 + 位置广播间隔 (秒) + 启用智能位置 + 智能广播最小距离(米) + 智能广播最小间隔(秒) + 使用固定位置 + 纬度 + 经度 + 海拔(米) + 根据当前手机位置设置 + GPS模式 + GPS 更新间隔 (秒) + 重新定义 GPS_RX_PIN + 重新定义 GPS_TX_PIN + 重新定义 PIN_GPS_EN + 定位日志 + 电源配置 + 启用节能模式 + 电池延迟关闭(秒) + ADC乘数修正比率 + 等待蓝牙持续时间 (秒) + 深度睡眠时间(秒) + 轻度睡眠时间(秒) + 最短唤醒时间 (秒) + 电池INA_2XX I2C 地址 + 范围测试设置 + 启用范围测试 + 发件人消息间隔(秒) + 保存 CSV 到存储 (仅ESP32) + 远程硬件设置 + 启用远程硬件 + 允许未定义的引脚访问 + 可用引脚 + 安全设置 + 公钥 + 私钥 + 管理员密钥 + 管理模式 + 串行控制 + 启用调试日志 API + 旧版管理频道 + 串口配置 + 启用串行 + 启用Echo + 串行波特率 + 超时 + 串行模式 + 覆盖控制台串口端口 + + 心跳 + 记录数 + 历史记录最大返回值 + 历史记录返回窗口 + 服务器 + 远程配置 + 设备计量更新间隔 (秒) + 环境计量更新间隔 (秒) + 启用环境计量模块 + 屏幕显示环境指标 + 环境测量值使用华氏度 + 启用空气质量计量模块 + 空气质量计量更新间隔 (秒) + 空气质量图标 + 启用电源计量模块 + 电量计更新间隔 (秒) + 在屏幕上启用电源指标 + 用户配置 + 节点ID + 全名 + 简称 + 硬件型号 + 业余无线电模式(HAM) + 启用此选项将禁用加密并且不兼容默认的Meshtastic网络。 + 结露点 + 气压 + 气体电阻性 + 距离 + 照度 + + 重量 + 辐射 + + 室内空气质量 (IAQ) + 网址 + + 导入配置 + 导出配置 + 硬件 + 已支持 + 节点编号 + 用户 ID + 正常运行时间 + 载入 %1$d + 存储空间剩余 %1$d + 时间戳 + 航向 + 速度 + 卫星 + 海拔 + 频率 + 槽位 + 主要 + 定期广播位置和遥测 + 次要 + 关闭定期广播遥测 + 需要手动定位请求 + 长按并拖动以重新排序 + 取消静音 + 动态 + 扫描二维码 + 分享联系人 + 导入分享的联系人? + 无法发送消息 + 不受监测或基础设施 + 警告:此联系人已知,导入将覆盖之前的联系人信息。 + 公钥已更改 + 导入 + 请求元数据 + 操作 + 固件 + 使用 12 小时制格式 + 如果启用,设备将在屏幕上以12小时制格式显示时间。 + 主机测量日志 + 主机 + 可用内存 + 可用存储 + 负载 + 用户字符串 + 导航到 + Mesh 地图 + 节点 + 设置 + 设置您的地区 + 回复 + 您的节点将定期向配置的MQTT服务器发送一个未加密的地图报告数据包,这包括id、长和短的名称, 大致位置、硬件型号、角色、固件版本、LoRa区域、调制解调器预设和主频道名称。 + 同意通过 MQTT 分享未加密的节点数据 + 通过启用此功能,您确认并明确同意通过MQTT协议不加密地传输您设备的实时地理位置。 这一位置数据可用于现场地图报告、设备跟踪和相关的遥测功能。 + 我已阅读并理解以上内容。我自愿同意通过MQTT未加密地传输我的节点数据。 + 我同意。 + 推荐固件更新。 + 为了获得最新的修复和功能,请更新您的节点固件。\n\n最新稳定固件版本:%1$s + 有效期 + 时间 + 日期 + 地图过滤器\n + 仅收藏的 + 显示航点 + 显示精度圈 + 客户端通知 + 检测到密钥泄漏,请点击 确定 进行重新生成。 + 重新生成私钥 + 您确定要重新生成您的私钥吗?\n\n曾与此节点交换过密钥的节点将需要删除该节点并重新交换密钥以恢复安全通信。 + 导出密钥 + 导出公钥和私钥到文件。请安全地存储某处。 + 模块已解锁 + 远程 + (%1$d 在线 / %2$d 总计) + 互动 + 断开连接 + 未找到网络设备。 + 未找到 USB 串口设备。 + 滚动到底部 + Meshtastic + 正在扫描 + 安全状态 + 安全 + 警告标志 + 未知频道 + 警告 + 溢出菜单 + 紫外线强度 + 未知 + 高级 + 清理节点数据库 + 清理上次看到的 %1$d 天以上的节点 + 仅清理未知节点 + 清理低/无交互的节点 + 清理忽略的节点 + 立即清理 + 这将从您的数据库中删除 %1$d 节点。 此操作无法撤消。 + 绿色锁意为频道安全加密,使用128 位或 256 位 AES密钥。 + + 不安全的频道,无精准位置 + 黄色开锁意为频道未安全加密, 未启用精准位置数据,且不使用任何密钥或使用1字节已知密钥。 + + 不安全的频道,精准位置 + 红色开锁意为频道未安全加密, 启用精确的位置数据,且不使用任何密钥或使用1字节已知密钥。 + + 警告:不安全,精准位置 & MQTT Uplink + 带有警告的红色开锁意为频道未安全加密,启用精确的位置数据,正通过MQTT连接到互联网,且不使用任何密钥或使用1字节已知密钥。 + + 频道安全 + 频道安全含义 + 显示所有含义 + 显示当前状态 + 收起键盘 + 您确定要删除此节点吗? + 回复给 %1$s + 取消回复 + 删除消息? + 清除选择 + 信息 + 输入一条消息 + PAX 计量日志 + PAX + 无可用的 PAX 计量日志。 + WiFi 设备 + BLE 设备 + 超过速率限制。请稍后再试。 + 查看发行版 + 下载 + 当前安装 + 最新稳定版 + 最新测试版 + 由 Meshtastic 社区支持 + 固件版本 + 最近使用的网络设备 + 发现的网络设备 + 开始 + 欢迎使用 + 随时随地保持联系 + 在没有手机服务的情况下与您的朋友和社区进行网外通信。 + 创建您自己的网络 + 轻松建立私人网格网络,以便在偏远地区进行安全和可靠的通信。 + 追踪和分享位置 + 实时分享您的位置,并通过集成的GPS功能保持团队的协调一致。 + 应用通知 + 收到的消息 + 频道和直接消息通知。 + 新节点 + 新发现节点通知。 + 电池电量低 + 已连接设备的低电量警报通知。 + 标记为“重要”的发送包将忽略操作系统通知中心中的静音开关和勿扰设置。 + 配置通知权限 + 手机位置 + Meshtastic 通过使用您的手机定位功能来实现多项功能。您可随时通过设置菜单调整定位权限。 + 分享位置 + 使用您的手机 GPS 位置而不是使用您节点上的硬件GPS。 + 距离测量 + 显示您的手机和其他带有位置的 Meshtastic 节点之间的距离。 + 距离筛选器 + 根据靠近您的手机的位置筛选节点列表和网格地图。 + 网格地图位置 + 在网格地图中为您的手机开启蓝色位置点。 + 配置位置权限 + 跳过 + 设置 + 关键警报 + 为了确保您能够收到重要警报,例如 + SOS 消息,即使您的设备处于“请勿打扰”模式,您也需要授予特殊权限。 + 请在通知设置中启用此功能。 + 配置关键警报 + Meshtastic 使用通知来随时更新新消息和其他重要事件。您可以随时从设置中更新您的通知权限。 + 下一步 + %d 节点待删除: + 注意:这将从应用内和设备上的数据库中移除节点。\n选择是附加性的。 + 正在连接设备 + 普通 + 卫星 + 地形 + 混合 + 管理地图图层 + 地图图层 + 没有自定义图层被加载。 + 添加图层 + 隐藏图层 + 显示图层 + 移除图层 + 添加图层 + 在此位置的节点 + 所选地图类型 + 管理自定义瓦片源 + 添加自定义瓦片源 + 没有自定义瓦片源 + 编辑自定义瓦片源 + 删除自定义瓦片源 + 名称不能为空。 + 服务提供商名已存在。 + URL 不能为空。 + URL 必须包含占位符。 + URL 模板 + 轨迹点 +
diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml new file mode 100644 index 000000000..4a85a77bf --- /dev/null +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -0,0 +1,774 @@ + + + + Meshtastic %s + 過濾器 + 清除節點過濾器 + 顯示未知節點 + 隱藏離線節點 + 只顯示直連節點 + 您正在檢視已忽略的節點\n請返回到節點列表。 + 顯示詳細資料 + 節點排序選項 + 依名字排序 + 頻道 + 距離 + 依轉跳排序 + 最近一次收到排序 + 有節點MQTT排序 + 有節點MQTT排序 + 通過喜好 + 已忽略節點 + 無法識別 + 正在等待確認 + 發送佇列中 + 已確認 + 無路徑 + 接收到拒絕確認 + 逾時 + 無介面 + 已達最大重新發送次數 + 無頻道 + 封包過大 + 無回應 + 錯誤請求 + 已達區域工作週期之上限 + 未授權 + 加密發送錯誤 + 未知公鑰 + 無效的會話金鑰 + 無法識別公鑰 + 應用程式連接或獨立收發裝置。 + 對其他裝置封包不予轉播的節點。 + 加強網路覆蓋的中繼基地台節點。顯示在節點列表上。 + 兼具路由器和用戶端功能的節點。行動裝置不宜使用。 + 加強網路覆蓋的中繼基地台節點,但轉播時僅添加最低限度的額外負擔(Overhead)。不會顯示在節點列表上。 + 優先廣播 GPS 位置封包。 + 優先廣播遙測資料封包。 + 最佳化以供 ATAK 系統通訊使用,減少日常廣播量。 + 基於省電或隱私需求,僅提供最低限度廣播通訊的節點。 + 定期向預設頻道播送定位的裝置,以便於裝置復原。 + 啓用自動 TAK PLI 廣播,將減少定期廣播。 + 基礎建設節點,總是在所有其他模式之後才重新廣播一次封包,以確保本地群集有額外的覆蓋範圍。在節點清單中可見。 + 重播任何觀察到的訊息,如果它是在我們的私人頻道上或來自具有相同 lora 參數的其他網路上。 + 與「ALL」行為相同,但會跳過封包解碼,僅重新廣播它們。此功能僅適用於中繼器角色。在其他角色上設定此功能將導致「ALL」行為。 + 忽略來自開放的或無法解密的外部 Mesh 觀察到的訊息。僅轉播來自本地節點的主要/次要頻道的訊息。 + 近似於 LOCAL_ONLY 角色,將忽略來自外部Mesh節點的訊息,同時也忽略已知節點列表以外節點的訊息。 + 僅允許 SENSOR、TRACKER 和 TAK_TRACKER 角色,與 CLIENT_MUTE 角色不同,此模式將禁止所有重新廣播行為。 + 忽略來自非標準通訊埠號(諸如 TAK、RangeTest、PaxCounter 等)的封包,僅重新廣播標準通訊埠號的封包:NodeInfo、Text、Position、Telemetry 和 Routing。 + 將支援加速度計上的雙撃行為視作按壓使用者按鍵。 + 停用透過點擊使用者按鈕三次開啓/關閉 GPS 功能。 + 控制裝置上閃爍的 LED。對大多數裝置而言,這將控制最多 4 個 LED 中的一個,充電器和 GPS LED 則無法控制。 + 除了發送至 MQTT 和 PhoneAPI 之外,我們的 NeighborInfo 是否也透過 LoRa 發送?此功能無法在使用預設密鑰和名稱的頻道使用。 + 公鑰 + 頻道名稱 + QRCODE + 應用程式圖示 + 未知的使用者名稱 + 傳送 + 您尚未將手機與 Meshtastic 相容的裝置配對。請先配對裝置並設置您的使用者名稱。\n\n此開源應用程式仍在開發中,如有問題,請在我們的論壇 https://github.com/orgs/meshtastic/discussions 上面發文詢問。\n\n 也可參閱我們的網頁 - www.meshtastic.org。 + + 允許傳送分析及崩潰報告。 + 接受 + 取消 + 清除變更 + 收到新的頻道 URL + Meshtastic需要啟用定位及藍芽才能尋找新裝置,可以選擇在不使用時停用。 + 回報BUG + 回報問題 + 您確定要報告錯誤嗎?報告後,請在 https://github.com/orgs/meshtastic/discussions 上貼文,以便我們可以將報告與您發現的問題匹配。 + 報告 + 配對完成,開始服務 + 配對失敗,請重新選擇 + 位置訪問已關閉,無法向設備提供位置. + 分享 + 發現新節點: %s + 已中斷連線 + 設備休眠中 + 已連接:%1$s 在線 + IP地址: + 埠號: + 已连接 + 已連接至設備 (%s) + 未連線 + 已連接至無線電,但它正在休眠中 + 需要應用程式更新 + 您必須在應用商店(或 Github)更新此應用程式。它太舊無法與此無線電韌體通訊。請閱讀我們關於此主題的文件 + 無(停用) + 服務通知 + 關於 + 此頻道 URL 無效,無法使用 + 除錯面板 + 解析封包: + 匯出日誌 + 篩選 + 啟動篩選功能 + 在日誌中搜尋… + 下一個符合的 + 上一個符合的 + 清除搜尋結果 + 增加篩選條件 + 包含篩選器 + 清除所有篩選 + 清除所有日誌 + 符合任一條件 + 符合全部條件 + 這將完全移除裝置上的所有日誌封包與資料庫記錄 - 這是一個完整的重設,且無法復原。 + 清除 + 訊息傳遞狀態 + 私訊通知 + 廣播訊息通知 + 警告信息 + 需要更新韌體。 + 無法與此應用程式通訊,無線電韌體太舊。有關詳細信息,請參閱我們的韌體安裝指南 + 好的 + 您必須設定一個區域! + 無法更改頻道,因為裝置尚未連接。請再試一次。 + 匯出範圍測試資料.csv + 重設 + 掃描 + 新增 + 您確定要切換到預設頻道嗎? + 恢復預設設置 + 套用 + 主題 + 淺色 + 深色 + 系統預設 + 選擇主題 + 將手機位置提供給Mesh網路 + + 刪除 %s 訊息? + + 刪除 + 也從所有人的聊天紀錄中刪除 + 從我的聊天紀錄中刪除 + 選擇全部 + 關閉選取 + 刪除選取項目 + 樣式選擇 + 下載區域 + 名稱 + 描述說明 + 鎖定 + 儲存 + 語言 + 系統預設 + 重新傳送 + 關機 + 此裝置不支援關機功能 + 重新開機 + 路由追蹤 + 顯示介紹指南 + 訊息: + 快速聊天選項 + 新的快速聊天 + 編輯快速聊天 + 附加到訊息 + 即時發送 + 顯示快速聊天選單 + 隱藏快速聊天選單 + 恢復出廠設置 + 藍芽已關閉,請至手機設定內開啟藍芽功能。 + 開啟設定 + 韌體版本: %1$s + Meshtastic 應用程式需要啟用「鄰近裝置」權限,才能透過藍牙尋找並連接到裝置,可以選擇在不使用時停用。 + 直接發訊息 + 重設節點資料庫 + 已確認送達 + 錯誤 + 忽略 + 將 \'%s\' 加入忽略清單嗎? + 從忽略清單中移除 \'%s\' 嗎? + 選擇下載地區 + 圖磚下載估計: + 開始下載 + 交換位置 + 關閉 + 設備設定 + 模組設定 + 新增 + 編輯 + 正在計算…… + 離線管理 + 目前快取大小 + 快取容量: %1$.2f MB\n快取使用: %2$.2f MB + 清除下載的圖磚 + 圖磚來源 + 清除 %s 的 SQL 快取 + SQL快取清除失敗,請查看logcat以獲取詳細資訊。 + 快取管理 + 下載已完成! + 下載完成,但有 %d 個錯誤 + %d 圖磚 + 方位:%1$d° 距離:%2$s + 編輯航點 + 刪除航點? + 新建航點 + 收到編輯航點:%s + 達到循環工作週期限制。目前無法發送訊息,請稍後再試。 + 移除 + 該節點將從您的列表中移除,直到您的節點再次收到來自該節點的數據。 + 靜音通知 + 8小時 + 1週 + 總是 + 替換 + 掃描WiFi QR code + 錯誤的 WiFi 驗證QR code格式 + 返回上一頁 + 電池 + 頻道使用量 + 無線通道利用率 + 溫度 + 濕度 + 環境溫度 + 環境濕度 + 系統記錄 + 節點距 + 經過節點數:%1$d + 資訊 + 目前頻道的使用情況,包括格式正確的傳輸(TX)、接收(RX)和格式錯誤的接收(也稱為雜訊)。 + 過去一小時内傳輸所使用的通話時間(airtime)百分比。 + 室内空氣品質指標 (IAQ) + 共用金鑰 + 私訊使用頻道的共用金鑰進行加密。 + 加密公鑰 + 私訊採用全新的公鑰加密技術進行加密。需要將韌體版本更新至 2.5 或以上。 + 公鑰不相符 + 公鑰與記錄的公鑰不符。您可以移除節點並讓其重新交換金鑰,但這可能表示存在更嚴重的安全問題。請透過其他可信賴的管道聯繫使用者,以確定金鑰更改是否由於出廠重置或其他有意行動所致。 + 交換用戶信息 + 新節點通知 + 詳細資訊 + SNR + 信噪比(SNR),用於通訊中量化所需信號與背景噪音水平的指標。在 Meshtastic 及其他無線系統中,信噪比越高表示信號越清晰,可以提高數據傳輸的可靠性和品質。 + RSSI + 接收信號強度指示(RSSI)用於測量天線所接收到信號的功率強度。 RSSI 值越高通常代表連線越強且穩定。 + (室內空氣品質) 相對尺度 IAQ 值,由 Bosch BME680 測量。值範圍 0–500。 + 裝置指標日誌 + 節點地圖 + 定位日誌 + 最後位置更新 + 環境監測讀數日誌 + 訊號指標日誌 + 管理 + 遠端管理 + 不良 + 普通 + 良好 + + 分享至… + 信號 + 信號品質 + 路由追蹤(Traceroute)日誌 + 直線 + + %d 跳數 + + 跳轉數 往程 %1$d 次,返程 %2$d 次 + 24小時 + 48小時 + 1週 + 2週 + 4週 + 最大值 + 未知年齡 + 複製 + 警鈴字符! + 嚴重警告! + 收藏 + 是否將“%s”添加為我的最愛節點? + 是否從我的最愛節點中删除“%s”? + 功率計量日誌 + 頻道1 + 頻道2 + 頻道3 + 當前 + 電壓 + 你確定嗎? + 設備角色檔案和關於選擇正確的設備角色的博客文章 。]]> + 我知道我在做什麼。 + 節點 %1$s 電量過低 (%2$d%%) + 低電量通知 + 低電量:%s + 低電量通知(收藏節點) + 氣壓 + 通过 UDP 的Mesh + UDP設置 + 最後接收: %2$s
最後位置: %3$s
電量: %4$s]]>
+ 切換我的位置 + 用戶 + 頻道 + 裝置 + 位置 + 電源 + 網路 + 顯示 + LoRa + 藍芽 + 安全 + MQTT + 序號 + 外部通知 + + 範圍測試 + 遙測 + 罐頭訊息 + 音頻 + 遠程硬件 + 相鄰設備資訊 + 周圍光照 + 檢測傳感器 + 客流量計數 + 音頻設置 + 啟用 CODEC2 + PTT針腳 + CODEC2 取樣率 + I2S WS 訊號選擇 + I2S 數據輸入 + I2S 數據輸出 + I2S 時鐘 + 藍牙配置 + 藍牙已啟用 + 配對模式 + 固定引脚 + 已啓用上行 + 已啓用下行 + 默認 + 位置已啟用 + 精確位置 + GPIO 引脚 + 類別 + 隱藏密碼 + 顯示密碼 + 詳情 + 環境 + 裝置燈光設定 + LED狀態 + 紅色 + 綠色 + 藍色 + 罐頭訊息設定 + 啟用罐頭訊息 + 啟用旋轉編碼器#1 + 旋轉編碼器 A 端 GPIO 腳位 + 旋轉編碼器 B 端 GPIO 腳位 + 旋轉編碼器 按鈕 GPIO 腳位 + 按下時產生輸入事件 + 順時針旋轉時產生輸入事件 + 逆時針旋轉時產生輸入事件 + 啟用上下選擇輸入 + 允許輸入來源 + 發送振鈴 + 訊息 + 偵測感測器設定 + 啟用偵測感測器 + 最短廣播間隔 (秒) + 狀態廣播間隔 (秒) + 告警訊息發送提示音 + 顯示名稱 + 螢幕的 GPIO 腳位 + 偵測觸發類型 + 使用輸入上拉模式 + 設備設置 + 角色 + 重新定義按鈕腳位 + 重新定義蜂鳴器腳位 + 轉發模式 + 節點資訊廣播間隔(秒) + 雙擊視為按鈕操作 + 禁用三擊 + POSIX時區 + 禁用LED心跳 + 顯示設置 + 屏幕超時時間(秒) + GPS坐標格式 + 自動荧幕轉盤(秒) + 總是以指南針北為上 + 翻轉畫面 + 顯示單位 + 覆寫OLED自動偵測 + 顯示模式 + 標題加粗 + 點擊或移動時喚醒屏幕 + 羅盤朝向 + 外部通知配寘 + 啟用外部通知 + 消息已讀通知 + 警示訊息 LED + 警示訊息 蜂鳴 + 警示訊息 振動 + 警示/振鈴 回執通知 + 告警 LED + 告警 蜂鳴 + 告警 振動 + 輸出LED(GPIO) + 輸出LED 高電平觸發 + 輸出蜂鳴(GPIO) + 使用PWM調製的蜂鳴 + 輸出振動(GPIO) + 輸出持續時間(毫秒) + 通知逾時時間(秒) + 鈴聲 + 使用 I2S 控制蜂鳴器 + LoRa 設定 + 使用 Modem 預設集 + Modem 預設集 + 帶寬 + 展頻因數 (SF) + 編碼率(CR) + 頻率偏移量 (MHz) + 區域(頻段劃分) + 最大轉發限制 + TX已啟用 + TX功率 (dBm) + 頻率槽位 + 覆蓋工作週期/佔空比 + 忽略來訊 + SX126X 接收增益提升 + 複寫頻率(MHz) + 不使用PA风扇 + 無視MQTT + 將消息轉發至MQTT + MQTT配置 + 啟用MQTT服務器 + 地址 + 用戶名 + 密碼 + 加密已啟用 + JSON輸出已啟用 + TLS已啟用 + 根話題 + 啟用對客戶端的代理 + 地圖報告 + 地圖報告間隔(毫秒) + 鄰居資訊配置 + 啟用鄰居資訊 + 更新間隔(毫秒) + 通過Lora無線電傳輸 + 網路配置 + 啟用WiFi + SSID + PSK + 啟用以太網 + 時間伺服器 + rsyslog伺服器 + 第四代IP模式 + IP + 網閘 + 子網 + Paxcount設置 + 啟用Paxcount + WiFi RSSI 閾值(缺省-80) + 藍牙 RSSI 閾值(缺省-80) + 位置設定 + 位置廣播間隔(秒) + 啟用智慧位置 + 智慧廣播最小距離(公尺) + 智慧廣播最小間隔(秒) + 使用固定位置 + 緯度 + 經度 + 高度(米) + 使用手機目前定位 + GPS模式 + GPS更新間隔(秒) + 重定義 GPS_RX_PIN + 重定義 GPS_TX_PIN + 重定義 PIN_GPS_EN + 定位日誌 + 電源設定 + 啟用省電模式 + 電池延時關閉(秒) + ADC乘數修正比率 + 等待藍牙持續時間(秒) + 深度睡眠時間(秒) + 輕度睡眠時間(秒) + 最短喚醒時間(秒) + 電池 INA_2XX I2C 地址 + 範圍測試設定 + 啟用範圍測試 + 訊息發送間隔(秒) + 將 .CSV 保存到內部儲存空間(僅限ESP32) + 遠端硬體設定 + 啟動遠端硬體 + 允許未定義腳位連接 + 可用腳位 + 安全性設定 + 公鑰 + 私鑰 + 管理員金鑰 + 託管模式 + 序列控制台 + 啟用調適日誌 API + 舊版管理頻道 + 序列埠設定 + 啟用序列埠 + 啟用 Echo + 序列埠鮑率 + 逾時 + 序列埠模式 + 覆蓋控制台序列埠 + + 心跳 + 紀錄數目 + 歴史紀錄最大返回值 + 歴史紀錄返回視窗 + 伺服器 + 遙測設定 + 裝置資訊更新週期(秒) + 環境資訊更新週期(秒) + 啟用環境資訊模組 + 在螢幕上顯示環境資訊 + 環境指標以華氏溫度顯示 + 啟用空氣品質模組 + 空氣品質更新週期(秒) + 空氣品質圖示 + 啟用電池資訊模組 + 電量資訊更新週期(秒) + 在螢幕上顯示電量資訊 + 使用者設定 + 節點 ID + 節點長名稱 + 節點短名稱 + 硬體型號 + 業餘無線電模式 (HAM) + 啟用此選項將停用訊息加密,並與預設的 Meshtastic 網路不相容。 + 露點 + 氣壓 + 氣體感測器 + 距離 + 照度 + 風速 + 重量 + 輻射 + + 室內空氣品質 (IAQ) + 網址 + + 匯入設定 + 匯出設定 + 硬體 + 已支援 + 節點編號 + 使用者 ID + 運行時間 + 負載:%1$d + 硬碟可用空間:%1$d + 時間戳記 + 航向 + 速度 + 衛星數 + 海拔 + 頻率 + 時隙 + 主要的 + 定期廣播位置與遙測資料 + 次要的 + 停用定期廣播遙測資料 + 需要手動定位位置 + 長按後可拖曳排列順序 + 取消靜音 + 動態 + 掃描 QR Code + 分享聯絡人 + 是否匯入聯絡人? + 不接收訊息 + 無監控裝置或基礎設施 + 警告:聯絡人已存在,匯入將會覆蓋先前的聯絡人資訊。 + 公鑰已變更 + 匯入 + 請求詮釋資料 (Metadata) + 動作 + 韌體 + 使用12小時制 + 啟用後,裝置將在螢幕上以12小時制顯示時間。 + 裝置效能紀錄 + 裝置 + 可用記憶體 + 可用儲存空間 + 載入 + 使用者設定 + 導航至 + 連線 + Mesh 地圖 + 訊息 + 節點 + 設定 + 設定您的地區 + 回覆 + 您的節點將定期發送未加密的地圖回報封包至已設定的 MQTT 伺服器,包含 ID、長名稱與短名稱、大約位置、硬體型號、角色、韌體版本、LoRa 區域、數據機預設值以及主要頻道名稱。 + 同意透過 MQTT 分享未加密的節點資料 + 啟用此功能即表示您認知並明確同意透過 MQTT 協議傳輸您裝置的即時地理位置,且不進行加密。此位置資料可能用於即時地圖回報、裝置追蹤及相關遙測功能等用途。 + 我已閱讀並理解上述內容。我同意透過 MQTT 傳輸未加密的節點資料 + 我同意。 + 建議更新韌體。 + 為享受最新功能及所修復的問題,請更新您的節點韌體。\n\n最新穩定韌體版本為:%1$s + 到期時間 + 時間 + 日期 + 地圖選項\n + 僅顯示收藏 + 顯示路徑 + 顯示定位精準度 + 客户端通知 + 偵測到金鑰已洩漏,點選確定後重新產生金鑰。 + 重新產生私鑰 + 您確定要重新產生密鑰嗎?\n\n連線過的其他節點需要刪除並重新交換金鑰後才能恢復加密通訊連線。 + 匯出金鑰 + 請將匯出後的私鑰及公鑰妥善保存。 + 模組已解鎖 + 遠端 + (%1$d 個上線 / 共計 %2$d 個) + 回應 + 中斷連線 + 正在尋找藍牙裝置… + 沒有已配對的藍牙裝置。 + 找不到網路裝置。 + 找不到 USB 序列裝置。 + 移至最底部 + Meshtastic + 掃描中 + 安全性狀態 + 安全性 + 警告標誌 + 未知頻道 + 警告 + 溢出選單 + 紫外線強度 (UV Lux) + 不明 + 該裝置已受託管理,並只能由遠端管理員進行變更。 + 進階 + 清除節點資料庫 + 清除最後出現時間超過 %1$d 日的節點 + 僅清除不明節點 + 清理低互動的節點 + 清除已忽略的節點 + 立即清理 + 此操作將刪除資料庫內的%1$d個節點,並且無法恢復。 + 綠色鎖頭表示該頻道已使用 128 位元或 256 位元 AES 金鑰安全加密。 + + 未加密頻道,模糊定位 + 黃色開鎖表示該頻道未進行安全加密,未啟用精確定位資訊,且未使用任何金鑰或使用 1 位元組已知金鑰。 + + 未加密頻道,精確定位 + 紅色開鎖表示該頻道未進行安全加密,啟用了精確定位資訊,且未使用任何金鑰或使用 1 位元組已知金鑰。 + + 警告:未加密頻道,精確定位 & MQTT Uplink + 帶有警告的紅色開鎖表示該頻道未進行安全加密,啟用了精確定位資訊,且正在透過MQTT上傳資料至網路,以及未使用任何金鑰或使用 1 位元組已知金鑰。 + + 頻道安全性 + 頻道安全性説明 + 顯示全部狀態 + 顯示目前狀態 + 關閉 + 您確定要刪除此節點嗎? + 回覆 %1$s + 取消回覆 + 確認刪除訊息? + 清除所選 + 訊息: + 請輸入訊息 + PAX 指標日誌 + PAX + 沒有可用的 PAX 指標日誌。 + WiFi 裝置 + 藍牙裝置 + 配對裝置 + 連接裝置 + + 超過速率限制,請稍後再嘗試。 + 查看版本資訊 + 下載 + 目前已安裝 + 最新穩定版韌體 + 最新測試版韌體 + 由 Meshtastic 社群協作 + 韌體版本 + 最近的網路裝置 + 發現的網路裝置 + 開始使用 + 歡迎來到 + 隨時隨地保持連線 + 無需手機訊號,也能與您的朋友和社群離線通訊。 + 建立您自己的網路 + 輕鬆設定私有網狀網絡,以實現偏遠地區安全可靠的通訊。 + 位置追蹤和分享 + 透過整合的 GPS 功能,即時分享你的位置,並保持團隊協調一致。 + 應用程式通知 + 收到的訊息 + 頻道訊息與私訊通知。 + 新的節點 + 發現新節點的通知。 + 電量不足 + 已連線裝置的低電量通知。 + 將選取的封包以『關鍵』優先等級送出時,其通知會忽略作業系統通知中心的靜音與『請勿打擾』設定。 + 設定通知權限 + 手機定位 + Meshtastic 會使用您手機的定位資訊來啟用多項功能。您隨時可以在設定中修改定位權限。 + 分享位置 + 使用您手機的 GPS 來向節點發送位置,而不是使用節點上的 GPS 模組。 + 距離量測 + 顯示您手機與其他有定位資訊的 Meshtastic 節點之間的距離。 + 距離篩選器 + 根據您手機的距離,篩選節點列表和 Mesh 網路地圖。 + Mesh Map 地圖位置 + 在 Mesh 地圖上,為您的手機啟用藍色的定位點。 + 設定定位權限 + 跳過 + 設定 + 緊急警示 + 為了確保您能接收緊急警示,例如 + SOS 警報,即便裝置正處於「請勿打擾」模式亦同,您需要授予 + 特殊權限。請在通知設定中啟用此功能。 + + 設定緊急警示 + Meshtastic 使用通知功能讓您隨時了解新訊息和其他重要事件。您可以隨時在設定中更新通知權限。 + 繼續 + 授予權限 + %d 個節點已排定移除: + 注意:這會將節點從應用程式和裝置資料庫中移除。\n所選的項目將會加入待處理中。 + 正在連線至裝置 + 標準 + 衛星 + 地形 + 混合 + 管理地圖圖層 + 自定義圖層支援 .kml 或 .kmz 格式檔案。 + 地圖圖層 + 未載入自訂圖層。 + 添加圖層 + 隱藏圖層 + 顯示圖層 + 移除圖層 + 添加圖層 + 位於此處的節點 + 已選擇的地圖類型 + 管理自定義圖磚來源 + 加入自定義圖磚來源 + 沒有自定義圖專來源 + 編輯自定義圖磚來源 + 刪除自定義圖磚來源 + 名稱不得空白。 + 服務供應商名稱已存在。 + URL 不得空白。 + 網址必須包含佔位符。 + URL 範本 + 軌跡點 + 手機設定 +
diff --git a/mesh_service_example/src/main/res/values-ar-rSA/strings.xml b/mesh_service_example/src/main/res/values-ar-rSA/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-ar-rSA/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml b/mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-bg-rBG/strings.xml b/mesh_service_example/src/main/res/values-bg-rBG/strings.xml new file mode 100644 index 000000000..9336d7fe4 --- /dev/null +++ b/mesh_service_example/src/main/res/values-bg-rBG/strings.xml @@ -0,0 +1,20 @@ + + + + Изпратете съобщение за здравей + diff --git a/mesh_service_example/src/main/res/values-ca-rES/strings.xml b/mesh_service_example/src/main/res/values-ca-rES/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-ca-rES/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-cs-rCZ/strings.xml b/mesh_service_example/src/main/res/values-cs-rCZ/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-cs-rCZ/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-de-rDE/strings.xml b/mesh_service_example/src/main/res/values-de-rDE/strings.xml new file mode 100644 index 000000000..968230ec2 --- /dev/null +++ b/mesh_service_example/src/main/res/values-de-rDE/strings.xml @@ -0,0 +1,21 @@ + + + + Beispiel MeshService + Hallo Nachricht senden + diff --git a/mesh_service_example/src/main/res/values-el-rGR/strings.xml b/mesh_service_example/src/main/res/values-el-rGR/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-el-rGR/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-es-rES/strings.xml b/mesh_service_example/src/main/res/values-es-rES/strings.xml new file mode 100644 index 000000000..8abd298f5 --- /dev/null +++ b/mesh_service_example/src/main/res/values-es-rES/strings.xml @@ -0,0 +1,21 @@ + + + + Ejemplo de servicio de red + Enviar Mensaje Hola + diff --git a/mesh_service_example/src/main/res/values-et-rEE/strings.xml b/mesh_service_example/src/main/res/values-et-rEE/strings.xml new file mode 100644 index 000000000..59624b6c9 --- /dev/null +++ b/mesh_service_example/src/main/res/values-et-rEE/strings.xml @@ -0,0 +1,21 @@ + + + + MeshServiceExample + Saada Tere sõnum + diff --git a/mesh_service_example/src/main/res/values-fi-rFI/strings.xml b/mesh_service_example/src/main/res/values-fi-rFI/strings.xml new file mode 100644 index 000000000..1499746f3 --- /dev/null +++ b/mesh_service_example/src/main/res/values-fi-rFI/strings.xml @@ -0,0 +1,21 @@ + + + + MeshServiceExample + Lähetä tervehdysviesti + diff --git a/mesh_service_example/src/main/res/values-fr-rFR/strings.xml b/mesh_service_example/src/main/res/values-fr-rFR/strings.xml new file mode 100644 index 000000000..2b9ff6e40 --- /dev/null +++ b/mesh_service_example/src/main/res/values-fr-rFR/strings.xml @@ -0,0 +1,21 @@ + + + + Exemple de service de maillage + Envoyer un message d’annonce + diff --git a/mesh_service_example/src/main/res/values-ga-rIE/strings.xml b/mesh_service_example/src/main/res/values-ga-rIE/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-ga-rIE/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-gl-rES/strings.xml b/mesh_service_example/src/main/res/values-gl-rES/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-gl-rES/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-hr-rHR/strings.xml b/mesh_service_example/src/main/res/values-hr-rHR/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-hr-rHR/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-ht-rHT/strings.xml b/mesh_service_example/src/main/res/values-ht-rHT/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-ht-rHT/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-hu-rHU/strings.xml b/mesh_service_example/src/main/res/values-hu-rHU/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-hu-rHU/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-is-rIS/strings.xml b/mesh_service_example/src/main/res/values-is-rIS/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-is-rIS/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-it-rIT/strings.xml b/mesh_service_example/src/main/res/values-it-rIT/strings.xml new file mode 100644 index 000000000..dd7addd1d --- /dev/null +++ b/mesh_service_example/src/main/res/values-it-rIT/strings.xml @@ -0,0 +1,21 @@ + + + + MeshServiceExample + Invia Messaggio di Saluto + diff --git a/mesh_service_example/src/main/res/values-iw-rIL/strings.xml b/mesh_service_example/src/main/res/values-iw-rIL/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-iw-rIL/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-ja-rJP/strings.xml b/mesh_service_example/src/main/res/values-ja-rJP/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-ja-rJP/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-ko-rKR/strings.xml b/mesh_service_example/src/main/res/values-ko-rKR/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-ko-rKR/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-lt-rLT/strings.xml b/mesh_service_example/src/main/res/values-lt-rLT/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-lt-rLT/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-nl-rNL/strings.xml b/mesh_service_example/src/main/res/values-nl-rNL/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-nl-rNL/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-no-rNO/strings.xml b/mesh_service_example/src/main/res/values-no-rNO/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-no-rNO/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-pl-rPL/strings.xml b/mesh_service_example/src/main/res/values-pl-rPL/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-pl-rPL/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-pt-rBR/strings.xml b/mesh_service_example/src/main/res/values-pt-rBR/strings.xml new file mode 100644 index 000000000..4e232be75 --- /dev/null +++ b/mesh_service_example/src/main/res/values-pt-rBR/strings.xml @@ -0,0 +1,21 @@ + + + + ExemploServiçoMesh + Enviar Mensagem de Olá + diff --git a/mesh_service_example/src/main/res/values-pt-rPT/strings.xml b/mesh_service_example/src/main/res/values-pt-rPT/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-pt-rPT/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-ro-rRO/strings.xml b/mesh_service_example/src/main/res/values-ro-rRO/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-ro-rRO/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-ru-rRU/strings.xml b/mesh_service_example/src/main/res/values-ru-rRU/strings.xml new file mode 100644 index 000000000..ba088c7e3 --- /dev/null +++ b/mesh_service_example/src/main/res/values-ru-rRU/strings.xml @@ -0,0 +1,21 @@ + + + + MeshServiceExample + Отправить приветственное сообщение + diff --git a/mesh_service_example/src/main/res/values-sk-rSK/strings.xml b/mesh_service_example/src/main/res/values-sk-rSK/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-sk-rSK/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-sl-rSI/strings.xml b/mesh_service_example/src/main/res/values-sl-rSI/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-sl-rSI/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-sq-rAL/strings.xml b/mesh_service_example/src/main/res/values-sq-rAL/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-sq-rAL/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-srp/strings.xml b/mesh_service_example/src/main/res/values-srp/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-srp/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-sv-rSE/strings.xml b/mesh_service_example/src/main/res/values-sv-rSE/strings.xml new file mode 100644 index 000000000..10e8cb423 --- /dev/null +++ b/mesh_service_example/src/main/res/values-sv-rSE/strings.xml @@ -0,0 +1,20 @@ + + + + Skicka Hej-meddelande + diff --git a/mesh_service_example/src/main/res/values-tr-rTR/strings.xml b/mesh_service_example/src/main/res/values-tr-rTR/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-tr-rTR/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-uk-rUA/strings.xml b/mesh_service_example/src/main/res/values-uk-rUA/strings.xml new file mode 100644 index 000000000..37d7a2bb2 --- /dev/null +++ b/mesh_service_example/src/main/res/values-uk-rUA/strings.xml @@ -0,0 +1,21 @@ + + + + MeshServiceExample + Надіслати привітальне повідомлення + diff --git a/mesh_service_example/src/main/res/values-zh-rCN/strings.xml b/mesh_service_example/src/main/res/values-zh-rCN/strings.xml new file mode 100644 index 000000000..090f7e390 --- /dev/null +++ b/mesh_service_example/src/main/res/values-zh-rCN/strings.xml @@ -0,0 +1,18 @@ + + + diff --git a/mesh_service_example/src/main/res/values-zh-rTW/strings.xml b/mesh_service_example/src/main/res/values-zh-rTW/strings.xml new file mode 100644 index 000000000..16c04c5d3 --- /dev/null +++ b/mesh_service_example/src/main/res/values-zh-rTW/strings.xml @@ -0,0 +1,21 @@ + + + + Mesh 服務範例 + 發送打招呼訊息 + From b948e8e0689317e6ba23801a0e6c9ae7baff0889 Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Fri, 29 Aug 2025 16:52:13 -0500 Subject: [PATCH 12/21] New Crowdin updates (#2922) --- app/src/main/res/values-ar-rSA/strings.xml | 642 +++++++++++++++++ app/src/main/res/values-b+sr+Latn/strings.xml | 419 ++++++++++++ app/src/main/res/values-bg-rBG/strings.xml | 186 +++++ app/src/main/res/values-ca-rES/strings.xml | 578 ++++++++++++++++ app/src/main/res/values-cs-rCZ/strings.xml | 195 ++++++ app/src/main/res/values-el-rGR/strings.xml | 579 ++++++++++++++++ app/src/main/res/values-es-rES/strings.xml | 364 ++++++++++ app/src/main/res/values-fr-rFR/strings.xml | 3 + app/src/main/res/values-ga-rIE/strings.xml | 540 +++++++++++++++ app/src/main/res/values-gl-rES/strings.xml | 621 +++++++++++++++++ app/src/main/res/values-hr-rHR/strings.xml | 624 +++++++++++++++++ app/src/main/res/values-ht-rHT/strings.xml | 545 +++++++++++++++ app/src/main/res/values-hu-rHU/strings.xml | 567 +++++++++++++++ app/src/main/res/values-is-rIS/strings.xml | 643 ++++++++++++++++++ app/src/main/res/values-iw-rIL/strings.xml | 631 +++++++++++++++++ app/src/main/res/values-ja-rJP/strings.xml | 239 +++++++ app/src/main/res/values-ko-rKR/strings.xml | 182 +++++ app/src/main/res/values-lt-rLT/strings.xml | 531 +++++++++++++++ app/src/main/res/values-nl-rNL/strings.xml | 317 +++++++++ app/src/main/res/values-no-rNO/strings.xml | 519 ++++++++++++++ app/src/main/res/values-pl-rPL/strings.xml | 410 +++++++++++ app/src/main/res/values-pt-rBR/strings.xml | 4 + app/src/main/res/values-pt-rPT/strings.xml | 215 ++++++ app/src/main/res/values-ro-rRO/strings.xml | 642 +++++++++++++++++ app/src/main/res/values-ru-rRU/strings.xml | 68 ++ app/src/main/res/values-sk-rSK/strings.xml | 455 +++++++++++++ app/src/main/res/values-sl-rSI/strings.xml | 519 ++++++++++++++ app/src/main/res/values-sq-rAL/strings.xml | 545 +++++++++++++++ app/src/main/res/values-srp/strings.xml | 419 ++++++++++++ app/src/main/res/values-sv-rSE/strings.xml | 472 +++++++++++++ app/src/main/res/values-tr-rTR/strings.xml | 174 +++++ app/src/main/res/values-uk-rUA/strings.xml | 489 +++++++++++++ app/src/main/res/values-zh-rCN/strings.xml | 17 + .../src/main/res/values-ar-rSA/strings.xml | 5 +- .../src/main/res/values-b+sr+Latn/strings.xml | 5 +- .../src/main/res/values-bg-rBG/strings.xml | 1 + .../src/main/res/values-ca-rES/strings.xml | 5 +- .../src/main/res/values-cs-rCZ/strings.xml | 5 +- .../src/main/res/values-el-rGR/strings.xml | 5 +- .../src/main/res/values-ga-rIE/strings.xml | 5 +- .../src/main/res/values-gl-rES/strings.xml | 5 +- .../src/main/res/values-hr-rHR/strings.xml | 5 +- .../src/main/res/values-ht-rHT/strings.xml | 5 +- .../src/main/res/values-hu-rHU/strings.xml | 5 +- .../src/main/res/values-is-rIS/strings.xml | 5 +- .../src/main/res/values-iw-rIL/strings.xml | 5 +- .../src/main/res/values-ja-rJP/strings.xml | 5 +- .../src/main/res/values-ko-rKR/strings.xml | 5 +- .../src/main/res/values-lt-rLT/strings.xml | 5 +- .../src/main/res/values-nl-rNL/strings.xml | 5 +- .../src/main/res/values-no-rNO/strings.xml | 5 +- .../src/main/res/values-pl-rPL/strings.xml | 5 +- .../src/main/res/values-pt-rPT/strings.xml | 5 +- .../src/main/res/values-ro-rRO/strings.xml | 5 +- .../src/main/res/values-sk-rSK/strings.xml | 5 +- .../src/main/res/values-sl-rSI/strings.xml | 5 +- .../src/main/res/values-sq-rAL/strings.xml | 5 +- .../src/main/res/values-srp/strings.xml | 5 +- .../src/main/res/values-sv-rSE/strings.xml | 1 + .../src/main/res/values-tr-rTR/strings.xml | 5 +- .../src/main/res/values-zh-rCN/strings.xml | 5 +- 61 files changed, 13460 insertions(+), 26 deletions(-) diff --git a/app/src/main/res/values-ar-rSA/strings.xml b/app/src/main/res/values-ar-rSA/strings.xml index 01d3bf5a9..ce6f5c288 100644 --- a/app/src/main/res/values-ar-rSA/strings.xml +++ b/app/src/main/res/values-ar-rSA/strings.xml @@ -16,25 +16,79 @@ ~ along with this program. If not, see . --> + Meshtastic %s عربي عربي عربي + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. المزيد عربي عربي عربي المسافة عربي + Last heard + via MQTT فقط شبكة MQTT + via Favorite + Ignored Nodes + Unrecognized + Waiting to be acknowledged + Queued for sending + Acknowledged + No route + Received a negative acknowledgment + Timeout + No Interface + Max Retransmission Reached + No Channel + Packet too large + No response + Bad Request + Regional Duty Cycle Limit Reached + Not Authorized + Encrypted Send Failed + Unknown Public Key + Bad session key + Public Key unauthorized + App connected or standalone messaging device. + Device that does not forward packets from other devices. + Infrastructure node for extending network coverage by relaying messages. Visible in nodes list. + Combination of both ROUTER and CLIENT. Not for mobile devices. + Infrastructure node for extending network coverage by relaying messages with minimal overhead. Not visible in nodes list. + Broadcasts GPS position packets as priority. + Broadcasts telemetry packets as priority. + Optimized for ATAK system communication, reduces routine broadcasts. + Device that only broadcasts as needed for stealth or power savings. + Broadcasts location as message to default channel regularly for to assist with device recovery. + Enables automatic TAK PLI broadcasts and reduces routine broadcasts. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. + Rebroadcast any observed message, if it was on our private channel or from another mesh with the same lora parameters. + Same as behavior as ALL but skips packet decoding and simply rebroadcasts them. Only available in Repeater role. Setting this on any other roles will result in ALL behavior. + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. + Ignores observed messages from foreign meshes like LOCAL ONLY, but takes it step further by also ignoring messages from nodes not already in the node\'s known list. + Only permitted for SENSOR, TRACKER and TAK_TRACKER roles, this will inhibit all rebroadcasts, not unlike CLIENT_MUTE role. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key اسم القناة رمز الاستجابة السريع أيقونة التطبيق اسم المستخدم غير معروف ارسل + You haven\'t yet paired a Meshtastic compatible radio with this phone. Please pair a device and set your username.\n\nThis open-source application is in development, if you find problems please post on our forum: https://github.com/orgs/meshtastic/discussions.\n\nFor more information see our web page - www.meshtastic.org. أنت + Allow analytics and crash reporting. قبول إلغاء + Clear changes تم تلقي رابط القناة الجديدة + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. الإبلاغ عن الخطأ الإبلاغ عن خطأ هل أنت متأكد من أنك تريد الإبلاغ عن خطأ؟ بعد الإبلاغ، يرجى النشر في https://github.com/orgs/meshtastic/discussions حتى نتمكن من مطابقة التقرير مع ما وجدته. @@ -43,63 +97,182 @@ فشل عملية الربط، الرجاء الاختيار مرة أخرى تم إيقاف الوصول إلى الموقع، لا يمكن تحديد موقع للشبكة. مشاركة + New Node Seen: %s انقطع الاتصال الجهاز في وضعية السكون + Connected: %1$s online عنوان الـ IP: + Port: + Connected متصل بالراديو (%s) غير متصل تم الاتصال بالراديو، إلا أن الجهاز في وضعية السكون مطلوب تحديث التطبيق + You must update this application on the app store (or Github). It is too old to talk to this radio firmware. Please read our docs on this topic. + None (disable) خدمة الإشعارات حول + This Channel URL is invalid and can not be used + Debug Panel + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. مسح + Message delivery status + Direct message notifications + Broadcast message notifications + Alert notifications يجب عليك التحديث. + The radio firmware is too old to talk to this application. For more information on this see our Firmware Installation guide. حسنا واجب إدخال المنطقة! + Couldn\'t change channel, because radio is not yet connected. Please try again. + Export rangetest.csv + Reset البحث أضف + Are you sure you want to change to the default channel? + Reset to defaults تفعيل + Theme + Light + Dark + System default + Choose theme + Provide phone location to mesh + + Delete %s messages? + Delete message? + Delete %s messages? + Delete %s messages? + Delete %s messages? + Delete %s messages? + + Delete + Delete for everyone + Delete for me + Select all + Close selection + Delete selected + Style Selection + Download Region الاسم الوصف مقفل حفظ اللغات + System default إعادة الإرسال + Shutdown + Shutdown not supported on this device إعادة التشغيل + Traceroute + Show Introduction رسالة + Quick chat options + New quick chat + Edit quick chat + Append to message + Instantly send + Show quick chat menu + Hide quick chat menu + Factory reset + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. رسالة مباشره + NodeDB reset + Delivery confirmed غلط تجاهل أضف \'%s\' إلى قائمة التجاهل؟ + Remove \'%s\' from ignore list? حدد جهة التحميل + Tile download estimate: ابدأ التحميل + Exchange position أغلق + Radio configuration + Module configuration أضف تعديل جاري الحساب… + Offline Manager + Current Cache size + Cache Capacity: %1$.2f MB\nCache Usage: %2$.2f MB + Clear Downloaded Tiles + Tile Source + SQL Cache purged for %s + SQL Cache purge failed, see logcat for details + Cache Manager + Download complete! + Download complete with %d errors + %d tiles + bearing: %1$d° distance: %2$s + Edit waypoint + Delete waypoint? + New waypoint + Received waypoint: %s + Duty Cycle limit reached. Cannot send messages right now, please try again later. + Remove + This node will be removed from your list until your node receives data from it again. كتم الإشهارات 8 ساعات أسبوع 1 دائما استبدال + Scan WiFi QR code + Invalid WiFi Credential QR code format العودة إلى الخلف البطارية استخدام القناة + Air Utilization الحرارة الرطوبة + Soil Temperature + Soil Moisture سجلات + Hops Away + Hops Away: %1$d معلومات + Utilization for the current channel, including well formed TX, RX and malformed RX (aka noise). + Percent of airtime for transmission used within the last hour. معدل جودة الهواء الداخلي مفتاح مشترك تستخدم الرسائل المباشرة المفتاح المشترك للقناة. تشفير المفتاح العام + Direct messages are using the new public key infrastructure for encryption. Requires firmware version 2.5 or greater. المفتاح العام غير متطابق + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. تبادل معلومات المستخدم إشعارات العقدة الجديدة المزيد من المعلومات + SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. مؤشر القوة النسبية + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. + Device Metrics Log + Node Map سجل الموقع + Last position update + Environment Metrics Log + Signal Metrics Log الإدارة + Remote Administration سيئ مناسب جيد @@ -109,6 +282,15 @@ جودة الإشارة سجل تتبع المسار مباشره + + %d hops + 1 hop + %d hops + %d hops + %d hops + %d hops + + Hops towards %1$d Hops back %2$d 24 ساعة 48 ساعة أسبوع @@ -117,26 +299,486 @@ الأعلى عمر غير معروف نسخ + Alert Bell Character! تنبيه حرج! المفضلة إضافة \'%s\' كعقدة مفضلة؟ إزالة \'%s\' كعقدة مفضلة؟ + Power Metrics Log القناة 1 القناة 2 القناة 3 الحالي شدة التيار هل أنت متيقِّن؟ + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> أنا أعرف ما أفعله. + Node %1$s has a low battery (%2$d%%) إشعارات انخفاض شدة البطارية البطارية منخفضه: %s + Low battery notifications (favorite nodes) الضغط الجوي + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell الرسائل + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config + Public Key + Private Key + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate + Timeout + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance المسافة + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes الإعدادات + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection رسالة + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-b+sr+Latn/strings.xml b/app/src/main/res/values-b+sr+Latn/strings.xml index f2d9be1fb..2aa451cbc 100644 --- a/app/src/main/res/values-b+sr+Latn/strings.xml +++ b/app/src/main/res/values-b+sr+Latn/strings.xml @@ -16,10 +16,15 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filter očisti filter čvorova Uključi nepoznato + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Prikaži detalje + Node sorting options A-Š Kanal Udaljenost @@ -27,6 +32,8 @@ Poslednji put viđeno preko MQTT-a preko MQTT-a + via Favorite + Ignored Nodes Nekategorisano Čeka na potvrdu U redu za slanje @@ -76,9 +83,12 @@ Pošalji Још нисте упарили Мештастик компатибилан радио са овим телефоном. Молимо вас да упарите уређај и поставите своје корисничко име.\n\nОва апликација отвореног кода је у развоју, ако нађете проблеме, молимо вас да их објавите на нашем форуму: https://github.com/orgs/meshtastic/discussions\n\nЗа више информација посетите нашу веб страницу - www.meshtastic.org. Ti + Allow analytics and crash reporting. Prihvati Otkaži + Clear changes Primljen novi link kanala + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Prijavi grešku Prijavi grešku \"Da li ste sigurni da želite da prijavite grešku? Nakon prijavljivanja, molimo vas da postavite na https://github.com/orgs/meshtastic/discussions kako bismo mogli da povežemo izveštaj sa onim što ste pronašli. @@ -87,9 +97,12 @@ Uparivanje neuspešno, molim izaberite ponovo Pristup lokaciji je isključen, ne može se obezbediti pozicija mreži. Podeli + New Node Seen: %s Raskačeno Uređaj je u stanju spavanja + Connected: %1$s online IP adresa: + Port: Блутут повезан Povezan na radio uređaj (%s) Nije povezan @@ -101,8 +114,25 @@ O nama Ovaj URL kanala je nevažeći i ne može se koristiti. Panel za otklanjanje grešaka + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Očisti Status prijema poruke + Direct message notifications + Broadcast message notifications Обавештења о упозорењима Ажурирање фирмвера је неопходно. Радио фирмвер је превише стар да би комуницирао са овом апликацијом. За више информација о овоме погледајте наш водич за инсталацију фирмвера. @@ -131,6 +161,8 @@ Обриши за све Обриши за мене Изабери све + Close selection + Delete selected Одабир стила Регион за преузимање Назив @@ -151,7 +183,13 @@ Измени брзо ћаскање Надодај на поруку Моментално пошаљи + Show quick chat menu + Hide quick chat menu Рестартовање на фабричка подешавања + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Директне поруке Ресетовање базе чворова Испорука потврђена @@ -162,6 +200,7 @@ Изаберите регион за преузимање Процена преузимања плочица: Започни преузимање + Exchange position Затвори Конфигурација радио уређаја Конфигурација модула @@ -200,8 +239,11 @@ Искоришћеност ваздуха Температура Влажност + Soil Temperature + Soil Moisture Дневници Скокова удаљено + Hops Away: %1$d Информација Искоришћење за тренутни канал, укључујући добро формиран TX, RX и неисправан RX (такође познат као шум). Проценат искоришћења ефирског времена за пренос у последњем сату. @@ -212,6 +254,7 @@ Директне поруке користе нову инфраструктуру јавног кључа за шифровање. Потребна је верзија фирмвера 2,5 или новија. Неусаглашеност јавних кључева Јавни кључ се не поклапа са забележеним кључем. Можете уклонити чвор и омогућити му поновну размену кључева, али ово може указивати на озбиљнији безбедносни проблем. Контактирајте корисника путем другог поузданог канала да бисте утврдили да ли је промена кључа резултат фабричког ресетовања или друге намерне акције. + Exchange user info Обавештење о новом чвору Више детаља SNR @@ -222,6 +265,7 @@ Dnevnik metrika uređaja Mapa čvorova Dnevnik lokacija + Last position update Dnevnik metrika okoline Dnevnik metrika signala Administracija @@ -263,11 +307,15 @@ Да ли сте сигурни? Документацију улога уређаја и објаву на блогу Одабир праве улоге за уређај.]]> Знам шта радим. + Node %1$s has a low battery (%2$d%%) Нотификације о ниском нивоу батерије Низак ниво батерије: %s Нотификације о ниском нивоу батерије (омиљени чворови) Барометарски притисак + Mesh via UDP enabled UDP конфигурација + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position Корисник Канали Уређај @@ -278,82 +326,453 @@ LoRA Блутут Сигурност + MQTT Серијска веза Спољна обавештења Тест домета Телеметрија (сензори) + Canned Message + Audio + Remote Hardware + Neighbor Info Амбијентално осветљење Сензор откривања + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock Блутут подешавања + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled Подразумевано + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details Окружење Подешавања амбијенталног осветљења + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled GPIO пин за A порт ротационог енкодера GPIO пин за Б порт ротационог енкодера GPIO пин за порт клика ротационог енкодера + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell Поруке Подешавања ензора откривања + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message Пријатељски назив + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode Подешавања уређаја Улога + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat Подешавања приказа + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation Подешавање спољних обавештења + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) Мелодија звона + Use I2S as buzzer LoRA подешавања + Use modem preset + Modem Preset Проток + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled Игнориши MQTT + OK to MQTT MQTT подешавања + MQTT enabled Адреса Корисничко име Лозинка + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa Конфигурација мреже + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) Подешавања позиције + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position Ширина Дужина + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags Подешавања напајња + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address Конфигурација теста домета + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins Сигурносна подешавања Javni ključ Privatni ključ + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel Подешавања серијске везе + Serial enabled + Echo enabled + Serial baud rate Isteklo vreme + Serial mode + Override console serial port + + Heartbeat Број записа + History return max + History return window Сервер Конфигурација телеметрије + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled Корисничка подешавања + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Udaljenost + Lux + Wind + Weight + Radiation Квалитет ваздуха у затвореном простору (IAQ) + URL + + Import configuration + Export configuration Хардвер Подржан Број чвора + User ID Време рада + Load %1$d + Disk Free %1$d Временска ознака Смер Брзина Сателита Висина + Freq + Slot Примарни + Periodic position and telemetry broadcast Секундарни + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata Акције Фирмвер + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection Мапа меша + Conversations Чворови Подешавања + Set your region Одговори + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s Истиче Време Датум + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React Прекините везу + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux Непознато + This radio is managed and can only be changed by a remote admin. Напредно + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status Отпусти + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Порука + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal Сателит + Terrain Хибридни + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-bg-rBG/strings.xml b/app/src/main/res/values-bg-rBG/strings.xml index c6332dc90..e98590a37 100644 --- a/app/src/main/res/values-bg-rBG/strings.xml +++ b/app/src/main/res/values-bg-rBG/strings.xml @@ -40,6 +40,7 @@ Признато Няма маршрут Получено отрицателно потвърждение + Timeout Няма интерфейс Достигнат максимален брой препращания Няма канал @@ -59,7 +60,21 @@ Инфраструктурен възел за разширяване на мрежовото покритие чрез препредаване на съобщения с минимални разходи. Не се вижда в списъка с възли. Излъчва приоритетно пакети за GPS позиция Излъчва приоритетно телеметрични пакети. + Optimized for ATAK system communication, reduces routine broadcasts. + Device that only broadcasts as needed for stealth or power savings. + Broadcasts location as message to default channel regularly for to assist with device recovery. + Enables automatic TAK PLI broadcasts and reduces routine broadcasts. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. + Rebroadcast any observed message, if it was on our private channel or from another mesh with the same lora parameters. + Same as behavior as ALL but skips packet decoding and simply rebroadcasts them. Only available in Repeater role. Setting this on any other roles will result in ALL behavior. + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. + Ignores observed messages from foreign meshes like LOCAL ONLY, but takes it step further by also ignoring messages from nodes not already in the node\'s known list. + Only permitted for SENSOR, TRACKER and TAK_TRACKER roles, this will inhibit all rebroadcasts, not unlike CLIENT_MUTE role. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. + Treat double tap on supported accelerometers as a user button press. Дезактивира трикратното натискане на потребителския бутон за активиране или дезактивиране на GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. Публичен ключ Име на канал QR код @@ -68,10 +83,12 @@ Изпрати Все още не сте сдвоили радио, съвместимо с Meshtastic, с този телефон. Моля, сдвоете устройство и задайте вашето потребителско име.\n\nТова приложение с отворен код е в процес на разработка, ако откриете проблеми, моля, публикувайте в нашия форум: https://github.com/orgs/meshtastic/discussions\n\nЗа повече информация вижте нашата уеб страница на адрес www.meshtastic.org. Вие + Allow analytics and crash reporting. Приеми Отказ Изчистване на промените Получен е URL адрес на нов канал + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Докладване за грешка Докладвайте грешка Сигурни ли сте, че искате да докладвате за грешка? След като докладвате, моля, публикувайте в https://github.com/orgs/meshtastic/discussions, за да можем да сравним доклада с това, което сте открили. @@ -97,6 +114,7 @@ Относно URL адресът на този канал е невалиден и не може да се използва Панел за отстраняване на грешки + Decoded Payload: Експортиране на журнали Филтри Активни филтри @@ -105,8 +123,12 @@ Предишно съответствие Изчистване на търсенето Добавяне на филтър + Filter included Изчистване на всички филтри Изчистване на журналите + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Изчисти Състояние на доставка на съобщението Известия за директни съобщения @@ -210,6 +232,7 @@ Замяна Сканиране на QR код за WiFi Невалиден формат на QR кода на идентификационните данни за WiFi + Navigate Back Батерия Използване на канала Използване на ефира @@ -234,12 +257,16 @@ Известия за нови възли Повече подробности SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. Журнал на показателите на устройството Карта на възела Журнал на позициите Последна актуализация на позицията Журнал на показателите на околната среда + Signal Metrics Log Администриране Отдалечено администриране Лош @@ -249,6 +276,7 @@ Сподели с… Сигнал Качество на сигнала + Traceroute Log Директно 1 хоп @@ -263,6 +291,7 @@ Макс Неизвестна възраст Копиране + Alert Bell Character! Критичен сигнал! Любим Добавяне на \'%s\' като любим възел? @@ -284,6 +313,7 @@ Активирана Mesh чрез UDP Конфигуриране на UDP Последно чут: %2$s
Последна позиция: %3$s
Батерия: %4$s]]>
+ Toggle my position Потребител Канали Устройство @@ -300,15 +330,27 @@ Тест на обхвата Телеметрия + Canned Message Аудио Отдалечен хардуер + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter Конфигуриране на аудиото CODEC 2 е активиран Пин за РТТ + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock Конфигуриране на Bluetooth Bluetooth е активиран Режим на сдвояване Фиксиран ПИН + Uplink enabled + Downlink enabled По подразбиране Позицията е активирана Точно местоположение @@ -318,23 +360,43 @@ Показване на паролата Подробности Околна среда + Ambient Lighting Config Състояние на LED Червен Зелен Син + Canned Message Config + Canned message enabled Ротационен енкодер #1 е активиран GPIO пин за ротационен енкодер A порт GPIO пин за ротационен енкодер Б порт GPIO пин за ротационен енкодер Press порт + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell Съобщения + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message Приятелско име + GPIO pin to monitor + Detection trigger type Използване на режим INPUT_PULLUP Конфигуриране на устройството Роля Предефиниране на PIN_BUTTON Предефиниране на PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press Дезактивиране на трикратното щракване POSIX часова зона + Disable LED heartbeat Конфигуриране на дисплея Време за изключване на екрана (секунди) Формат на GPS координатите @@ -342,6 +404,7 @@ Север на компаса отгоре Обръщане на екрана Показвани единици + Override OLED auto-detect Режим на дисплея Удебелено заглавие Събуждане на екрана при докосване или движение @@ -349,27 +412,55 @@ Конфигуриране за външни известия Външните известия са активирани Известия за получаване на съобщение + Alert message LED + Alert message buzzer + Alert message vibra Известия при получаване на сигнал/позвъняване + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) Тон на звънене + Use I2S as buzzer Конфигуриране на LoRa Използване на предварително зададени настройки на модема Предварително настроен модем Широчина на честотната лента + Spread factor + Coding rate Отместване на честотата (MHz) Регион (честотен план) Лимит на хопове TX е активирано TX мощност (dBm) Честотен слот + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled Игнориране на MQTT + OK to MQTT Конфигуриране на MQTT MQTT е активиран Адрес Потребителско име Парола Криптирането е активирано + JSON output enabled TLS е активиран + Root topic Прокси към клиент е активиран + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled Интервал на актуализиране (секунди) Предаване през LoRa Конфигуриране на мрежата @@ -389,19 +480,36 @@ Праг на BLE RSSI (по подразбиране -80) Конфигуриране на позицията Интервал на излъчване на позицията (секунди) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) Използване на фиксирана позиция Геогр. ширина Геогр. дължина Надм. височина (метри) + Set from current phone location Режим на GPS Интервал на актуализиране на GPS (секунди) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags Конфигуриране на захранването Активиране на енергоспестяващ режим + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address Конфигуриране на Тест на обхвата Тест на обхвата е активиран + Sender message interval (seconds) Запазване на .CSV в хранилище (само за ESP32) Конфигуриране на Отдалечен хардуер Отдалечен хардуер е активиран + Allow undefined pin access Налични пинове Конфигуриране на сигурността Публичен ключ @@ -409,12 +517,20 @@ Администраторски ключ Управляем режим Серийна конзола + Debug log API enabled + Legacy Admin channel Конфигуриране на серийната връзка Серийната връзка е активирана + Echo enabled Серийна скорост на предаване + Timeout Сериен режим + Override console serial port + Heartbeat Брой записи + History return max + History return window Сървър Конфигуриране на телеметрията Интервал на актуализиране на показателите на устройството (секунди) @@ -423,7 +539,11 @@ Показателите на околната среда на екрана са активирани Показателите на околната среда използват Фаренхайт Модулът за показатели за качеството на въздуха е активиран + Air quality metrics update interval (seconds) Икона за качество на въздуха + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled Конфигуриране на потребителя ID на възела Дълго име @@ -433,7 +553,9 @@ Активирането на тази опция деактивира криптирането и не е съвместимо с мрежата Meshtastic по подразбиране. Точка на оросяване Налягане + Gas Resistance Разстояние + Lux Вятър Тегло Радиация @@ -451,6 +573,7 @@ Натоварване %1$d Свободен диск %1$d Времево клеймо + Heading Скорост Сат н.в. @@ -460,7 +583,9 @@ Периодично излъчване на местоположение и телеметрия Вторичен Без периодично излъчване на телеметрия + Manual position request required Натиснете и плъзнете, за да пренаредите + Unmute Динамична Сканиране на QR кода Споделяне на контакт @@ -470,41 +595,64 @@ Предупреждение: Този контакт е известен, импортирането ще презапише предишната информация за контакта. Публичният ключ е променен Импортиране + Request Metadata Действия Фърмуер Използване на 12ч формат Когато е активирано, устройството ще показва времето на екрана в 12-часов формат. + Host Metrics Log Хост Свободна памет Свободен диск + Load + User String + Navigate Into + Connection Карта на Mesh Разговори Възли Настройки Задайте вашия регион Отговор + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT Съгласен съм. Препоръчва се актуализация на фърмуера. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s Изтича Време Дата Филтър на картата\n Само любими Показване на пътни точки + Show Precision Circles + Client Notification Открити са компрометирани ключове, изберете OK за регенериране. Регенериране на частния ключ + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. Експортиране на ключовете Експортира публичния и частния ключове във файл. Моля, съхранявайте го на сигурно място. + Modules unlocked Отдалечен (%1$d онлайн / %2$d общо) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. Няма открити мрежови устройства. Няма открити USB серийни устройства. Превъртане до края Meshtastic Сканиране Състояние на сигурността + Secure + Warning Badge Неизвестен канал Предупреждение + Overflow menu + UV Lux Неизвестно Това радио се управлява и може да бъде променяно само от отдалечен администратор. Разширени @@ -515,25 +663,38 @@ Почистване на игнорираните възли Почистете сега Това ще премахне %1$d възела от вашата база данни. Това действие не може да бъде отменено. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. Несигурен канал, прецизно местоположение + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. Сигурност на канала + Channel Security Meanings + Show All Meanings Показване на текущия статус Отхвърляне Сигурни ли сте, че искате да изтриете този възел? Отговор на %1$s + Cancel reply Да се изтрият ли съобщенията? Изчистване на избора Съобщение Въведете съобщение + PAX Metrics Log PAX + No PAX metrics logs available. WiFi устройства BLE устройства Сдвоени устройства Свързано устройство + Go + Rate Limit Exceeded. Please try again later. Преглед на изданието Изтегляне Текущия инсталиран @@ -561,20 +722,36 @@ Избраните пакети, изпратени като критични, ще игнорират превключвателя за изключване на звука и настройките \"Не безпокойте\" в центъра за известия на операционната система. Конфигуриране на разрешенията за известия Местоположение на телефона + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. Споделяне на местоположение + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. Измервания на разстояния + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions Пропускане настройки Критични предупреждения + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + Конфигуриране на критични предупреждения Meshtastic използва известия, за да ви държи в течение за нови съобщения и други важни събития. Можете да актуализирате разрешенията си за известия по всяко време от настройките. Напред + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. Свързване с устройство Нормален Сателит Терен Хибриден Управление на слоевете на картата + Custom layers support .kml or .kmz files. Слоеве на картата Няма заредени персонализирани слоеве. Добавяне на слой @@ -584,7 +761,16 @@ Добавяне на слой Възли на това място Избран тип на картата + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source Името не може да бъде празно. + Provider name exists. URL не може да бъде празен. + URL must contain placeholders. Шаблон за URL + track point + Phone Settings diff --git a/app/src/main/res/values-ca-rES/strings.xml b/app/src/main/res/values-ca-rES/strings.xml index 997996836..acf9d7b57 100644 --- a/app/src/main/res/values-ca-rES/strings.xml +++ b/app/src/main/res/values-ca-rES/strings.xml @@ -71,6 +71,11 @@ Ignora els missatges observats de malles externes com LOCAL ONLY, però va més enllà i també ignora missatges de nodes que no figuren a la llista de nodes coneguts del node. Només permès per als rols SENSOR, TRACKER i TAK_TRACKER; això inhibirà tots els reenviaments, de manera similar al rol CLIENT_MUTE. Ignora paquets amb ports no estàndard com: TAK, RangeTest, PaxCounter, etc. Només reenvia paquets amb ports estàndard: NodeInfo, Text, Position, Telemetry i Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key Nom del canal Codi QR icona de l\'aplicació @@ -78,9 +83,12 @@ Enviar Encara no has emparellat una ràdio compatible amb Meshtastic amb aquest telèfon. Si us plau emparella un dispositiu i configura el teu nom d\'usuari. \n\nAquesta aplicació de codi obert està en desenvolupament. Si hi trobes problemes publica-ho en el nostre fòrum https://github.com/orgs/meshtastic/discussions\n\nPer a més informació visita la nostra pàgina web - www.meshtastic.org. Tu + Allow analytics and crash reporting. Acceptar Cancel·lar + Clear changes Nova URL de canal rebuda + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Informar d\'error Informar d\'un error Estàs segur que vols informar d\'un error? Després d\'informar-ne, si us plau publica en https://github.com/orgs/meshtastic/discussions de tal manera que puguem emparellar l\'informe amb allò que has trobat. @@ -89,9 +97,13 @@ Emparellament fallit, si us plau selecciona un altre cop Accés al posicionament deshabilitat, no es pot proveir la posició a la xarxa. Compartir + New Node Seen: %s Desconnectat Dispositiu hivernant + Connected: %1$s online Adreça IP: + Port: + Connected Connectat a ràdio (%s) No connectat Connectat a ràdio, però està hivernant @@ -102,8 +114,26 @@ Sobre La URL d\'aquest canal és invàlida i no es pot fer servir Panell de depuració + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Netejar Estat d\'entrega del missatge + Direct message notifications + Broadcast message notifications + Alert notifications Actualització de firmware necessària. El firmware de la ràdio és massa antic per comunicar-se amb aquesta aplicació. Per a més informació sobre això veure our Firmware Installation guide. Acceptar @@ -130,6 +160,8 @@ Esborrar per a tothom Esborrar per a mi Seleccionar tot + Close selection + Delete selected Selecció d\'estil Descarregar regió Nom @@ -140,6 +172,7 @@ Defecte del sistema Reenviar Apagar + Shutdown not supported on this device Reiniciar Traçar ruta Mostrar Introducció @@ -149,7 +182,13 @@ Editar conversa ràpida Afegir a missatge Enviar instantàniament + Show quick chat menu + Hide quick chat menu Restauració dels paràmetres de fàbrica + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Missatge directe Restablir NodeDB Entrega confirmada @@ -160,6 +199,7 @@ Seleccionar regió a descarregar Estimació de descàrrega de tessel·les: Iniciar descarrega + Exchange position Tancar Configuració de ràdio Configuració de mòdul @@ -189,10 +229,548 @@ 8 hores 1 setmana Sempre + Replace + Scan WiFi QR code + Invalid WiFi Credential QR code format + Navigate Back + Battery + Channel Utilization + Air Utilization + Temperature + Humidity + Soil Temperature + Soil Moisture + Logs + Hops Away + Hops Away: %1$d + Information + Utilization for the current channel, including well formed TX, RX and malformed RX (aka noise). + Percent of airtime for transmission used within the last hour. + IAQ + Shared Key + Direct messages are using the shared key for the channel. + Public Key Encryption + Direct messages are using the new public key infrastructure for encryption. Requires firmware version 2.5 or greater. + Public key mismatch + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. + Exchange user info + New node notifications + More details + SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. + RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. + Device Metrics Log + Node Map + Position Log + Last position update + Environment Metrics Log + Signal Metrics Log + Administration + Remote Administration + Bad + Fair + Good + None + Share to… + Signal + Signal Quality + Traceroute Log + Direct + + 1 hop + %d hops + + Hops towards %1$d Hops back %2$d + 24H + 48H + 1W + 2W + 4W + Max + Unknown Age + Copy + Alert Bell Character! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell + Messages + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config + Public Key + Private Key + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate + Timeout + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Distància + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes + Settings + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Missatge + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings diff --git a/app/src/main/res/values-cs-rCZ/strings.xml b/app/src/main/res/values-cs-rCZ/strings.xml index 31b02f9ab..3afc01eb9 100644 --- a/app/src/main/res/values-cs-rCZ/strings.xml +++ b/app/src/main/res/values-cs-rCZ/strings.xml @@ -16,11 +16,13 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filtr vyčistit filtr uzlů Včetně neznámých Skrýt offline uzly Zobrazit jen přímé uzly + You are viewing ignored nodes,\nPress to return to the node list. Zobrazit detaily Možnosti řazení uzlů A-Z @@ -31,6 +33,7 @@ přes MQTT přes MQTT Oblíbené + Ignored Nodes Neznámý Čeká na potvrzení Ve frontě k odeslání @@ -80,9 +83,12 @@ Odeslat Ještě jste s tímto telefonem nespárovali rádio kompatibilní s Meshtastic. Spárujte prosím zařízení a nastavte své uživatelské jméno.\n\nTato open-source aplikace je ve vývoji, pokud narazíte na problémy, napište na naše fórum: https://github.com/orgs/meshtastic/discussions\n\nDalší informace naleznete na naší webové stránce - www. meshtastic.org. Vy + Allow analytics and crash reporting. Přijmout Zrušit + Clear changes Nová URL kanálu přijata + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Nahlášení chyby Nahlásit chybu Jste si jistý, že chcete nahlásit chybu? Po odeslání prosím přidejte zprávu do https://github.com/orgs/meshtastic/discussions abychom mohli přiřadit Vaši nahlášenou chybu k příspěvku. @@ -91,11 +97,13 @@ Párování selhalo, prosím zkuste to znovu Přístup k poloze zařízení nebyl povolen, není možné poskytnout polohu zařízení do Mesh sítě. Sdílet + New Node Seen: %s Odpojeno Zařízení spí Připojeno: %1$s online IP adresa: Port: + Connected Připojeno k vysílači (%s) Nepřipojeno Připojené k uspanému vysílači @@ -106,10 +114,21 @@ O aplikaci Tato adresa URL kanálu je neplatná a nelze ji použít Panel pro ladění + Decoded Payload: + Export Logs Filtry Aktivní filtry Hledat v protokolech… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters Vymazat protokoly + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Vymazat Stav doručení zprávy Upozornění na přímou zprávu @@ -143,6 +162,8 @@ Smazat pro všechny Smazat pro mě Vybrat vše + Close selection + Delete selected Výběr stylu Stáhnout oblast Jméno @@ -163,7 +184,13 @@ Upravit Rychlý chat Připojit ke zprávě Okamžitě odesílat + Show quick chat menu + Hide quick chat menu Obnovení továrního nastavení + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Přímá zpráva Reset NodeDB Doručeno @@ -213,6 +240,8 @@ Využití přenosu Teplota Vlhkost + Soil Temperature + Soil Moisture Logy Počet skoků Počet skoků: %1$d @@ -311,10 +340,15 @@ Informace o sousedech Ambientní osvětlení Detekční senzor + Paxcounter Konfigurace zvuku + CODEC 2 enabled + PTT pin + CODEC2 sample rate I2S výběr slov I2S vstupní data I2S výstupní data + I2S clock Nastavení bluetooth Bluetooth povoleno Režim párování @@ -323,6 +357,7 @@ Stahování povoleno Výchozí Pozice povolena + Precise location GPIO pin Typ Skrýt heslo @@ -344,11 +379,13 @@ Vytvořit vstupní akci při otáčení ve směru hodinových ručiček Vytvořit vstupní akci při otáčení proti směru hodinových ručiček Vstup Nahoru/Dolů/Výběr povolen + Allow input source Odeslat zvonek Zprávy Konfigurace detekčního senzoru Detekční senzor povolen Minimální vysílání (sekundy) + State broadcast (seconds) Poslat zvonek s výstražnou zprávou Přezdívka GPIO pin ke sledování @@ -399,6 +436,8 @@ Použít předvolbu modemu Předvolba modemu Šířka pásma + Spread factor + Coding rate Posun frekvence (MHz) Region (plán frekvence) Limit skoku @@ -409,6 +448,7 @@ Ignorovat příchozí SX126X RX zesílený zisk Přepsat frekvenci (MHz) + PA fan disabled Ignorovat MQTT OK do MQTT Nastavení MQTT @@ -438,6 +478,8 @@ IP adresa Gateway/Brána Podsíť + Paxcounter Config + Paxcounter enabled Práh WiFi RSSI (výchozí hodnota -80) Práh BLE RSSI (výchozí hodnota -80) Nastavení pozice @@ -449,6 +491,7 @@ Zeměpisná šířka Zeměpisná délka Nadmořská výška (v metrech) + Set from current phone location Režim GPS Interval aktualizace GPS (v sekundách) Předefinovat GPS_RX_PIN @@ -482,6 +525,7 @@ Starý kanál správce Konfigurace sériové komunikace Sériová komunikace povolena + Echo enabled Rychlost sériového přenosu Vypršel čas spojení Sériový režim @@ -489,6 +533,8 @@ Pulzující LED Počet záznamů + History return max + History return window Server Nastavení telemetrie Interval aktualizace měření spotřeby (v sekundách) @@ -498,6 +544,7 @@ Měření životního prostředí používá Fahrenheit Modul měření kvality ovzduší povolen Interval aktualizace měření životního prostředí (v sekundách) + Air quality icon Modul měření spotřeby povolen Interval aktualizace měření spotřeby (v sekundách) Měření spotřeby na obrazovce povoleno @@ -527,9 +574,15 @@ Číslo uzlu Identifikátor uživatele Doba provozu + Load %1$d + Disk Free %1$d Časová značka + Heading + Speed Satelitů Výška + Freq + Slot Primární Pravidelné vysílání pozice a telemetrie Sekundární @@ -545,16 +598,26 @@ Nesledované nebo infrastruktura Upozornění: Tento kontakt je znám, import přepíše předchozí kontaktní informace. Veřejný klíč změněn + Import Vyžádat metadata Akce Firmware Použít 12h formát hodin Pokud je povoleno, zařízení bude na obrazovce zobrazovat čas ve 12 hodinovém formátu. + Host Metrics Log + Host Volná paměť + Disk Free Zatížení + User String + Navigate Into + Connection + Mesh Map + Conversations Uzly Nastavení Nastavte svůj region + Reply Váš uzel bude pravidelně odesílat nešifrovaný mapový paket na konfigurovaný MQTT server, který zahrnuje id, dlouhé a krátké jméno. přibližné umístění, hardwarový model, role, verze firmwaru, region LoRa, předvolba modemu a název primárního kanálu. Souhlas se sdílením nešifrovaných dat uzlu prostřednictvím MQTT Povolením této funkce potvrzujete a výslovně souhlasíte s přenosem zeměpisné polohy vašeho zařízení v reálném čase přes MQTT protokol bez šifrování. Tato lokalizační data mohou být použita pro účely, jako je hlášení živých map, sledování zařízení a související telemetrické funkce. @@ -565,6 +628,7 @@ Platnost do Čas Datum + Map Filter\n Pouze oblíbené Zobrazit trasové body Zobrazit kruhy přesnosti @@ -574,12 +638,143 @@ Jste si jisti, že chcete obnovit svůj soukromý klíč?\n\nUzly, které si již vyměnily klíče s tímto uzlem, budou muset odebrat tento uzel a vyměnit klíče pro obnovení bezpečné komunikace. Exportovat klíče Exportuje veřejné a soukromé klíče do souboru. Uložte je prosím bezpečně. + Modules unlocked + Remote (%1$d online / %2$d celkem) Odpovědět + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel Varování + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Zpráva + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings diff --git a/app/src/main/res/values-el-rGR/strings.xml b/app/src/main/res/values-el-rGR/strings.xml index 1eff56bf7..aafdb00e8 100644 --- a/app/src/main/res/values-el-rGR/strings.xml +++ b/app/src/main/res/values-el-rGR/strings.xml @@ -16,15 +16,65 @@ ~ along with this program. If not, see . --> + Meshtastic %s Φίλτρο + clear node filter + Include unknown + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. + Show details + Node sorting options A-Ω Κανάλι Απόσταση + Hops away + Last heard μέσω MQTT μέσω MQTT + via Favorite + Ignored Nodes + Unrecognized + Waiting to be acknowledged + Queued for sending + Acknowledged + No route + Received a negative acknowledgment Λήξη χρονικού ορίου + No Interface + Max Retransmission Reached + No Channel + Packet too large + No response Εσφαλμένο Αίτημα + Regional Duty Cycle Limit Reached + Not Authorized + Encrypted Send Failed Άγνωστο Δημόσιο Κλειδί + Bad session key + Public Key unauthorized + App connected or standalone messaging device. + Device that does not forward packets from other devices. + Infrastructure node for extending network coverage by relaying messages. Visible in nodes list. + Combination of both ROUTER and CLIENT. Not for mobile devices. + Infrastructure node for extending network coverage by relaying messages with minimal overhead. Not visible in nodes list. + Broadcasts GPS position packets as priority. + Broadcasts telemetry packets as priority. + Optimized for ATAK system communication, reduces routine broadcasts. + Device that only broadcasts as needed for stealth or power savings. + Broadcasts location as message to default channel regularly for to assist with device recovery. + Enables automatic TAK PLI broadcasts and reduces routine broadcasts. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. + Rebroadcast any observed message, if it was on our private channel or from another mesh with the same lora parameters. + Same as behavior as ALL but skips packet decoding and simply rebroadcasts them. Only available in Repeater role. Setting this on any other roles will result in ALL behavior. + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. + Ignores observed messages from foreign meshes like LOCAL ONLY, but takes it step further by also ignoring messages from nodes not already in the node\'s known list. + Only permitted for SENSOR, TRACKER and TAK_TRACKER roles, this will inhibit all rebroadcasts, not unlike CLIENT_MUTE role. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. Δημόσιο Κλειδί Όνομα Καναλιού Κώδικας QR @@ -33,9 +83,12 @@ Αποστολή Δεν έχετε κάνει ακόμη pair μια συσκευή συμβατή με Meshtastic με το τηλέφωνο. Παρακαλώ κάντε pair μια συσκευή και ορίστε το όνομα χρήστη.\n\nΗ εφαρμογή ανοιχτού κώδικα βρίσκεται σε alpha-testing, αν εντοπίσετε προβλήματα παρακαλώ δημοσιεύστε τα στο forum: https://github.com/orgs/meshtastic/discussions\n\nΠερισσότερες πληροφορίες στην ιστοσελίδα - www.meshtastic.org. Εσύ + Allow analytics and crash reporting. Αποδοχή Ακύρωση + Clear changes Λήψη URL νέου καναλιού + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Αναφορά Σφάλματος Αναφέρετε ένα σφάλμα Είστε σίγουροι ότι θέλετε να αναφέρετε ένα σφαλμα? Μετά την αναφορά δημοσιεύστε στο https://github.com/orgs/meshtastic/discussions ώστε να συνδέσουμε την αναφορά με το συμβάν. @@ -44,10 +97,13 @@ Η διαδικασία ζευγοποιησης απέτυχε, παρακαλώ επιλέξτε πάλι Η πρόσβαση στην τοποθεσία είναι απενεργοποιημένη, δεν μπορεί να παρέχει θέση στο πλέγμα. Κοινοποίηση + New Node Seen: %s Αποσυνδεδεμένο Συσκευή σε ύπνωση + Connected: %1$s online IP διεύθυνση: Θύρα: + Connected Συνδεδεμένο στο radio (%s) Αποσυνδεδεμένο Συνδεδεμένο στο radio, αλλά βρίσκεται σε ύπνωση @@ -58,12 +114,31 @@ Σχετικά Αυτό το κανάλι URL δεν είναι ορθό και δεν μπορεί να χρησιμοποιηθεί Πίνακας αποσφαλμάτωσης + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Καθαρό, Εκκαθάριση, Κατάσταση παράδοσης μηνύματος + Direct message notifications + Broadcast message notifications + Alert notifications Απαιτείται ενημέρωση υλικολογισμικού. Το λογισμικό του πομποδεκτη είναι πολύ παλιό για να μιλήσει σε αυτήν την εφαρμογή. Για περισσότερες πληροφορίες σχετικά με αυτό ανατρέξτε στον οδηγό εγκατάστασης του Firmware. Εντάξει Πρέπει να ορίσετε μια περιοχή! + Couldn\'t change channel, because radio is not yet connected. Please try again. Εξαγωγή rangetest.csv Επαναφορά Σάρωση @@ -85,6 +160,8 @@ Διαγραφή για όλους Διαγραφή από μένα Επιλογή όλων + Close selection + Delete selected Επιλογή Ύφους Λήψη Περιοχής Ονομα @@ -95,6 +172,7 @@ Προκαθορισμένο του συστήματος Αποστολή ξανά Τερματισμός λειτουργίας + Shutdown not supported on this device Επανεκκίνηση Traceroute Προβολή Εισαγωγής @@ -102,13 +180,26 @@ Γρήγορες επιλογές συνομιλίας Νέα γρήγορη συνομιλία Επεξεργασία ταχείας συνομιλίας + Append to message Άμεση αποστολή + Show quick chat menu + Hide quick chat menu Επαναφορά εργοστασιακών ρυθμίσεων + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Άμεσο Μήνυμα + NodeDB reset + Delivery confirmed Σφάλμα Παράβλεψη + Add \'%s\' to ignore list? + Remove \'%s\' from ignore list? Επιλογή περιοχής λήψης + Tile download estimate: Εκκίνηση Λήψης + Exchange position Κλείσιμο Ρυθμίσεις συσκευής Ρυθμίσεις πρόσθετου @@ -118,13 +209,20 @@ Διαχειριστής Εκτός Δικτύου Μέγεθος τρέχουσας προσωρινής μνήμης Χωρητικότητα προσωρινής μνήμης: %1$.2f MB\nΧρήση προσωρινής μνήμης: %2$.2f MB + Clear Downloaded Tiles + Tile Source Η προσωρινή μνήμη SQL καθαρίστηκε για %s + SQL Cache purge failed, see logcat for details Διαχείριση Προσωρινής Αποθήκευσης Η λήψη ολοκληρώθηκε! Λήψη ολοκληρώθηκε με %d σφάλματα + %d tiles + bearing: %1$d° distance: %2$s Επεξεργασία σημείου διαδρομής Διαγραφή σημείου πορείας; Νέο σημείο πορείας + Received waypoint: %s + Duty Cycle limit reached. Cannot send messages right now, please try again later. Διαγραφή Αυτός ο κόμβος θα αφαιρεθεί από τη λίστα σας έως ότου ο κόμβος σας λάβει εκ νέου δεδομένα από αυτόν. Σίγαση ειδοποιήσεων @@ -134,64 +232,545 @@ Αντικατάσταση Σάρωση QR κωδικού WiFi Μη έγκυρη μορφή QR διαπιστευτηρίων WiFi + Navigate Back Μπαταρία + Channel Utilization + Air Utilization Θερμοκρασία Υγρασία + Soil Temperature + Soil Moisture Αρχεία καταγραφής + Hops Away + Hops Away: %1$d Πληροφορίες + Utilization for the current channel, including well formed TX, RX and malformed RX (aka noise). + Percent of airtime for transmission used within the last hour. + IAQ Κοινόχρηστο Κλειδί + Direct messages are using the shared key for the channel. Κρυπτογράφηση Δημόσιου Κλειδιού + Direct messages are using the new public key infrastructure for encryption. Requires firmware version 2.5 or greater. Ασυμφωνία δημόσιου κλειδιού + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. + Exchange user info + New node notifications + More details + SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. + RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. + Device Metrics Log + Node Map Αρχείο Καταγραφής Τοποθεσίας + Last position update + Environment Metrics Log + Signal Metrics Log Διαχείριση Απομακρυσμένη Διαχείριση + Bad + Fair + Good + None + Share to… + Signal + Signal Quality + Traceroute Log + Direct + + 1 hop + %d hops + + Hops towards %1$d Hops back %2$d + 24H + 48H + 1W + 2W + 4W + Max + Unknown Age Αντιγραφή + Alert Bell Character! + Critical Alert! Αγαπημένο + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log Κανάλι 1 Κανάλι 2 Κανάλι 3 + Current Τάση + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> Ξέρω τι κάνω. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) Βαρομετρική Πίεση + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position Χρήστης Κανάλια Συσκευή Τοποθεσία + Power Δίκτυο Οθόνη LoRa Bluetooth Ασφάλεια MQTT + Serial + External Notification + + Range Test Τηλεμετρία + Canned Message Ήχος + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock Ρυθμίσεις Bluetooth + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password Λεπτομέρειες + Environment + Ambient Lighting Config + LED state Κόκκινο Πράσινο Μπλε + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell Μηνύματα + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled Διεύθυνση Όνομα χρήστη Κωδικός πρόσβασης + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled SSID PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position Γεωγραφικό Πλάτος Γεωγραφικό Μήκος Υψόμετρο (μέτρα) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config Δημόσιο Κλειδί Ιδιωτικό Κλειδί + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Λήξη χρονικού ορίου + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. Σημείο Δρόσου + Pressure + Gas Resistance Απόσταση + Lux + Wind Βάρος + Radiation + + Indoor Air Quality (IAQ) URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes Ρυθμίσεις + Set your region Απάντηση + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Μήνυμα + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-es-rES/strings.xml b/app/src/main/res/values-es-rES/strings.xml index 499c7407a..9024b2ccc 100644 --- a/app/src/main/res/values-es-rES/strings.xml +++ b/app/src/main/res/values-es-rES/strings.xml @@ -22,6 +22,7 @@ Incluir desconocidos Ocultar nodos desconectados Mostrar sólo nodos directos + You are viewing ignored nodes,\nPress to return to the node list. Mostrar detalles Opciones de orden de Nodos A-Z @@ -32,6 +33,7 @@ vía MQTT vía MQTT vía Favorita + Ignored Nodes No reconocido Esperando ser reconocido En cola para enviar @@ -68,9 +70,11 @@ Ignora mensajes observados desde mallas foráneas que están abiertas o que no pueden descifrar. Solo retransmite mensajes en los nodos locales principales / canales secundarios. Ignora los mensajes recibidos de redes externas como LOCAL ONLY, pero ignora también mensajes de nodos que no están ya en la lista de nodos conocidos. Solo permitido para los roles SENSOR, TRACKER y TAK_TRACKER, esto inhibirá todas las retransmisiones, no a diferencia del rol de CLIENT_MUTE. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. Trate un doble toque en acelerómetros soportados como una pulsación de botón de usuario. Deshabilita la triple pulsación del botón de usuario para activar o desactivar GPS. Controla el LED parpadeante del dispositivo. Para la mayoría de los dispositivos esto controlará uno de los hasta 4 LEDs, el cargador y el GPS tienen LEDs no controlables. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. Clave Pública Nombre del canal Código QR @@ -79,10 +83,12 @@ Enviar Aún no ha emparejado una radio compatible con Meshtastic con este teléfono. Empareje un dispositivo y configure su nombre de usuario. \n\nEsta aplicación de código abierto es una prueba alfa; si encuentra un problema publiquelo en el foro: https://github.com/orgs/meshtastic/discussions\n\nPara obtener más información visite nuestra página web - www.meshtastic.org. Usted + Allow analytics and crash reporting. Aceptar Cancelar Borrar cambios Nueva URL de canal recibida + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Informar de un fallo Informar de un fallo ¿Está seguro de que quiere informar de un error? Después de informar por favor publique en https://github.com/orgs/meshtastic/discussions para que podamos comparar el informe con lo que encontró. @@ -91,6 +97,7 @@ El emparejamiento ha fallado, por favor seleccione de nuevo El acceso a la localización está desactivado, no se puede proporcionar la posición a la malla. Compartir + New Node Seen: %s Desconectado Dispositivo en reposo Conectado: %1$s Encendido @@ -107,6 +114,7 @@ Acerca de La URL de este canal no es válida y no puede utilizarse Panel de depuración + Decoded Payload: Exportar registros Filtros Filtros activos @@ -174,7 +182,13 @@ Editar chat rápido Añadir al mensaje Envía instantáneo + Show quick chat menu + Hide quick chat menu Restablecer los valores de fábrica + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Mensaje Directo Reinicio de NodeDB Envío confirmado @@ -236,13 +250,16 @@ Clave compartida Los mensajes directos están usando la clave compartida para el canal. Cifrado de Clave Pública + Direct messages are using the new public key infrastructure for encryption. Requires firmware version 2.5 or greater. Clave pública no coincide + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. Intercambiar información de usuario Notificaciones de nuevo nodo Más detalles SNR SNR: Ratio de señal a ruido, una medida utilizada en las comunicaciones para cuantificar el nivel de una señal deseada respecto al nivel del ruido de fondo. En Meshtastic y otros sistemas inalámbricos, un mayor SNR indica una señal más clara que puede mejorar la fiabilidad y la calidad de la transmisión de datos. RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. (Calidad de Aire interior) escala relativa del valor IAQ como mediciones del sensor Bosch BME680. Rango de Valores 0 - 500. Registro de métricas del dispositivo @@ -287,6 +304,7 @@ Rango de Valores 0 - 500. Intensidad Tensión ¿Estás seguro? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> Sé lo que estoy haciendo El nodo %1$s tiene poca batería (%2$d%%) Notificaciones de batería baja @@ -324,6 +342,7 @@ Rango de Valores 0 - 500. CODEC 2 activado Pin PTT Frecuencia de Muestreo CODEC2 + I2S word select Entrada de datos I2S Salida de datos I2S Reloj del I2S @@ -331,8 +350,11 @@ Rango de Valores 0 - 500. Bluetooth activado Modo de emparejamiento Pin fijo + Uplink enabled + Downlink enabled Por defecto Posición activada + Precise location Pin GPIO Tipo Ocultar contraseña @@ -346,11 +368,21 @@ Rango de Valores 0 - 500. Azul Configuración de mensajes predefinidos Mensaje predefinidos activados + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source Mandar campana 🔔 Mensajes Configuración del sensor detector Sensor detector activado Tiempo mínimo de transmisión (segundos) + State broadcast (seconds) Mandar la campana con el mensaje de alerta Mote Pin GPIO para monitorizar @@ -380,6 +412,7 @@ Rango de Valores 0 - 500. Orientación de la brújula Configuración de las notificaciones externas Notificaciones externas activadas + Notifications on message receipt Notificación LED al recibir un mensaje Notificación con el buzzer al recibir un mensaje Notificación con vibración al recibir un mensaje @@ -388,26 +421,357 @@ Rango de Valores 0 - 500. Notificación con el zumbador al recibir una campana Notificación con vibración al recibir una campana Salida LED (pin GPIO) + Output LED active high Salida buzzer (pin GPIO) Utilizar buzzer PWM Salida vibratoria (pin GPIO) Duración en las salidas (milisegundos) + Nag timeout (seconds) Tono de notificación + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) Configuración de la posición + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config Clave Pública Clave privada + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Tiempo agotado + Serial mode + Override console serial port + Pulso de vida + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) Icono de la calidad del aire + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Distancia + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes Ajustes + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) Reaccionar + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu Lux ultravioletas + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Mensaje + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions Saltar + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings diff --git a/app/src/main/res/values-fr-rFR/strings.xml b/app/src/main/res/values-fr-rFR/strings.xml index 61e22757c..6a8d48138 100644 --- a/app/src/main/res/values-fr-rFR/strings.xml +++ b/app/src/main/res/values-fr-rFR/strings.xml @@ -83,6 +83,7 @@ Envoyer Aucune radio Meshtastic compatible n\'a été jumelée à ce téléphone. Jumelez un appareil et spécifiez votre nom d\'utilisateur.\n\nL\'application open-source est en test alpha, si vous rencontrez des problèmes postez au chat sur notre site web.\n\nPour plus d\'information visitez notre site web - www.meshtastic.org. Vous + Allow analytics and crash reporting. Accepter Annuler Annuler modifications @@ -747,6 +748,7 @@ Terrain Hybride Gérer les calques de la carte + Custom layers support .kml or .kmz files. Couches cartographiques Aucun calque personnalisé chargé. Ajouter un calque @@ -767,4 +769,5 @@ L\'URL doit contenir des espaces réservés. Modèle d\'URL Point de suivi + Phone Settings diff --git a/app/src/main/res/values-ga-rIE/strings.xml b/app/src/main/res/values-ga-rIE/strings.xml index cc7e7b8bc..5f7e21fce 100644 --- a/app/src/main/res/values-ga-rIE/strings.xml +++ b/app/src/main/res/values-ga-rIE/strings.xml @@ -16,16 +16,24 @@ ~ along with this program. If not, see . --> + Meshtastic %s Scagaire Cuir scagaire na nóid in áirithe Cuir Anaithnid san áireamh + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Taispeáin sonraí + Node sorting options + A-Z Cainéal Sáth Cúlaithe Deiridh chluinmhu trí MQTT trí MQTT + via Favorite + Ignored Nodes Neamh-aithnidiúil Ag fanacht le ceadú Cur síos ar sheoladh @@ -56,11 +64,18 @@ Feiste a seolann ach nuair is gá, chun éalú nó do chumas cothromóige. Pacáiste leis an suíomh agus é seolta chuig an cainéal réamhshocraithe gach lá. Ceadaíonn fadhb beathú do bhoganna PLI i sórtú PLI i feidhm reatha. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. Athsheoladh aon teachtaireacht i ndáiríre má bhí sí oiriúnach le do cheist go léannais foghlamhrúcháin. Ceim misniúla thosaí go lucht shnaithte! + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. Cuireann sé bac ar theachtaireachtaí a fhaightear ó mhóilíní seachtracha cosúil le LOCAL ONLY, ach téann sé céim níos faide trí theachtaireachtaí ó nóid nach bhfuil sa liosta aitheanta ag an nóid a chosc freisin. Ceadaítear é seo ach amháin do na róil SENSOR, TRACKER agus TAK_TRACKER, agus cuirfidh sé bac ar gach athdháileadh, cosúil leis an róil CLIENT_MUTE. Cuireann sé bac ar phacáistí ó phortníomhaíochtaí neamhchaighdeánacha mar: TAK, RangeTest, PaxCounter, srl. Ní athdháileann ach pacáistí le portníomhaíochtaí caighdeánacha: NodeInfo, Text, Position, Telemetry, agus Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key Ainm Cainéal Cód QR deilbhín feidhmchláir @@ -68,9 +83,12 @@ Seol Níl raidió comhoiriúnach Meshtastic péireáilte leis an bhfón seo agat fós. Péireáil gléas le do thoil agus socraigh d’ainm úsáideora.\n\nTá an feidhmchlár foinse oscailte seo faoi alfa-thástáil, má aimsíonn tú fadhbanna cuir iad ar ár bhfóram: https://github.com/orgs/meshtastic/discussions\n\nLe haghaidh tuilleadh faisnéise féach ar ár leathanach gréasáin - www.meshtastic.org. + Allow analytics and crash reporting. Glac Cealaigh + Clear changes URL Cainéal nua faighte + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Tuairiscigh fabht Tuairiscigh fabht An bhfuil tú cinnte gur mhaith leat fabht a thuairisciú? Tar éis tuairisciú a dhéanamh, cuir sa phost é le do thoil in https://github.com/orgs/meshtastic/discussions ionas gur féidir linn an tuarascáil a mheaitseáil leis an méid a d’aimsigh tú. @@ -79,9 +97,13 @@ Péireáil neadaithe, le do thoil roghnaigh arís Cead iontrála áit dúnta, ní féidir an suíomh a chur ar fáil chuig an mesh. Roinn + New Node Seen: %s Na ceangailte Gléas ina chodladh + Connected: %1$s online Seoladh IP: + Port: + Connected Ceangailte le raidió (%s) Ní ceangailte Ceangailte le raidió, ach tá sé ina chodladh @@ -92,8 +114,26 @@ Maidir le Tá an URL Cainéil seo neamhdhleathach agus ní féidir é a úsáid Painéal Laige + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Glan Stádas seachadta teachtaireachta + Direct message notifications + Broadcast message notifications + Alert notifications Nuashonrú teastaíonn ar an gcórais. Tá an firmware raidió ró-aoiseach chun cumarsáid a dhéanamh leis an aip seo. Chun tuilleadh eolais a fháil, féach ár gCúnamh Suiteála Firmware. Ceadaigh @@ -123,6 +163,8 @@ Scrios do gach duine Scrios dom Roghnaigh go léir + Close selection + Delete selected Roghnaigh stíl Íoslódáil réigiún Ainm @@ -143,7 +185,13 @@ Cuir comhrá tapa in eagar Cuir leis an teachtaireacht Seol láithreach + Show quick chat menu + Hide quick chat menu Athshocraigh an fhactaraí + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Teachtaireacht dhíreach Athshocraigh NodeDB Seachadadh deimhnithe @@ -154,6 +202,7 @@ Roghnaigh réigiún íoslódála Meastachán íoslódála tile: Tosaigh íoslódáil + Exchange position Dún Cumraíocht raidió Cumraíocht an mhódule @@ -192,8 +241,11 @@ Úsáid aeir Teocht Laige + Soil Temperature + Soil Moisture Lógáil Céimeanna uaidh + Hops Away: %1$d Eolas Úsáid na cainéil reatha, lena n-áirítear TX ceartaithe, RX agus RX mícheart (anáilís ar na fuaimeanna). Céatadán de na hamaitear úsáideach atá in úsáid laistigh de uair an chloig atá caite. @@ -204,14 +256,18 @@ Tá teachtaireachtaí díreacha á n-úsáid leis an gcórais eochair phoiblí nua do chriptiú. Riachtanach atá leagan firmware 2.5 nó níos mó. Mícomhoiriúnacht na heochrach phoiblí Ní chomhoireann an eochair phoiblí leis an eochair atá cláraithe. Féachfaidh tú le hiarraidh na nod agus athmhaoin na heochrach ach seo féadfaidh a léiriú fadhb níos tromchúisí i gcúrsaí slándála. Téigh i dteagmháil leis an úsáideoir tríd an gcainéal eile atá ar fáil chun a fháil amach an bhfuil athrú eochrach de réir athshocrú monarcha nó aidhm eile ar do chuid. + Exchange user info Fógartha faoi na nodes nua Tuilleadh sonraí + SNR Ráta Sigineal go Torann, tomhas a úsáidtear i gcomhfhreagras chun an leibhéal de shígnéil inmhianaithe agus torann cúlra a mheas. I Meshtastic agus i gcórais gan sreang eile, ciallaíonn SNR níos airde go bhfuil sígneál níos soiléire ann agus ábalta méadú ar chreideamh agus cáilíocht an tarchur sonraí. + RSSI Táscaire Cumhachta Athnuachana Aithint an Aoise, tomhas a úsáidtear chun leibhéal cumhachta atá faighte ag an antsnáithe a mheas. Léiríonn RSSI níos airde gnóthachtáil níos laige atá i gceangal seasmhach agus níos láidre. (Cáilíocht Aeir Inmheánach) scála ábhartha den luach QAÍ a thomhas ag Bosch BME680. Scála Luach 0–500. Lógáil Táscairí Feiste Léarscáil an Node Lógáil Seirbhís + Last position update Lógáil Táscairí Comhshaoil Lógáil Táscairí Sigineal Rialachas @@ -220,6 +276,7 @@ Ceart go leor Maith Ní dhéanfaidh sé + Share to… Sígneal Cáilíocht na Sígneal Lógáil Traceroute @@ -232,11 +289,494 @@ %d céimeanna
Céimeanna i dtreo %1$d Céimeanna ar ais %2$d + 24H + 48H + 1W + 2W + 4W + Max + Unknown Age + Copy + Alert Bell Character! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell + Messages + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config + Public Key + Private Key + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Am tráth + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Sáth + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes + Settings + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Teachtaireacht + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings diff --git a/app/src/main/res/values-gl-rES/strings.xml b/app/src/main/res/values-gl-rES/strings.xml index 4ce203746..f8d22398b 100644 --- a/app/src/main/res/values-gl-rES/strings.xml +++ b/app/src/main/res/values-gl-rES/strings.xml @@ -16,9 +16,15 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filtro quitar filtro de nodo Incluír descoñecido + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. + Show details + Node sorting options A-Z Canle Distancia @@ -26,8 +32,50 @@ Última escoita vía MQTT vía MQTT + via Favorite + Ignored Nodes + Unrecognized + Waiting to be acknowledged + Queued for sending + Acknowledged + No route + Received a negative acknowledgment + Timeout + No Interface + Max Retransmission Reached + No Channel + Packet too large + No response + Bad Request + Regional Duty Cycle Limit Reached + Not Authorized Fallou o envío cifrado + Unknown Public Key + Bad session key + Public Key unauthorized Aplicación conectada ou dispositivo de mensaxería autónomo. + Device that does not forward packets from other devices. + Infrastructure node for extending network coverage by relaying messages. Visible in nodes list. + Combination of both ROUTER and CLIENT. Not for mobile devices. + Infrastructure node for extending network coverage by relaying messages with minimal overhead. Not visible in nodes list. + Broadcasts GPS position packets as priority. + Broadcasts telemetry packets as priority. + Optimized for ATAK system communication, reduces routine broadcasts. + Device that only broadcasts as needed for stealth or power savings. + Broadcasts location as message to default channel regularly for to assist with device recovery. + Enables automatic TAK PLI broadcasts and reduces routine broadcasts. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. + Rebroadcast any observed message, if it was on our private channel or from another mesh with the same lora parameters. + Same as behavior as ALL but skips packet decoding and simply rebroadcasts them. Only available in Repeater role. Setting this on any other roles will result in ALL behavior. + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. + Ignores observed messages from foreign meshes like LOCAL ONLY, but takes it step further by also ignoring messages from nodes not already in the node\'s known list. + Only permitted for SENSOR, TRACKER and TAK_TRACKER roles, this will inhibit all rebroadcasts, not unlike CLIENT_MUTE role. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key Nome de canle Código QR icona da aplicación @@ -35,9 +83,12 @@ Enviar Aínda non enlazaches unha radio compatible con Meshtástic neste teléfono. Por favor enlaza un dispositivo e coloca o teu nome de usuario. \n\n Esta aplicación de código aberto está en desenvolvemento. Se atopas problemas por favor publícaos no noso foro: https://github.com/orgs/meshtastic/discussions\n\nPara máis información visita a nosa páxina - www.meshtastic.org. Ti + Allow analytics and crash reporting. Aceptar Cancelar + Clear changes Novo enlace de canle recibida + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Reportar erro Reporta un erro Seguro que queres reportar un erro? Despois de reportar, por favor publica en https://github.com/orgs/meshtastic/discussions para poder unir o reporte co que atopaches. @@ -46,9 +97,13 @@ Enlazado fallou, por favor seleccione de novo Acceso á úbicación está apagado, non se pode prover posición na rede. Compartir + New Node Seen: %s Desconectado Dispositivo durmindo + Connected: %1$s online Enderezo IP: + Port: + Connected Conectado á radio (%s) Non conectado Conectado á radio, pero está durmindo @@ -59,8 +114,26 @@ Acerca de A ligazón desta canle non é válida e non pode usarse Panel de depuración + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Limpar Estado de envío de mensaxe + Direct message notifications + Broadcast message notifications + Alert notifications Actualización de firmware necesaria. O firmware de radio é moi vello para falar con esta aplicación. Para máis información nisto visita a nosa guía de instalación de Firmware. OK @@ -87,6 +160,8 @@ Eliminar para todos Eliminar para min Seleccionar todo + Close selection + Delete selected Selección de Estilo Descargar Rexión Nome @@ -97,6 +172,7 @@ Predeterminado do sistema Reenviar Apagar + Shutdown not supported on this device Reiniciar Traza-ruta Amosar introdución @@ -106,7 +182,13 @@ Editar conversa rápida Anexar a mensaxe Enviar instantaneamente + Show quick chat menu + Hide quick chat menu Restablecemento de fábrica + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Mensaxe directa Restablecer NodeDB Entrega confirmada @@ -117,6 +199,7 @@ Seleccionar a rexión de descarga Descarga de \'tile\' estimada: Comezar a descarga + Exchange position Pechar Configuración de radio Configuración de módulo @@ -146,10 +229,548 @@ 8 horas 1 semana Sempre + Replace + Scan WiFi QR code + Invalid WiFi Credential QR code format + Navigate Back + Battery + Channel Utilization + Air Utilization + Temperature + Humidity + Soil Temperature + Soil Moisture + Logs + Hops Away + Hops Away: %1$d + Information + Utilization for the current channel, including well formed TX, RX and malformed RX (aka noise). + Percent of airtime for transmission used within the last hour. + IAQ + Shared Key + Direct messages are using the shared key for the channel. + Public Key Encryption + Direct messages are using the new public key infrastructure for encryption. Requires firmware version 2.5 or greater. + Public key mismatch + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. + Exchange user info + New node notifications + More details + SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. + RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. + Device Metrics Log + Node Map + Position Log + Last position update + Environment Metrics Log + Signal Metrics Log + Administration + Remote Administration + Bad + Fair + Good + None + Share to… + Signal + Signal Quality + Traceroute Log + Direct + + 1 hop + %d hops + + Hops towards %1$d Hops back %2$d + 24H + 48H + 1W + 2W + 4W + Max + Unknown Age + Copy + Alert Bell Character! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell + Messages + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config + Public Key + Private Key + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate + Timeout + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Distancia + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes + Settings + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Mensaxe + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-hr-rHR/strings.xml b/app/src/main/res/values-hr-rHR/strings.xml index 51ca89989..760f015b6 100644 --- a/app/src/main/res/values-hr-rHR/strings.xml +++ b/app/src/main/res/values-hr-rHR/strings.xml @@ -16,9 +16,15 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filtriraj očisti filter čvorova Uključujući nepoznate + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. + Show details + Node sorting options A-Z Kanal Udaljenost @@ -26,6 +32,50 @@ Posljednje čuo putem MQTT putem MQTT + via Favorite + Ignored Nodes + Unrecognized + Waiting to be acknowledged + Queued for sending + Acknowledged + No route + Received a negative acknowledgment + Timeout + No Interface + Max Retransmission Reached + No Channel + Packet too large + No response + Bad Request + Regional Duty Cycle Limit Reached + Not Authorized + Encrypted Send Failed + Unknown Public Key + Bad session key + Public Key unauthorized + App connected or standalone messaging device. + Device that does not forward packets from other devices. + Infrastructure node for extending network coverage by relaying messages. Visible in nodes list. + Combination of both ROUTER and CLIENT. Not for mobile devices. + Infrastructure node for extending network coverage by relaying messages with minimal overhead. Not visible in nodes list. + Broadcasts GPS position packets as priority. + Broadcasts telemetry packets as priority. + Optimized for ATAK system communication, reduces routine broadcasts. + Device that only broadcasts as needed for stealth or power savings. + Broadcasts location as message to default channel regularly for to assist with device recovery. + Enables automatic TAK PLI broadcasts and reduces routine broadcasts. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. + Rebroadcast any observed message, if it was on our private channel or from another mesh with the same lora parameters. + Same as behavior as ALL but skips packet decoding and simply rebroadcasts them. Only available in Repeater role. Setting this on any other roles will result in ALL behavior. + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. + Ignores observed messages from foreign meshes like LOCAL ONLY, but takes it step further by also ignoring messages from nodes not already in the node\'s known list. + Only permitted for SENSOR, TRACKER and TAK_TRACKER roles, this will inhibit all rebroadcasts, not unlike CLIENT_MUTE role. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key Naziv kanala QR kod ikona aplikacije @@ -33,9 +83,12 @@ Potvrdi Još niste povezali Meshtastic radio uređaj s ovim telefonom. Povežite uređaj i postavite svoje korisničko ime.\n\nOva aplikacija otvorenog koda je u razvoju, ako naiđete na probleme, objavite na našem forumu: https://github.com/orgs/meshtastic/discussions\n\nZa više informacija pogledajte našu web stranicu - www.meshtastic.org. Vi + Allow analytics and crash reporting. Prihvati Odustani + Clear changes Primljen je URL novog kanala + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Prijavi grešku Prijavi grešku Jeste li sigurni da želite prijaviti grešku? Nakon prijave, objavite poruku na https://github.com/orgs/meshtastic/discussions kako bismo mogli utvrditi dosljednost poruke o pogrešci i onoga što ste pronašli. @@ -44,9 +97,13 @@ Uparivanje nije uspjelo, molim odaberite ponovno Pristup lokaciji je isključen, Vaš Android ne može pružiti lokaciju mesh mreži. Podijeli + New Node Seen: %s Odspojeno Uređaj je u stanju mirovanja + Connected: %1$s online IP Adresa: + Port: + Connected Spojen na radio (%s) Nije povezano Povezan na radio, ali je u stanju mirovanja @@ -57,8 +114,26 @@ O programu Ovaj URL kanala je nevažeći i ne može se koristiti Otklanjanje pogrešaka + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Očisti Status isporuke poruke + Direct message notifications + Broadcast message notifications + Alert notifications Potrebno ažuriranje firmwarea. Firmware radija je prestar za komunikaciju s ovom aplikacijom. Za više informacija posjetite naš vodič za instalaciju firmwarea. U redu @@ -86,6 +161,8 @@ Izbriši za sve Izbriši za mene Označi sve + Close selection + Delete selected Odabir stila Preuzmite regiju Ime @@ -96,6 +173,7 @@ Zadana vrijednost sustava Ponovno pošalji Isključi + Shutdown not supported on this device Ponovno pokreni Traceroute Prikaži uvod @@ -105,7 +183,13 @@ Uredi brzi chat Dodaj poruci Pošalji odmah + Show quick chat menu + Hide quick chat menu Vraćanje na tvorničke postavke + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Izravna poruka Resetiraj NodeDB bazu Isporučeno @@ -116,6 +200,7 @@ Označite regiju za preuzimanje Procjena preuzimanja: Pokreni Preuzimanje + Exchange position Zatvori Konfiguracija uređaja Konfiguracija modula @@ -145,10 +230,549 @@ 8 sati 1 tjedan Uvijek + Replace + Scan WiFi QR code + Invalid WiFi Credential QR code format + Navigate Back + Battery + Channel Utilization + Air Utilization + Temperature + Humidity + Soil Temperature + Soil Moisture + Logs + Hops Away + Hops Away: %1$d + Information + Utilization for the current channel, including well formed TX, RX and malformed RX (aka noise). + Percent of airtime for transmission used within the last hour. + IAQ + Shared Key + Direct messages are using the shared key for the channel. + Public Key Encryption + Direct messages are using the new public key infrastructure for encryption. Requires firmware version 2.5 or greater. + Public key mismatch + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. + Exchange user info + New node notifications + More details + SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. + RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. + Device Metrics Log + Node Map + Position Log + Last position update + Environment Metrics Log + Signal Metrics Log + Administration + Remote Administration + Bad + Fair + Good + None + Share to… + Signal + Signal Quality + Traceroute Log + Direct + + 1 hop + %d hops + %d hops + + Hops towards %1$d Hops back %2$d + 24H + 48H + 1W + 2W + 4W + Max + Unknown Age + Copy + Alert Bell Character! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell + Messages + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config + Public Key + Private Key + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate + Timeout + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Udaljenost + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes + Settings + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Poruka + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-ht-rHT/strings.xml b/app/src/main/res/values-ht-rHT/strings.xml index 8baf7f676..83c4272b0 100644 --- a/app/src/main/res/values-ht-rHT/strings.xml +++ b/app/src/main/res/values-ht-rHT/strings.xml @@ -16,16 +16,24 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filtre klarifye filtè nœud Enkli enkoni + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Montre detay + Node sorting options + A-Z kanal Distans Sote lwen Dènye fwa li tande atravè MQTT atravè MQTT + via Favorite + Ignored Nodes Inkonu Ap tann pou li rekonèt Kwen pou voye @@ -56,12 +64,18 @@ Aparèy ki sèlman voye kòm sa nesesè pou kachèt oswa ekonomi pouvwa. Voye pozisyon kòm mesaj nan kanal default regilyèman pou ede ak rekiperasyon aparèy. Pèmèt emisyon TAK PLI otomatik epi redwi emisyon regilye. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. Rebroadcast nenpòt mesaj obsève, si li te sou kanal prive nou oswa soti nan yon lòt mesh ak menm paramèt lora. Menm jan ak konpòtman kòm \"ALL\" men sote dekodaj pakè yo epi senpleman rebroadcast yo. Disponib sèlman nan wòl Repeater. Mete sa sou nenpòt lòt wòl ap bay konpòtman \"ALL\". Ignoré mesaj obsève soti nan meshes etranje ki louvri oswa sa yo li pa ka dekripte. Sèlman rebroadcast mesaj sou kanal prensipal / segondè lokal nœud. Ignoré mesaj obsève soti nan meshes etranje tankou \"LOCAL ONLY\", men ale yon etap pi lwen pa tou ignorer mesaj ki soti nan nœud ki poko nan lis konnen nœud la. Sèlman pèmèt pou wòl SENSOR, TRACKER ak TAK_TRACKER, sa a ap entèdi tout rebroadcasts, pa diferan de wòl CLIENT_MUTE. Ignoré pakè soti nan portnum ki pa estanda tankou: TAK, RangeTest, PaxCounter, elatriye. Sèlman rebroadcast pakè ak portnum estanda: NodeInfo, Tèks, Pozisyon, Telemetri, ak Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key Non kanal Kòd QR ikòn aplikasyon an @@ -69,9 +83,12 @@ Voye Ou poko konekte ak yon radyo ki konpatib ak Meshtastic sou telefòn sa a. Tanpri konekte yon aparèy epi mete non itilizatè w lan.\n\nSa a se yon aplikasyon piblik ki nan tès Alpha. Si ou gen pwoblèm, tanpri pataje sou fowòm nou an: https://github.com/orgs/meshtastic/discussions\n\nPou plis enfòmasyon, vizite sit wèb nou an - www.meshtastic.org. Ou + Allow analytics and crash reporting. Aksepte Anile + Clear changes Nouvo kanal URL resevwa + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Rapòte yon pwoblèm Rapòte pwoblèm Èske ou sèten ou vle rapòte yon pwoblèm? Aprew fin rapòte, tanpri pataje sou https://github.com/orgs/meshtastic/discussions pou nou ka konpare rapò a ak sa ou jwenn nan. @@ -80,9 +97,13 @@ Koneksyon echwe, tanpri chwazi ankò Aksè lokasyon enfim, pa ka bay pozisyon mesh la. Pataje + New Node Seen: %s Dekonekte Aparèy ap dòmi + Connected: %1$s online Adrès IP: + Port: + Connected Konekte ak radyo (%s) Pa konekte Konekte ak radyo, men li ap dòmi @@ -93,8 +114,26 @@ Sou Kanal URL sa a pa valab e yo pa kapab itilize li Panno Debug + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Netwaye Eta livrezon mesaj + Direct message notifications + Broadcast message notifications + Alert notifications Nouvo mizajou mikwo lojisyèl obligatwa. Mikwo lojisyèl radyo a twò ansyen pou li kominike ak aplikasyon sa a. Pou plis enfòmasyon sou sa, gade gid enstalasyon mikwo lojisyèl nou an. Dakò @@ -121,6 +160,8 @@ Efase pou tout moun Efase pou mwen Chwazi tout + Close selection + Delete selected Seleksyon Style Telechaje Rejyon Non @@ -133,6 +174,7 @@ Fèmen Fèmen pa sipòte sou aparèy sa a Rekòmanse + Traceroute Montre entwodiksyon Mesaj Opsyon chat rapid @@ -140,7 +182,13 @@ Modifye chat rapid Ajoute nan mesaj Voye imedyatman + Show quick chat menu + Hide quick chat menu Reyajiste nan faktori + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Mesaj dirèk Reyajiste NodeDB Livrezon konfime @@ -151,6 +199,7 @@ Chwazi rejyon telechajman Estimasyon telechajman tèk Kòmanse telechajman + Exchange position Fèmen Konfigirasyon radyo Konfigirasyon modil @@ -189,25 +238,33 @@ Itilizasyon Ay Tanperati Imidite + Soil Temperature + Soil Moisture Jounal Hops Lwen + Hops Away: %1$d Enfòmasyon Itilizasyon pou kanal aktyèl la, ki enkli TX, RX byen fòme ak RX mal fòme (sa yo rele bri). Pousantaj tan lè transmisyon te itilize nan dènye èdtan an. + IAQ Kle Pataje Mesaj dirèk yo ap itilize kle pataje pou kanal la. Chifreman Kle Piblik Mesaj dirèk yo ap itilize nouvo enfrastrikti kle piblik pou chifreman. Sa mande vèsyon lojisyèl 2.5 oswa plis. Pa matche kle piblik Kle piblik la pa matche ak kle anrejistre a. Ou ka retire nœud la e kite li echanje kle ankò, men sa ka endike yon pwoblèm sekirite pi grav. Kontakte itilizatè a atravè yon lòt chanèl ki fè konfyans, pou detèmine si chanjman kle a te fèt akòz yon reyajisteman faktori oswa lòt aksyon entansyonèl. + Exchange user info Notifikasyon nouvo nœud Plis detay + SNR Rapò Siynal sou Bri, yon mezi ki itilize nan kominikasyon pou mezire nivo siynal vle a kont nivo bri ki nan anviwònman an. Nan Meshtastic ak lòt sistèm san fil, yon SNR pi wo endike yon siynal pi klè ki ka amelyore fyab ak kalite transmisyon done. + RSSI Endikatè Fòs Siynal Resevwa, yon mezi ki itilize pou detèmine nivo pouvwa siynal ki resevwa pa antèn nan. Yon RSSI pi wo jeneralman endike yon koneksyon pi fò ak plis estab. (Kalite Lèy Entèryè) echèl relatif valè IAQ jan li mezire pa Bosch BME680. Ranje valè 0–500. Jounal Metik Aparèy Kat Nœud Jounal Pozisyon + Last position update Jounal Metik Anviwònman Jounal Metik Siynal Administrasyon @@ -216,16 +273,504 @@ Mwayen Bon Pa gen + Share to… Siynal Kalite Siynal Jounal Traceroute Direk + + 1 hop + %d hops + Hops vèsus %1$d Hops tounen %2$d + 24H + 48H + 1W + 2W + 4W + Max + Unknown Age + Copy + Alert Bell Character! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell + Messages + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config + Public Key + Private Key + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Tan pase + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Distans + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes + Settings + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Mesaj + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-hu-rHU/strings.xml b/app/src/main/res/values-hu-rHU/strings.xml index 8b59b9dad..dbb77cb2e 100644 --- a/app/src/main/res/values-hu-rHU/strings.xml +++ b/app/src/main/res/values-hu-rHU/strings.xml @@ -16,10 +16,15 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filter állomás filter törlése Ismeretlent tartalmaz + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Részletek megjelenítése + Node sorting options A-Z Csatorna Távolság @@ -27,11 +32,14 @@ Utoljára hallott MQTT-n Keresztül MQTT-n Keresztül + via Favorite + Ignored Nodes Ismeretlen Visszajelzésre vár Elküldésre vár Visszaigazolva Nincs út + Received a negative acknowledgment Időtúllépés Nincs Interfész Maximális Újraküldés Elérve @@ -45,6 +53,29 @@ Nem Ismert Publikus Kulcs Hibás munkamenet kulcs Nem Engedélyezett Publikus Kulcs + App connected or standalone messaging device. + Device that does not forward packets from other devices. + Infrastructure node for extending network coverage by relaying messages. Visible in nodes list. + Combination of both ROUTER and CLIENT. Not for mobile devices. + Infrastructure node for extending network coverage by relaying messages with minimal overhead. Not visible in nodes list. + Broadcasts GPS position packets as priority. + Broadcasts telemetry packets as priority. + Optimized for ATAK system communication, reduces routine broadcasts. + Device that only broadcasts as needed for stealth or power savings. + Broadcasts location as message to default channel regularly for to assist with device recovery. + Enables automatic TAK PLI broadcasts and reduces routine broadcasts. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. + Rebroadcast any observed message, if it was on our private channel or from another mesh with the same lora parameters. + Same as behavior as ALL but skips packet decoding and simply rebroadcasts them. Only available in Repeater role. Setting this on any other roles will result in ALL behavior. + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. + Ignores observed messages from foreign meshes like LOCAL ONLY, but takes it step further by also ignoring messages from nodes not already in the node\'s known list. + Only permitted for SENSOR, TRACKER and TAK_TRACKER roles, this will inhibit all rebroadcasts, not unlike CLIENT_MUTE role. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key Csatorna neve QR kód alkalmazás ikonja @@ -52,9 +83,12 @@ Küldeni Még nem párosított egyetlen Meshtastic rádiót sem ehhez a telefonhoz. Kérem pároztasson egyet és állítsa be a felhasználónevet.\n\nEz a szabad forráskódú alkalmazás fejlesztés alatt áll, ha hibát talál kérem írjon a projekt fórumába: https://github.com/orgs/meshtastic/discussions\n\nBővebb információért látogasson el a projekt weboldalára - www.meshtastic.org. Te + Allow analytics and crash reporting. Elfogadni Megszakítani + Clear changes Új csatorna URL érkezett + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Hiba jelentése Hiba jelentése Biztosan jelenteni akarja a hibát? Bejelentés után kérem írjon a https://github.com/orgs/meshtastic/discussions fórumba, hogy így össze tudjuk hangolni a jelentést azzal, amit talált. @@ -63,9 +97,13 @@ Pároztatás sikertelen, kérem próbálja meg újra. A földrajzi helyhez való hozzáférés le van tiltva, nem lehet pozíciót közölni a mesh hálózattal. Megosztás + New Node Seen: %s Szétkapcsolva Az eszköz alszik + Connected: %1$s online IP cím: + Port: + Connected Kapcsolódva a(z) %s rádióhoz Nincs kapcsolat Kapcsolódva a rádióhoz, de az alvó üzemmódban van @@ -76,10 +114,29 @@ A programról Ez a csatorna URL érvénytelen, ezért nem használható. Hibakereső panel + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Töröl Üzenet kézbesítésének állapota + Direct message notifications + Broadcast message notifications + Alert notifications Firmware frissítés szükséges. A rádió firmware túl régi ahhoz, hogy a programmal kommunikálni tudjon. További tudnivalókat a firmware frissítés leírásában talál, a Github-on. + OK Be kell állítania egy régiót Nem lehet csatornát váltani, mert a rádió nincs csatlakoztatva. Kérem próbálja meg újra. Rangetest.csv exportálása @@ -103,6 +160,8 @@ Törlés mindenki számára Törlés nekem Összes kijelölése + Close selection + Delete selected Stílus választás Letöltési régió Név @@ -123,15 +182,24 @@ Gyors csevegés szerkesztése Hozzáfűzés az üzenethez Azonnali küldés + Show quick chat menu + Hide quick chat menu Gyári beállítások visszaállítása + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Közvetlen üzenet NodeDB törlése Kézbesítés sikeres Hiba Mellőzés + Add \'%s\' to ignore list? + Remove \'%s\' from ignore list? Válassz letöltési régiót Csempe letöltés számítása: Letöltés indítása + Exchange position Bezárás Eszköz beállítások Modul beállítások @@ -153,33 +221,50 @@ Útpont szerkesztés Útpont törlés? Új útpont + Received waypoint: %s + Duty Cycle limit reached. Cannot send messages right now, please try again later. Törlés + This node will be removed from your list until your node receives data from it again. Értesítések némítása 8 óra 1 hét Mindig Csere WiFi QR kód szkennelése + Invalid WiFi Credential QR code format Vissza Akkumulátor Csatornahasználat Légidőhasználat Hőmérséklet Páratartalom + Soil Temperature + Soil Moisture Naplók Ugrás Messzire + Hops Away: %1$d Információ + Utilization for the current channel, including well formed TX, RX and malformed RX (aka noise). + Percent of airtime for transmission used within the last hour. IAQ Megosztott kulcs + Direct messages are using the shared key for the channel. Publikus Kulcs Titkosítás + Direct messages are using the new public key infrastructure for encryption. Requires firmware version 2.5 or greater. Publikus kulcs nem egyezik + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. + Exchange user info Új állomás értesítések Több részlet SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. Eszközmérő Napló Állomás Térkép Pozíciónapló + Last position update Környezeti Mérés Napló Jelminőség Napló Adminisztráció @@ -188,6 +273,7 @@ Megfelelő Semmi + Share to… Jel Jelminőség Traceroute napló @@ -197,13 +283,494 @@ %d ugrások Ugrások oda %1$d Vissza %2$d + 24H + 48H + 1W + 2W + 4W + Max + Unknown Age + Copy + Alert Bell Character! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell Üzenetek + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config + Public Key + Private Key + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Időtúllépés + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Távolság + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes Beállítások + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Üzenet + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-is-rIS/strings.xml b/app/src/main/res/values-is-rIS/strings.xml index 348abc2b0..847617df1 100644 --- a/app/src/main/res/values-is-rIS/strings.xml +++ b/app/src/main/res/values-is-rIS/strings.xml @@ -16,6 +16,66 @@ ~ along with this program. If not, see . --> + Meshtastic %s + Filter + clear node filter + Include unknown + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. + Show details + Node sorting options + A-Z + Channel + Distance + Hops away + Last heard + via MQTT + via MQTT + via Favorite + Ignored Nodes + Unrecognized + Waiting to be acknowledged + Queued for sending + Acknowledged + No route + Received a negative acknowledgment + Timeout + No Interface + Max Retransmission Reached + No Channel + Packet too large + No response + Bad Request + Regional Duty Cycle Limit Reached + Not Authorized + Encrypted Send Failed + Unknown Public Key + Bad session key + Public Key unauthorized + App connected or standalone messaging device. + Device that does not forward packets from other devices. + Infrastructure node for extending network coverage by relaying messages. Visible in nodes list. + Combination of both ROUTER and CLIENT. Not for mobile devices. + Infrastructure node for extending network coverage by relaying messages with minimal overhead. Not visible in nodes list. + Broadcasts GPS position packets as priority. + Broadcasts telemetry packets as priority. + Optimized for ATAK system communication, reduces routine broadcasts. + Device that only broadcasts as needed for stealth or power savings. + Broadcasts location as message to default channel regularly for to assist with device recovery. + Enables automatic TAK PLI broadcasts and reduces routine broadcasts. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. + Rebroadcast any observed message, if it was on our private channel or from another mesh with the same lora parameters. + Same as behavior as ALL but skips packet decoding and simply rebroadcasts them. Only available in Repeater role. Setting this on any other roles will result in ALL behavior. + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. + Ignores observed messages from foreign meshes like LOCAL ONLY, but takes it step further by also ignoring messages from nodes not already in the node\'s known list. + Only permitted for SENSOR, TRACKER and TAK_TRACKER roles, this will inhibit all rebroadcasts, not unlike CLIENT_MUTE role. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key Heiti rásar QR kóði tákn smáforrits @@ -23,9 +83,12 @@ Senda Þú hefur ekki parað Meshtastic radíó við þennan síma. Vinsamlegast paraðu búnað og veldu notendnafn.\n\nÞessi opni hugbúnaður er enn í þróun, finnir þú vandamál vinsamlegast búðu til þráð á spjallborðinu okkar: https://github.com/orgs/meshtastic/discussions\n\nFyrir frekari upplýsingar sjá vefsíðu - www.meshtastic.org. Þú + Allow analytics and crash reporting. Samþykkja Hætta við + Clear changes Ný slóð fyrir rás móttekin + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Tilkynna villu Tilkynna villu Er þú viss um að vilja tilkynna villu? Eftir tilkynningu, settu vinsamlega inn þráð á https://github.com/orgs/meshtastic/discussions svo við getum tengt saman tilkynninguna við villuna sem þú fannst. @@ -34,9 +97,13 @@ Pörun mistókst, vinsamlegast veljið aftur Aðgangur að staðsetningu ekki leyfður, staðsetning ekki send út á mesh. Deila + New Node Seen: %s Aftengd Radíó er í svefnham + Connected: %1$s online IP Tala: + Port: + Connected Tengdur við radíó (%s) Ekki tengdur Tengdur við radíó, en það er í svefnham @@ -47,8 +114,26 @@ Um smáforrit Þetta rásar URL er ógilt og ónothæft Villuleitarborð + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Hreinsa Staða sends skilaboðs + Direct message notifications + Broadcast message notifications + Alert notifications Uppfærsla fastbúnaðar nauðsynleg. Fastbúnaður radíósins er of gamall til að tala við þetta smáforrit. Fyrir ítarlegri upplýsingar sjá Leiðbeiningar um uppfærslu fastbúnaðar. Í lagi @@ -75,6 +160,8 @@ Eyða fyrir öllum Eyða fyrir mér Velja allt + Close selection + Delete selected Valmöguleikar stíls Niðurhala svæði Heiti @@ -85,6 +172,7 @@ Grunnstilling kerfis Endursenda Slökkva + Shutdown not supported on this device Endurræsa Ferilkönnun Sýna kynningu @@ -94,19 +182,29 @@ Breyta flýtiskilaboðum Hengja aftan við skilaboð Sent samtímis + Show quick chat menu + Hide quick chat menu Grunnstilla + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Bein skilaboð Endurræsa NodeDB + Delivery confirmed + Error Hunsa Bæta \'%s\' við Ignore lista? Fjarlægja \'%s\' frá hunsa lista? Veldu svæði til að niðurhala Áætlaður niðurhalstími reits: Hefja niðurhal + Exchange position Loka Stillingar radíós Stillingar aukaeininga Bæta við + Edit Reiknar… Sýsla með utankerfis kort Núverandi stærð skyndiminnis @@ -125,9 +223,554 @@ Nýr leiðarpunktur Móttekin leiðarpunktur: %s Hámarsksendingartíma náð. Ekki hægt að senda skilaboð, vinsamlegast reynið aftur síðar. + Remove + This node will be removed from your list until your node receives data from it again. + Mute notifications + 8 hours + 1 week + Always + Replace + Scan WiFi QR code + Invalid WiFi Credential QR code format + Navigate Back + Battery + Channel Utilization + Air Utilization + Temperature + Humidity + Soil Temperature + Soil Moisture + Logs + Hops Away + Hops Away: %1$d + Information + Utilization for the current channel, including well formed TX, RX and malformed RX (aka noise). + Percent of airtime for transmission used within the last hour. + IAQ + Shared Key + Direct messages are using the shared key for the channel. + Public Key Encryption + Direct messages are using the new public key infrastructure for encryption. Requires firmware version 2.5 or greater. + Public key mismatch + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. + Exchange user info + New node notifications + More details + SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. + RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. + Device Metrics Log + Node Map + Position Log + Last position update + Environment Metrics Log + Signal Metrics Log + Administration + Remote Administration + Bad + Fair + Good + None + Share to… + Signal + Signal Quality + Traceroute Log + Direct + + 1 hop + %d hops + + Hops towards %1$d Hops back %2$d + 24H + 48H + 1W + 2W + 4W + Max + Unknown Age + Copy + Alert Bell Character! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell + Messages + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config + Public Key + Private Key + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate + Timeout + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance + Distance + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes + Settings + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Skilaboð + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-iw-rIL/strings.xml b/app/src/main/res/values-iw-rIL/strings.xml index 2ae3e58f2..dacc85666 100644 --- a/app/src/main/res/values-iw-rIL/strings.xml +++ b/app/src/main/res/values-iw-rIL/strings.xml @@ -16,13 +16,66 @@ ~ along with this program. If not, see . --> + Meshtastic %s פילטר + clear node filter כלול לא ידועים + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. הצג פרטים + Node sorting options א-ת ערוץ מרחק דלג קדימה + Last heard + via MQTT + via MQTT + via Favorite + Ignored Nodes + Unrecognized + Waiting to be acknowledged + Queued for sending + Acknowledged + No route + Received a negative acknowledgment + Timeout + No Interface + Max Retransmission Reached + No Channel + Packet too large + No response + Bad Request + Regional Duty Cycle Limit Reached + Not Authorized + Encrypted Send Failed + Unknown Public Key + Bad session key + Public Key unauthorized + App connected or standalone messaging device. + Device that does not forward packets from other devices. + Infrastructure node for extending network coverage by relaying messages. Visible in nodes list. + Combination of both ROUTER and CLIENT. Not for mobile devices. + Infrastructure node for extending network coverage by relaying messages with minimal overhead. Not visible in nodes list. + Broadcasts GPS position packets as priority. + Broadcasts telemetry packets as priority. + Optimized for ATAK system communication, reduces routine broadcasts. + Device that only broadcasts as needed for stealth or power savings. + Broadcasts location as message to default channel regularly for to assist with device recovery. + Enables automatic TAK PLI broadcasts and reduces routine broadcasts. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. + Rebroadcast any observed message, if it was on our private channel or from another mesh with the same lora parameters. + Same as behavior as ALL but skips packet decoding and simply rebroadcasts them. Only available in Repeater role. Setting this on any other roles will result in ALL behavior. + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. + Ignores observed messages from foreign meshes like LOCAL ONLY, but takes it step further by also ignoring messages from nodes not already in the node\'s known list. + Only permitted for SENSOR, TRACKER and TAK_TRACKER roles, this will inhibit all rebroadcasts, not unlike CLIENT_MUTE role. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key שם הערוץ קוד QR אייקון אפליקציה @@ -30,9 +83,12 @@ שלח עוד לא צימדת מכשיר תומך משטסטיק לטלפון זה. בבקשה צמד מכשיר והגדר שם משתמש.\n\nאפליקציית קוד פתוח זה נמצא בפיתוח, במקשר של בעיות בבקשה גש לפורום: https://github.com/orgs/meshtastic/discussions\n\n למידע נוסף בקרו באתר - www.meshtastic.org. אתה + Allow analytics and crash reporting. אישור בטל + Clear changes התקבל כתובת ערוץ חדשה + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. דווח על באג דווח על באג בטוח שתרצה לדווח על באג? לאחר דיווח, בבקשה תעלה פוסט לפורום https://github.com/orgs/meshtastic/discussions כדי שנוכל לחבר בין חווייתך לדווח זה. @@ -41,10 +97,13 @@ צימוד נכשל, בבקשה נסה שנית שירותי מיקום כבויים, לא ניתן לספק מיקום לרשת משטסטיק. שתף + New Node Seen: %s מנותק מכשיר במצב שינה + Connected: %1$s online ‏כתובת IP: פורט: + Connected מחובר למכשיר (%s) לא מחובר מחובר למכשיר, אך הוא במצב שינה @@ -55,8 +114,25 @@ אודות כתובת ערוץ זה אינו תקין ולא ניתן לעשות בו שימוש פאנל דיבאג + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. נקה מצב שליחת הודעה + Direct message notifications + Broadcast message notifications התראות נדרש עדכון קושחה. קושחת המכשיר ישנה מידי בכדי לתקשר עם האפליקציה. למידע נוסף בקר במדריך התקנת קושחה. @@ -86,6 +162,8 @@ מחק לכולם מחק עבורי בחר הכל + Close selection + Delete selected בחירת סגנון הורד מפה אזורי שם @@ -106,9 +184,16 @@ ערוך צ\'ט מהיר הוסף להודעה שלח מייד + Show quick chat menu + Hide quick chat menu איפוס להגדרות היצרן + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. הודעה ישירה איפוס NodeDB + Delivery confirmed שגיאה התעלם הוסף \'%s\' לרשימת ההתעלמות? המכשיר יתחיל מחדש. @@ -116,10 +201,12 @@ בחר אזור להורדה הערכת זמן להורדה: התחל הורדה + Exchange position סגור הגדרות רדיו הגדרות מודולות הוסף + Edit מחשב… ניהול מפות שמורות גודל מטמון נוכחי @@ -138,12 +225,556 @@ נקודת ציון חדשה התקבל נקודת ציון: %s הגעת לרף ה-duty cycle. לא ניתן לשלוח הודעות כרגע, בבקשה נסה שוב מאוחר יותר. + Remove + This node will be removed from your list until your node receives data from it again. + Mute notifications + 8 hours + 1 week + Always + Replace + Scan WiFi QR code + Invalid WiFi Credential QR code format + Navigate Back + Battery + Channel Utilization + Air Utilization + Temperature + Humidity + Soil Temperature + Soil Moisture + Logs + Hops Away + Hops Away: %1$d + Information + Utilization for the current channel, including well formed TX, RX and malformed RX (aka noise). + Percent of airtime for transmission used within the last hour. + IAQ + Shared Key + Direct messages are using the shared key for the channel. + Public Key Encryption + Direct messages are using the new public key infrastructure for encryption. Requires firmware version 2.5 or greater. + Public key mismatch + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. + Exchange user info + New node notifications + More details + SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. + RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. + Device Metrics Log + Node Map + Position Log + Last position update + Environment Metrics Log + Signal Metrics Log + Administration + Remote Administration + Bad + Fair + Good + None + Share to… + Signal + Signal Quality + Traceroute Log + Direct + + 1 hop + %d hops + %d hops + %d hops + + Hops towards %1$d Hops back %2$d + 24H + 48H + 1W + 2W + 4W + Max + Unknown Age + Copy + Alert Bell Character! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell הודעות + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config + Public Key + Private Key + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate + Timeout + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance מרחק + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes הגדרות + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection הודעה + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-ja-rJP/strings.xml b/app/src/main/res/values-ja-rJP/strings.xml index 7f410f705..9bd4d1029 100644 --- a/app/src/main/res/values-ja-rJP/strings.xml +++ b/app/src/main/res/values-ja-rJP/strings.xml @@ -16,9 +16,13 @@ ~ along with this program. If not, see . --> + Meshtastic %s フィルター ノードフィルターをクリアします 不明なものを含める + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. 詳細を表示 ノードの並べ替えオプション A-Z @@ -29,6 +33,7 @@ MQTT 経由で MQTT経由 お気に入りから + Ignored Nodes 不明 相手の受信確認待ち 送信待ち @@ -78,9 +83,12 @@ 送信 このスマートフォンはMeshtasticデバイスとペアリングされていません。デバイスとペアリングしてユーザー名を設定してください。\n\nこのオープンソースアプリケーションはアルファテスト中です。問題を発見した場合はBBSに書き込んでください。 https://github.com/orgs/meshtastic/discussions\n\n詳しくはWEBページをご覧ください。 www.meshtastic.org あなた + Allow analytics and crash reporting. 同意 キャンセル + Clear changes 新しいチャンネルURLを受信しました + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. バグを報告 バグを報告 不具合報告として診断情報を送信しますか?送信した場合は https://github.com/orgs/meshtastic/discussions に検証できる報告を書き込んでください。 @@ -89,10 +97,13 @@ ペアに設定できませんでした。もう一度選択してください。 位置情報が無効なため、メッシュネットワークに位置情報を提供できません。 シェア + New Node Seen: %s 切断 デバイスはスリープ状態です 接続済み: %1$s オンライン IPアドレス + Port: + Connected Meshtasticデバイスに接続しました。 (%s) 接続されていません @@ -104,10 +115,29 @@ 概要 このチャンネルURLは無効なため使用できません。 デバッグ + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. 削除 メッセージ配信状況 + Direct message notifications + Broadcast message notifications アラート通知 + Firmware update required. デバイスのファームウェアが古く、アプリと通信ができません。詳細はFirmware Installation guide に記載されています。 + OK リージョンを指定する必要があります。 デバイスが未接続のため、チャンネルが変更できませんでした。もう一度やり直してください。 rangetest.csv をエクスポート @@ -130,6 +160,8 @@ 全員のデバイスから削除 自分のデバイスから削除 すべてを選択 + Close selection + Delete selected スタイルの選択 リージョンをダウンロードする 名前 @@ -150,7 +182,13 @@ クイックチャットを編集 メッセージに追加 すぐに送信 + Show quick chat menu + Hide quick chat menu 出荷時にリセット + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. ダイレクトメッセージ NodeDBをリセット 配信を確認しました @@ -200,8 +238,11 @@ 通信の利用 温度 湿度 + Soil Temperature + Soil Moisture ログ ホップ数 + Hops Away: %1$d 情報 現在のチャンネルの使用率。正常な送信(TX)、正常な受信(RX)、および不正な受信 (ノイズ)を含みます。 過去1時間以内に送信に使用された通信時間の割合。 @@ -223,6 +264,7 @@ デバイス・メトリックログ ノードマップ 位置ログ + Last position update 環境メトリックログ 信号メトリックログ 管理 @@ -262,12 +304,14 @@ よろしいですか? デバイスロールドキュメントと はい、了承します + Node %1$s has a low battery (%2$d%%) バッテリー残量低下通知 バッテリー低残量: %s バッテリー残量低下通知 (お気に入りノード) 大気圧 UDP経由のメッシュを有効化 UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
自分の位置を切り替え ユーザー チャンネル @@ -308,6 +352,7 @@ ダウンリンクの有効化 デフォルト 位置情報共有の有効化 + Precise location GPIO端子 種別 パスワードを非表示 @@ -384,6 +429,7 @@ I2Sをブザーとして使用 LoRa設定 モデムプリセットを使用 + Modem Preset 帯域 拡散係数 コーディングレート @@ -440,6 +486,7 @@ 緯度 経度 高度(メートル) + Set from current phone location GPS モード GPS 更新間隔 (秒) GPS_RX_PINを再定義 @@ -492,6 +539,7 @@ 環境メトリックは華氏を使用 空気品質測定モジュールを有効にする 空気品質指標更新間隔 (秒) + Air quality icon 電源メトリックモジュール有効 電源メトリックの更新間隔 (秒) 電源メトリックを画面上で有効化 @@ -521,16 +569,207 @@ ノード番号 ユーザーID 連続稼働時間 + Load %1$d + Disk Free %1$d タイムスタンプ 方角 + Speed GPS衛星 高度 + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder ミュート解除 動的 + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes 設定 + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection メッセージ + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-ko-rKR/strings.xml b/app/src/main/res/values-ko-rKR/strings.xml index 2f31c016d..3f449b5c6 100644 --- a/app/src/main/res/values-ko-rKR/strings.xml +++ b/app/src/main/res/values-ko-rKR/strings.xml @@ -22,6 +22,7 @@ 미확인 노드 포함 오프라인 노드 숨기기 직접 연결된 노드만 보기 + You are viewing ignored nodes,\nPress to return to the node list. 자세히 보기 노드 정렬 A-Z @@ -32,6 +33,7 @@ MQTT 경유 MQTT 경유 즐겨찾기 우선 + Ignored Nodes 확인되지 않음 수락을 기다리는 중 전송 대기 열에 추가됨 @@ -81,9 +83,12 @@ 보내기 아직 스마트폰과 Meshtastic 장치와 연결하지 않았습니다. 장치와 연결하고 사용자 이름을 정하세요. \n\n이 오픈소스 응용 프로그램은 개발 중입니다. 문제가 발견되면 포럼: https://github.com/orgs/meshtastic/discussions 을 통해 알려주세요.\n\n 자세한 정보는 웹페이지 - www.meshtastic.org 를 참조하세요. + Allow analytics and crash reporting. 수락 취소 + Clear changes 새로운 채널 URL 수신 + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. 버그 보고 버그 보고 버그를 보고하시겠습니까? 보고 후 Meshtastic 포럼 https://github.com/orgs/meshtastic/discussions 에 당신이 발견한 내용을 게시해주시면 신고 내용과 귀하가 찾은 내용을 일치시킬 수 있습니다. @@ -92,6 +97,7 @@ 페어링 실패, 다시 시도해주세요. 위치 접근 권한 해제, 메시에 위치를 제공할 수 없습니다. 공유 + New Node Seen: %s 연결 끊김 절전모드 연결됨: 중 %1$s 온라인 @@ -108,9 +114,21 @@ 앱에 대하여 이 채널 URL은 잘못 되었습니다. 따라서 사용할 수 없습니다. 디버그 패널 + Decoded Payload: 로그 내보내기 필터 + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters 로그 지우기 + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. 초기화 메시지 전송 상태 DM 알림 @@ -141,6 +159,8 @@ 모두에게서 삭제 나에게서 삭제 전부 선택 + Close selection + Delete selected 스타일 선택 다운로드 지역 이름 @@ -161,7 +181,13 @@ 빠른 대화 편집 메시지에 추가 즉시 보내기 + Show quick chat menu + Hide quick chat menu 공장초기화 + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. 다이렉트 메시지 노드목록 리셋 발송 확인 됨 @@ -211,6 +237,8 @@ 전파 사용 온도 습도 + Soil Temperature + Soil Moisture 로그 Hops 수 %1$d Hops 떨어짐 @@ -323,6 +351,7 @@ 다운링크 활성화 기본값 위치 활성화 + Precise location GPIO 핀 타입 비밀번호 숨김 @@ -456,6 +485,7 @@ 위도 경도 고도 (m) + Set from current phone location GPS 모드 GPS 업데이트 간격 (초) GPS_RX_PIN 재정의 @@ -464,25 +494,41 @@ 위치 전송값 옵션 전원 설정 저젼력 모드 설정 + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address 거리 테스트 설정 거리 테스트 활성화 송신 장치 메시지 간격 (초) .CSV 파일 저장 (EPS32만 동작) 원격 하드웨어 설정 원격 하드웨어 활성화 + Allow undefined pin access + Available pins 보안 설정 공개 키 개인 키 Admin 키 관리 모드 시리얼 콘솔 + Debug log API enabled + Legacy Admin channel 시리얼 설정 시리얼 활성화 에코 활성화 시리얼 baud rate 시간 초과 시리얼 모드 + Override console serial port + Heartbeat + Number of records + History return max + History return window 서버 텔레메트리 설정 장치 메트릭 업데이트 간격 (초) @@ -492,6 +538,7 @@ 환경 메트릭에서 화씨 사용 대기질 메트릭 모듈 사용 대기질 메트릭 업데이트 간격 (초) + Air quality icon 전력 메트릭 모듈 사용 전력 메트릭 업데이트 간격 (초) 전력 메트릭 화면 사용 @@ -521,8 +568,11 @@ 노드 번호 유저 ID 업타임 + Load %1$d + Disk Free %1$d 타임스탬프 제목 + Speed 인공위성 고도 주파수 @@ -534,6 +584,7 @@ 수동 위치 요청 필요함 누르고 드래그해서 순서 변경 음소거 해제 + Dynamic QR코드 스캔 연락처 공유 공유된 연락처를 내려받겠습니까? @@ -547,7 +598,16 @@ 펌웨어 12시간제 보기 활성화 하면 장치의 디스플레이에서 시간이 12시간제로 표시됩니다. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into 연결 + Mesh Map + Conversations 노드 설정 지역을 설정하세요 @@ -577,16 +637,138 @@ (%1$d 온라인 / 총 %2$d ) 반응 연결 끊기 + Scanning for Bluetooth devices… + No paired Bluetooth devices. 네트워크 장치를 찾을 수 없습니다. USB 시리얼 장치를 찾을 수 없습니다. + Scroll to bottom Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux 알 수 없는 + This radio is managed and can only be changed by a remote admin. 고급 + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status 취소 + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection 메시지 + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release 다운로드 + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings diff --git a/app/src/main/res/values-lt-rLT/strings.xml b/app/src/main/res/values-lt-rLT/strings.xml index f6f762e34..878801c6d 100644 --- a/app/src/main/res/values-lt-rLT/strings.xml +++ b/app/src/main/res/values-lt-rLT/strings.xml @@ -16,10 +16,15 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filtras išvalyti įtaisų filtrą Įtraukti nežinomus + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Rodyti detales + Node sorting options A-Z Kanalas Atstumas @@ -27,6 +32,8 @@ Seniausiai girdėtas per MQTT per MQTT + via Favorite + Ignored Nodes Be kategorijos Laukiama patvirtinimo Eilėje išsiuntimui @@ -57,10 +64,17 @@ Įtaisas transliuojantis tik prireikus. Naudojama slaptumo ar energijos taupymui. Reguliariai siunčia GPS pozicijos informaciją į pagrindinį kanalą, lengvesniam įtaiso radimui. Įgalina automatines TAK PLI transliacijas ir sumažina rutininių transliacijų kiekį. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. Persiųsti visas žinutes, nesvarbu jos iš Jūsų privataus tinklo ar iš kito tinklo su analogiškais LoRa parametrais. Taip pat kaip ir VISI bet nebando dekoduoti paketų ir juos tiesiog persiunčia. Galima naudoti tik Repeater rolės įtaise. Įjungus bet kokiame kitame įtaise - veiks tiesiog kaip VISI. + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. + Ignores observed messages from foreign meshes like LOCAL ONLY, but takes it step further by also ignoring messages from nodes not already in the node\'s known list. Leidžiama tik SENSOR, TRACKER ar TAK_TRACKER rolių įtaisams. Tai užblokuos visas retransliacijas, ne taip kaip CLIENT_MUTE atveju. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. + Treat double tap on supported accelerometers as a user button press. Atjungia galimybė trigubu paspaudimu įgalinti arba išjungti GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. Viešasis raktas Kanalo pavadinimas QR kodas @@ -69,9 +83,12 @@ Siųsti Su šiuo telefonu dar nėra susietas joks Meshtastic įtaisais. Prašome suporuoti įrenginį ir nustatyti savo vartotojo vardą.\n\nŠi atvirojo kodo programa yra kūrimo stadijoje, jei pastebėsite problemas, prašome pranešti mūsų forume: https://github.com/orgs/meshtastic/discussions\n\nDaugiau informacijos rasite mūsų interneto svetainėje - www.meshtastic.org. Tu + Allow analytics and crash reporting. Priimti Atšaukti + Clear changes Gautas naujo kanalo URL + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Pranešti apie klaidą Pranešti apie klaidą Ar tikrai norite pranešti apie klaidą? Po pranešimo prašome parašyti forume https://github.com/orgs/meshtastic/discussions, kad galėtume suderinti pranešimą su jūsų pastebėjimais. @@ -80,9 +97,13 @@ Susiejimas nepavyko, prašome pasirinkti iš naujo Vietos prieigos funkcija išjungta, negalima pateikti pozicijos tinklui. Dalintis + New Node Seen: %s Atsijungta Įrenginys miega + Connected: %1$s online IP adresas: + Port: + Connected Prisijungta prie radijo (%s) Neprijungtas Prisijungta prie radijo, bet jis yra miego režime @@ -93,8 +114,26 @@ Apie Šio kanalo URL yra neteisingas ir negali būti naudojamas Derinimo skydelis + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Išvalyti Žinutės pristatymo statusas + Direct message notifications + Broadcast message notifications + Alert notifications Reikalingas įrangos Firmware atnaujinimas. Radijo įrangos pfirmware yra per sena, kad galėtų bendrauti su šia programa. Daugiau informacijos apie tai rasite mūsų firmware diegimo vadove. Gerai @@ -123,6 +162,8 @@ Ištrinti visiems Ištrinti man Pažymėti visus + Close selection + Delete selected Stiliaus parinktys Atsisiųsti regioną Pavadinimas @@ -143,7 +184,13 @@ Redaguoti greitą pokalbį Pridėti prie žinutės Siųsti nedelsiant + Show quick chat menu + Hide quick chat menu Gamyklinis atstatymas + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Tiesioginė žinutė NodeDB perkrauti Nustatymas įkeltas @@ -154,6 +201,7 @@ Pasirinkite atsisiuntimo regioną Plytelių atsisiuntimo apskaičiavimas: Pradėti atsiuntimą + Exchange position Uždaryti Radijo modulio konfigūracija Modulio konfigūracija @@ -192,23 +240,33 @@ Eterio panaudojimas Temperatūra Drėgmė + Soil Temperature + Soil Moisture Log`ai Persiuntimų kiekis + Hops Away: %1$d Informacija Dabartinio kanalo panaudojimas, įskaitant gerai suformuotą TX (siuntimas), RX (gavimas) ir netinkamai suformuotą RX (arba - triukšmas). Procentas eterio laiko naudoto perdavimams per pastarąją valandą. + IAQ Viešas raktas Tiesioginės žinutės naudoja bendrajį kanalo raktą (nėra šifruotos). Viešojo rakto šifruotė Tiesioginės žinutės šifravimui naudoja naująją viešojo rakto infrastruktūrą. Reikalinga 2,5 ar vėlesnės versijos programinė įranga. Viešojo rakto neatitikimas + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. + Exchange user info Naujo įtaiso pranešimas Daugiau info SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. Įtaiso duomenų žurnalas Įtaisų žemėlapis Pozicijos duomenų žurnalas + Last position update Aplinkos duomenų žurnalas Signalo duomenų žurnalas Administravimas @@ -235,15 +293,488 @@ 2 sav 4 sav Max + Unknown Age Kopijuoti Skambučio simbolis! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell + Messages + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config Viešasis raktas Privatus raktas + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Baigėsi laikas + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Atstumas + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes + Settings + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Žinutė + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings diff --git a/app/src/main/res/values-nl-rNL/strings.xml b/app/src/main/res/values-nl-rNL/strings.xml index 6ea74792b..664a2240d 100644 --- a/app/src/main/res/values-nl-rNL/strings.xml +++ b/app/src/main/res/values-nl-rNL/strings.xml @@ -16,9 +16,13 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filter wis node filter Include onbekend + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Toon details Node sorteeropties A-Z @@ -29,6 +33,7 @@ via MQTT via MQTT Op Favoriet + Ignored Nodes Niet herkend Wachten op bevestiging In behandeling @@ -69,6 +74,7 @@ Behandel een dubbele tik op ondersteunde versnellingsmeters als een knopindruk door de gebruiker. Schakelt de drie keer indrukken van de gebruikersknop uit voor het in- of uitschakelen van GPS. Regelt de knipperende LED op het apparaat. Voor de meeste apparaten betreft dit een van de maximaal 4 LEDs; de LED\'s van de lader en GPS zijn niet regelbaar. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. Publieke sleutel Kanaalnaam QR-code @@ -77,9 +83,12 @@ Verzend Je hebt nog geen Meshtastic compatibele radio met deze telefoon gekoppeld. Paar alstublieft een apparaat en voer je gebruikersnaam in.\n\nDeze open-source applicatie is in alpha-test, indien je een probleem vaststelt, kan je het posten op onze forum: https://github.com/orgs/meshtastic/discussions\n\nVoor meer informatie bezoek onze web pagina - www.meshtastic.org. Jij + Allow analytics and crash reporting. Accepteer Annuleer + Clear changes Nieuw kanaal URL ontvangen + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Rapporteer bug Rapporteer een bug Ben je zeker dat je een bug wil rapporteren? Na het doorsturen, graag een post in https://github.com/orgs/meshtastic/discussions zodat we het rapport kunnen toetsen aan hetgeen je ondervond. @@ -88,6 +97,7 @@ Koppeling mislukt, selecteer opnieuw Vrijgave positie niet actief, onmogelijk de positie aan het netwerk te geven. Deel + New Node Seen: %s Niet verbonden Apparaat in slaapstand Verbonden: %1$s online @@ -104,8 +114,25 @@ Over Deze Kanaal URL is ongeldig en kan niet worden gebruikt Debug-paneel + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Wis Bericht afleverstatus + Direct message notifications + Broadcast message notifications Waarschuwingsmeldingen Firmware-update vereist. De radio firmware is te oud om met deze applicatie te praten. Voor meer informatie over deze zaak, zie onze Firmware Installation gids. @@ -133,6 +160,8 @@ Verwijder voor iedereen Verwijder voor mij Selecteer alle + Close selection + Delete selected Stijl selectie Download regio Naam @@ -153,7 +182,13 @@ Wijzig snelle chat Aan einde bericht toevoegen Direct verzenden + Show quick chat menu + Hide quick chat menu Reset naar fabrieksinstellingen + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Privébericht NodeDB reset Aflevering bevestigd @@ -203,8 +238,11 @@ Luchtverbruik Temperatuur Vochtigheid + Soil Temperature + Soil Moisture Logs Aantal sprongen + Hops Away: %1$d Informatie Gebruik voor het huidige kanaal, inclusief goed gevormde TX, RX en misvormde RX (ruis). Percentage van de zendtijd die het afgelopen uur werd gebruikt. @@ -226,6 +264,7 @@ Apparaat Statistieken Log Node Kaart Positie Logboek + Last position update Omgevingsstatistieken logboek Signaal Statistieken Logboek Beheer @@ -264,12 +303,16 @@ Huidige Spanning Weet u het zeker? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> Ik weet waar ik mee bezig ben. + Node %1$s has a low battery (%2$d%%) Batterij bijna leeg Batterij bijna leeg: %s + Low battery notifications (favorite nodes) Luchtdruk Mesh via UDP ingeschakeld UDP Configuratie + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
Wissel mijn positie Gebruiker Kanalen @@ -284,10 +327,13 @@ MQTT Serieel Externe Melding + Bereik Test Telemetrie + Canned Message Geluid Externe Hardware + Neighbor Info Sfeerverlichting Detectie Sensor Paxcounter @@ -295,6 +341,9 @@ CODEC 2 ingeschakeld PTT pin CODEC2 sample rate + I2S word select + I2S data in + I2S data out I2S klok Bluetooth Configuratie Bluetooth ingeschakeld @@ -304,57 +353,100 @@ Downlink ingeschakeld Standaard Positie ingeschakeld + Precise location GPIO pin Type Wachtwoord verbergen Wachtwoord tonen Details Omgeving + Ambient Lighting Config LED status Rood Groen Blauw + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port Genereer invoergebeurtenis bij indrukken + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source Verstuur bel Berichten Bewegingssensor Configuratie Bewegingssensor Ingeschakeld Minimale broadcast (seconden) + State broadcast (seconds) + Send bell with alert message Weergavenaam GPIO pin om te monitoren Detectie trigger type + Use INPUT_PULLUP mode Apparaat Configuratie Functie + Redefine PIN_BUTTON + Redefine PIN_BUZZER Rebroadcast modus + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone LED-knipperen uitschakelen Weergave Configuratie Scherm timeout (seconden) GPS coördinaten formaat + Auto screen carousel (seconds) Kompas Noorden bovenaan Scherm omdraaien Geef eenheden weer Overschrijf OLED automatische detectie Weergavemodus + Heading bold Scherm inschakelen bij aanraking of beweging Kompas oriëntatie + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) Gebruik PWM zoemer Output vibra (GPIO) Output duur (milliseconden) + Nag timeout (seconds) Beltoon + Use I2S as buzzer LoRa Configuratie Gebruik modem preset + Modem Preset Bandbreedte Spread factor Codering ratio Frequentie offset (MHz) + Region (frequency plan) Hoplimiet TX ingeschakeld TX vermogen (dBm) Frequentie slot Overschrijf Duty Cycle Inkomende negeren + SX126X RX boosted gain Overschrijf frequentie (MHz) + PA fan disabled Negeer MQTT + OK to MQTT MQTT Configuratie MQTT ingeschakeld Adres @@ -363,8 +455,12 @@ Encryptie ingeschakeld JSON uitvoer ingeschakeld TLS ingeschakeld + Root topic Proxy to client ingeschakeld Kaartrapportage + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled Update-interval (seconden) Zend over LoRa Netwerkconfiguratie @@ -383,18 +479,37 @@ WiFi RSSI drempelwaarde (standaard -80) BLE RSSI drempelwaarde (standaard -80) Positie Configuratie + Position broadcast interval (seconds) Slimme positie ingeschakeld + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) Gebruik vaste positie Breedtegraad Lengtegraad Hoogte in meters + Set from current phone location GPS modus GPS update interval (seconden) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN Positie vlaggen Energie configuratie Energiebesparingsmodus inschakelen + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) Externe hardwareconfiguratie Externe hardware ingeschakeld + Allow undefined pin access Beschikbare pinnen Beveiligings Configuratie Publieke sleutel @@ -402,26 +517,49 @@ Admin Sleutel Beheerde modus Seriële console + Debug log API enabled Legacy Admin kanaal Seriële Configuratie Serieel ingeschakeld Echo ingeschakeld + Serial baud rate Time-Out Seriële modus + Override console serial port + Hartslag Aantal records + History return max + History return window Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled Gebruikersconfiguratie Node ID Volledige naam Verkorte naam Hardwaremodel + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point Druk + Gas Resistance Afstand Lux Wind Gewicht Straling + Binnenluchtkwaliteit (IAQ) URL @@ -432,28 +570,207 @@ Node Nummer Gebruiker ID Tijd online + Load %1$d + Disk Free %1$d Tijdstempel + Heading + Speed Sats Alt Freq Slot Primair + Periodic position and telemetry broadcast Secundair + No periodic telemetry broadcast Handmatige positieaanvraag vereist + Press and drag to reorder Dempen opheffen Dynamisch Scan QR-code Contactpersoon delen Gedeelde contactpersoon importeren? Niet berichtbaar + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. Publieke sleutel gewijzigd Importeer Metadata opvragen Acties + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes Instellingen + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Bericht + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-no-rNO/strings.xml b/app/src/main/res/values-no-rNO/strings.xml index 8621d89d8..4cfba8a34 100644 --- a/app/src/main/res/values-no-rNO/strings.xml +++ b/app/src/main/res/values-no-rNO/strings.xml @@ -16,10 +16,15 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filter tøm nodefilter Inkluder ukjent + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Vis detaljer + Node sorting options A-Å Kanal Distanse @@ -27,6 +32,8 @@ Sist hørt via MQTT via MQTT + via Favorite + Ignored Nodes Ikke gjenkjent Venter på bekreftelse I kø for å sende @@ -76,9 +83,12 @@ Send Du har ikke paret en Meshtastic kompatibel radio med denne telefonen. Vennligst parr en enhet, og sett ditt brukernavn.\n\nDenne åpen kildekode applikasjonen er i alfa-testing, Hvis du finner problemer, vennligst post på vårt forum: https://github.com/orgs/meshtastic/discussions\n\nFor mer informasjon, se vår nettside - www.meshtastic.org. Deg + Allow analytics and crash reporting. Godta Avbryt + Clear changes Ny kanal URL mottatt + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Rapporter Feil Rapporter en feil Er du sikker på at du vil rapportere en feil? Etter rapportering, vennligst posti https://github.com/orgs/meshtastic/discussions så vi kan matche rapporten med hva du fant. @@ -87,9 +97,13 @@ Paring feilet, vennligst velg igjen Lokasjonstilgang er slått av,kan ikke gi posisjon til mesh. Del + New Node Seen: %s Frakoblet Enhet sover + Connected: %1$s online IP-adresse: + Port: + Connected Tilkoblet til radio (%s) Ikke tilkoblet Tilkoblet radio, men den sover @@ -100,8 +114,26 @@ Om Denne kanall URL er ugyldig og kan ikke benyttes Feilsøkningspanel + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Tøm Melding leveringsstatus + Direct message notifications + Broadcast message notifications + Alert notifications Firmwareoppdatering kreves. Radiofirmwaren er for gammel til å snakke med denne applikasjonen. For mer informasjon om dette se vår Firmware installasjonsveiledning. Ok @@ -128,6 +160,8 @@ Slett for alle brukere Slett kun for meg Velg alle + Close selection + Delete selected Stil valg Nedlastings Region Navn @@ -148,7 +182,13 @@ Endre enkelchat Tilføy meldingen Send øyeblikkelig + Show quick chat menu + Hide quick chat menu Tilbakestill til fabrikkstandard + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Direktemelding NodeDB reset Leveringen er bekreftet @@ -159,6 +199,7 @@ Velg nedlastingsregionen Tile nedlastingsestimat: Start nedlasting + Exchange position Lukk Radiokonfigurasjon Modul konfigurasjon @@ -197,8 +238,11 @@ Luftutnyttelse Temperatur Luftfuktighet + Soil Temperature + Soil Moisture Logger Hopp Unna + Hops Away: %1$d Informasjon Utnyttelse for denne kanalen, inkludert godt formet TX, RX og feilformet RX (aka støy). Prosent av lufttiden brukt i løpet av den siste timen. @@ -209,6 +253,7 @@ Direktemeldinger bruker den nye offentlige nøkkelinfrastrukturen for kryptering. Krever firmware versjon 2.5 eller høyere. Direktemeldinger bruker den nye offentlige nøkkelinfrastrukturen for kryptering. Krever firmware versjon 2.5 eller høyere. Den offentlige nøkkelen samsvarer ikke med den lagrede nøkkelen. Du kan fjerne noden og la den utveksle nøkler igjen, men dette kan indikere et mer alvorlig sikkerhetsproblem. Ta kontakt med brukeren gjennom en annen klarert kanal for å avgjøre om nøkkelen endres på grunn av en tilbakestilling til fabrikkstandard eller andre tilsiktede tiltak. + Exchange user info Varsel om nye noder Flere detaljer SNR @@ -219,6 +264,7 @@ Enhetens måltallslogg Nodekart Posisjonslogg + Last position update Logg for miljømåltall Signale måltallslogg Administrasjon @@ -243,15 +289,488 @@ 2U 4U Maks + Unknown Age Kopier Varsel, bjellekarakter! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell + Messages + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config Offentlig nøkkel Privat nøkkel + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Tidsavbrudd + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Distanse + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes + Settings + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Melding + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-pl-rPL/strings.xml b/app/src/main/res/values-pl-rPL/strings.xml index 1228302c0..0a0c9a222 100644 --- a/app/src/main/res/values-pl-rPL/strings.xml +++ b/app/src/main/res/values-pl-rPL/strings.xml @@ -16,9 +16,13 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filtr Wyczyść filtr Pokaż nierozpoznane + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Pokaż szczegóły Opcje sortowania węzłów Nazwa @@ -29,6 +33,7 @@ Przez MQTT Przez MQTT Przez ulubione + Ignored Nodes Nierozpoznany Oczekiwanie na potwierdzenie Zakolejkowane do wysłania @@ -78,9 +83,12 @@ Wyślij Nie sparowałeś jeszcze urządzenia Meshtastic z tym telefonem. Proszę sparować urządzenie i ustawić swoją nazwę użytkownika.\n\nTa aplikacja open-source jest w fazie rozwoju, jeśli znajdziesz problemy, napisz na naszym forum: https://github.com/orgs/meshtastic/discussions\n\nWięcej informacji znajdziesz na naszej stronie internetowej - www.meshtastic.org. Ty + Allow analytics and crash reporting. Akceptuj Anuluj + Clear changes Otrzymano nowy URL kanału + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Zgłoś błąd Zgłoś błąd Czy na pewno chcesz zgłosić błąd? Po zgłoszeniu opublikuj post na https://github.com/orgs/meshtastic/discussions, abyśmy mogli dopasować zgłoszenie do tego, co znalazłeś. @@ -89,9 +97,12 @@ Parowanie nie powiodło się, wybierz ponownie Brak dostępu do lokalizacji, nie można udostępnić pozycji w sieci mesh. Udostępnij + New Node Seen: %s Rozłączono Urządzenie uśpione + Connected: %1$s online Adres IP: + Port: Połączony Połączono z urządzeniem (%s) Nie połączono @@ -103,8 +114,25 @@ O aplikacji Ten adres URL kanału jest nieprawidłowy i nie można go użyć Panel debugowania + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Czyść Status doręczenia wiadomości + Direct message notifications + Broadcast message notifications Powiadomienia alertowe Wymagana aktualizacja firmware\'u. Oprogramowanie układowe radia jest zbyt stare, aby komunikować się z tą aplikacją. Aby uzyskać więcej informacji na ten temat, zobacz nasz przewodnik instalacji oprogramowania układowego. @@ -134,6 +162,8 @@ Usuń dla wszystkich Usuń u mnie Zaznacz wszystko + Close selection + Delete selected Wybór stylu Pobierz region Nazwa @@ -154,7 +184,13 @@ Zmień szablon Dodaj do wiadomości Wyślij natychmiast + Show quick chat menu + Hide quick chat menu Ustawienia fabryczne + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Bezpośrednia wiadomość Zresetuj NodeDB Dostarczono @@ -204,8 +240,11 @@ Wykorzystanie eteru Temperatura Wilgotność + Soil Temperature + Soil Moisture Rejestry zdarzeń (logs) Skoków + Hops Away: %1$d Informacja Wykorzystanie dla bieżącego kanału, w tym prawidłowego TX/RX oraz zniekształconego RX (czyli szumu). Procent czasu wykorzystanego do transmisji w ciągu ostatniej godziny. @@ -227,6 +266,7 @@ Historia telemetrii Ślad na mapie Historia pozycji + Last position update Historia danych otoczenia Historia danych sygnału Zarządzanie @@ -269,12 +309,14 @@ Czy jesteś pewien? Dokumentacja roli urządzenia oraz post na blogu o Wybranie odpowiedniej roli urządzenia.]]> Wiem, co robię. + Node %1$s has a low battery (%2$d%%) Powiadomienia o niskim poziomie baterii Niski poziom baterii: %s Powiadomienia o niskim poziomie baterii (ulubione węzły) Ciśnienie barometryczne Mesh na UDP włączony Ustawienia UDP + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
Pokaż moją pozycję Użytkownik Kanały @@ -283,32 +325,146 @@ Zasilanie Sieć Wyświetlacz + LoRa + Bluetooth Bezpieczeństwo + MQTT Seryjny Zewnętrzne Powiadomienie + Test zasięgu Telemetria + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock Konfiguracja Bluetooth + Bluetooth enabled + Pairing mode Stały PIN + Uplink enabled + Downlink enabled Domyślny + Position enabled + Precise location + GPIO pin + Type Ukryj hasło Pokaż hasło Szczegóły + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell Wiadomości + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode Konfiguracja urządzenia Rola + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat Konfiguracja wyświetlacza + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion Orientacja kompasu Konfiguracja Zewnętrznego Powiadomienia + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) Użyj buzzer PWM + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) Dzwonek Użyj I2S jako buzzer Konfiguracja LoRa + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) Limit skoków + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT Konfiguracja MQTT + MQTT enabled + Address Nazwa użytkownika Hasło Szyfrowanie włączone + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled Częstotliwość aktualizacji (w sekundach) Nadaj przez LoRa Konfiguracja sieci @@ -318,53 +474,307 @@ Ethernet włączony Serwer NTP Serwer rsyslog + IPv4 mode + IP Brama domyślna + Subnet + Paxcounter Config + Paxcounter enabled Próg WiFi RSSI (domyślnie: -80) + BLE RSSI threshold (defaults to -80) Konfiguracja pozycjonowania + Position broadcast interval (seconds) Sprytne pozycjonowanie + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) Użyj stałego położenia Szerokość geograficzna + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN Flagi położenia Konfiguracja zarządzania energią + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address Konfiguracja testu zasięgu + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins Konfiguracja zabezpieczeń Klucz publiczny Klucz prywatny + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel Konfiguracja seryjna + Serial enabled + Echo enabled + Serial baud rate Limit czasu + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window Serwer Konfiguracja telemetrii + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config ID węzła Długa nazwa Skrócona nazwa + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. Punkt rosy Ciśnienie + Gas Resistance Odległość Jasność Wiatr + Weight Promieniowanie + + Indoor Air Quality (IAQ) + URL + Import konfiguracji Eksport konfiguracji + Hardware Obsługiwane Numer węzła ID użytkownika Czas pracy + Load %1$d + Disk Free %1$d Znacznik czasu Kierunek + Speed + Sats + Alt + Freq + Slot Podstawowy + Periodic position and telemetry broadcast Wtórny + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into Połączenie Mapa Sieci + Conversations + Nodes Ustawienia + Set your region Odpowiedz + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React Rozłącz + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux Nieznany + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status Zamknij + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Wiadomość + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal Satelita + Terrain Hybrydowy + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml index 9d2a78829..87d237e31 100644 --- a/app/src/main/res/values-pt-rBR/strings.xml +++ b/app/src/main/res/values-pt-rBR/strings.xml @@ -83,6 +83,7 @@ Enviar Você ainda não pareou um rádio compatível ao Meshtastic com este smartphone. Por favor pareie um dispositivo e configure seu nome de usuário.\n\nEste aplicativo open source está em desenvolvimento, caso encontre algum problema por favor publique em nosso fórum: https://github.com/orgs/meshtastic/discussions\n\nPara mais informações acesse nossa página: www.meshtastic.org. Você + Allow analytics and crash reporting. Aceitar Cancelar Limpar mudanças @@ -654,6 +655,7 @@ Luz UV Desconhecido Este rádio é gerenciado e só pode ser alterado por um administrador remoto. + Advanced Limpar Banco de Dados de Nó Limpar nós vistos há mais de %1$d dias Limpar somente nós desconhecidos @@ -749,6 +751,7 @@ Terreno Híbrido Gerenciar Camadas do Mapa + Custom layers support .kml or .kmz files. Camadas do Mapa Nenhuma camada personalizada carregada. Adicionar Camada @@ -769,4 +772,5 @@ A URL deve conter espaços reservados. Modelo de URL ponto de rastreamento + Phone Settings diff --git a/app/src/main/res/values-pt-rPT/strings.xml b/app/src/main/res/values-pt-rPT/strings.xml index 6b2039ac8..cc9f36300 100644 --- a/app/src/main/res/values-pt-rPT/strings.xml +++ b/app/src/main/res/values-pt-rPT/strings.xml @@ -16,10 +16,13 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filtrar limpar filtro de nodes Incluir desconhecidos Ocultar nós offline + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Mostrar detalhes Opções de ordenação de nodes A-Z @@ -30,6 +33,7 @@ via MQTT via MQTT via Favorito + Ignored Nodes Desconhecido A aguardar confirmação Na fila de envio @@ -79,9 +83,12 @@ Enviar Ainda não emparelhou um rádio compatível com Meshtastic com este telefone. Emparelhe um dispositivo e defina seu nome de usuário.\n\nEste aplicativo de código aberto está em teste alfa, se encontrar problemas, por favor reporte através do nosso forum em: https://github.com/orgs/meshtastic/discussions\n\nPara obter mais informações, consulte a nossa página web - www.meshtastic.org. Você + Allow analytics and crash reporting. Aceitar Cancelar + Clear changes Novo Link Recebido do Canal + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Reportar Bug Reportar a bug Tem certeza de que deseja reportar um bug? Após o relatório, comunique também em https://github.com/orgs/meshtastic/discussions para que possamos comparar o relatório com o que encontrou. @@ -90,6 +97,7 @@ Emparelhamento falhou, por favor escolha novamente Acesso à localização desativado, não é possível fornecer a localização na mesh. Partilha + New Node Seen: %s Desconectado Dispositivo a dormir Ligado: %1$s “online” @@ -106,8 +114,25 @@ Sobre O Link Deste Canal é inválido e não pode ser usado Painel de depuração + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Limpar Estado da entrega + Direct message notifications + Broadcast message notifications Notificações de alerta Atualização do firmware necessária. Versão de firmware do rádio muito antiga para comunicar com este aplicativo. Para mais informações consultar Nosso guia de instalação de firmware. @@ -135,6 +160,8 @@ Apagar para todos Apagar para mim Selecionar tudo + Close selection + Delete selected Seleção de estilo Baixar região Nome @@ -155,7 +182,13 @@ Editar chat rápido Anexar à mensagem Enviar imediatamente + Show quick chat menu + Hide quick chat menu Redefinição de fábrica + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Mensagem direta Redefinir NodeDB Entrega confirmada @@ -205,8 +238,11 @@ Utilização do ar Temperatura Humidade + Soil Temperature + Soil Moisture Registo de eventos Saltos + Hops Away: %1$d Informações Utilização do canal atual, incluindo TX bem formado, RX e RX mal formado (ruído). Percentagem do tempo de transmissão utilizado na última hora. @@ -228,6 +264,7 @@ Histórico de métricas do dispositivo Mapa de nodes Histórico de posição + Last position update Histórico de telemetria ambiental Histórico de métricas de sinal Administração @@ -275,6 +312,8 @@ Pressão atmosférica Ativar malha via UDP Configuração UDP + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position Utilizador Canal Dispositivo @@ -314,6 +353,7 @@ Downlink ativado Predefinição Posição ativada + Precise location Pin GPIO Tipo Ocultar palavra-passe @@ -330,6 +370,7 @@ Ativar Codificador rotativo #1 Pin GPIO para porta A do codificador rotativo Pin GPIO para porta B do codificador rotativo + GPIO pin for rotary encoder Press port Gerar evento de entrada ao pressionar Gerar evento de entrada rodando no sentido horário Gerar evento de entrada rodando no sentido oposto ao horário @@ -389,6 +430,7 @@ Usar I2S como buzzer Configuração de LoRa Usar predefinição do modem + Modem Preset Largura de banda Fator de difusão Índice de codificação @@ -401,6 +443,8 @@ Ignorar ciclo de trabalho Ignorar entrada RX com ganho reforçado SX126X + Override frequency (MHz) + PA fan disabled Ignorar MQTT Disponibilizar no MQTT Configuração MQTT @@ -443,6 +487,7 @@ Latitude Longitude Altitude (metros) + Set from current phone location Modo GPS Intervalo de atualização GPS (segundos) Definir GPS_RX_PIN @@ -460,6 +505,7 @@ Endereço I2C da bateria INA_2XX Configuração de Teste de Alcance Ativar Teste de alcance + Sender message interval (seconds) Guardar .CSV no armazenamento (apenas ESP32) Configuração de Hardware Remoto Hardware Remoto ativado @@ -483,6 +529,8 @@ Batimento Número de registos + History return max + History return window Servidor Configuração de Telemetria Intervalo de atualização de métricas do dispositivo (segundos) @@ -492,6 +540,7 @@ Métricas de Ambiente usam Fahrenheit Módulo de métricas de qualidade do ar ativado Intervalo de atualização das métricas de qualidade do ar (segundos) + Air quality icon Módulo de métricas de energia ativado Intervalo de atualização de métricas de energia (segundos) Mostrar métricas de energia no ecrã @@ -504,6 +553,7 @@ Ativar esta opção desativa a encriptação e não é compatível com a rede Meshtastic normal. Ponto de Condensação Pressão + Gas Resistance Distância Lux Vento @@ -520,8 +570,11 @@ Número do node ID do utilizador Tempo ativo + Load %1$d + Disk Free %1$d Data e hora Direção + Speed Sats Alt Freq @@ -547,15 +600,177 @@ Firmware Usar formato de relógio 12h Quando ativado, o dispositivo exibirá o tempo em formato de 12 horas no ecrã. + Host Metrics Log + Host Memória livre + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations Nodes Definições + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT Estou de acordo. Atualização de firmware recomendada. Para beneficiar das últimas correções e funcionalidades, por favor, atualize o firmware do node.\n\nÚltima versão estável do firmware: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Mensagem + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-ro-rRO/strings.xml b/app/src/main/res/values-ro-rRO/strings.xml index c9b583d40..68aed05ae 100644 --- a/app/src/main/res/values-ro-rRO/strings.xml +++ b/app/src/main/res/values-ro-rRO/strings.xml @@ -16,8 +16,66 @@ ~ along with this program. If not, see . --> + Meshtastic %s + Filter + clear node filter + Include unknown + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. + Show details + Node sorting options + A-Z + Channel + Distance + Hops away + Last heard + via MQTT + via MQTT + via Favorite + Ignored Nodes + Unrecognized + Waiting to be acknowledged + Queued for sending + Acknowledged + No route + Received a negative acknowledgment + Timeout + No Interface + Max Retransmission Reached + No Channel + Packet too large + No response + Bad Request + Regional Duty Cycle Limit Reached + Not Authorized + Encrypted Send Failed + Unknown Public Key + Bad session key Cheie publică neautorizată + App connected or standalone messaging device. + Device that does not forward packets from other devices. + Infrastructure node for extending network coverage by relaying messages. Visible in nodes list. + Combination of both ROUTER and CLIENT. Not for mobile devices. + Infrastructure node for extending network coverage by relaying messages with minimal overhead. Not visible in nodes list. + Broadcasts GPS position packets as priority. Transmite pachete telemetrice ca prioritate. + Optimized for ATAK system communication, reduces routine broadcasts. + Device that only broadcasts as needed for stealth or power savings. + Broadcasts location as message to default channel regularly for to assist with device recovery. + Enables automatic TAK PLI broadcasts and reduces routine broadcasts. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. + Rebroadcast any observed message, if it was on our private channel or from another mesh with the same lora parameters. + Same as behavior as ALL but skips packet decoding and simply rebroadcasts them. Only available in Repeater role. Setting this on any other roles will result in ALL behavior. + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. + Ignores observed messages from foreign meshes like LOCAL ONLY, but takes it step further by also ignoring messages from nodes not already in the node\'s known list. + Only permitted for SENSOR, TRACKER and TAK_TRACKER roles, this will inhibit all rebroadcasts, not unlike CLIENT_MUTE role. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key Numele canalului Cod QR Iconița aplicației @@ -25,9 +83,12 @@ Trimite Încă nu ai asociat un radio compatibil cu Meshtastic cu acest telefon. Te rugăm să asociezi un dispozitiv și să îți setezi numele de utilizator.\n\nAceastă aplicaţie open-source este în dezvoltare, dacă întâmpinaţi probleme, vă rugăm să postaţi pe forumul nostru: https://github.com/orgs/meshtastic/discussions\n\nPentru mai multe informații, consultați pagina noastră de internet - www.meshtastic.org. Tu + Allow analytics and crash reporting. Accept Renunta + Clear changes Am primit un nou URL de canal + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Raportează Bug Raportează un bug Ești sigur că vrei să raportezi un bug? După ce ai raportat, te rog postează în https://github.com/orgs/meshtastic/discussions că să reușim să potrivim reportul tău cu ce ai găsit. @@ -36,9 +97,13 @@ Conectare eșuată, te rog reselecteaza Accesul locației este dezactivat, nu putem furniza locația ta la rețea. Distribuie + New Node Seen: %s Deconectat Dispozitiv în sleep mode + Connected: %1$s online Adresa IP: + Port: + Connected Conectat la dispozitivul (%s) Neconectat Connectat la dispozitivi, dar e în modul de sleep @@ -49,8 +114,26 @@ Despre Acest URL de canal este invalid și nu poate fi folosit Panou debug + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Șterge Status livrare mesaj + Direct message notifications + Broadcast message notifications + Alert notifications Este necesară actualizarea firmware-ului. Firmware-ul radioului este prea vechi pentru a putea comunica cu această aplicație. Pentru mai multe informații despre acest proces, consultați Ghidul nostru de instalare pentru firmware. Ok @@ -78,6 +161,8 @@ Șterge pentru toată lumea Șterge pentru mine Selectează tot + Close selection + Delete selected Selecție stil Descarca regiunea Nume @@ -88,6 +173,7 @@ Setarea telefonului Retrimite Oprire + Shutdown not supported on this device Restartează Traceroute Arată Introducere @@ -97,19 +183,29 @@ Editare chat rapid Adaugă la mesaj Trimite instant + Show quick chat menu + Hide quick chat menu Resetare la setările din fabrică + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Mesaj direct Resetare NodeDB + Delivery confirmed + Error Ignoră Adaugă \'%s\' in lista de ignor? Radioul tău va reporni după ce această modificare. Elimină \'%s\' din lista de ignor? Radioul tău va reporni după această modificare. Selectați regiunea pentru descărcare Estimare descărcare secțiuni: Pornește descărcarea + Exchange position Închide Configurare radio Configurare modul Adaugă + Edit Calculare… Manager offline Dimensiunea actuală a cache-ului @@ -128,9 +224,555 @@ Waypoint nou Waypoint recepționat: $1%s Limita Duty Cycle a fost atinsă. Nu se pot trimite mesaje acum, vă rugăm să încercați din nou mai târziu. + Remove + This node will be removed from your list until your node receives data from it again. + Mute notifications + 8 hours + 1 week + Always + Replace + Scan WiFi QR code + Invalid WiFi Credential QR code format + Navigate Back + Battery + Channel Utilization + Air Utilization + Temperature + Humidity + Soil Temperature + Soil Moisture + Logs + Hops Away + Hops Away: %1$d + Information + Utilization for the current channel, including well formed TX, RX and malformed RX (aka noise). + Percent of airtime for transmission used within the last hour. + IAQ + Shared Key + Direct messages are using the shared key for the channel. + Public Key Encryption + Direct messages are using the new public key infrastructure for encryption. Requires firmware version 2.5 or greater. + Public key mismatch + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. + Exchange user info + New node notifications + More details + SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. + RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. + Device Metrics Log + Node Map + Position Log + Last position update + Environment Metrics Log + Signal Metrics Log + Administration + Remote Administration + Bad + Fair + Good + None + Share to… + Signal + Signal Quality + Traceroute Log + Direct + + 1 hop + %d hops + %d hops + + Hops towards %1$d Hops back %2$d + 24H + 48H + 1W + 2W + 4W + Max + Unknown Age + Copy + Alert Bell Character! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell + Messages + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config + Public Key + Private Key + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate + Timeout + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance + Distance + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes + Settings + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Mesaj + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-ru-rRU/strings.xml b/app/src/main/res/values-ru-rRU/strings.xml index 46fff52b7..87db4a36c 100644 --- a/app/src/main/res/values-ru-rRU/strings.xml +++ b/app/src/main/res/values-ru-rRU/strings.xml @@ -83,10 +83,12 @@ Отправить Вы еще не подключили к телефону устройство, совместимое с Meshtastic радио. Пожалуйста, подключите устройство и задайте имя пользователя.\n\nЭто приложение с открытым исходным кодом находится в альфа-тестировании, если вы обнаружите проблемы, пожалуйста, напишите в чате на нашем сайте.\n\nДля получения дополнительной информации посетите нашу веб-страницу - www.meshtastic.org. Вы + Allow analytics and crash reporting. Принять Отмена Отменить изменения URL нового канала получен + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Сообщить об ошибке Сообщить об ошибке Вы уверены, что хотите сообщить об ошибке? После сообщения, пожалуйста, напишите в https://github.com/orgs/meshtastic/discussions, чтобы мы могли сопоставить отчет с тем, что вы нашли. @@ -112,6 +114,7 @@ О программе Этот URL-адрес канала недействителен и не может быть использован Панель отладки + Decoded Payload: Экспортировать логи Фильтры Активные фильтры @@ -184,6 +187,10 @@ Показать меню быстрого чата Скрыть меню быстрого чата Сброс настроек к заводским настройкам + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Прямое сообщение Очистка списка узлов сети Доставка подтверждена @@ -484,6 +491,7 @@ Широта Долгота Высота (в метрах) + Set from current phone location Режим GPS Интервал обновления GPS (в секундах) Переопределить GPS_RX_PIN @@ -567,6 +575,7 @@ ID пользователя Время работы Нагрузка %1$d + Disk Free %1$d Отметка времени Курс Скорость @@ -602,6 +611,9 @@ Загрузка Строка пользователя Перейти в + Connection + Mesh Map + Conversations Узлы Настройки Установите ваш регион @@ -631,6 +643,8 @@ (%1$d в сети / всего %2$d) Среагировать Отключиться + Scanning for Bluetooth devices… + No paired Bluetooth devices. Сетевые устройства не найдены. USB-устройства COM-порта не найдены. Прокрутить вниз @@ -644,7 +658,15 @@ Переполнение меню УФ Люкс Неизвестно + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes Очистить сейчас + This will remove %1$d nodes from your database. This action cannot be undone. Зеленый замок означает, что канал надежно зашифрован либо 128, либо 256 битным ключом AES. Небезопасный канал, не точный @@ -661,32 +683,76 @@ Показать все значения Показать текущий статус Отменить + Are you sure you want to delete this node? Ответить %1$s Отменить ответ Удалить сообщения? Очистить выбор Сообщение + Type a message + PAX Metrics Log PAX + No PAX metrics logs available. WiFi устройства + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. Просмотреть релиз Скачать Текущая версия: Последняя стабильная Последняя альфа + Supported by Meshtastic Community Версия прошивки + Recent Network Devices + Discovered Network Devices Начать работу + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications Входящие сообщения + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. Поделиться геопозицией ........ + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions Пропустить + settings Алерты + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. Далее + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device Обычный Спутниковая Ландшафт Смешанный Управление Слоями Карты + Custom layers support .kml or .kmz files. Слои карты Пользовательские слои не загружены. Добавить слой @@ -706,4 +772,6 @@ URL не может быть пустым. URL должен содержать placeholders. Шаблон URL + track point + Phone Settings diff --git a/app/src/main/res/values-sk-rSK/strings.xml b/app/src/main/res/values-sk-rSK/strings.xml index 4396b9698..14ef40866 100644 --- a/app/src/main/res/values-sk-rSK/strings.xml +++ b/app/src/main/res/values-sk-rSK/strings.xml @@ -16,9 +16,13 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filter vymazať filter uzlov Vrátane neznámych + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Zobraziť detaily Nastavenie triedenia uzlov A-Z @@ -29,6 +33,7 @@ cez MQTT cez MQTT Prostredníctvom obľúbených + Ignored Nodes Nerozoznaný Čaká sa na potvrdenie Vo fronte na odoslanie @@ -78,9 +83,12 @@ Odoslať K tomuto telefónu ste ešte nespárovali žiadne zariadenie kompatibilné s Meshtastic. Prosím spárujte zariadenie a nastavte svoje užívateľské meno.\n\nTáto open-source aplikácia je v alpha testovacej fáze, ak nájdete chybu, prosím popíšte ju na fóre: https://github.com/orgs/meshtastic/discussions\n\n Pre viac informácií navštívte web stránku - www.meshtastic.org. Vy + Allow analytics and crash reporting. Prijať Odmietnuť + Clear changes Prijatá nová URL kanálu + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Nahlásiť chybu Nahlásiť chybu Ste si istý, že chcete nahlásiť chybu? Po odoslaní prosím pridajte správu do https://github.com/orgs/meshtastic/discussions aby sme vedeli priradiť Vami nahlásenú chybu ku Vášmu príspevku. @@ -89,10 +97,13 @@ Párovanie zlyhalo, prosím skúste to znovu Prístup k polohe zariadenia nie je povolený, nedokážem poskytnúť polohu zariadenia Mesh sieti. Zdieľať + New Node Seen: %s Odpojené Vysielač uspaný Pripojený: %1$s online IP adresa: + Port: + Connected Pripojené k vysielaču (%s) Nepripojené Pripojené k uspanému vysielaču @@ -103,11 +114,29 @@ O aplikácii URL adresa tohoto kanála nie je platná a nedá sa použiť Debug okno + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Zmazať Stav doručenia správy + Direct message notifications + Broadcast message notifications Notifikácie upozornení Nutná aktualizácia firmvéru. Firmvér vysielača je príliš zastaralý, aby dokázal komunikovať s aplikáciou. Viac informácií nájdete na našom sprievodcovi inštaláciou firmvéru. + OK Musíte nastaviť región! Nie je možné zmeniť kanál, pretože vysielač ešte nie je pripojený. Skúste to neskôr. Exportovať rangetest.csv @@ -133,6 +162,8 @@ Vymazať pre všetkých Vymazať pre mňa Vybrať všetko + Close selection + Delete selected Štýl výberu Stiahnuť oblasť Názov @@ -153,7 +184,13 @@ Edituj rýchly čet Pripojiť k správe Okamžite pošli + Show quick chat menu + Hide quick chat menu Obnova do výrobných nastavení + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Priama správa Reset databázy uzlov Doručenie potvrdené @@ -203,8 +240,11 @@ Využitie éteru Teplota Vlhkosť + Soil Temperature + Soil Moisture Záznamy Počet skokov + Hops Away: %1$d Informácia Využitie pre aktuálny kanál, vrátane dobre vytvoreného TX, RX a poškodeného RX (známy ako šum). Percento vysielacieho času na prenos použitého za poslednú hodinu. @@ -226,6 +266,7 @@ Log metrík zariadenia Mapa uzlov Log pozície + Last position update Log poveternostných metrík Log metrík signálu Administrácia @@ -268,12 +309,14 @@ Si si istý? Dokumentáciu o úlohách zariadení a blog o Výberaní správnej úlohy pre zariadenie .]]> Viem čo robím. + Node %1$s has a low battery (%2$d%%) Upozornenia o slabej batérii Slabá batéria: %s Upozornenia o slabej batérii (obľúbene uzle) Barometrický tlak Sieť prostredníctvom UDP zapnutá Konfigurácia UDP + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
Zapnúť lokalizáciu Užívateľ Kanále @@ -310,16 +353,428 @@ Bluetooth zapnuté Režim párovania Pevný PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details Prostredie + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell Správy + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config Verejný kľúč Súkromný kľúč + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Časový limit + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Vzdialenosť + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes Nastavenia + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Správa + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-sl-rSI/strings.xml b/app/src/main/res/values-sl-rSI/strings.xml index 175176e82..b29e6663e 100644 --- a/app/src/main/res/values-sl-rSI/strings.xml +++ b/app/src/main/res/values-sl-rSI/strings.xml @@ -16,10 +16,15 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filter Počisti filtre vozlišča Vključi neznane + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Prikaži podrobnosti + Node sorting options A-Z Kanal Razdalja @@ -27,6 +32,8 @@ Nazadnje slišano Preko MQTT Preko MQTT + via Favorite + Ignored Nodes Neprepoznano Čakanje na potrditev V čakalni vrsti za pošiljanje @@ -76,9 +83,12 @@ Pošlji S tem telefonom še niste seznanili združljivega Meshtastic radia. Prosimo povežite napravo in nastavite svoje uporabniško ime. \n\nTa odprtokodna aplikacija je v alfa testiranju, če imate težave, objavite na našem spletnem klepetu.\n\nZa več informacij glejte našo spletno stran - www.meshtastic.org. Jaz + Allow analytics and crash reporting. Sprejmi Prekliči/zavrzi + Clear changes Prejet je bil novi URL kanala + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Prijavi napako Prijavite napako Ali ste prepričani, da želite prijaviti napako? Po poročanju objavite v https://github.com/orgs/meshtastic/discussions, da bomo lahko primerjali poročilo s tistim, kar ste našli. @@ -87,9 +97,13 @@ Seznanjanje ni uspelo. Prosimo, izberite znova Dostop do lokacije je onemogočen, mreža ne more prikazati položaja. Souporaba + New Node Seen: %s Prekinjeno Naprava je v \"spanju\" + Connected: %1$s online IP naslov: + Port: + Connected Povezana z radiem (%s) Ni povezano Povezan z radiem, vendar radio \"spi\" @@ -100,8 +114,26 @@ O programu Neveljaven kanal Plošča za odpravljanje napak + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Počisti Stanje poslanega sporočila + Direct message notifications + Broadcast message notifications + Alert notifications Zastarela programska oprema. Vdelana programska oprema radijskega sprejemnika je za pogovor s to aplikacijo prestara. Za več informacij o tem glejtenaš vodnik za namestitev strojne programske opreme. V redu @@ -130,6 +162,8 @@ Izbriši za vse Izbriši zame Izberi vse + Close selection + Delete selected Izbor stila Prenesi regijo Ime @@ -150,7 +184,13 @@ Uredi hitri klepet Dodaj v sporočilo Pošlji takoj + Show quick chat menu + Hide quick chat menu Povrnitev tovarniških nastavitev + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Direktno sporočilo Ponastavi NodeDB Prejem potrjen @@ -161,6 +201,7 @@ Prenesi izbrano regijo Ocena prenosa plošče: Začni prenos + Exchange position Zapri Nastavitev radia Nastavitev modula @@ -199,8 +240,11 @@ Uporaba oddaje Temperatura Vlaga + Soil Temperature + Soil Moisture Dnevniki Skokov stran + Hops Away: %1$d Informacije Uporaba za trenutni kanal, vključno z dobro oblikovanimi TX, RX in napačno oblikovanim RX (šum). Odstotek časa oddajanja v zadnji uri. @@ -211,6 +255,7 @@ Neposredna sporočila za šifriranje uporabljajo novo infrastrukturo javnih ključev. Zahteva različico 2.5 ali novejšo. Neujemanje javnega ključa Javni ključ se ne ujema s zabeleženim ključem. Odstranite lahko vozlišče in pustite, da znova izmenja ključe, vendar to lahko pomeni resnejšo varnostno težavo. Obrnite se na uporabnika prek drugega zaupanja vrednega kanala, da ugotovite, ali je bila sprememba ključa posledica ponastavitve na tovarniške nastavitve ali drugega namernega dejanja. + Exchange user info Obvestila novih vozlišč Več podrobnosti SNR @@ -221,6 +266,7 @@ Dnevnik meritev naprave Zemljevid vozlišč Dnevnik lokacije + Last position update Dnevnik meritev okolja Dnevnik meritev signala Administracija @@ -247,15 +293,488 @@ 2T 4T Maks. + Unknown Age Kopiraj Znak opozorilnega zvonca! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell + Messages + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config Javni ključ Zasebni ključ + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Časovna omejitev + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Razdalja + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes + Settings + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Sporočilo + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-sq-rAL/strings.xml b/app/src/main/res/values-sq-rAL/strings.xml index c6927b81e..22e9ad8cd 100644 --- a/app/src/main/res/values-sq-rAL/strings.xml +++ b/app/src/main/res/values-sq-rAL/strings.xml @@ -16,16 +16,24 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filtrimi pastro filtrin e nyjës Përfshi të panjohurat + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Shfaq detajet + Node sorting options + A-Z Kanal Distanca Hop-e larg I fundit që u dëgjua përmes MQTT përmes MQTT + via Favorite + Ignored Nodes I panjohur Pritet të pranohet Në radhë për dërgim @@ -56,12 +64,18 @@ Pajisje që transmeton vetëm kur është e nevojshme për fshehtësi ose kursim energjie. Transmeton vendndodhjen si mesazh në kanalin e parazgjedhur rregullisht për të ndihmuar në rikuperimin e pajisjeve. Aktivizon transmetimet automatikisht TAK PLI dhe zvogëlon transmetimet rutinë. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. Ritransmeton çdo mesazh të vërejtur, nëse ishte në kanalin tonë privat ose nga një tjetër rrjet me të njëjtat parametra LoRa. Po të njëjtën sjellje si ALL, por kalon pa dekoduar paketat dhe thjesht i ritransmeton. I disponueshëm vetëm për rolin Repeater. Vendosja e kësaj në rolet e tjera do të rezultojë në sjelljen e ALL. Injoron mesazhet e vëzhguara nga rrjete të huaja që janë të hapura ose ato që nuk mund t\'i dekodoj. Vetëm ritransmeton mesazhe në kanalet lokale primare / dytësore të nyjës. Injoron mesazhet e vëzhguara nga rrjete të huaja si LOCAL ONLY, por e çon më tutje duke injoruar edhe mesazhet nga nyje që nuk janë në listën e njohur të nyjës. Lejohet vetëm për rolet SENSOR, TRACKER dhe TAK_TRACKER, kjo do të pengojë të gjitha ritransmetimet, jo ndryshe nga roli CLIENT_MUTE. Injoron paketat nga portnumra jo standardë si: TAK, RangeTest, PaxCounter, etj. Vetëm ritransmeton paketat me portnumra standard: NodeInfo, Text, Position, Telemetry, dhe Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key Emri i kanalit radio Kodi QR Ikona e aplikacionit @@ -69,9 +83,12 @@ Dërgo Ju ende nuk keni lidhur një paisje radio Meshtastic me këtë telefon. Ju lutem lidhni një paisje radio dhe vendosni emrin e përdoruesit.\n\nKy aplikacion është software i lire \"open-source\" dhe në variantin Alpha për testim. Nëse hasni probleme, ju lutem shkruani në çatin e faqes tonë të internetit: https://github.com/orgs/meshtastic/discussions\n\nPër më shumë informacione vizitoni faqen tonë në internet - www.meshtastic.org. Ju + Allow analytics and crash reporting. Prano Anullo + Clear changes Ju keni një kanal radio të ri URL + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Raporto Bug Raporto një bug Jeni të sigurtë që dëshironi të raportoni një bug? Pas raportimit, ju lutem postoni në https://github.com/orgs/meshtastic/discussions që të mund të lidhim raportin me atë që keni gjetur. @@ -80,9 +97,13 @@ Lidhja dështoi, ju lutem zgjidhni përsëri Aksesimi në vendndodhje është i fikur, nuk mund të ofrohet pozita për rrjetin mesh. Ndaj + New Node Seen: %s I shkëputur Pajisja po fle + Connected: %1$s online Adresa IP: + Port: + Connected E lidhur me radio (%s) Nuk është lidhur E lidhur me radio, por është në gjumë @@ -93,8 +114,26 @@ Rreth Ky URL kanal është i pavlefshëm dhe nuk mund të përdoret Paneli i debug-ut + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Pastro Statusi i dorëzimit të mesazhit + Direct message notifications + Broadcast message notifications + Alert notifications Përditësimi i firmware kërkohet. Firmware radio është shumë i vjetër për të komunikuar me këtë aplikacion. Për më shumë informacion rreth kësaj, shikoni udhëzuesin tonë për instalimin e firmware. Mirë @@ -121,6 +160,8 @@ Fshi për të gjithë Fshi për mua Përzgjedh të gjithë + Close selection + Delete selected Përzgjedhja e stilit Shkarko rajonin Emri @@ -133,6 +174,7 @@ Fik Fikja nuk mbështetet në këtë pajisje Rindiz + Traceroute Shfaq prezantimin Mesazh Opsionet për biseda të shpejta @@ -140,7 +182,13 @@ Redakto bisedën e shpejtë Shto në mesazh Dërgo menjëherë + Show quick chat menu + Hide quick chat menu Përditësim i fabrikës + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Mesazh i drejtpërdrejtë Përditësimi i NodeDB Dërgimi i konfirmuar @@ -151,6 +199,7 @@ Zgjidh rajonin për shkarkim Parashikimi i shkarkimit të pllakatës: Filloni shkarkimin + Exchange position Mbylle Konfigurimi i radios Konfigurimi i modulit @@ -189,25 +238,33 @@ Përdorimi i ajrit Temperatura Lagështia + Soil Temperature + Soil Moisture Loget Hops larg + Hops Away: %1$d Informacion Përdorimi për kanalin aktual, duke përfshirë TX të formuar mirë, RX dhe RX të dëmtuar (në gjuhën e thjeshtë: zhurmë). Përqindja e kohës së përdorur për transmetim brenda orës së kaluar. + IAQ Çelësi i Përbashkët Mesazhet direkte po përdorin çelësin e përbashkët për kanalin. Kriptimi me Çelës Publik Mesazhet direkte po përdorin infrastrukturën e re të çelësave publikë për kriptim. Kërkon versionin 2.5 të firmuerit ose më të ri. Përputhje e Gabuar e Çelësit Publik Çelësi publik nuk përputhet me çelësin e regjistruar. Mund të hiqni nyjën dhe të lejoni që ajo të shkëmbejë përsëri çelësat, por kjo mund të tregojë një problem më serioz të sigurisë. Kontaktoni përdoruesin përmes një kanali tjetër të besuar për të përcaktuar nëse ndryshimi i çelësit ishte si pasojë e një rikthimi në fabrikë ose një veprim tjetër të qëllimshëm. + Exchange user info Njoftimet për nyje të reja Më shumë detaje + SNR Raporti i Sinjalit në Zhurmë, një masë e përdorur në komunikime për të kuantifikuar nivelin e një sinjali të dëshiruar ndaj nivelit të zhurmës në background. Në Meshtastic dhe sisteme të tjera pa tel, një SNR më i lartë tregon një sinjal më të pastër që mund të rrisë besueshmërinë dhe cilësinë e transmetimit të të dhënave. + RSSI Indikatori i Fuqisë së Sinjalit të Marrë, një matje e përdorur për të përcaktuar nivelin e energjisë që po merret nga antena. Një vlerë më e lartë RSSI zakonisht tregon një lidhje më të fortë dhe më të qëndrueshme. (Cilësia e Ajrit të Brendshëm) shkalla relative e vlerës IAQ siç matet nga Bosch BME680. Intervali i Vlerave 0–500. Regjistri i Metrikave të Pajisjes Harta e Nyjës Regjistri i Pozitës + Last position update Regjistri i Metrikave të Mjedisit Regjistri i Metrikave të Sinjalit Administratë @@ -216,16 +273,504 @@ Mesatar Mirë Asnjë + Share to… Sinjal Cilësia e Sinjalit Regjistri i Traceroute Direkt + + 1 hop + %d hops + Hops drejt %1$d Hops prapa %2$d + 24H + 48H + 1W + 2W + 4W + Max + Unknown Age + Copy + Alert Bell Character! + Critical Alert! + Favorite + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current + Voltage + Are you sure? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled + UDP Config + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User + Channels + Device + Position + Power + Network + Display + LoRa + Bluetooth + Security + MQTT + Serial + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell + Messages + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config + Role + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config + Public Key + Private Key + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Koha e skaduar + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Distanca + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration + Hardware + Supported + Node Number + User ID + Uptime + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes + Settings + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. + Advanced + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Mesazh + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-srp/strings.xml b/app/src/main/res/values-srp/strings.xml index 7400ab19f..47386a942 100644 --- a/app/src/main/res/values-srp/strings.xml +++ b/app/src/main/res/values-srp/strings.xml @@ -16,10 +16,15 @@ ~ along with this program. If not, see . --> + Meshtastic %s Филтер очисти филтер чворова Укључи непознато + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Прикажи детаље + Node sorting options А-Ш Канал Удаљеност @@ -27,6 +32,8 @@ Последњи пут виђено преко MQTT-а преко MQTT-а + via Favorite + Ignored Nodes Некатегорисано Чека на потврду У реду за слање @@ -76,9 +83,12 @@ Пошаљи Још нисте упарили Мештастик компатибилан радио са овим телефоном. Молимо вас да упарите уређај и поставите своје корисничко име.\n\nОва апликација отвореног кода је у развоју, ако нађете проблеме, молимо вас да их објавите на нашем форуму: https://github.com/orgs/meshtastic/discussions\n\nЗа више информација посетите нашу веб страницу - www.meshtastic.org. Ти + Allow analytics and crash reporting. Прихвати Откажи + Clear changes Примљен нови линк канала + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Пријави грешку Пријави грешку Да ли сте сигурни да желите да пријавите грешку? Након пријаве, молимо вас да објавите на https://github.com/orgs/meshtastic/discussions како бисмо могли да упаримо извештај са оним што сте нашли. @@ -87,9 +97,12 @@ Упаривање неуспешно, молимо изабери поново Приступ локацији је искључен, не може се обезбедити позиција мрежи. Подели + New Node Seen: %s Раскачено Уређај је у стању спавања + Connected: %1$s online IP адреса: + Port: Блутут повезан Повезан на радио уређај (%s) Није повезан @@ -101,8 +114,25 @@ О Ова URL адреса канала је неважећа и не може се користити Панел за отклањање грешака + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Очисти Статус пријема поруке + Direct message notifications + Broadcast message notifications Обавештења о упозорењима Ажурирање фирмвера је неопходно. Радио фирмвер је превише стар да би комуницирао са овом апликацијом. За више информација о овоме погледајте наш водич за инсталацију фирмвера. @@ -131,6 +161,8 @@ Обриши за све Обриши за мене Изабери све + Close selection + Delete selected Одабир стила Регион за преузимање Назив @@ -151,7 +183,13 @@ Измени брзо ћаскање Надодај на поруку Моментално пошаљи + Show quick chat menu + Hide quick chat menu Рестартовање на фабричка подешавања + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Директне поруке Ресетовање базе чворова Испорука потврђена @@ -162,6 +200,7 @@ Изаберите регион за преузимање Процена преузимања плочица: Започни преузимање + Exchange position Затвори Конфигурација радио уређаја Конфигурација модула @@ -200,8 +239,11 @@ Искоришћеност ваздуха Температура Влажност + Soil Temperature + Soil Moisture Дневници Скокова удаљено + Hops Away: %1$d Информација Искоришћење за тренутни канал, укључујући добро формиран TX, RX и неисправан RX (такође познат као шум). Проценат искоришћења ефирског времена за пренос у последњем сату. @@ -212,6 +254,7 @@ Директне поруке користе нову инфраструктуру јавног кључа за шифровање. Потребна је верзија фирмвера 2,5 или новија. Неусаглашеност јавних кључева Јавни кључ се не поклапа са забележеним кључем. Можете уклонити чвор и омогућити му поновну размену кључева, али ово може указивати на озбиљнији безбедносни проблем. Контактирајте корисника путем другог поузданог канала да бисте утврдили да ли је промена кључа резултат фабричког ресетовања или друге намерне акције. + Exchange user info Обавештења о новим чворовима Више детаља SNR @@ -222,6 +265,7 @@ Дневник метрика уређаја Мапа чворова Дневник локација + Last position update Дневник метрика околине Дневник метрика сигнала Администрација @@ -263,11 +307,15 @@ Да ли сте сигурни? Документацију улога уређаја и објаву на блогу Одабир праве улоге за уређај.]]> Знам шта радим. + Node %1$s has a low battery (%2$d%%) Нотификације о ниском нивоу батерије Низак ниво батерије: %s Нотификације о ниском нивоу батерије (омиљени чворови) Барометарски притисак + Mesh via UDP enabled UDP конфигурација + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position Корисник Канали Уређај @@ -278,82 +326,453 @@ LoRA Блутут Сигурност + MQTT Серијска веза Спољна обавештења Тест домета Телеметрија (сензори) + Canned Message + Audio + Remote Hardware + Neighbor Info Амбијентално осветљење Сензор откривања + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock Блутут подешавања + Bluetooth enabled + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled Подразумевано + Position enabled + Precise location + GPIO pin + Type + Hide password + Show password + Details Окружење Подешавања амбијенталног осветљења + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled GPIO пин за A порт ротационог енкодера GPIO пин за Б порт ротационог енкодера GPIO пин за порт клика ротационог енкодера + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell Поруке Подешавања ензора откривања + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message Пријатељски назив + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode Подешавања уређаја Улога + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click + POSIX Timezone + Disable LED heartbeat Подешавања приказа + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation Подешавање спољних обавештења + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) Мелодија звона + Use I2S as buzzer LoRA подешавања + Use modem preset + Modem Preset Проток + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot + Override Duty Cycle + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled Игнориши MQTT + OK to MQTT MQTT подешавања + MQTT enabled Адреса Корисничко име Лозинка + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa Конфигурација мреже + WiFi enabled + SSID + PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode + IP + Gateway + Subnet + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) Подешавања позиције + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position Ширина Дужина + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags Подешавања напајња + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address Конфигурација теста домета + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins Сигурносна подешавања Јавни кључ Приватни кључ + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel Подешавања серијске везе + Serial enabled + Echo enabled + Serial baud rate Временско ограничење + Serial mode + Override console serial port + + Heartbeat Број записа + History return max + History return window Сервер Конфигурација телеметрије + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled Корисничка подешавања + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Раздаљина + Lux + Wind + Weight + Radiation Квалитет ваздуха у затвореном простору (IAQ) + URL + + Import configuration + Export configuration Хардвер Подржан Број чвора + User ID Време рада + Load %1$d + Disk Free %1$d Временска ознака Смер Брзина Сателита Висина + Freq + Slot Примарни + Periodic position and telemetry broadcast Секундарни + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic + Scan QR Code + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed + Import + Request Metadata Акције Фирмвер + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection Мапа меша + Conversations Чворови Подешавања + Set your region Одговори + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s Истиче Време Датум + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React Прекините везу + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux Непознато + This radio is managed and can only be changed by a remote admin. Напредно + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status Отпусти + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Порука + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal Сателит + Terrain Хибридни + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-sv-rSE/strings.xml b/app/src/main/res/values-sv-rSE/strings.xml index 52a376249..ba6898324 100644 --- a/app/src/main/res/values-sv-rSE/strings.xml +++ b/app/src/main/res/values-sv-rSE/strings.xml @@ -16,10 +16,15 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filter rensa filtrering av noder Inkludera okända + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Visa detaljer + Node sorting options A-Ö Kanal Avstånd @@ -27,6 +32,7 @@ Senast hörd via MQTT via MQTT + via Favorite Ignorerade noder Okänd Inväntar kvittens @@ -77,9 +83,12 @@ Skicka Du har ännu inte parat en Meshtastic-kompatibel radio med den här telefonen. Koppla ihop en enhet och ange ditt användarnamn.\n\nDetta öppna källkodsprogram (open source) är under utveckling, om du hittar problem, vänligen publicera det på vårt forum: https://github.com/orgs/meshtastic/discussions\n\nFör mer information se vår webbsida - www.meshtastic.org. Du + Allow analytics and crash reporting. Acceptera Avbryt + Clear changes Ny kanal-länk mottagen + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Rapportera bugg Rapportera bugg Är du säker på att du vill rapportera en bugg? Efter rapportering, vänligen posta i https://github.com/orgs/meshtastic/discussions så att vi kan matcha rapporten med buggen du hittat. @@ -88,9 +97,12 @@ Parkoppling misslyckades, försök igen Platsåtkomst är avstängd, kan inte leverera position till meshnätverket. Dela + New Node Seen: %s Frånkopplad Enheten i sovläge + Connected: %1$s online IP-adress: + Port: Ansluten Ansluten till radioenhet (%s) Ej ansluten @@ -102,8 +114,26 @@ Om Denna kanal-URL är ogiltig och kan inte användas Felsökningspanel + Decoded Payload: + Export Logs + Filters + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Rensa Meddelandets leveransstatus + Direct message notifications + Broadcast message notifications + Alert notifications Uppdatering av firmware krävs. Radiomodulens firmware är för gammal för att prata med denna applikation. För mer information om detta se vår installationsguide för Firmware. Okej @@ -130,6 +160,8 @@ Radera för alla Radera för mig Välj alla + Close selection + Delete selected Stilval Ladda ner region Namn @@ -150,7 +182,13 @@ Redigera snabbchatt Lägg till i meddelandet Skicka direkt + Show quick chat menu + Hide quick chat menu Återställ till standardinställningar + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Direktmeddelande Nollställ NodeDB Sändning bekräftad @@ -161,6 +199,7 @@ Välj nedladdningsområde Kartdelar estimat: Starta Hämtning + Exchange position Stäng Konfiguration av radioenhet Modul konfiguration @@ -199,8 +238,11 @@ Luftrumsutnyttjande Temperatur Luftfuktighet + Soil Temperature + Soil Moisture Loggar Hopp bort + Hops Away: %1$d Information Utnyttjande av den nuvarande kanalen, inklusive välformad TX, RX och felformaterad RX (sk. brus). Procent av luftrumstid använd för sändningar inom den senaste timmen. @@ -211,6 +253,7 @@ Direktmeddelanden använder den nya publika nyckel infrastrukturen för kryptering. Kräver firmware 2.5 eller högre. Publik nyckel matchar inte Den publika nyckel matchar inte den insamlade. Du kan ta bort noden ur nod listan för att förhandla nycklar på nytt, men det här kan påvisa ett säkerhetsproblem. Kontakta nodens ägare igenom en annan betrodd kanal för att avgöra om nyckeländringen berodde på en fabriksåterställning eller annan avsiktlig åtgärd. + Exchange user info Ny nod avisering Mer detaljer SNR @@ -221,6 +264,7 @@ Enhetsstatistik Loggbok Nod karta Position Loggbok + Last position update Miljömätning Loggbok Signalkvalité Loggbok Administration @@ -245,13 +289,34 @@ 2V 4V Max + Unknown Age Kopiera Varningsklocka! + Critical Alert! Favorit + Add \'%s\' as a favorite node? + Remove \'%s\' as a favorite node? + Power Metrics Log + Channel 1 + Channel 2 + Channel 3 + Current Spänning Är du säker? + Device Role Documentation and the blog post about Choosing The Right Device Role.]]> + I know what I\'m doing. + Node %1$s has a low battery (%2$d%%) + Low battery notifications + Low battery: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled UDP-konfiguration + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position + User Kanaler + Device Plats Ström Nätverk @@ -261,44 +326,451 @@ Säkerhet MQTT Seriell kommunikation + External Notification + + Range Test + Telemetry + Canned Message + Audio + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter + Audio Config + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock + Bluetooth Config + Bluetooth enabled Parkopplingsläge + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin + Type Dölj lösenord Visa lösenord Detaljer + Environment + Ambient Lighting Config + LED state + Red + Green + Blue + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell Meddelanden + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode + Device Config Roll + Redefine PIN_BUTTON + Redefine PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click POSIX-tidszon + Disable LED heartbeat + Display Config + Screen timeout (seconds) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top + Flip screen + Display units + Override OLED auto-detect + Display mode + Heading bold + Wake screen on tap or motion + Compass orientation + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) + Ringtone + Use I2S as buzzer + LoRa Config + Use modem preset Modem-förinställningar Bandbredd + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit + TX enabled + TX power (dBm) + Frequency slot Ersätt gräns för driftsperiod + Ignore incoming + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled Ignorera MQTT OK till MQTT + MQTT Config + MQTT enabled + Address + Username + Password + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa + Network Config + WiFi enabled SSID PSK + Ethernet enabled + NTP server + rsyslog server + IPv4 mode Ip-adress Gateway Subnät + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position + Latitude + Longitude + Altitude (meters) + Set from current phone location + GPS mode + GPS update interval (seconds) + Redefine GPS_RX_PIN + Redefine GPS_TX_PIN + Redefine PIN_GPS_EN + Position flags + Power Config + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access + Available pins + Security Config Publik nyckel Privat nyckel + Admin Key + Managed Mode + Serial console + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Timeout + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window + Server + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled + User Config + Node ID + Long name + Short name + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point + Pressure + Gas Resistance Avstånd + Lux + Wind + Weight + Radiation + + Indoor Air Quality (IAQ) + URL + + Import configuration + Export configuration Hårdvara + Supported Nodnummer + User ID Drifttid + Load %1$d + Disk Free %1$d + Timestamp + Heading + Speed + Sats + Alt + Freq + Slot Primär + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic Skanna QR-kod + Share Contact + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed Importera + Request Metadata + Actions + Firmware + Use 12h clock format + When enabled, the device will display the time in 12-hour format on screen. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into Anslutning + Mesh Map + Conversations Noder + Settings + Set your region Svara + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT + I agree. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires + Time + Date + Map Filter\n + Only Favorites + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux Okänd + This radio is managed and can only be changed by a remote admin. Advancerat + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status Stäng + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Meddelande + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release Ladda ner + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-tr-rTR/strings.xml b/app/src/main/res/values-tr-rTR/strings.xml index fe9e11d92..18db3dbab 100644 --- a/app/src/main/res/values-tr-rTR/strings.xml +++ b/app/src/main/res/values-tr-rTR/strings.xml @@ -16,9 +16,13 @@ ~ along with this program. If not, see . --> + Meshtastic %s Filtre düğüm filtresini kaldır Bilinmeyenleri dahil et + Hide offline nodes + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Detayları göster Düğüm sıralama seçenekleri A-Z @@ -29,6 +33,7 @@ MQTT yoluyla MQTT yoluyla Favorilerden + Ignored Nodes Tanınmayan Ulaştı bildirisi bekleniyor Gönderilmek üzere sırada @@ -78,10 +83,12 @@ Gönder Telefonu, Meshtastic uyumlu bir cihaz ile eşleştirmediniz. Bir cihazla eşleştirin ve kullanıcı adınızı belirleyin.\n\nAçık kaynaklı bu uygulama şu an alfa-test aşamasında, problem fark ederseniz forumda lütfen paylaşın: https://github.com/orgs/meshtastic/discussions\n\nDaha fazla bilgi için, sitemiz: www.meshtastic.org. Siz + Allow analytics and crash reporting. Kabul et İptal Değişiklikleri Temizle Yeni Kanal Adresi(URL) alındı + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Hata Bildir Hata Bildir Hata bildirmek istediğinizden emin misiniz? Hata bildirdikten sonra, lütfen https://github.com/orgs/meshtastic/discussions sayfasında paylaşınız ki raporu bulgularınızla eşleştirebilelim. @@ -90,6 +97,7 @@ Eşleşme başarısız, lütfen tekrar seçiniz Konum erişimi kapalı, konum ağ ile paylaşılamıyor. Paylaş + New Node Seen: %s Bağlantı kesildi Cihaz uyku durumunda Bağlı: %1$s çevrimiçi @@ -106,6 +114,8 @@ Hakkında Bu Kanal URL\' si geçersiz ve kullanılamaz Hata Ayıklama Paneli + Decoded Payload: + Export Logs Filtreler Aktif Filtreler Loglarda ara… @@ -113,8 +123,16 @@ Önceki eşleşme Aramayı sil Filtre ekle + Filter included + Clear all filters + Clear Logs + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Temizle Mesaj teslim durumu + Direct message notifications + Broadcast message notifications Uyarı bildirimleri Yazılım güncellemesi gerekli. Radyo yazılımı bu uygulamayla iletişim kurmak için çok eski. Bu konuda daha fazla bilgi için: Yazılım yükleme kılavuzumuza bakın. @@ -142,6 +160,8 @@ Herkesten sil Benden sil Tümünü seç + Close selection + Delete selected Stil Seçimi Bölgeyi İndir İsmi @@ -162,7 +182,13 @@ Hızlı mesajı düzenle Mesaj sonuna ekle Hemen gönder + Show quick chat menu + Hide quick chat menu Fabrika ayarları + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Direkt Mesaj NodeDB sıfırla Teslim Edildi @@ -212,8 +238,11 @@ Yayın Süresi Kullanımı Sıcaklık Nem + Soil Temperature + Soil Moisture Kayıtlar Atlama Üzerinden + Hops Away: %1$d Bilgi İyi biçimlendirilmiş TX ve RX ile hatalı biçimlendirilmiş RX (gürültü) dahil olmak üzere mevcut kanal için kullanım. Son bir saat içinde kullanılan iletim için yayın süresi yüzdesi. @@ -235,6 +264,7 @@ Cihaz Ölçüm Kayıtları Düğüm Haritası Konum Kayıtları + Last position update Çevre Ölçüm Kayıtları Sinyal Seviyesi Kayıtları Yönetim @@ -275,12 +305,14 @@ Emin misiniz? Cihaz Rolü Dokümantasyonu ve Doğru Cihaz Rolünü Seçme hakkındaki blog yazılarını okudum.]]> Ne yaptığımı biliyorum. + Node %1$s has a low battery (%2$d%%) Düşük pil bildirimleri Düşük pil: %s Düşük pil bildirimleri (favori düğümler) Barometrik Basınç UDP üzerinden Mesh etkinleştirildi UDP Ayarları + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
Konumunumu aç/kapa Kullanıcı Kanallar @@ -321,6 +353,7 @@ Aşağı bağlantı etkinleştirildi Varsayılan Pozisyon etkinleştirildi + Precise location GPIO pini Tip Şifreyi gizle @@ -454,6 +487,7 @@ Enlem Boylam Yükseklik (metre) + Set from current phone location GPS modu GPS güncelleme aralığı (saniye) GPS_RX_PIN’i yeniden tanımla @@ -536,8 +570,11 @@ Düğüm Numarası Kullanıcı Kimliği Çalışma Süresi + Load %1$d + Disk Free %1$d Zaman Damgası İstikamet + Speed Uydular Yükseklik Frekans @@ -569,34 +606,171 @@ Boş Disk Yükle Kullanıcı Karakter Dizisi + Navigate Into + Connection + Mesh Map + Conversations + Nodes Ayarlar + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT Katılıyorum. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires Zaman Tarih Harita Filtresi\n Sadece Favoriler + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. + Export Keys + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom + Meshtastic Taranıyor Güvenlik Durumu Güvenlik + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. Gelişmiş + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status Vazgeç Bu node silinsin mi? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Mesaj Mesaj yaz + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release İndir + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. Uzaklık Ölçüsü + Display the distance between your phone and other Meshtastic nodes with positions. Mesafe Filtresi + Filter the node list and mesh map based on proximity to your phone. Mesh Harita Konumu Telefonunuz için mesh haritasında mavi konum noktasını etkinleştirir. Konum İzinlerini Yapılandırın Atla ayarlar Kritik Uyarılar + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + Kritik Uyarı Yapılandır Meshtastic, yeni mesajlar ve diğer önemli etkinlikler hakkında sizi bilgilendirmek için bildirimleri kullanır. Bildirim izinlerinizi istediğiniz zaman ayarlardan güncelleyebilirsiniz. Sonraki + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings
diff --git a/app/src/main/res/values-uk-rUA/strings.xml b/app/src/main/res/values-uk-rUA/strings.xml index 05659e393..bbb1f600b 100644 --- a/app/src/main/res/values-uk-rUA/strings.xml +++ b/app/src/main/res/values-uk-rUA/strings.xml @@ -21,16 +21,61 @@ очистити фільтр вузлів Включаючи невідомий Сховати вузли не в мережі + Only show direct nodes + You are viewing ignored nodes,\nPress to return to the node list. Показати деталі + Node sorting options A-Z Канал Відстань + Hops away + Last heard через MQTT через MQTT через Обране + Ignored Nodes + Unrecognized + Waiting to be acknowledged + Queued for sending + Acknowledged + No route + Received a negative acknowledgment + Timeout + No Interface + Max Retransmission Reached Канал відсутній Пакет завеликий Немає відповіді + Bad Request + Regional Duty Cycle Limit Reached + Not Authorized + Encrypted Send Failed + Unknown Public Key + Bad session key + Public Key unauthorized + App connected or standalone messaging device. + Device that does not forward packets from other devices. + Infrastructure node for extending network coverage by relaying messages. Visible in nodes list. + Combination of both ROUTER and CLIENT. Not for mobile devices. + Infrastructure node for extending network coverage by relaying messages with minimal overhead. Not visible in nodes list. + Broadcasts GPS position packets as priority. + Broadcasts telemetry packets as priority. + Optimized for ATAK system communication, reduces routine broadcasts. + Device that only broadcasts as needed for stealth or power savings. + Broadcasts location as message to default channel regularly for to assist with device recovery. + Enables automatic TAK PLI broadcasts and reduces routine broadcasts. + Infrastructure node that always rebroadcasts packets once but only after all other modes, ensuring additional coverage for local clusters. Visible in nodes list. + Rebroadcast any observed message, if it was on our private channel or from another mesh with the same lora parameters. + Same as behavior as ALL but skips packet decoding and simply rebroadcasts them. Only available in Repeater role. Setting this on any other roles will result in ALL behavior. + Ignores observed messages from foreign meshes that are open or those which it cannot decrypt. Only rebroadcasts message on the nodes local primary / secondary channels. + Ignores observed messages from foreign meshes like LOCAL ONLY, but takes it step further by also ignoring messages from nodes not already in the node\'s known list. + Only permitted for SENSOR, TRACKER and TAK_TRACKER roles, this will inhibit all rebroadcasts, not unlike CLIENT_MUTE role. + Ignores packets from non-standard portnums such as: TAK, RangeTest, PaxCounter, etc. Only rebroadcasts packets with standard portnums: NodeInfo, Text, Position, Telemetry, and Routing. + Treat double tap on supported accelerometers as a user button press. + Disables the triple-press of user button to enable or disable GPS. + Controls the blinking LED on the device. For most devices this will control one of the up to 4 LEDs, the charger and GPS LEDs are not controllable. + Whether in addition to sending it to MQTT and the PhoneAPI, our NeighborInfo should be transmitted over LoRa. Not available on a channel with default key and name. + Public Key Ім\'я каналу QR код значок додатку @@ -38,9 +83,12 @@ Надіслати Ви ще не підєднали пристрій, сумісний з Meshtastic. Будьласка приєднайте пристрій і введіть ім’я користувача.\n\nЦя програма з відкритим вихідним кодом знаходиться в розробці, якщо ви виявите проблеми, опублікуйте їх на нашому форумі: https://github.com/orgs/meshtastic/discussions\n\nДля отримання додаткової інформації відвідайте нашу веб-сторінку - www.meshtastic.org. Ви + Allow analytics and crash reporting. Прийняти Скасувати + Clear changes Отримано URL-адресу нового каналу + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. Повідомити про помилку Повідомити про помилку Ви впевнені, що бажаєте повідомити про помилку? Після звіту опублікуйте його в https://github.com/orgs/meshtastic/discussions, щоб ми могли зіставити звіт із тим, що ви знайшли. @@ -49,10 +97,13 @@ Не вдалося створити пару, виберіть ще раз Доступ до місцезнаходження вимкнено, неможливо транслювати позицію. Поділіться + New Node Seen: %s Відключено Пристрій в режимі сну + Connected: %1$s online IP Адреса: Порт: + Connected Підключено до радіомодуля (%s) Не підключено Підключено до радіомодуля, але він в режимі сну @@ -63,11 +114,25 @@ Про URL-адреса цього каналу недійсна та не може бути використана Панель налагодження + Decoded Payload: Експортувати журнали Фільтри + Active filters + Search in logs… + Next match + Previous match + Clear search + Add filter + Filter included + Clear all filters Очистити журнал + Match Any | All + Match All | Any + This will remove all log packets and database entries from your device - It is a full reset, and is permanent. Очистити Статус доставки повідомлень + Direct message notifications + Broadcast message notifications Сповіщення про тривоги Потрібне оновлення прошивки. Прошивка радіо застаріла для зв’язку з цією програмою. Для отримання додаткової інформації дивіться наш посібник із встановлення мікропрограми. @@ -97,6 +162,8 @@ Видалити для всіх Видалити для мене Вибрати все + Close selection + Delete selected Вибір стилю Завантажити регіон Ім\'я @@ -107,6 +174,7 @@ Системні налаштунки за умовчанням Перенадіслати Вимкнути + Shutdown not supported on this device Перезавантаження Маршрут Показати підказки @@ -116,7 +184,13 @@ Редагувати швидкий чат Додати до повідомлення Миттєво відправити + Show quick chat menu + Hide quick chat menu Скидання до заводських налаштувань + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. Пряме повідомлення Очищення бази вузлів Доставку підтверджено @@ -127,6 +201,7 @@ Оберіть регіон завантаження Час завантаження фрагментів: Почати завантаження + Exchange position Закрити Налаштування пристрою Налаштування модуля @@ -158,36 +233,95 @@ Завжди Замінити Сканувати QR-код Wi-Fi + Invalid WiFi Credential QR code format + Navigate Back Батарея + Channel Utilization + Air Utilization Температура Вологість + Soil Temperature + Soil Moisture Журнали подій + Hops Away + Hops Away: %1$d Інформація + Utilization for the current channel, including well formed TX, RX and malformed RX (aka noise). + Percent of airtime for transmission used within the last hour. + IAQ + Shared Key + Direct messages are using the shared key for the channel. + Public Key Encryption + Direct messages are using the new public key infrastructure for encryption. Requires firmware version 2.5 or greater. + Public key mismatch + The public key does not match the recorded key. You may remove the node and let it exchange keys again, but this may indicate a more serious security problem. Contact the user through another trusted channel, to determine if the key change was due to a factory reset or other intentional action. + Exchange user info + New node notifications Докладніше SNR + Signal-to-Noise Ratio, a measure used in communications to quantify the level of a desired signal to the level of background noise. In Meshtastic and other wireless systems, a higher SNR indicates a clearer signal that can enhance the reliability and quality of data transmission. RSSI + Received Signal Strength Indicator, a measurement used to determine the power level being received by the antenna. A higher RSSI value generally indicates a stronger and more stable connection. + (Indoor Air Quality) relative scale IAQ value as measured by Bosch BME680. Value Range 0–500. + Device Metrics Log + Node Map + Position Log + Last position update + Environment Metrics Log + Signal Metrics Log Адміністрування Віддалене керування + Bad + Fair + Good + None + Share to… Сигнал Якість сигналу + Traceroute Log + Direct + + 1 hop + %d hops + %d hops + %d hops + + Hops towards %1$d Hops back %2$d + 24H + 48H + 1W + 2W + 4W Макс + Unknown Age Копіювати + Alert Bell Character! + Critical Alert! Обране Додати \'%s\' як обраний вузол? Видалити \'%s\' з обраних вузлів? + Power Metrics Log Канал 1 Канал 2 + Current Напруга Ви впевнені? ]]> Я знаю, що роблю. + Node %1$s has a low battery (%2$d%%) Сповіщення про низький рівень заряду Низький заряд батареї: %s + Low battery notifications (favorite nodes) + Barometric Pressure + Mesh via UDP enabled Налаштування UDP + Last heard: %2$s
Last position: %3$s
Battery: %4$s]]>
+ Toggle my position Користувач Канали Пристрій + Position Живлення Мережа Дисплей @@ -196,40 +330,143 @@ Безпека MQTT Серійний порт + External Notification Тест дальності Телеметрія + Canned Message Аудіо + Remote Hardware + Neighbor Info + Ambient Lighting + Detection Sensor + Paxcounter Налаштування аудіо + CODEC 2 enabled + PTT pin + CODEC2 sample rate + I2S word select + I2S data in + I2S data out + I2S clock Налаштування Bluetooth Bluetooth увімкнено + Pairing mode + Fixed PIN + Uplink enabled + Downlink enabled + Default + Position enabled + Precise location + GPIO pin Тип Приховати пароль Показати пароль Подробиці Середовище + Ambient Lighting Config Стан світлодіоду Червоний Зелений Синій + Canned Message Config + Canned message enabled + Rotary encoder #1 enabled + GPIO pin for rotary encoder A port + GPIO pin for rotary encoder B port + GPIO pin for rotary encoder Press port + Generate input event on Press + Generate input event on CW + Generate input event on CCW + Up/Down/Select input enabled + Allow input source + Send bell Повідомлення + Detection Sensor Config + Detection Sensor enabled + Minimum broadcast (seconds) + State broadcast (seconds) + Send bell with alert message + Friendly name + GPIO pin to monitor + Detection trigger type + Use INPUT_PULLUP mode Конфігурація пристрою Роль Перевизначити PIN_BUTTON Перевизначити PIN_BUZZER + Rebroadcast mode + NodeInfo broadcast interval (seconds) + Double tap as button press + Disable triple-click Часова зона POSIX + Disable LED heartbeat Налаштування дисплею Тайм-аут екрану (секунд) + GPS coordinates format + Auto screen carousel (seconds) + Compass north top Перевернути екран + Display units + Override OLED auto-detect Режим екрану + Heading bold + Wake screen on tap or motion Орієнтація компаса + External Notification Config + External notification enabled + Notifications on message receipt + Alert message LED + Alert message buzzer + Alert message vibra + Notifications on alert/bell receipt + Alert bell LED + Alert bell buzzer + Alert bell vibra + Output LED (GPIO) + Output LED active high + Output buzzer (GPIO) + Use PWM buzzer + Output vibra (GPIO) + Output duration (milliseconds) + Nag timeout (seconds) Мелодія + Use I2S as buzzer Налаштування LoRa + Use modem preset + Modem Preset + Bandwidth + Spread factor + Coding rate + Frequency offset (MHz) + Region (frequency plan) + Hop limit TX увімкнено Потужність TX (dBm) + Frequency slot + Override Duty Cycle Ігнорувати вхідні + SX126X RX boosted gain + Override frequency (MHz) + PA fan disabled + Ignore MQTT + OK to MQTT + MQTT Config + MQTT enabled + Address Ім\'я користувача Пароль + Encryption enabled + JSON output enabled + TLS enabled + Root topic + Proxy to client enabled + Map reporting + Map reporting interval (seconds) + Neighbor Info Config + Neighbor Info enabled + Update interval (seconds) + Transmit over LoRa Налаштування мережі WiFi увімкнено SSID @@ -241,51 +478,303 @@ IP-адреса Шлюз Підмережа + Paxcounter Config + Paxcounter enabled + WiFi RSSI threshold (defaults to -80) + BLE RSSI threshold (defaults to -80) + Position Config + Position broadcast interval (seconds) + Smart position enabled + Smart broadcast minimum distance (meters) + Smart broadcast minimum interval (seconds) + Use fixed position Широта Довгота Висота (метри) + Set from current phone location Режим GPS Інтервал оновлення GPS (в секундах) Перевизначити GPS_RX_PIN Перевизначити GPS_TX_PIN Перевизначити PIN_GPS_EN + Position flags Налаштування живлення + Enable power saving mode + Shutdown on battery delay (seconds) + ADC multiplier override ratio + Wait for Bluetooth duration (seconds) + Super deep sleep duration (seconds) + Light sleep duration (seconds) + Minimum wake time (seconds) + Battery INA_2XX I2C address + Range Test Config + Range test enabled + Sender message interval (seconds) + Save .CSV in storage (ESP32 only) + Remote Hardware Config + Remote Hardware enabled + Allow undefined pin access Доступні піни Налаштування безпеки + Public Key + Private Key Ключ адміністратора + Managed Mode Серійна консоль + Debug log API enabled + Legacy Admin channel + Serial Config + Serial enabled + Echo enabled + Serial baud rate Таймаут + Serial mode + Override console serial port + + Heartbeat + Number of records + History return max + History return window Сервер + Telemetry Config + Device metrics update interval (seconds) + Environment metrics update interval (seconds) + Environment metrics module enabled + Environment metrics on-screen enabled + Environment metrics use Fahrenheit + Air quality metrics module enabled + Air quality metrics update interval (seconds) + Air quality icon + Power metrics module enabled + Power metrics update interval (seconds) + Power metrics on-screen enabled Налаштування користувача + Node ID Довга назва Коротка назва + Hardware model + Licensed amateur radio (HAM) + Enabling this option disables encryption and is not compatible with the default Meshtastic network. + Dew Point Атмосферний тиск + Gas Resistance Відстань + Lux Вітер Вага Радіація + + Indoor Air Quality (IAQ) URL + + Import configuration + Export configuration + Hardware + Supported + Node Number ID користувача Час роботи + Load %1$d + Disk Free %1$d Мітка часу + Heading + Speed + Sats + Alt + Freq + Slot + Primary + Periodic position and telemetry broadcast + Secondary + No periodic telemetry broadcast + Manual position request required + Press and drag to reorder + Unmute + Dynamic Сканувати QR-код Поділитися контактом + Import Shared Contact? + Unmessageable + Unmonitored or Infrastructure + Warning: This contact is known, importing will overwrite the previous contact information. + Public Key Changed Імпортувати Запитати метадані Дії Прошивка + Use 12h clock format Якщо увімкнено, пристрій буде показувати час у 12-годинному форматі на екрані. + Host Metrics Log + Host + Free Memory + Disk Free + Load + User String + Navigate Into + Connection + Mesh Map + Conversations + Nodes Налаштування + Set your region + Reply + Your node will periodically send an unencrypted map report packet to the configured MQTT server, this includes id, long and short name, approximate location, hardware model, role, firmware version, LoRa region, modem preset and primary channel name. + Consent to Share Unencrypted Node Data via MQTT + By enabling this feature, you acknowledge and expressly consent to the transmission of your device’s real-time geographic location over the MQTT protocol without encryption. This location data may be used for purposes such as live map reporting, device tracking, and related telemetry functions. + I have read and understand the above. I voluntarily consent to the unencrypted transmission of my node data via MQTT Погоджуюся. + Firmware Update Recommended. + To benefit from the latest fixes and features, please update your node firmware.\n\nLatest stable firmware version: %1$s + Expires Час Дата + Map Filter\n Лише обрані + Show Waypoints + Show Precision Circles + Client Notification + Compromised keys detected, select OK to regenerate. + Regenerate Private Key + Are you sure you want to regenerate your Private Key?\n\nNodes that may have previously exchanged keys with this node will need to Remove that node and re-exchange keys in order to resume secure communication. Експортувати ключі + Exports public and private keys to a file. Please store somewhere securely. + Modules unlocked + Remote + (%1$d online / %2$d total) + React + Disconnect + Scanning for Bluetooth devices… + No paired Bluetooth devices. + No Network devices found. + No USB Serial devices found. + Scroll to bottom Meshtastic + Scanning + Security Status + Secure + Warning Badge + Unknown Channel + Warning + Overflow menu + UV Lux + Unknown + This radio is managed and can only be changed by a remote admin. Розширені + Clean Node Database + Clean up nodes last seen older than %1$d days + Clean up only unknown nodes + Clean up nodes with low/no interaction + Clean up ignored nodes + Clean Now + This will remove %1$d nodes from your database. This action cannot be undone. + A green lock means the channel is securely encrypted with either a 128 or 256 bit AES key. + Insecure Channel, Not Precise + A yellow open lock means the channel is not securely encrypted, is not used for precise location data, and uses either no key at all or a 1 byte known key. + Insecure Channel, Precise Location + A red open lock means the channel is not securely encrypted, is used for precise location data, and uses either no key at all or a 1 byte known key. + Warning: Insecure, Precise Location & MQTT Uplink + A red open lock with a warning means the channel is not securely encrypted, is used for precise location data which is being uplinked to the internet via MQTT, and uses either no key at all or a 1 byte known key. + Channel Security + Channel Security Meanings + Show All Meanings + Show Current Status + Dismiss + Are you sure you want to delete this node? + Replying to %1$s + Cancel reply + Delete Messages? + Clear selection Повідомлення + Type a message + PAX Metrics Log + PAX + No PAX metrics logs available. + WiFi Devices + BLE Devices + Paired Devices + Connected Device + Go + Rate Limit Exceeded. Please try again later. + View Release + Download + Currently Installed + Latest stable + Latest alpha + Supported by Meshtastic Community + Firmware Edition + Recent Network Devices + Discovered Network Devices + Get started + Welcome to + Stay Connected Anywhere + Communicate off-the-grid with your friends and community without cell service. + Create Your Own Networks + Easily set up private mesh networks for secure and reliable communication in remote areas. + Track and Share Locations + Share your location in real-time and keep your group coordinated with integrated GPS features. + App Notifications + Incoming Messages + Notifications for channel and direct messages. + New Nodes + Notifications for newly discovered nodes. + Low Battery + Notifications for low battery alerts for the connected device. + Select packets sent as critical will ignore the mute switch and Do Not Disturb settings in the OS notification center. + Configure notification permissions + Phone Location + Meshtastic uses your phone\'s location to enable a number of features. You can update your location permissions at any time from settings. + Share Location + Use your phone GPS to send locations to your node to instead of using a hardware GPS on your node. + Distance Measurements + Display the distance between your phone and other Meshtastic nodes with positions. + Distance Filters + Filter the node list and mesh map based on proximity to your phone. + Mesh Map Location + Enables the blue location dot for your phone in the mesh map. + Configure Location Permissions + Skip + settings + Critical Alerts + To ensure you receive critical alerts, such as + SOS messages, even when your device is in \"Do Not Disturb\" mode, you need to grant special + permission. Please enable this in the notification settings. + + Configure Critical Alerts + Meshtastic uses notifications to keep you updated on new messages and other important events. You can update your notification permissions at any time from settings. + Next + Grant Permissions + %d nodes queued for deletion: + Caution: This removes nodes from in-app and on-device databases.\nSelections are additive. + Connecting to device + Normal + Satellite + Terrain + Hybrid + Manage Map Layers + Custom layers support .kml or .kmz files. + Map Layers + No custom layers loaded. + Add Layer + Hide Layer + Show Layer + Remove Layer + Add Layer + Nodes at this location + Selected Map Type + Manage Custom Tile Sources + Add Custom Tile Source + No Custom Tile Sources + Edit Custom Tile Source + Delete Custom Tile Source + Name cannot be empty. + Provider name exists. + URL cannot be empty. + URL must contain placeholders. + URL Template + track point + Phone Settings diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml index c4c29ce89..3d6b3d47e 100644 --- a/app/src/main/res/values-zh-rCN/strings.xml +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -83,10 +83,12 @@ 传送 您尚未将手机与 Meshtastic 兼容的装置配对。请先配对装置并设置您的用户名称。\n\n此开源应用程序仍在开发中,如有问题,请在我们的论坛 https://github.com/orgs/meshtastic/discussions 上面发文询问。\n\n 也可参阅我们的网页 - www.meshtastic.org。 + Allow analytics and crash reporting. 接受 取消 清除更改 收到新的频道 URL + Meshtastic needs location permissions enabled to find new devices via Bluetooth. You can disable when not in use. 报告 Bug 报告 Bug 详细信息 您确定要报告错误吗?报告后,请在 https://github.com/orgs/meshtastic/discussions 上贴文,以便我们可以将报告与您发现的问题匹配。 @@ -184,6 +186,10 @@ 显示快速聊天菜单 隐藏快速聊天菜单 恢复出厂设置 + Bluetooth is disabled. Please enable it in your device settings. + Open settings + Firmware version: %1$s + Meshtastic needs \"Nearby devices\" permissions enabled to find and connect to devices via Bluetooth. You can disable when not in use. 私信 重置节点数据库 已送达 @@ -601,7 +607,9 @@ 负载 用户字符串 导航到 + Connection Mesh 地图 + Conversations 节点 设置 设置您的地区 @@ -631,6 +639,8 @@ (%1$d 在线 / %2$d 总计) 互动 断开连接 + Scanning for Bluetooth devices… + No paired Bluetooth devices. 未找到网络设备。 未找到 USB 串口设备。 滚动到底部 @@ -644,6 +654,7 @@ 溢出菜单 紫外线强度 未知 + This radio is managed and can only be changed by a remote admin. 高级 清理节点数据库 清理上次看到的 %1$d 天以上的节点 @@ -680,6 +691,9 @@ 无可用的 PAX 计量日志。 WiFi 设备 BLE 设备 + Paired Devices + Connected Device + Go 超过速率限制。请稍后再试。 查看发行版 下载 @@ -727,6 +741,7 @@ 配置关键警报 Meshtastic 使用通知来随时更新新消息和其他重要事件。您可以随时从设置中更新您的通知权限。 下一步 + Grant Permissions %d 节点待删除: 注意:这将从应用内和设备上的数据库中移除节点。\n选择是附加性的。 正在连接设备 @@ -735,6 +750,7 @@ 地形 混合 管理地图图层 + Custom layers support .kml or .kmz files. 地图图层 没有自定义图层被加载。 添加图层 @@ -755,4 +771,5 @@ URL 必须包含占位符。 URL 模板 轨迹点 + Phone Settings diff --git a/mesh_service_example/src/main/res/values-ar-rSA/strings.xml b/mesh_service_example/src/main/res/values-ar-rSA/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-ar-rSA/strings.xml +++ b/mesh_service_example/src/main/res/values-ar-rSA/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml b/mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml +++ b/mesh_service_example/src/main/res/values-b+sr+Latn/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-bg-rBG/strings.xml b/mesh_service_example/src/main/res/values-bg-rBG/strings.xml index 9336d7fe4..bebf8fbdd 100644 --- a/mesh_service_example/src/main/res/values-bg-rBG/strings.xml +++ b/mesh_service_example/src/main/res/values-bg-rBG/strings.xml @@ -16,5 +16,6 @@ ~ along with this program. If not, see . --> + MeshServiceExample Изпратете съобщение за здравей diff --git a/mesh_service_example/src/main/res/values-ca-rES/strings.xml b/mesh_service_example/src/main/res/values-ca-rES/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-ca-rES/strings.xml +++ b/mesh_service_example/src/main/res/values-ca-rES/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-cs-rCZ/strings.xml b/mesh_service_example/src/main/res/values-cs-rCZ/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-cs-rCZ/strings.xml +++ b/mesh_service_example/src/main/res/values-cs-rCZ/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-el-rGR/strings.xml b/mesh_service_example/src/main/res/values-el-rGR/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-el-rGR/strings.xml +++ b/mesh_service_example/src/main/res/values-el-rGR/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-ga-rIE/strings.xml b/mesh_service_example/src/main/res/values-ga-rIE/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-ga-rIE/strings.xml +++ b/mesh_service_example/src/main/res/values-ga-rIE/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-gl-rES/strings.xml b/mesh_service_example/src/main/res/values-gl-rES/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-gl-rES/strings.xml +++ b/mesh_service_example/src/main/res/values-gl-rES/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-hr-rHR/strings.xml b/mesh_service_example/src/main/res/values-hr-rHR/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-hr-rHR/strings.xml +++ b/mesh_service_example/src/main/res/values-hr-rHR/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-ht-rHT/strings.xml b/mesh_service_example/src/main/res/values-ht-rHT/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-ht-rHT/strings.xml +++ b/mesh_service_example/src/main/res/values-ht-rHT/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-hu-rHU/strings.xml b/mesh_service_example/src/main/res/values-hu-rHU/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-hu-rHU/strings.xml +++ b/mesh_service_example/src/main/res/values-hu-rHU/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-is-rIS/strings.xml b/mesh_service_example/src/main/res/values-is-rIS/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-is-rIS/strings.xml +++ b/mesh_service_example/src/main/res/values-is-rIS/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-iw-rIL/strings.xml b/mesh_service_example/src/main/res/values-iw-rIL/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-iw-rIL/strings.xml +++ b/mesh_service_example/src/main/res/values-iw-rIL/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-ja-rJP/strings.xml b/mesh_service_example/src/main/res/values-ja-rJP/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-ja-rJP/strings.xml +++ b/mesh_service_example/src/main/res/values-ja-rJP/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-ko-rKR/strings.xml b/mesh_service_example/src/main/res/values-ko-rKR/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-ko-rKR/strings.xml +++ b/mesh_service_example/src/main/res/values-ko-rKR/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-lt-rLT/strings.xml b/mesh_service_example/src/main/res/values-lt-rLT/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-lt-rLT/strings.xml +++ b/mesh_service_example/src/main/res/values-lt-rLT/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-nl-rNL/strings.xml b/mesh_service_example/src/main/res/values-nl-rNL/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-nl-rNL/strings.xml +++ b/mesh_service_example/src/main/res/values-nl-rNL/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-no-rNO/strings.xml b/mesh_service_example/src/main/res/values-no-rNO/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-no-rNO/strings.xml +++ b/mesh_service_example/src/main/res/values-no-rNO/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-pl-rPL/strings.xml b/mesh_service_example/src/main/res/values-pl-rPL/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-pl-rPL/strings.xml +++ b/mesh_service_example/src/main/res/values-pl-rPL/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-pt-rPT/strings.xml b/mesh_service_example/src/main/res/values-pt-rPT/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-pt-rPT/strings.xml +++ b/mesh_service_example/src/main/res/values-pt-rPT/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-ro-rRO/strings.xml b/mesh_service_example/src/main/res/values-ro-rRO/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-ro-rRO/strings.xml +++ b/mesh_service_example/src/main/res/values-ro-rRO/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-sk-rSK/strings.xml b/mesh_service_example/src/main/res/values-sk-rSK/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-sk-rSK/strings.xml +++ b/mesh_service_example/src/main/res/values-sk-rSK/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-sl-rSI/strings.xml b/mesh_service_example/src/main/res/values-sl-rSI/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-sl-rSI/strings.xml +++ b/mesh_service_example/src/main/res/values-sl-rSI/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-sq-rAL/strings.xml b/mesh_service_example/src/main/res/values-sq-rAL/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-sq-rAL/strings.xml +++ b/mesh_service_example/src/main/res/values-sq-rAL/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-srp/strings.xml b/mesh_service_example/src/main/res/values-srp/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-srp/strings.xml +++ b/mesh_service_example/src/main/res/values-srp/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-sv-rSE/strings.xml b/mesh_service_example/src/main/res/values-sv-rSE/strings.xml index 10e8cb423..0d64afe21 100644 --- a/mesh_service_example/src/main/res/values-sv-rSE/strings.xml +++ b/mesh_service_example/src/main/res/values-sv-rSE/strings.xml @@ -16,5 +16,6 @@ ~ along with this program. If not, see . --> + MeshServiceExample Skicka Hej-meddelande diff --git a/mesh_service_example/src/main/res/values-tr-rTR/strings.xml b/mesh_service_example/src/main/res/values-tr-rTR/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-tr-rTR/strings.xml +++ b/mesh_service_example/src/main/res/values-tr-rTR/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + diff --git a/mesh_service_example/src/main/res/values-zh-rCN/strings.xml b/mesh_service_example/src/main/res/values-zh-rCN/strings.xml index 090f7e390..30fbd6de5 100644 --- a/mesh_service_example/src/main/res/values-zh-rCN/strings.xml +++ b/mesh_service_example/src/main/res/values-zh-rCN/strings.xml @@ -15,4 +15,7 @@ ~ You should have received a copy of the GNU General Public License ~ along with this program. If not, see . --> - + + MeshServiceExample + Send Hello Message + From 36159bec0513451074c14861b01fdd2a7cdaf9de Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Fri, 29 Aug 2025 18:11:04 -0500 Subject: [PATCH 13/21] chore(deps): group meshtastic protobuf updates (#2923) --- .github/renovate.json | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/.github/renovate.json b/.github/renovate.json index 583583ab8..ce4986c95 100644 --- a/.github/renovate.json +++ b/.github/renovate.json @@ -25,7 +25,9 @@ "matchPackageNames": [ "https://github.com/meshtastic/protobufs.git" ], - "changelogUrl": "https://github.com/meshtastic/protobufs/compare/{{currentDigest}}...{{newDigest}}" + "changelogUrl": "https://github.com/meshtastic/protobufs/compare/{{currentDigest}}...{{newDigest}}", + "groupName": "Meshtastic Protobufs", + "groupSlug": "meshtastic-protobufs" }, { "matchPackageNames": [ @@ -34,4 +36,4 @@ "changelogUrl": "https://github.com/meshtastic/design/compare/{{currentDigest}}...{{newDigest}}" } ] -} +} \ No newline at end of file From b2f34c9b6955bc911b878f76c6de49d9e0e9163f Mon Sep 17 00:00:00 2001 From: "renovate[bot]" <29139614+renovate[bot]@users.noreply.github.com> Date: Fri, 29 Aug 2025 23:20:48 +0000 Subject: [PATCH 14/21] chore(deps): update meshtastic protobufs to 4c4427c (#2924) Co-authored-by: renovate[bot] <29139614+renovate[bot]@users.noreply.github.com> --- app/src/main/proto | 2 +- mesh_service_example/src/main/proto | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/app/src/main/proto b/app/src/main/proto index 8985852d7..4c4427c4a 160000 --- a/app/src/main/proto +++ b/app/src/main/proto @@ -1 +1 @@ -Subproject commit 8985852d752de3f7210f9a4a3e0923120ec438b3 +Subproject commit 4c4427c4a73c86fed7dc8632188bb8be95349d81 diff --git a/mesh_service_example/src/main/proto b/mesh_service_example/src/main/proto index 8985852d7..4c4427c4a 160000 --- a/mesh_service_example/src/main/proto +++ b/mesh_service_example/src/main/proto @@ -1 +1 @@ -Subproject commit 8985852d752de3f7210f9a4a3e0923120ec438b3 +Subproject commit 4c4427c4a73c86fed7dc8632188bb8be95349d81 From 1e0b2f3e6c727e1f259a2ebca236b4ffb6b9d7c5 Mon Sep 17 00:00:00 2001 From: DaneEvans Date: Sat, 30 Aug 2025 10:18:01 +1000 Subject: [PATCH 15/21] Fix #2906 - remove Lora.ignore_incoming (#2925) --- .../common/components/EditListPreference.kt | 115 +++++++++--------- .../radio/components/LoRaConfigItemList.kt | 18 --- 2 files changed, 60 insertions(+), 73 deletions(-) diff --git a/app/src/main/java/com/geeksville/mesh/ui/common/components/EditListPreference.kt b/app/src/main/java/com/geeksville/mesh/ui/common/components/EditListPreference.kt index 9071c9bd1..d305a1d2e 100644 --- a/app/src/main/java/com/geeksville/mesh/ui/common/components/EditListPreference.kt +++ b/app/src/main/java/com/geeksville/mesh/ui/common/components/EditListPreference.kt @@ -61,55 +61,56 @@ inline fun EditListPreference( val listState = remember(list) { mutableStateListOf().apply { addAll(list) } } Column(modifier = modifier) { - Text( - modifier = modifier.padding(16.dp), - text = title, - style = MaterialTheme.typography.bodyMedium, - ) + Text(modifier = modifier.padding(16.dp), text = title, style = MaterialTheme.typography.bodyMedium) listState.forEachIndexed { index, value -> - val trailingIcon = @Composable { - IconButton( - onClick = { - focusManager.clearFocus() - listState.removeAt(index) - onValuesChanged(listState) + val trailingIcon = + @Composable { + IconButton( + onClick = { + focusManager.clearFocus() + listState.removeAt(index) + onValuesChanged(listState) + }, + ) { + Icon( + imageVector = Icons.TwoTone.Close, + contentDescription = stringResource(R.string.delete), + modifier = Modifier.wrapContentSize(), + ) } - ) { - Icon( - imageVector = Icons.TwoTone.Close, - contentDescription = stringResource(R.string.delete), - modifier = Modifier.wrapContentSize(), - ) } - } // handle lora.ignoreIncoming: List - if (value is Int) EditTextPreference( - title = "${index + 1}/$maxCount", - value = value, - enabled = enabled, - keyboardActions = keyboardActions, - onValueChanged = { - listState[index] = it as T - onValuesChanged(listState) - }, - modifier = modifier.fillMaxWidth(), - trailingIcon = trailingIcon, - ) + if (value is Int) { + EditTextPreference( + title = "${index + 1}/$maxCount", + value = value, + enabled = enabled, + keyboardActions = keyboardActions, + onValueChanged = { + listState[index] = it as T + onValuesChanged(listState) + }, + modifier = modifier.fillMaxWidth(), + trailingIcon = trailingIcon, + ) + } // handle security.adminKey: List - if (value is ByteString) EditBase64Preference( - title = "${index + 1}/$maxCount", - value = value, - enabled = enabled, - keyboardActions = keyboardActions, - onValueChange = { - listState[index] = it as T - onValuesChanged(listState) - }, - modifier = modifier.fillMaxWidth(), - trailingIcon = trailingIcon, - ) + if (value is ByteString) { + EditBase64Preference( + title = "${index + 1}/$maxCount", + value = value, + enabled = enabled, + keyboardActions = keyboardActions, + onValueChange = { + listState[index] = it as T + onValuesChanged(listState) + }, + modifier = modifier.fillMaxWidth(), + trailingIcon = trailingIcon, + ) + } // handle remoteHardware.availablePins: List if (value is RemoteHardwarePin) { @@ -131,9 +132,8 @@ inline fun EditListPreference( maxSize = 14, // name max_size:15 enabled = enabled, isError = false, - keyboardOptions = KeyboardOptions.Default.copy( - keyboardType = KeyboardType.Text, imeAction = ImeAction.Done - ), + keyboardOptions = + KeyboardOptions.Default.copy(keyboardType = KeyboardType.Text, imeAction = ImeAction.Done), keyboardActions = keyboardActions, onValueChanged = { listState[index] = value.copy { name = it } as T @@ -144,7 +144,8 @@ inline fun EditListPreference( DropDownPreference( title = stringResource(R.string.type), enabled = enabled, - items = RemoteHardwarePinType.entries + items = + RemoteHardwarePinType.entries .filter { it != RemoteHardwarePinType.UNRECOGNIZED } .map { it to it.name }, selectedItem = value.type, @@ -159,16 +160,19 @@ inline fun EditListPreference( modifier = Modifier.fillMaxWidth(), onClick = { // Add element based on the type T - val newElement = when (T::class) { - Int::class -> 0 as T - ByteString::class -> ByteString.EMPTY as T - RemoteHardwarePin::class -> remoteHardwarePin {} as T - else -> throw IllegalArgumentException("Unsupported type: ${T::class}") - } + val newElement = + when (T::class) { + Int::class -> 0 as T + ByteString::class -> ByteString.EMPTY as T + RemoteHardwarePin::class -> remoteHardwarePin {} as T + else -> throw IllegalArgumentException("Unsupported type: ${T::class}") + } listState.add(listState.size, newElement) }, enabled = maxCount > listState.size, - ) { Text(text = stringResource(R.string.add)) } + ) { + Text(text = stringResource(R.string.add)) + } } } @@ -177,7 +181,7 @@ inline fun EditListPreference( private fun EditListPreferencePreview() { Column { EditListPreference( - title = "Ignore incoming", + title = stringResource(R.string.ignore_incoming), list = listOf(12345, 67890), maxCount = 4, enabled = true, @@ -186,7 +190,8 @@ private fun EditListPreferencePreview() { ) EditListPreference( title = "Available pins", - list = listOf( + list = + listOf( remoteHardwarePin { gpioPin = 12 name = "Front door" diff --git a/app/src/main/java/com/geeksville/mesh/ui/settings/radio/components/LoRaConfigItemList.kt b/app/src/main/java/com/geeksville/mesh/ui/settings/radio/components/LoRaConfigItemList.kt index cce70e743..ce11624c7 100644 --- a/app/src/main/java/com/geeksville/mesh/ui/settings/radio/components/LoRaConfigItemList.kt +++ b/app/src/main/java/com/geeksville/mesh/ui/settings/radio/components/LoRaConfigItemList.kt @@ -42,7 +42,6 @@ import com.geeksville.mesh.model.Channel import com.geeksville.mesh.model.RegionInfo import com.geeksville.mesh.model.numChannels import com.geeksville.mesh.ui.common.components.DropDownPreference -import com.geeksville.mesh.ui.common.components.EditListPreference import com.geeksville.mesh.ui.common.components.EditTextPreference import com.geeksville.mesh.ui.common.components.PreferenceCategory import com.geeksville.mesh.ui.common.components.PreferenceFooter @@ -219,23 +218,6 @@ fun LoRaConfigItemList( } item { HorizontalDivider() } - item { - EditListPreference( - title = stringResource(R.string.ignore_incoming), - list = loraInput.ignoreIncomingList, - maxCount = 3, // ignore_incoming max_count:3 - enabled = enabled, - keyboardActions = KeyboardActions(onDone = { focusManager.clearFocus() }), - onValuesChanged = { list -> - loraInput = - loraInput.copy { - ignoreIncoming.clear() - ignoreIncoming.addAll(list.filter { it != 0 }) - } - }, - ) - } - item { SwitchPreference( title = stringResource(R.string.sx126x_rx_boosted_gain), From d0b2c7a532178de928f0f82d4cb8bdbc8fbf31cd Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Fri, 29 Aug 2025 21:30:08 -0500 Subject: [PATCH 16/21] chore: Scheduled updates (Firmware, Hardware) (#2926) Co-authored-by: github-merge-queue <118344674+github-merge-queue@users.noreply.github.com> --- app/src/main/assets/firmware_releases.json | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/app/src/main/assets/firmware_releases.json b/app/src/main/assets/firmware_releases.json index bd8ca321a..5dd6e77c0 100644 --- a/app/src/main/assets/firmware_releases.json +++ b/app/src/main/assets/firmware_releases.json @@ -38,6 +38,13 @@ } ], "alpha": [ + { + "id": "v2.7.7.5ae4ff9", + "title": "Meshtastic Firmware 2.7.7.5ae4ff9 Alpha", + "page_url": "https://github.com/meshtastic/firmware/releases/tag/v2.7.7.5ae4ff9", + "zip_url": "https://github.com/meshtastic/firmware/releases/download/v2.7.7.5ae4ff9/firmware-esp32-2.7.7.5ae4ff9.zip", + "release_notes": "## What's Changed\r\n* Only send Neighbours if we have some to send. by @fifieldt in https://github.com/meshtastic/firmware/pull/7493\r\n* Fix freetext hang by @thebentern in https://github.com/meshtastic/firmware/pull/7781\r\n* Update protobufs and classes by @github-actions[bot] in https://github.com/meshtastic/firmware/pull/7784\r\n* We don't gotTime if time is 2019. by @fifieldt in https://github.com/meshtastic/firmware/pull/7772\r\n* Can't trust RTCs to tell the time. by @fifieldt in https://github.com/meshtastic/firmware/pull/7779\r\n\r\n**Full Changelog**: https://github.com/meshtastic/firmware/compare/v2.7.6.834c3c5...v2.7.7.5ae4ff9" + }, { "id": "v2.7.6.834c3c5", "title": "Meshtastic Firmware 2.7.6.834c3c5 Alpha", @@ -177,13 +184,6 @@ "page_url": "https://github.com/meshtastic/firmware/releases/tag/v2.5.17.b4b2fd6", "zip_url": "https://github.com/meshtastic/firmware/releases/download/v2.5.17.b4b2fd6/firmware-esp32-2.5.17.b4b2fd6.zip", "release_notes": "## 🚀 Enhancements\r\n* Update OpenWRT_One_mikroBUS_sx1262.yaml by @markbirss in https://github.com/meshtastic/firmware/pull/5544\r\n* Add portduino-buildroot variant by @vidplace7 in https://github.com/meshtastic/firmware/pull/5540\r\n* Portduino-buildroot: Define C++ standard by @vidplace7 in https://github.com/meshtastic/firmware/pull/5547\r\n* DIO3_TCXO_VOLTAGE in config.yaml can now take an exact voltage by @jp-bennett in https://github.com/meshtastic/firmware/pull/5558\r\n* Support TLORA_V3.0 by @caveman99 in https://github.com/meshtastic/firmware/pull/5563\r\n* Create OpenWRT-One-mikroBUS-LR-IOT-CLICK.yaml by @markbirss in https://github.com/meshtastic/firmware/pull/5564\r\n* Add new endpoint to retrieve node info by @andrepcg in https://github.com/meshtastic/firmware/pull/5557\r\n* Add screen detection function by @Heltec-Aaron-Lee in https://github.com/meshtastic/firmware/pull/5533\r\n* Based default Node Names on NodeNum, rather than MAC address by @fifieldt in https://github.com/meshtastic/firmware/pull/5576\r\n* Define BUTTON_PIN as -1 for RP2040-lora by @fifieldt in https://github.com/meshtastic/firmware/pull/5574\r\n* StoreForward: (tapback) reply support by @GUVWAF in https://github.com/meshtastic/firmware/pull/5585\r\n* Added support for the LR1121 radio to the NRF52 Pro-Micro by @Nestpebble in https://github.com/meshtastic/firmware/pull/5515\r\n* Added product url by @WatskeBart in https://github.com/meshtastic/firmware/pull/5594\r\n* [T-Deck] Fixed the issue that some devices may experience low voltage… by @lewisxhe in https://github.com/meshtastic/firmware/pull/5607\r\n* Remove unnecessary memcpy for PKI crypto by @esev in https://github.com/meshtastic/firmware/pull/5608\r\n* Use IPAddress.fromString in MQTT.cpp for parsing private IPs by @esev in https://github.com/meshtastic/firmware/pull/5621\r\n* Use encoded ServiceEnvelope in mqttQueue by @esev in https://github.com/meshtastic/firmware/pull/5619\r\n* Ch341 by @jp-bennett in https://github.com/meshtastic/firmware/pull/5474\r\n* Add detection code for INA226 by @fifieldt in https://github.com/meshtastic/firmware/pull/5605\r\n* Check if MQTT remote IP is private by @esev in https://github.com/meshtastic/firmware/pull/5627\r\n\r\n## 🐛 Bug fixes and maintenance\r\n* Portduino-buildroot: Remove `pkg-config` optional libs by @vidplace7 in https://github.com/meshtastic/firmware/pull/5573\r\n* Portduino: Move meshtasticd/web out of /usr/share/doc/ by @vidplace7 in https://github.com/meshtastic/firmware/pull/5548\r\n* Portduino: fix transitional symlinks for /usr/share/doc/ by @vidplace7 in https://github.com/meshtastic/firmware/pull/5550\r\n* Cherry-pick: Windows Support - Trunk and Platformio (#5397) by @fifieldt in https://github.com/meshtastic/firmware/pull/5518\r\n* Synch minor changes from TFT branch by @fifieldt in https://github.com/meshtastic/firmware/pull/5520\r\n* Refactor MQTT::onReceive to reduce if/else nesting by @esev in https://github.com/meshtastic/firmware/pull/5592\r\n* Let RangeTest Module (RX) use Phone position if there's no GPS by @fifieldt in https://github.com/meshtastic/firmware/pull/5623\r\n* Separate host:port before checking for private IP by @esev in https://github.com/meshtastic/firmware/pull/5630\r\n* Clean up some straggler NRF52 json by @thebentern in https://github.com/meshtastic/firmware/pull/5628\r\n* Fix omission of AQ metrics by @thebentern in https://github.com/meshtastic/firmware/pull/5584\r\n* tlora_v2_1_16: Unset BUTTON_PIN and BUTTON_NEED_PULLUP by @ndoo in https://github.com/meshtastic/firmware/pull/5535\r\n* Fix detection for some RadSens hardware versions by @jake-b in https://github.com/meshtastic/firmware/pull/5542\r\n* Initialize dmac array to nulls by @jp-bennett in https://github.com/meshtastic/firmware/pull/5538\r\n* Portduino: fix setting `hwId` via argument by @GUVWAF in https://github.com/meshtastic/firmware/pull/5565\r\n* Add nugget and nibble boards for 38c3 by @caveman99 in https://github.com/meshtastic/firmware/pull/5609\r\n* Fix: Add libusb to dockerfile for ch341 by @thebentern in https://github.com/meshtastic/firmware/pull/5641\r\n* Portduino: specify C++ standard and link pthread by @GUVWAF in https://github.com/meshtastic/firmware/pull/5642\r\n* Separate host:port before checking for private IP (x2) by @esev in https://github.com/meshtastic/firmware/pull/5643\r\n* Update Femtofox configs by @noon92 in https://github.com/meshtastic/firmware/pull/5646\r\n* Detect charging status by measuring current flow with configured INA219 battery sensor by @nebman in https://github.com/meshtastic/firmware/pull/5271\r\n* Add NXP_SE050 detection by @jp-bennett in https://github.com/meshtastic/firmware/pull/5651\r\n* Check if MQTT remote IP is private by @esev in https://github.com/meshtastic/firmware/pull/5647\r\n* LIS3DH (WisMesh Pocket) - Honor Wake On Tap Or Motion by @fifieldt in https://github.com/meshtastic/firmware/pull/5625\r\n\r\n## New Contributors\r\n* @andrepcg made their first contribution in https://github.com/meshtastic/firmware/pull/5557\r\n* @WatskeBart made their first contribution in https://github.com/meshtastic/firmware/pull/5594\r\n* @esev made their first contribution in https://github.com/meshtastic/firmware/pull/5592\r\n* @nebman made their first contribution in https://github.com/meshtastic/firmware/pull/5271\r\n\r\n**Full Changelog**: https://github.com/meshtastic/firmware/compare/v2.5.16.f81d3b0...v2.5.17.b4b2fd6" - }, - { - "id": "v2.5.16.f81d3b0", - "title": "Meshtastic Firmware 2.5.16.f81d3b0 Alpha", - "page_url": "https://github.com/meshtastic/firmware/releases/tag/v2.5.16.f81d3b0", - "zip_url": "https://github.com/meshtastic/firmware/releases/download/v2.5.16.f81d3b0/firmware-esp32-2.5.16.f81d3b0.zip", - "release_notes": "## 🚀 Enhancements\r\n* Adds libusb dev package to Raspbian build steps by @jp-bennett in https://github.com/meshtastic/firmware/pull/5480\r\n* Update arduino-pico core and remove mDNS restriction by @GUVWAF in https://github.com/meshtastic/firmware/pull/5483\r\n* Update xiao_esp32 fully support L76K by @Dylanliacc in https://github.com/meshtastic/firmware/pull/5488\r\n* Convert userprefs to a json file instead of header file which has to be included everywhere by @thebentern in https://github.com/meshtastic/firmware/pull/5471\r\n* SimRadio: clean-up and emulate collisions by @GUVWAF in https://github.com/meshtastic/firmware/pull/5487\r\n* add nodeId to nodeinfo update log lines and removed redundant nodeinfo update log line by @rbrtio in https://github.com/meshtastic/firmware/pull/5493\r\n* Refactor the macro definition of GPS initialization of GPSDEFAULTD_NOT_PRESENT and added seeeed Indicator to this sequence by @Dylanliacc in https://github.com/meshtastic/firmware/pull/5494\r\n* Extend Length of Source and Destination Node IDs Logged by @rbrtio in https://github.com/meshtastic/firmware/pull/5492\r\n* Added femtofox configs by @noon92 in https://github.com/meshtastic/firmware/pull/5477\r\n* [Add] LR1110, LR1120 and LR1121 to linux native Portduino by @markbirss in https://github.com/meshtastic/firmware/pull/5496\r\n* Add popular nrf52 pro micro to the builds by @thebentern in https://github.com/meshtastic/firmware/pull/5523\r\n* Add MACAddress to config.yaml by @jp-bennett in https://github.com/meshtastic/firmware/pull/5506\r\n* Configure Seeed Xiao S3 RX enable pin by @mgranberry in https://github.com/meshtastic/firmware/pull/5517\r\n* Add OpenWRT One config.d files by @markbirss in https://github.com/meshtastic/firmware/pull/5529\r\n\r\n## 🐛 Bug fixes and maintenance\r\n* Fix minor typos in package workflows by @jp-bennett in https://github.com/meshtastic/firmware/pull/5505\r\n* Don't use channel index for encrypted packet by @GUVWAF in https://github.com/meshtastic/firmware/pull/5509\r\n* Always Announce MDNS meshtastic service by @broglep in https://github.com/meshtastic/firmware/pull/5503\r\n* Cherry-pick: fix nodeDB erase loop when free mem returns invalid value (0, -1). by @fifieldt in https://github.com/meshtastic/firmware/pull/5519\r\n* Portduino fixes by @jp-bennett in https://github.com/meshtastic/firmware/pull/5479\r\n\r\n## New Contributors\r\n* @noon92 made their first contribution in https://github.com/meshtastic/firmware/pull/5477\r\n* @broglep made their first contribution in https://github.com/meshtastic/firmware/pull/5503\r\n* @mgranberry made their first contribution in https://github.com/meshtastic/firmware/pull/5517\r\n\r\n**Full Changelog**: https://github.com/meshtastic/firmware/compare/v2.5.15.79da236...v2.5.16.f81d3b0" } ] }, From e03bd34ae528dac4dac60af59b071ce1d0002aca Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Fri, 29 Aug 2025 21:48:35 -0500 Subject: [PATCH 17/21] chore(deps): group all the things (#2928) Signed-off-by: James Rich <2199651+jamesarich@users.noreply.github.com> --- .github/renovate.json | 150 ++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 150 insertions(+) diff --git a/.github/renovate.json b/.github/renovate.json index ce4986c95..dc58ade32 100644 --- a/.github/renovate.json +++ b/.github/renovate.json @@ -34,6 +34,156 @@ "https://github.com/meshtastic/design.git" ], "changelogUrl": "https://github.com/meshtastic/design/compare/{{currentDigest}}...{{newDigest}}" + }, + { + "description": "Group all AndroidX dependencies (excluding more specific AndroidX groups)", + "matchPackagePatterns": ["^androidx\\."], + "excludePackagePatterns": [ + "^androidx\\.room", + "^androidx\\.lifecycle", + "^androidx\\.navigation", + "^androidx\\.datastore", + "^androidx\\.compose\\.material3\\.adaptive", + "^androidx\\.compose\\.material3:material3-adaptive-navigation-suite$", + "^androidx\\.test\\.espresso", + "^androidx\\.test\\.ext", + "^androidx\\.compose\\.ui:ui-test-junit4$", + "^androidx\\.hilt" + ], + "groupName": "AndroidX (General)", + "groupSlug": "androidx-general" + }, + { + "description": "Group Kotlin standard library, coroutines, and serialization", + "matchPackagePatterns": ["^org\\.jetbrains\\.kotlin", "^org\\.jetbrains\\.kotlinx"], + "groupName": "Kotlin Ecosystem", + "groupSlug": "kotlin" + }, + { + "description": "Group Dagger and Hilt dependencies", + "matchPackagePatterns": ["^com\\.google\\.dagger", "^androidx\\.hilt"], + "groupName": "Dagger & Hilt", + "groupSlug": "hilt" + }, + { + "description": "Group Accompanist libraries", + "matchPackagePatterns": ["^com\\.google\\.accompanist"], + "groupName": "Accompanist", + "groupSlug": "accompanist" + }, + { + "description": "Group JVM testing libraries (JUnit, Mockito, Robolectric)", + "matchPackagePatterns": [ + "^junit:junit$", + "^org\\.mockito:", + "^org\\.robolectric:robolectric$" + ], + "groupName": "JVM Testing Libraries", + "groupSlug": "jvm-testing" + }, + { + "description": "Group AndroidX Testing libraries", + "matchPackagePatterns": [ + "^androidx\\.test\\.espresso", + "^androidx\\.test\\.ext", + "^androidx\\.compose\\.ui:ui-test-junit4$" + ], + "groupName": "AndroidX Testing", + "groupSlug": "androidx-testing" + }, + { + "description": "Group Square networking libraries (OkHttp, Retrofit)", + "matchPackagePatterns": ["^com\\.squareup\\.okhttp3", "^com\\.squareup\\.retrofit2"], + "groupName": "Square Networking", + "groupSlug": "square-network" + }, + { + "description": "Group Coil image loading library", + "matchPackagePatterns": ["^io\\.coil-kt\\.coil3"], + "groupName": "Coil", + "groupSlug": "coil" + }, + { + "description": "Group ZXing barcode scanning libraries", + "matchPackagePatterns": ["^com\\.journeyapps:zxing-android-embedded", "^com\\.google\\.zxing:core"], + "groupName": "ZXing", + "groupSlug": "zxing" + }, + { + "description": "Group Eclipse Paho MQTT client libraries", + "matchPackagePatterns": ["^org\\.eclipse\\.paho"], + "groupName": "MQTT Paho Client", + "groupSlug": "mqtt-paho" + }, + { + "description": "Group Mike Penz Markdown renderer libraries", + "matchPackagePatterns": ["^com\\.mikepenz"], + "groupName": "Markdown Renderer (Mike Penz)", + "groupSlug": "markdown-renderer-mikepenz" + }, + { + "description": "Group Firebase libraries", + "matchPackagePatterns": ["^com\\.google\\.firebase"], + "groupName": "Firebase", + "groupSlug": "firebase" + }, + { + "description": "Group Datadog libraries", + "matchPackagePatterns": ["^com\\.datadoghq"], + "groupName": "Datadog", + "groupSlug": "datadog" + }, + { + "description": "Group OpenStreetMap (OSM) libraries", + "matchPackagePatterns": ["^org\\.osmdroid", "^com\\.github\\.MKergall\\.osmbonuspack", "^mil\\.nga"], + "groupName": "OSM Libraries", + "groupSlug": "osm-libraries" + }, + { + "description": "Group Google Maps Compose libraries", + "matchPackagePatterns": ["^com\\.google\\.android\\.gms:play-services-location", "^com\\.google\\.maps\\.android"], + "groupName": "Google Maps Compose", + "groupSlug": "google-maps-compose" + }, + { + "description": "Group Google Protobuf runtime libraries", + "matchPackagePatterns": ["^com\\.google\\.protobuf"], + "excludePackageNames": ["https://github.com/meshtastic/protobufs.git"], + "groupName": "Protobuf Runtime", + "groupSlug": "protobuf-runtime" + }, + { + "description": "Group AndroidX Room libraries", + "matchPackagePatterns": ["^androidx\\.room"], + "groupName": "AndroidX Room", + "groupSlug": "androidx-room" + }, + { + "description": "Group AndroidX Lifecycle libraries", + "matchPackagePatterns": ["^androidx\\.lifecycle"], + "groupName": "AndroidX Lifecycle", + "groupSlug": "androidx-lifecycle" + }, + { + "description": "Group AndroidX Navigation libraries", + "matchPackagePatterns": ["^androidx\\.navigation"], + "groupName": "AndroidX Navigation", + "groupSlug": "androidx-navigation" + }, + { + "description": "Group AndroidX DataStore libraries", + "matchPackagePatterns": ["^androidx\\.datastore"], + "groupName": "AndroidX DataStore", + "groupSlug": "androidx-datastore" + }, + { + "description": "Group AndroidX Adaptive UI libraries", + "matchPackagePatterns": [ + "^androidx\\.compose\\.material3\\.adaptive", + "^androidx\\.compose\\.material3:material3-adaptive-navigation-suite$" + ], + "groupName": "AndroidX Adaptive UI", + "groupSlug": "androidx-adaptive-ui" } ] } \ No newline at end of file From f8377589aa7043fe01295eb7d54ec4762a07416b Mon Sep 17 00:00:00 2001 From: DaneEvans Date: Sat, 30 Aug 2025 13:00:51 +1000 Subject: [PATCH 18/21] Fix #2918 crash on hw model (#2927) --- .../geeksville/mesh/model/MetricsViewModel.kt | 5 +- .../java/com/geeksville/mesh/model/UIState.kt | 5 +- .../mesh/util/HardwareModelExtensions.kt | 52 +++++++++++++++++++ 3 files changed, 59 insertions(+), 3 deletions(-) create mode 100644 app/src/main/java/com/geeksville/mesh/util/HardwareModelExtensions.kt diff --git a/app/src/main/java/com/geeksville/mesh/model/MetricsViewModel.kt b/app/src/main/java/com/geeksville/mesh/model/MetricsViewModel.kt index 560691acc..c88ee607f 100644 --- a/app/src/main/java/com/geeksville/mesh/model/MetricsViewModel.kt +++ b/app/src/main/java/com/geeksville/mesh/model/MetricsViewModel.kt @@ -47,6 +47,7 @@ import com.geeksville.mesh.repository.api.DeviceHardwareRepository import com.geeksville.mesh.repository.api.FirmwareReleaseRepository import com.geeksville.mesh.repository.datastore.RadioConfigRepository import com.geeksville.mesh.service.ServiceAction +import com.geeksville.mesh.util.safeNumber import dagger.hilt.android.lifecycle.HiltViewModel import kotlinx.coroutines.flow.MutableStateFlow import kotlinx.coroutines.flow.StateFlow @@ -261,7 +262,9 @@ constructor( // Create a fallback node if not found in database (for hidden clients, etc.) val actualNode = node ?: createFallbackNode(destNum) val deviceHardware = - actualNode.user.hwModel.number.let { deviceHardwareRepository.getDeviceHardwareByModel(it) } + actualNode.user.hwModel.safeNumber().let { + deviceHardwareRepository.getDeviceHardwareByModel(it) + } _state.update { state -> state.copy( node = actualNode, diff --git a/app/src/main/java/com/geeksville/mesh/model/UIState.kt b/app/src/main/java/com/geeksville/mesh/model/UIState.kt index 488be641b..ea1d2e328 100644 --- a/app/src/main/java/com/geeksville/mesh/model/UIState.kt +++ b/app/src/main/java/com/geeksville/mesh/model/UIState.kt @@ -67,6 +67,7 @@ import com.geeksville.mesh.ui.common.components.MainMenuAction import com.geeksville.mesh.ui.node.components.NodeMenuAction import com.geeksville.mesh.util.getShortDate import com.geeksville.mesh.util.positionToMeter +import com.geeksville.mesh.util.safeNumber import dagger.hilt.android.lifecycle.HiltViewModel import kotlinx.coroutines.Dispatchers import kotlinx.coroutines.flow.Flow @@ -228,8 +229,8 @@ constructor( val deviceHardware: StateFlow = ourNodeInfo .mapNotNull { nodeInfo -> - nodeInfo?.user?.hwModel?.let { - deviceHardwareRepository.getDeviceHardwareByModel(it.number).getOrNull() + nodeInfo?.user?.hwModel?.let { hwModel -> + deviceHardwareRepository.getDeviceHardwareByModel(hwModel.safeNumber()).getOrNull() } } .stateIn(scope = viewModelScope, started = SharingStarted.WhileSubscribed(5_000), initialValue = null) diff --git a/app/src/main/java/com/geeksville/mesh/util/HardwareModelExtensions.kt b/app/src/main/java/com/geeksville/mesh/util/HardwareModelExtensions.kt new file mode 100644 index 000000000..be66eaaf2 --- /dev/null +++ b/app/src/main/java/com/geeksville/mesh/util/HardwareModelExtensions.kt @@ -0,0 +1,52 @@ +/* + * Copyright (c) 2025 Meshtastic LLC + * + * This program is free software: you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation, either version 3 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program. If not, see . + */ + +package com.geeksville.mesh.util + +import com.geeksville.mesh.MeshProtos +import com.geeksville.mesh.android.BuildUtils.warn + +/** + * Safely extracts the hardware model number from a HardwareModel enum. + * + * This function handles unknown enum values gracefully by catching IllegalArgumentException and returning a fallback + * value. This prevents crashes when the app receives data from devices with hardware models not yet defined in the + * current protobuf version. + * + * @param fallbackValue The value to return if the enum is unknown (defaults to 0 for UNSET) + * @return The hardware model number, or the fallback value if the enum is unknown + */ +@Suppress("detekt:SwallowedException") +fun MeshProtos.HardwareModel.safeNumber(fallbackValue: Int = -1): Int = try { + this.number +} catch (e: IllegalArgumentException) { + warn("Unknown hardware model enum value: $this, using fallback value: $fallbackValue") + fallbackValue +} + +/** + * Checks if the hardware model is a known/supported value. + * + * @return true if the hardware model is known and supported, false otherwise + */ +@Suppress("detekt:SwallowedException") +fun MeshProtos.HardwareModel.isKnown(): Boolean = try { + this.number + true +} catch (e: IllegalArgumentException) { + false +} From 4dce566519f5111097df46deb4f167a8c0dfb90c Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Sat, 30 Aug 2025 01:15:00 -0500 Subject: [PATCH 19/21] New Crowdin updates (#2929) --- app/src/main/res/values-zh-rTW/strings.xml | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml index 4a85a77bf..47762b600 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -442,7 +442,7 @@ 忽略來訊 SX126X 接收增益提升 複寫頻率(MHz) - 不使用PA风扇 + 停用PA風扇 無視MQTT 將消息轉發至MQTT MQTT配置 @@ -456,10 +456,10 @@ 根話題 啟用對客戶端的代理 地圖報告 - 地圖報告間隔(毫秒) + 地圖報告間隔(秒) 鄰居資訊配置 啟用鄰居資訊 - 更新間隔(毫秒) + 更新間隔(秒) 通過Lora無線電傳輸 網路配置 啟用WiFi @@ -503,7 +503,7 @@ 電池 INA_2XX I2C 地址 範圍測試設定 啟用範圍測試 - 訊息發送間隔(秒) + 訊息發送間隔(秒) 將 .CSV 保存到內部儲存空間(僅限ESP32) 遠端硬體設定 啟動遠端硬體 From 39bb59786035b7e6cb36974124252796e03d4ecc Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Sun, 31 Aug 2025 20:34:41 -0500 Subject: [PATCH 20/21] New Crowdin updates (#2937) --- app/src/main/res/values-bg-rBG/strings.xml | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/app/src/main/res/values-bg-rBG/strings.xml b/app/src/main/res/values-bg-rBG/strings.xml index e98590a37..8169d01a7 100644 --- a/app/src/main/res/values-bg-rBG/strings.xml +++ b/app/src/main/res/values-bg-rBG/strings.xml @@ -32,7 +32,7 @@ Последно чут с MQTT с MQTT - чрез Любим + чрез любим Игнорирани възли Неразпознат Изчакване за потвърждение @@ -83,7 +83,7 @@ Изпрати Все още не сте сдвоили радио, съвместимо с Meshtastic, с този телефон. Моля, сдвоете устройство и задайте вашето потребителско име.\n\nТова приложение с отворен код е в процес на разработка, ако откриете проблеми, моля, публикувайте в нашия форум: https://github.com/orgs/meshtastic/discussions\n\nЗа повече информация вижте нашата уеб страница на адрес www.meshtastic.org. Вие - Allow analytics and crash reporting. + Разрешаване на анализи и докладване за сривове. Приеми Отказ Изчистване на промените @@ -240,7 +240,7 @@ Влажност Температура на почвата Влажност на почвата - Журнали + записа Брой отскоци Брой отскоци: %1$d Информация @@ -266,7 +266,7 @@ Журнал на позициите Последна актуализация на позицията Журнал на показателите на околната среда - Signal Metrics Log + Журнал на показателите на сигнала Администриране Отдалечено администриране Лош @@ -279,8 +279,8 @@ Traceroute Log Директно - 1 хоп - %d хопа + 1 отскок + %d отскока Отскоци към %1$d Отскоци на връщане %2$d 24Ч @@ -487,7 +487,7 @@ Геогр. ширина Геогр. дължина Надм. височина (метри) - Set from current phone location + Зададено от текущото местоположение на телефона Режим на GPS Интервал на актуализиране на GPS (секунди) Redefine GPS_RX_PIN @@ -563,7 +563,7 @@ Качество на въздуха на закрито (IAQ) URL - Конфигуриране на конфигурацията + Импортиране на конфигурацията Експортиране на конфигурацията Хардуер Поддържан @@ -772,5 +772,5 @@ URL must contain placeholders. Шаблон за URL track point - Phone Settings + Настройки на телефона From 2fed2a0d155b84190f1dfaca8da6c212a62672db Mon Sep 17 00:00:00 2001 From: James Rich <2199651+jamesarich@users.noreply.github.com> Date: Mon, 1 Sep 2025 21:10:18 -0500 Subject: [PATCH 21/21] chore: Scheduled updates (Firmware, Hardware) (#2940) Co-authored-by: github-merge-queue <118344674+github-merge-queue@users.noreply.github.com> --- app/src/main/assets/firmware_releases.json | 6 ------ 1 file changed, 6 deletions(-) diff --git a/app/src/main/assets/firmware_releases.json b/app/src/main/assets/firmware_releases.json index 5dd6e77c0..aa7128820 100644 --- a/app/src/main/assets/firmware_releases.json +++ b/app/src/main/assets/firmware_releases.json @@ -193,12 +193,6 @@ "title": "the original ZPS module from https://github.com/a-f-G-U-C/Meshtastic-ZPS", "page_url": "https://github.com/meshtastic/firmware/pull/7658", "zip_url": "https://github.com/meshtastic/firmware/actions/runs/17074730483" - }, - { - "id": "7583", - "title": "Update meshtastic/web to v2.6.6", - "page_url": "https://github.com/meshtastic/firmware/pull/7583", - "zip_url": "https://github.com/meshtastic/firmware/actions/runs/17070663764" } ] } \ No newline at end of file