Merge pull request from Heap-Hop/master

Update flutter & mobile
This commit is contained in:
RustDesk 2022-09-26 13:16:05 +08:00 committed by GitHub
commit 0589f5ae9a
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
32 changed files with 368 additions and 213 deletions

@ -130,9 +130,10 @@ class MyTheme {
backgroundColor: Color(0xFFFFFFFF), backgroundColor: Color(0xFFFFFFFF),
scaffoldBackgroundColor: Color(0xFFEEEEEE), scaffoldBackgroundColor: Color(0xFFEEEEEE),
textTheme: const TextTheme( textTheme: const TextTheme(
titleLarge: TextStyle(fontSize: 19, color: Colors.black87), titleLarge: TextStyle(fontSize: 19, color: Colors.black87),
bodySmall: bodySmall: TextStyle(fontSize: 12, color: Colors.black54, height: 1.25),
TextStyle(fontSize: 12, color: Colors.black54, height: 1.25)), bodyMedium: TextStyle(fontSize: 14, color: Colors.black54, height: 1.25),
),
hintColor: Color(0xFFAAAAAA), hintColor: Color(0xFFAAAAAA),
primarySwatch: Colors.blue, primarySwatch: Colors.blue,
visualDensity: VisualDensity.adaptivePlatformDensity, visualDensity: VisualDensity.adaptivePlatformDensity,
@ -159,7 +160,8 @@ class MyTheme {
scaffoldBackgroundColor: Color(0xFF141414), scaffoldBackgroundColor: Color(0xFF141414),
textTheme: const TextTheme( textTheme: const TextTheme(
titleLarge: TextStyle(fontSize: 19), titleLarge: TextStyle(fontSize: 19),
bodySmall: TextStyle(fontSize: 12, height: 1.25)), bodySmall: TextStyle(fontSize: 12, height: 1.25),
bodyMedium: TextStyle(fontSize: 14, height: 1.25)),
cardColor: Color(0xFF252525), cardColor: Color(0xFF252525),
primarySwatch: Colors.blue, primarySwatch: Colors.blue,
visualDensity: VisualDensity.adaptivePlatformDensity, visualDensity: VisualDensity.adaptivePlatformDensity,

@ -72,3 +72,86 @@ void changeIdDialog() {
); );
}); });
} }
void changeWhiteList({Function()? callback}) async {
var newWhiteList = (await bind.mainGetOption(key: 'whitelist')).split(',');
var newWhiteListField = newWhiteList.join('\n');
var controller = TextEditingController(text: newWhiteListField);
var msg = "";
var isInProgress = false;
gFFI.dialogManager.show((setState, close) {
return CustomAlertDialog(
title: Text(translate("IP Whitelisting")),
content: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(translate("whitelist_sep")),
const SizedBox(
height: 8.0,
),
Row(
children: [
Expanded(
child: TextField(
maxLines: null,
decoration: InputDecoration(
border: const OutlineInputBorder(),
errorText: msg.isEmpty ? null : translate(msg),
),
controller: controller,
focusNode: FocusNode()..requestFocus()),
),
],
),
const SizedBox(
height: 4.0,
),
Offstage(
offstage: !isInProgress, child: const LinearProgressIndicator())
],
),
actions: [
TextButton(onPressed: close, child: Text(translate("Cancel"))),
TextButton(
onPressed: () async {
await bind.mainSetOption(key: 'whitelist', value: '');
callback?.call();
close();
},
child: Text(translate("Clear"))),
TextButton(
onPressed: () async {
setState(() {
msg = "";
isInProgress = true;
});
newWhiteListField = controller.text.trim();
var newWhiteList = "";
if (newWhiteListField.isEmpty) {
// pass
} else {
final ips =
newWhiteListField.trim().split(RegExp(r"[\s,;\n]+"));
// test ip
final ipMatch = RegExp(r"^\d+\.\d+\.\d+\.\d+$");
for (final ip in ips) {
if (!ipMatch.hasMatch(ip)) {
msg = "${translate("Invalid IP")} $ip";
setState(() {
isInProgress = false;
});
return;
}
}
newWhiteList = ips.join(',');
}
await bind.mainSetOption(key: 'whitelist', value: newWhiteList);
callback?.call();
close();
},
child: Text(translate("OK"))),
],
onCancel: close,
);
});
}

@ -74,9 +74,12 @@ class _PeerCardState extends State<_PeerCard>
_showPeerMenu(peer.id); _showPeerMenu(peer.id);
}, },
child: ListTile( child: ListTile(
contentPadding: const EdgeInsets.only(left: 12), contentPadding: const EdgeInsets.only(left: 12), //
subtitle: Text('${peer.username}@${peer.hostname}'), subtitle: Text('${peer.username}@${peer.hostname}'),
title: Text(peer.alias.isEmpty ? formatID(peer.id) : peer.alias), title: Row(children: [
getOnline(4, peer.online),
Text(peer.alias.isEmpty ? formatID(peer.id) : peer.alias)
]),
leading: Container( leading: Container(
decoration: BoxDecoration( decoration: BoxDecoration(
color: str2color('${peer.id}${peer.platform}', 0x7f), color: str2color('${peer.id}${peer.platform}', 0x7f),
@ -160,7 +163,7 @@ class _PeerCardState extends State<_PeerCard>
child: Column( child: Column(
children: [ children: [
Row(children: [ Row(children: [
getOnline(4, peer.online), getOnline(8, peer.online),
Expanded( Expanded(
child: Text( child: Text(
alias.isEmpty ? formatID(peer.id) : alias, alias.isEmpty ? formatID(peer.id) : alias,
@ -252,7 +255,7 @@ class _PeerCardState extends State<_PeerCard>
children: [ children: [
Expanded( Expanded(
child: Row(children: [ child: Row(children: [
getOnline(4, peer.online), getOnline(8, peer.online),
Expanded( Expanded(
child: Text( child: Text(
peer.alias.isEmpty ? formatID(peer.id) : peer.alias, peer.alias.isEmpty ? formatID(peer.id) : peer.alias,
@ -494,7 +497,8 @@ abstract class BasePeerCard extends StatelessWidget {
@protected @protected
MenuEntryBase<String> _removeAction( MenuEntryBase<String> _removeAction(
String id, Future<void> Function() reloadFunc) { String id, Future<void> Function() reloadFunc,
{bool isLan = false}) {
return MenuEntryButton<String>( return MenuEntryButton<String>(
childBuilder: (TextStyle? style) => Text( childBuilder: (TextStyle? style) => Text(
translate('Remove'), translate('Remove'),
@ -502,7 +506,11 @@ abstract class BasePeerCard extends StatelessWidget {
), ),
proc: () { proc: () {
() async { () async {
await bind.mainRemovePeer(id: id); if (isLan) {
// TODO
} else {
await bind.mainRemovePeer(id: id);
}
removePreference(id); removePreference(id);
await reloadFunc(); await reloadFunc();
}(); }();
@ -656,7 +664,9 @@ class RecentPeerCard extends BasePeerCard {
menuItems.add(_removeAction(peer.id, () async { menuItems.add(_removeAction(peer.id, () async {
await bind.mainLoadRecentPeers(); await bind.mainLoadRecentPeers();
})); }));
menuItems.add(_unrememberPasswordAction(peer.id)); if (await bind.mainPeerHasPassword(id: peer.id)) {
menuItems.add(_unrememberPasswordAction(peer.id));
}
menuItems.add(_addFavAction(peer.id)); menuItems.add(_addFavAction(peer.id));
return menuItems; return menuItems;
} }
@ -686,7 +696,9 @@ class FavoritePeerCard extends BasePeerCard {
menuItems.add(_removeAction(peer.id, () async { menuItems.add(_removeAction(peer.id, () async {
await bind.mainLoadFavPeers(); await bind.mainLoadFavPeers();
})); }));
menuItems.add(_unrememberPasswordAction(peer.id)); if (await bind.mainPeerHasPassword(id: peer.id)) {
menuItems.add(_unrememberPasswordAction(peer.id));
}
menuItems.add(_rmFavAction(peer.id, () async { menuItems.add(_rmFavAction(peer.id, () async {
await bind.mainLoadFavPeers(); await bind.mainLoadFavPeers();
})); }));
@ -714,8 +726,7 @@ class DiscoveredPeerCard extends BasePeerCard {
} }
menuItems.add(_wolAction(peer.id)); menuItems.add(_wolAction(peer.id));
menuItems.add(MenuEntryDivider()); menuItems.add(MenuEntryDivider());
menuItems.add(_renameAction(peer.id, false)); menuItems.add(_removeAction(peer.id, () async {}));
menuItems.add(_unrememberPasswordAction(peer.id));
return menuItems; return menuItems;
} }
} }
@ -742,8 +753,9 @@ class AddressBookPeerCard extends BasePeerCard {
menuItems.add(MenuEntryDivider()); menuItems.add(MenuEntryDivider());
menuItems.add(_renameAction(peer.id, false)); menuItems.add(_renameAction(peer.id, false));
menuItems.add(_removeAction(peer.id, () async {})); menuItems.add(_removeAction(peer.id, () async {}));
menuItems.add(_unrememberPasswordAction(peer.id)); if (await bind.mainPeerHasPassword(id: peer.id)) {
menuItems.add(_addFavAction(peer.id)); menuItems.add(_unrememberPasswordAction(peer.id));
}
menuItems.add(_editTagAction(peer.id)); menuItems.add(_editTagAction(peer.id));
return menuItems; return menuItems;
} }
@ -751,7 +763,8 @@ class AddressBookPeerCard extends BasePeerCard {
@protected @protected
@override @override
MenuEntryBase<String> _removeAction( MenuEntryBase<String> _removeAction(
String id, Future<void> Function() reloadFunc) { String id, Future<void> Function() reloadFunc,
{bool isLan = false}) {
return MenuEntryButton<String>( return MenuEntryButton<String>(
childBuilder: (TextStyle? style) => Text( childBuilder: (TextStyle? style) => Text(
translate('Remove'), translate('Remove'),
@ -987,12 +1000,12 @@ void _rdpDialog(String id) async {
}); });
} }
Widget getOnline(int rightMargin, bool online) { Widget getOnline(double rightPadding, bool online) {
return Tooltip( return Tooltip(
message: translate(online ? 'Online' : 'Offline'), message: translate(online ? 'Online' : 'Offline'),
waitDuration: const Duration(seconds: 1), waitDuration: const Duration(seconds: 1),
child: Padding( child: Padding(
padding: const EdgeInsets.fromLTRB(0, 4, 8, 4), padding: EdgeInsets.fromLTRB(0, 4, rightPadding, 4),
child: CircleAvatar( child: CircleAvatar(
radius: 3, backgroundColor: online ? Colors.green : kColorWarn))); radius: 3, backgroundColor: online ? Colors.green : kColorWarn)));
} }

@ -1320,91 +1320,6 @@ void changeServer() async {
}); });
} }
void changeWhiteList({Function()? callback}) async {
Map<String, dynamic> oldOptions = jsonDecode(await bind.mainGetOptions());
var newWhiteList = ((oldOptions['whitelist'] ?? "") as String).split(',');
var newWhiteListField = newWhiteList.join('\n');
var controller = TextEditingController(text: newWhiteListField);
var msg = "";
var isInProgress = false;
gFFI.dialogManager.show((setState, close) {
return CustomAlertDialog(
title: Text(translate("IP Whitelisting")),
content: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(translate("whitelist_sep")),
const SizedBox(
height: 8.0,
),
Row(
children: [
Expanded(
child: TextField(
maxLines: null,
decoration: InputDecoration(
border: const OutlineInputBorder(),
errorText: msg.isEmpty ? null : translate(msg),
),
controller: controller,
focusNode: FocusNode()..requestFocus()),
),
],
),
const SizedBox(
height: 4.0,
),
Offstage(
offstage: !isInProgress, child: const LinearProgressIndicator())
],
),
actions: [
TextButton(onPressed: close, child: Text(translate("Cancel"))),
TextButton(
onPressed: () async {
await bind.mainSetOption(key: 'whitelist', value: '');
callback?.call();
close();
},
child: Text(translate("Clear"))),
TextButton(
onPressed: () async {
setState(() {
msg = "";
isInProgress = true;
});
newWhiteListField = controller.text.trim();
var newWhiteList = "";
if (newWhiteListField.isEmpty) {
// pass
} else {
final ips =
newWhiteListField.trim().split(RegExp(r"[\s,;\n]+"));
// test ip
final ipMatch = RegExp(r"^\d+\.\d+\.\d+\.\d+$");
for (final ip in ips) {
if (!ipMatch.hasMatch(ip)) {
msg = "${translate("Invalid IP")} $ip";
setState(() {
isInProgress = false;
});
return;
}
}
newWhiteList = ips.join(',');
}
oldOptions['whitelist'] = newWhiteList;
await bind.mainSetOptions(json: jsonEncode(oldOptions));
callback?.call();
close();
},
child: Text(translate("OK"))),
],
onCancel: close,
);
});
}
void changeSocks5Proxy() async { void changeSocks5Proxy() async {
var socks = await bind.mainGetSocks(); var socks = await bind.mainGetSocks();

@ -334,9 +334,12 @@ class PermissionRow extends StatelessWidget {
fit: BoxFit.scaleDown, fit: BoxFit.scaleDown,
alignment: Alignment.centerLeft, alignment: Alignment.centerLeft,
child: Text(name, child: Text(name,
style: const TextStyle( style: TextStyle(
fontSize: 16.0, fontSize: 16.0,
fontWeight: FontWeight.bold, fontWeight:
Theme.of(context).brightness == Brightness.dark
? FontWeight.bold
: null,
color: MyTheme.accent80)))), color: MyTheme.accent80)))),
Expanded( Expanded(
flex: 2, flex: 2,
@ -409,7 +412,9 @@ class ConnectionManager extends StatelessWidget {
? const SizedBox.shrink() ? const SizedBox.shrink()
: Text( : Text(
translate("android_new_connection_tip"), translate("android_new_connection_tip"),
style: const TextStyle(color: Colors.black54), style: Theme.of(globalKey.currentContext!)
.textTheme
.bodyMedium,
), ),
client.authorized client.authorized
? ElevatedButton.icon( ? ElevatedButton.icon(

@ -2,12 +2,14 @@ import 'dart:async';
import 'dart:convert'; import 'dart:convert';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:get/get.dart';
import 'package:http/http.dart' as http; import 'package:http/http.dart' as http;
import 'package:provider/provider.dart'; import 'package:provider/provider.dart';
import 'package:settings_ui/settings_ui.dart'; import 'package:settings_ui/settings_ui.dart';
import 'package:url_launcher/url_launcher.dart'; import 'package:url_launcher/url_launcher.dart';
import '../../common.dart'; import '../../common.dart';
import '../../common/widgets/dialog.dart';
import '../../models/model.dart'; import '../../models/model.dart';
import '../../models/platform_model.dart'; import '../../models/platform_model.dart';
import '../widgets/dialog.dart'; import '../widgets/dialog.dart';
@ -32,6 +34,8 @@ const url = 'https://rustdesk.com/';
final _hasIgnoreBattery = androidVersion >= 26; final _hasIgnoreBattery = androidVersion >= 26;
var _ignoreBatteryOpt = false; var _ignoreBatteryOpt = false;
var _enableAbr = false; var _enableAbr = false;
var _denyLANDiscovery = false;
var _onlyWhiteList = false;
class _SettingsState extends State<SettingsPage> with WidgetsBindingObserver { class _SettingsState extends State<SettingsPage> with WidgetsBindingObserver {
String? username; String? username;
@ -59,6 +63,20 @@ class _SettingsState extends State<SettingsPage> with WidgetsBindingObserver {
_enableAbr = enableAbrRes; _enableAbr = enableAbrRes;
} }
final denyLanDiscovery = !option2bool('enable-lan-discovery',
await bind.mainGetOption(key: 'enable-lan-discovery'));
if (denyLanDiscovery != _denyLANDiscovery) {
update = true;
_denyLANDiscovery = denyLanDiscovery;
}
final onlyWhiteList =
(await bind.mainGetOption(key: 'whitelist')).isNotEmpty;
if (onlyWhiteList != _onlyWhiteList) {
update = true;
_onlyWhiteList = onlyWhiteList;
}
if (update) { if (update) {
setState(() {}); setState(() {});
} }
@ -99,14 +117,55 @@ class _SettingsState extends State<SettingsPage> with WidgetsBindingObserver {
SettingsTile.switchTile( SettingsTile.switchTile(
title: Text('${translate('Adaptive Bitrate')} (beta)'), title: Text('${translate('Adaptive Bitrate')} (beta)'),
initialValue: _enableAbr, initialValue: _enableAbr,
onToggle: (v) { onToggle: (v) async {
bind.mainSetOption(key: "enable-abr", value: v ? "" : "N"); await bind.mainSetOption(key: "enable-abr", value: v ? "" : "N");
final newValue = await bind.mainGetOption(key: "enable-abr") != "N";
setState(() { setState(() {
_enableAbr = !_enableAbr; _enableAbr = newValue;
}); });
}, },
) )
]; ];
final shareScreenTiles = [
SettingsTile.switchTile(
title: Text(translate('Deny LAN Discovery')),
initialValue: _denyLANDiscovery,
onToggle: (v) async {
await bind.mainSetOption(
key: "enable-lan-discovery",
value: bool2option("enable-lan-discovery", !v));
final newValue = !option2bool('enable-lan-discovery',
await bind.mainGetOption(key: 'enable-lan-discovery'));
setState(() {
_denyLANDiscovery = newValue;
});
},
),
SettingsTile.switchTile(
title: Row(children: [
Text(translate('Use IP Whitelisting')),
Offstage(
offstage: !_onlyWhiteList,
child: const Icon(Icons.warning_amber_rounded,
color: Color.fromARGB(255, 255, 204, 0)))
.marginOnly(left: 5)
]),
initialValue: _onlyWhiteList,
onToggle: (_) async {
update() async {
final onlyWhiteList =
(await bind.mainGetOption(key: 'whitelist')).isNotEmpty;
if (onlyWhiteList != _onlyWhiteList) {
setState(() {
_onlyWhiteList = onlyWhiteList;
});
}
}
changeWhiteList(callback: update);
},
)
];
if (_hasIgnoreBattery) { if (_hasIgnoreBattery) {
enhancementsTiles.insert( enhancementsTiles.insert(
0, 0,
@ -182,6 +241,10 @@ class _SettingsState extends State<SettingsPage> with WidgetsBindingObserver {
}, },
) )
]), ]),
SettingsSection(
title: Text(translate("Share Screen")),
tiles: shareScreenTiles,
),
SettingsSection( SettingsSection(
title: Text(translate("Enhancements")), title: Text(translate("Enhancements")),
tiles: enhancementsTiles, tiles: enhancementsTiles,

@ -436,7 +436,7 @@ class ServerModel with ChangeNotifier {
clientInfo(client), clientInfo(client),
Text( Text(
translate("android_new_connection_tip"), translate("android_new_connection_tip"),
style: const TextStyle(color: Colors.black54), style: Theme.of(globalKey.currentContext!).textTheme.bodyMedium,
), ),
], ],
), ),

@ -243,8 +243,8 @@ packages:
dependency: "direct main" dependency: "direct main"
description: description:
path: "." path: "."
ref: "1818097611168f6148317f4c527aa45ff29d5850" ref: "74c10aa49fecc088992a9edef1f6da39f83df505"
resolved-ref: "1818097611168f6148317f4c527aa45ff29d5850" resolved-ref: "74c10aa49fecc088992a9edef1f6da39f83df505"
url: "https://github.com/Kingtous/rustdesk_desktop_multi_window" url: "https://github.com/Kingtous/rustdesk_desktop_multi_window"
source: git source: git
version: "0.1.0" version: "0.1.0"

@ -36,7 +36,7 @@ def expand():
lang = os.path.basename(fn)[:-3] lang = os.path.basename(fn)[:-3]
if lang in ['en','cn']: continue if lang in ['en','cn']: continue
dict = get_lang(lang) dict = get_lang(lang)
fw = open("%s.rs"%lang, "wt") fw = open("./src/lang/%s.rs"%lang, "wt")
for line in open('./src/lang/cn.rs'): for line in open('./src/lang/cn.rs'):
line_strip = line.strip() line_strip = line.strip()
if line_strip.startswith('("'): if line_strip.startswith('("'):

@ -24,9 +24,9 @@ use crate::ui_interface::{
get_option, get_options, get_peer, get_peer_option, get_socks, get_uuid, get_version, get_option, get_options, get_peer, get_peer_option, get_socks, get_uuid, get_version,
goto_install, has_hwcodec, has_rendezvous_service, is_can_screen_recording, is_installed, goto_install, has_hwcodec, has_rendezvous_service, is_can_screen_recording, is_installed,
is_installed_daemon, is_installed_lower_version, is_process_trusted, is_rdp_service_open, is_installed_daemon, is_installed_lower_version, is_process_trusted, is_rdp_service_open,
is_share_rdp, post_request, send_to_cm, set_local_option, set_option, set_options, is_share_rdp, peer_has_password, post_request, send_to_cm, set_local_option, set_option,
set_peer_option, set_permanent_password, set_socks, store_fav, test_if_valid_server, update_me, set_options, set_peer_option, set_permanent_password, set_socks, store_fav,
update_temporary_password, using_public_server, test_if_valid_server, update_me, update_temporary_password, using_public_server,
}; };
use crate::{ use crate::{
client::file_trait::FileManager, client::file_trait::FileManager,
@ -578,6 +578,10 @@ pub fn main_forget_password(id: String) {
forget_password(id) forget_password(id)
} }
pub fn main_peer_has_password(id: String) -> bool {
peer_has_password(id)
}
pub fn main_get_recent_peers() -> String { pub fn main_get_recent_peers() -> String {
if !config::APP_DIR.read().unwrap().is_empty() { if !config::APP_DIR.read().unwrap().is_empty() {
let peers: Vec<HashMap<&str, String>> = PeerConfig::peers() let peers: Vec<HashMap<&str, String>> = PeerConfig::peers()

@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", "账户"), ("Account", "账户"),
("Theme", "主题"), ("Theme", "主题"),
("Dark Theme", "暗黑主题"), ("Dark Theme", "暗黑主题"),
("Dark", "黑暗"),
("Light", "明亮"),
("Follow System", "跟随系统"),
("Enable hardware codec", "使用硬件编解码"), ("Enable hardware codec", "使用硬件编解码"),
("Unlock Security Settings", "解锁安全设置"), ("Unlock Security Settings", "解锁安全设置"),
("Enable Audio", "允许传输音频"), ("Enable Audio", "允许传输音频"),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Je třeba restartovat"), ("Reboot required", "Je třeba restartovat"),
("Unsupported display server ", "Nepodporovaný zobrazovací server"), ("Unsupported display server ", "Nepodporovaný zobrazovací server"),
("x11 expected", "očekávány x11"), ("x11 expected", "očekávány x11"),
("Port", "Číslo portu"), ("Port", ""),
("Settings", "Nastavení"), ("Settings", "Nastavení"),
("Username", "Uživatelské jméno"), ("Username", "Uživatelské jméno"),
("Invalid port", "Neplatné číslo portu"), ("Invalid port", "Neplatné číslo portu"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "Zastavení služby automaticky ukončí veškerá navázaná spojení."), ("android_stop_service_tip", "Zastavení služby automaticky ukončí veškerá navázaná spojení."),
("android_version_audio_tip", "Vámi nyní používaná verze systému Android nepodporuje zachytávání zvuku přejděte na Android 10 nebo novější."), ("android_version_audio_tip", "Vámi nyní používaná verze systému Android nepodporuje zachytávání zvuku přejděte na Android 10 nebo novější."),
("android_start_service_tip", "Službu pro sdílení obrazovky spustíte klepnutím na [Spustit službu] nebo UDĚLTE pověření pro [Zachytávání obsahu obrazovky]."), ("android_start_service_tip", "Službu pro sdílení obrazovky spustíte klepnutím na [Spustit službu] nebo UDĚLTE pověření pro [Zachytávání obsahu obrazovky]."),
("Account", "Účet"), ("Account", ""),
("Overwrite", "Přepsat"), ("Overwrite", "Přepsat"),
("This file exists, skip or overwrite this file?", "Tento soubor existuje přeskočit ho nebo přepsat?"), ("This file exists, skip or overwrite this file?", "Tento soubor existuje přeskočit ho nebo přepsat?"),
("Quit", "Ukončit"), ("Quit", "Ukončit"),
@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Genstart krævet"), ("Reboot required", "Genstart krævet"),
("Unsupported display server ", "Ikke-understøttet displayserver"), ("Unsupported display server ", "Ikke-understøttet displayserver"),
("x11 expected", "X11 Forventet"), ("x11 expected", "X11 Forventet"),
("Port", "Port"), ("Port", ""),
("Settings", "Indstillinger"), ("Settings", "Indstillinger"),
("Username", " Brugernavn"), ("Username", " Brugernavn"),
("Invalid port", "Ugyldig port"), ("Invalid port", "Ugyldig port"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "Ved at lukke tjenesten lukkes alle fremstillede forbindelser automatisk."), ("android_stop_service_tip", "Ved at lukke tjenesten lukkes alle fremstillede forbindelser automatisk."),
("android_version_audio_tip", "Den aktuelle Android -version understøtter ikke lydoptagelse, skal du opdatere om Android 10 eller højere."), ("android_version_audio_tip", "Den aktuelle Android -version understøtter ikke lydoptagelse, skal du opdatere om Android 10 eller højere."),
("android_start_service_tip", "Tryk på [Start Service] eller åbn autorisationen [skærmoptagelse] for at starte skærmudgivelsen."), ("android_start_service_tip", "Tryk på [Start Service] eller åbn autorisationen [skærmoptagelse] for at starte skærmudgivelsen."),
("Account", "Konto"), ("Account", ""),
("Overwrite", "Overskriv"), ("Overwrite", "Overskriv"),
("This file exists, skip or overwrite this file?", "Denne fil findes, springer over denne fil eller overskriver?"), ("This file exists, skip or overwrite this file?", "Denne fil findes, springer over denne fil eller overskriver?"),
("Quit", "Afslut"), ("Quit", "Afslut"),
@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Neustart erforderlich"), ("Reboot required", "Neustart erforderlich"),
("Unsupported display server ", "Nicht unterstützter Display-Server"), ("Unsupported display server ", "Nicht unterstützter Display-Server"),
("x11 expected", "X11 erwartet"), ("x11 expected", "X11 erwartet"),
("Port", "Port"), ("Port", ""),
("Settings", "Einstellungen"), ("Settings", "Einstellungen"),
("Username", " Benutzername"), ("Username", " Benutzername"),
("Invalid port", "Ungültiger Port"), ("Invalid port", "Ungültiger Port"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "Durch das Deaktivieren des Dienstes werden automatisch alle hergestellten Verbindungen getrennt."), ("android_stop_service_tip", "Durch das Deaktivieren des Dienstes werden automatisch alle hergestellten Verbindungen getrennt."),
("android_version_audio_tip", "Ihre Android-Version unterstützt keine Audioaufnahme, bitte aktualisieren Sie auf Android 10 oder höher, falls möglich."), ("android_version_audio_tip", "Ihre Android-Version unterstützt keine Audioaufnahme, bitte aktualisieren Sie auf Android 10 oder höher, falls möglich."),
("android_start_service_tip", "Tippen Sie auf [Dienst aktivieren] oder aktivieren Sie die Berechtigung [Bildschirmzugr.], um den Bildschirmfreigabedienst zu starten."), ("android_start_service_tip", "Tippen Sie auf [Dienst aktivieren] oder aktivieren Sie die Berechtigung [Bildschirmzugr.], um den Bildschirmfreigabedienst zu starten."),
("Account", "Konto"), ("Account", ""),
("Overwrite", "Überschreiben"), ("Overwrite", "Überschreiben"),
("This file exists, skip or overwrite this file?", "Diese Datei existiert; überspringen oder überschreiben?"), ("This file exists, skip or overwrite this file?", "Diese Datei existiert; überspringen oder überschreiben?"),
("Quit", "Beenden"), ("Quit", "Beenden"),
@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Restarto deviga"), ("Reboot required", "Restarto deviga"),
("Unsupported display server ", "La aktuala bilda servilo ne estas subtenita"), ("Unsupported display server ", "La aktuala bilda servilo ne estas subtenita"),
("x11 expected", "Bonvolu uzi x11"), ("x11 expected", "Bonvolu uzi x11"),
("Port", "Pordo"), ("Port", ""),
("Settings", "Agordoj"), ("Settings", "Agordoj"),
("Username", " Uzanta nomo"), ("Username", " Uzanta nomo"),
("Invalid port", "Pordo nevalida"), ("Invalid port", "Pordo nevalida"),
@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Reinicio requerido"), ("Reboot required", "Reinicio requerido"),
("Unsupported display server ", "Servidor de visualización no compatible"), ("Unsupported display server ", "Servidor de visualización no compatible"),
("x11 expected", "x11 necesario"), ("x11 expected", "x11 necesario"),
("Port", "Puerto"), ("Port", ""),
("Settings", "Ajustes"), ("Settings", "Ajustes"),
("Username", " Nombre de usuario"), ("Username", " Nombre de usuario"),
("Invalid port", "Puerto inválido"), ("Invalid port", "Puerto inválido"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "Cerrar el servicio cerrará automáticamente todas las conexiones establecidas."), ("android_stop_service_tip", "Cerrar el servicio cerrará automáticamente todas las conexiones establecidas."),
("android_version_audio_tip", "La versión actual de Android no admite la captura de audio, actualice a Android 10 o posterior."), ("android_version_audio_tip", "La versión actual de Android no admite la captura de audio, actualice a Android 10 o posterior."),
("android_start_service_tip", "Toque el permiso [Iniciar servicio] o ABRIR [Captura de pantalla] para iniciar el servicio de uso compartido de pantalla."), ("android_start_service_tip", "Toque el permiso [Iniciar servicio] o ABRIR [Captura de pantalla] para iniciar el servicio de uso compartido de pantalla."),
("Account", "Cuenta"), ("Account", ""),
("Overwrite", "Sobrescribir"), ("Overwrite", "Sobrescribir"),
("This file exists, skip or overwrite this file?", "Este archivo existe, ¿omitir o sobrescribir este archivo?"), ("This file exists, skip or overwrite this file?", "Este archivo existe, ¿omitir o sobrescribir este archivo?"),
("Quit", "Salir"), ("Quit", "Salir"),
@ -289,23 +289,10 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Keep RustDesk background service", "Dejar RustDesk como Servicio en 2do plano"), ("Keep RustDesk background service", "Dejar RustDesk como Servicio en 2do plano"),
("Ignore Battery Optimizations", "Ignorar optimizacioens de bateria"), ("Ignore Battery Optimizations", "Ignorar optimizacioens de bateria"),
("android_open_battery_optimizations_tip", ""), ("android_open_battery_optimizations_tip", ""),
("Random Password After Session", ""), ("Connection not allowed", "Conexión no disponible"),
("Keep", ""),
("Update", ""),
("Disable", ""),
("Onetime Password", ""),
("Verification Method", ""),
("Enable security password", ""),
("Enable random password", ""),
("Enable onetime password", ""),
("Disable onetime password", ""),
("Activate onetime password", ""),
("Set security password", ""),
("Connection not allowed", ""),
("Legacy mode", ""), ("Legacy mode", ""),
("Map mode", ""), ("Map mode", ""),
("Translate mode", ""), ("Translate mode", ""),
("Connection not allowed", "Conexión no disponible"),
("Use temporary password", "Usar contraseña temporal"), ("Use temporary password", "Usar contraseña temporal"),
("Use permanent password", "Usar contraseña permamente"), ("Use permanent password", "Usar contraseña permamente"),
("Use both passwords", "Usar ambas comtraseñas"), ("Use both passwords", "Usar ambas comtraseñas"),
@ -340,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Redémarrage pour prendre effet"), ("Reboot required", "Redémarrage pour prendre effet"),
("Unsupported display server ", "Le serveur d'affichage actuel n'est pas pris en charge"), ("Unsupported display server ", "Le serveur d'affichage actuel n'est pas pris en charge"),
("x11 expected", "Veuillez passer à x11"), ("x11 expected", "Veuillez passer à x11"),
("Port", "Port"), ("Port", ""),
("Settings", "Paramètres"), ("Settings", "Paramètres"),
("Username", " Nom d'utilisateur"), ("Username", " Nom d'utilisateur"),
("Invalid port", "Port invalide"), ("Invalid port", "Port invalide"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "La fermeture du service fermera automatiquement toutes les connexions établies."), ("android_stop_service_tip", "La fermeture du service fermera automatiquement toutes les connexions établies."),
("android_version_audio_tip", "La version actuelle d'Android ne prend pas en charge la capture audio, veuillez passer à Android 10 ou supérieur."), ("android_version_audio_tip", "La version actuelle d'Android ne prend pas en charge la capture audio, veuillez passer à Android 10 ou supérieur."),
("android_start_service_tip", "Appuyez sur [Démarrer le service] ou sur l'autorisation OUVRIR [Capture d'écran] pour démarrer le service de partage d'écran."), ("android_start_service_tip", "Appuyez sur [Démarrer le service] ou sur l'autorisation OUVRIR [Capture d'écran] pour démarrer le service de partage d'écran."),
("Account", "Compte"), ("Account", ""),
("Overwrite", "Écraser"), ("Overwrite", "Écraser"),
("This file exists, skip or overwrite this file?", "Ce fichier existe, ignorer ou écraser ce fichier ?"), ("This file exists, skip or overwrite this file?", "Ce fichier existe, ignorer ou écraser ce fichier ?"),
("Quit", "Quitter"), ("Quit", "Quitter"),
@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Újraindítás szükséges"), ("Reboot required", "Újraindítás szükséges"),
("Unsupported display server ", "Nem támogatott kijelző szerver"), ("Unsupported display server ", "Nem támogatott kijelző szerver"),
("x11 expected", "x11-re számítottt"), ("x11 expected", "x11-re számítottt"),
("Port", "Port"), ("Port", ""),
("Settings", "Beállítások"), ("Settings", "Beállítások"),
("Username", "Felhasználónév"), ("Username", "Felhasználónév"),
("Invalid port", "Érvénytelen port"), ("Invalid port", "Érvénytelen port"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "A szolgáltatás bezárása automatikusan szétkapcsol minden létező kapcsolatot."), ("android_stop_service_tip", "A szolgáltatás bezárása automatikusan szétkapcsol minden létező kapcsolatot."),
("android_version_audio_tip", "A jelenlegi Android verzió nem támogatja a hangrögzítést, kérlek frissíts legalább Android 10-re, vagy egy újabb verzióra."), ("android_version_audio_tip", "A jelenlegi Android verzió nem támogatja a hangrögzítést, kérlek frissíts legalább Android 10-re, vagy egy újabb verzióra."),
("android_start_service_tip", "Nyomj a [Szolgáltatás Indítása] opcióra, vagy adj [Képernyőrözítési] jogot az applikációnak hogy elindítsd a képernyőmegosztó szolgáltatást."), ("android_start_service_tip", "Nyomj a [Szolgáltatás Indítása] opcióra, vagy adj [Képernyőrözítési] jogot az applikációnak hogy elindítsd a képernyőmegosztó szolgáltatást."),
("Account", "Fiók"), ("Account", ""),
("Overwrite", "Felülírás"), ("Overwrite", "Felülírás"),
("This file exists, skip or overwrite this file?", "Ez a fájl már létezik, skippeljünk, vagy felülírjuk ezt a fájlt?"), ("This file exists, skip or overwrite this file?", "Ez a fájl már létezik, skippeljünk, vagy felülírjuk ezt a fájlt?"),
("Quit", "Kilépés"), ("Quit", "Kilépés"),
@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Diperlukan boot ulang"), ("Reboot required", "Diperlukan boot ulang"),
("Unsupported display server ", "Server tampilan tidak didukung "), ("Unsupported display server ", "Server tampilan tidak didukung "),
("x11 expected", "x11 diharapkan"), ("x11 expected", "x11 diharapkan"),
("Port", "Port"), ("Port", ""),
("Settings", "Pengaturan"), ("Settings", "Pengaturan"),
("Username", "Username"), ("Username", "Username"),
("Invalid port", "Kesalahan port"), ("Invalid port", "Kesalahan port"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "Menutup layanan akan secara otomatis menutup semua koneksi yang dibuat."), ("android_stop_service_tip", "Menutup layanan akan secara otomatis menutup semua koneksi yang dibuat."),
("android_version_audio_tip", "Versi Android saat ini tidak mendukung pengambilan audio, harap tingkatkan ke Android 10 atau lebih tinggi."), ("android_version_audio_tip", "Versi Android saat ini tidak mendukung pengambilan audio, harap tingkatkan ke Android 10 atau lebih tinggi."),
("android_start_service_tip", "Ketuk izin [Mulai Layanan] atau BUKA [Tangkapan Layar] untuk memulai layanan berbagi layar."), ("android_start_service_tip", "Ketuk izin [Mulai Layanan] atau BUKA [Tangkapan Layar] untuk memulai layanan berbagi layar."),
("Account", "Akun"), ("Account", ""),
("Overwrite", "Timpa"), ("Overwrite", "Timpa"),
("This file exists, skip or overwrite this file?", "File ini sudah ada, lewati atau timpa file ini?"), ("This file exists, skip or overwrite this file?", "File ini sudah ada, lewati atau timpa file ini?"),
("Quit", "Keluar"), ("Quit", "Keluar"),
@ -289,23 +289,10 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Keep RustDesk background service", "Pertahankan RustDesk berjalan pada background service"), ("Keep RustDesk background service", "Pertahankan RustDesk berjalan pada background service"),
("Ignore Battery Optimizations", "Abaikan Pengoptimalan Baterai"), ("Ignore Battery Optimizations", "Abaikan Pengoptimalan Baterai"),
("android_open_battery_optimizations_tip", ""), ("android_open_battery_optimizations_tip", ""),
("Random Password After Session", ""), ("Connection not allowed", "Koneksi tidak dijinkan"),
("Keep", ""),
("Update", ""),
("Disable", ""),
("Onetime Password", ""),
("Verification Method", ""),
("Enable security password", ""),
("Enable random password", ""),
("Enable onetime password", ""),
("Disable onetime password", ""),
("Activate onetime password", ""),
("Set security password", ""),
("Connection not allowed", ""),
("Legacy mode", ""), ("Legacy mode", ""),
("Map mode", ""), ("Map mode", ""),
("Translate mode", ""), ("Translate mode", ""),
("Connection not allowed", "Koneksi tidak dijinkan"),
("Use temporary password", "Gunakan kata sandi sementara"), ("Use temporary password", "Gunakan kata sandi sementara"),
("Use permanent password", "Gunakan kata sandi permanaen"), ("Use permanent password", "Gunakan kata sandi permanaen"),
("Use both passwords", "Gunakan kedua kata sandi "), ("Use both passwords", "Gunakan kedua kata sandi "),
@ -340,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Riavvio necessario"), ("Reboot required", "Riavvio necessario"),
("Unsupported display server ", "Display server non supportato"), ("Unsupported display server ", "Display server non supportato"),
("x11 expected", "x11 necessario"), ("x11 expected", "x11 necessario"),
("Port", "Porta"), ("Port", ""),
("Settings", "Impostazioni"), ("Settings", "Impostazioni"),
("Username", " Nome utente"), ("Username", " Nome utente"),
("Invalid port", "Porta non valida"), ("Invalid port", "Porta non valida"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "La chiusura del servizio chiuderà automaticamente tutte le connessioni stabilite."), ("android_stop_service_tip", "La chiusura del servizio chiuderà automaticamente tutte le connessioni stabilite."),
("android_version_audio_tip", "L'attuale versione di Android non supporta l'acquisizione audio, esegui l'upgrade ad Android 10 o versioni successive."), ("android_version_audio_tip", "L'attuale versione di Android non supporta l'acquisizione audio, esegui l'upgrade ad Android 10 o versioni successive."),
("android_start_service_tip", "Toccare [Avvia servizio] o APRI l'autorizzazione [Cattura schermo] per avviare il servizio di condivisione dello schermo."), ("android_start_service_tip", "Toccare [Avvia servizio] o APRI l'autorizzazione [Cattura schermo] per avviare il servizio di condivisione dello schermo."),
("Account", "Account"), ("Account", ""),
("Overwrite", "Sovrascrivi"), ("Overwrite", "Sovrascrivi"),
("This file exists, skip or overwrite this file?", "Questo file esiste, saltare o sovrascrivere questo file?"), ("This file exists, skip or overwrite this file?", "Questo file esiste, saltare o sovrascrivere questo file?"),
("Quit", "Esci"), ("Quit", "Esci"),
@ -290,6 +290,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Ignore Battery Optimizations", ""), ("Ignore Battery Optimizations", ""),
("android_open_battery_optimizations_tip", ""), ("android_open_battery_optimizations_tip", ""),
("Connection not allowed", "Connessione non consentita"), ("Connection not allowed", "Connessione non consentita"),
("Legacy mode", ""),
("Map mode", ""),
("Translate mode", ""),
("Use temporary password", "Usa password temporanea"), ("Use temporary password", "Usa password temporanea"),
("Use permanent password", "Usa password permanente"), ("Use permanent password", "Usa password permanente"),
("Use both passwords", "Usa entrambe le password"), ("Use both passwords", "Usa entrambe le password"),
@ -301,6 +304,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Are you sure you want to restart", "Sei sicuro di voler riavviare?"), ("Are you sure you want to restart", "Sei sicuro di voler riavviare?"),
("Restarting Remote Device", "Il dispositivo remoto si sta riavviando"), ("Restarting Remote Device", "Il dispositivo remoto si sta riavviando"),
("remote_restarting_tip", "Riavviare il dispositivo remoto"), ("remote_restarting_tip", "Riavviare il dispositivo remoto"),
("Copied", ""),
("Exit Fullscreen", "Esci dalla modalità schermo intero"), ("Exit Fullscreen", "Esci dalla modalità schermo intero"),
("Fullscreen", "A schermo intero"), ("Fullscreen", "A schermo intero"),
("Mobile Actions", "Azioni mobili"), ("Mobile Actions", "Azioni mobili"),
@ -318,14 +322,14 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Insecure Connection", "Connessione insicura"), ("Insecure Connection", "Connessione insicura"),
("Scale original", "Scala originale"), ("Scale original", "Scala originale"),
("Scale adaptive", "Scala adattiva"), ("Scale adaptive", "Scala adattiva"),
("Legacy mode", ""),
("Map mode", ""),
("Translate mode", ""),
("General", ""), ("General", ""),
("Security", ""), ("Security", ""),
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -103,6 +103,8 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Original", "オリジナル"), ("Original", "オリジナル"),
("Shrink", "縮小"), ("Shrink", "縮小"),
("Stretch", "伸縮"), ("Stretch", "伸縮"),
("Scrollbar", ""),
("ScrollAuto", ""),
("Good image quality", "画質優先"), ("Good image quality", "画質優先"),
("Balanced", "バランス"), ("Balanced", "バランス"),
("Optimize reaction time", "速度優先"), ("Optimize reaction time", "速度優先"),
@ -185,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "再起動が必要"), ("Reboot required", "再起動が必要"),
("Unsupported display server ", "サポートされていないディスプレイサーバー"), ("Unsupported display server ", "サポートされていないディスプレイサーバー"),
("x11 expected", "X11 が必要です"), ("x11 expected", "X11 が必要です"),
("Port", "ポート"), ("Port", ""),
("Settings", "設定"), ("Settings", "設定"),
("Username", "ユーザー名"), ("Username", "ユーザー名"),
("Invalid port", "無効なポート"), ("Invalid port", "無効なポート"),
@ -266,11 +268,11 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "サービスを停止すると、現在確立されている接続が全て自動的に閉じられます。"), ("android_stop_service_tip", "サービスを停止すると、現在確立されている接続が全て自動的に閉じられます。"),
("android_version_audio_tip", "現在のAndroidバージョンでは音声キャプチャはサポートされていません。Android 10以降にアップグレードしてください。"), ("android_version_audio_tip", "現在のAndroidバージョンでは音声キャプチャはサポートされていません。Android 10以降にアップグレードしてください。"),
("android_start_service_tip", "「サービスを開始」をタップするか「画面キャプチャ」を開くと、画面共有サービスが開始されます。"), ("android_start_service_tip", "「サービスを開始」をタップするか「画面キャプチャ」を開くと、画面共有サービスが開始されます。"),
("Account", "アカウント"), ("Account", ""),
("Overwrite", "上書き"), ("Overwrite", "上書き"),
("This file exists, skip or overwrite this file?", "このファイルは存在しています。スキップするか上書きしますか?"), ("This file exists, skip or overwrite this file?", "このファイルは存在しています。スキップするか上書きしますか?"),
("Quit", "終了"), ("Quit", "終了"),
("doc_mac_permission", "https://rustdesk.com/docs/en/manual/mac/#enable-permissions"), // @TODO: Update url when someone translates the document ("doc_mac_permission", "https://rustdesk.com/docs/en/manual/mac/#enable-permissions"), // @TODO: Update url when someone translates the docum"),
("Help", "ヘルプ"), ("Help", "ヘルプ"),
("Failed", "失敗"), ("Failed", "失敗"),
("Succeeded", "成功"), ("Succeeded", "成功"),
@ -302,6 +304,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Are you sure you want to restart", "本当に再起動しますか"), ("Are you sure you want to restart", "本当に再起動しますか"),
("Restarting Remote Device", "リモート端末を再起動中"), ("Restarting Remote Device", "リモート端末を再起動中"),
("remote_restarting_tip", "リモート端末は再起動中です。このメッセージボックスを閉じて、しばらくした後に固定のパスワードを使用して再接続してください。"), ("remote_restarting_tip", "リモート端末は再起動中です。このメッセージボックスを閉じて、しばらくした後に固定のパスワードを使用して再接続してください。"),
("Copied", ""),
("Exit Fullscreen", "全画面表示を終了"), ("Exit Fullscreen", "全画面表示を終了"),
("Fullscreen", "全画面表示"), ("Fullscreen", "全画面表示"),
("Mobile Actions", "モバイル アクション"), ("Mobile Actions", "モバイル アクション"),
@ -324,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -103,6 +103,8 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Original", "원본"), ("Original", "원본"),
("Shrink", "축소"), ("Shrink", "축소"),
("Stretch", "확대"), ("Stretch", "확대"),
("Scrollbar", ""),
("ScrollAuto", ""),
("Good image quality", "최적 이미지 품질"), ("Good image quality", "최적 이미지 품질"),
("Balanced", "균형"), ("Balanced", "균형"),
("Optimize reaction time", "반응 시간 최적화"), ("Optimize reaction time", "반응 시간 최적화"),
@ -185,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "재부팅이 필요합니다"), ("Reboot required", "재부팅이 필요합니다"),
("Unsupported display server ", "지원하지 않는 디스플레이 서버"), ("Unsupported display server ", "지원하지 않는 디스플레이 서버"),
("x11 expected", "x11 예상됨"), ("x11 expected", "x11 예상됨"),
("Port", "포트"), ("Port", ""),
("Settings", "설정"), ("Settings", "설정"),
("Username", "사용자명"), ("Username", "사용자명"),
("Invalid port", "유효하지 않은 포트"), ("Invalid port", "유효하지 않은 포트"),
@ -266,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "서비스를 종료하면 모든 연결이 자동으로 닫힙니다."), ("android_stop_service_tip", "서비스를 종료하면 모든 연결이 자동으로 닫힙니다."),
("android_version_audio_tip", "현재 Android 버전은 오디오 캡처를 지원하지 않습니다. Android 10 이상으로 업그레이드하십시오."), ("android_version_audio_tip", "현재 Android 버전은 오디오 캡처를 지원하지 않습니다. Android 10 이상으로 업그레이드하십시오."),
("android_start_service_tip", "[서비스 시작] 또는 [화면 캡처] 권한을 눌러 화면 공유 서비스를 시작합니다."), ("android_start_service_tip", "[서비스 시작] 또는 [화면 캡처] 권한을 눌러 화면 공유 서비스를 시작합니다."),
("Account", "계정"), ("Account", ""),
("Overwrite", "덮어쓰기"), ("Overwrite", "덮어쓰기"),
("This file exists, skip or overwrite this file?", "해당 파일이 이미 존재합니다, 넘어가거나 덮어쓰시겠습니까?"), ("This file exists, skip or overwrite this file?", "해당 파일이 이미 존재합니다, 넘어가거나 덮어쓰시겠습니까?"),
("Quit", "종료"), ("Quit", "종료"),
@ -288,6 +290,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Ignore Battery Optimizations", "배터리 최적화 무시하기"), ("Ignore Battery Optimizations", "배터리 최적화 무시하기"),
("android_open_battery_optimizations_tip", "해당 기능을 비활성화하려면 RustDesk 응용 프로그램 설정 페이지로 이동하여 [배터리]에서 [제한 없음] 선택을 해제하십시오."), ("android_open_battery_optimizations_tip", "해당 기능을 비활성화하려면 RustDesk 응용 프로그램 설정 페이지로 이동하여 [배터리]에서 [제한 없음] 선택을 해제하십시오."),
("Connection not allowed", "연결이 허용되지 않음"), ("Connection not allowed", "연결이 허용되지 않음"),
("Legacy mode", ""),
("Map mode", ""),
("Translate mode", ""),
("Use temporary password", "임시 비밀번호 사용"), ("Use temporary password", "임시 비밀번호 사용"),
("Use permanent password", "영구 비밀번호 사용"), ("Use permanent password", "영구 비밀번호 사용"),
("Use both passwords", "두 비밀번호 (임시/영구) 사용"), ("Use both passwords", "두 비밀번호 (임시/영구) 사용"),
@ -299,6 +304,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Are you sure you want to restart", "정말로 재시작 하시겠습니까"), ("Are you sure you want to restart", "정말로 재시작 하시겠습니까"),
("Restarting Remote Device", "원격 기기를 다시 시작하는중"), ("Restarting Remote Device", "원격 기기를 다시 시작하는중"),
("remote_restarting_tip", "원격 장치를 다시 시작하는 중입니다. 이 메시지 상자를 닫고 잠시 후 영구 비밀번호로 다시 연결하십시오."), ("remote_restarting_tip", "원격 장치를 다시 시작하는 중입니다. 이 메시지 상자를 닫고 잠시 후 영구 비밀번호로 다시 연결하십시오."),
("Copied", ""),
("Exit Fullscreen", "전체 화면 종료"), ("Exit Fullscreen", "전체 화면 종료"),
("Fullscreen", "전체화면"), ("Fullscreen", "전체화면"),
("Mobile Actions", "모바일 액션"), ("Mobile Actions", "모바일 액션"),
@ -321,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -290,6 +290,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Ignore Battery Optimizations", "Бәтері Оңтайландыруларын Елемеу"), ("Ignore Battery Optimizations", "Бәтері Оңтайландыруларын Елемеу"),
("android_open_battery_optimizations_tip", "Егер де бұл ерекшелікті өшіруді қаласаңыз, келесі RustDesk апылқат орнатпалары бетіне барып, [Бәтері]'ні тауып кіріңіз де [Шектеусіз]'ден құсбелгіні алып тастауды өтінеміз"), ("android_open_battery_optimizations_tip", "Егер де бұл ерекшелікті өшіруді қаласаңыз, келесі RustDesk апылқат орнатпалары бетіне барып, [Бәтері]'ні тауып кіріңіз де [Шектеусіз]'ден құсбелгіні алып тастауды өтінеміз"),
("Connection not allowed", "Қосылу рұқсат етілмеген"), ("Connection not allowed", "Қосылу рұқсат етілмеген"),
("Legacy mode", ""),
("Map mode", ""),
("Translate mode", ""),
("Use temporary password", "Уақытша құпия сөзді қолдану"), ("Use temporary password", "Уақытша құпия сөзді қолдану"),
("Use permanent password", "Тұрақты құпия сөзді қолдану"), ("Use permanent password", "Тұрақты құпия сөзді қолдану"),
("Use both passwords", "Қос құпия сөзді қолдану"), ("Use both passwords", "Қос құпия сөзді қолдану"),
@ -319,6 +322,31 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Insecure Connection", "Қатерлі Қосылым"), ("Insecure Connection", "Қатерлі Қосылым"),
("Scale original", "Scale original"), ("Scale original", "Scale original"),
("Scale adaptive", "Scale adaptive"), ("Scale adaptive", "Scale adaptive"),
("General", ""),
("Security", ""),
("Account", "Есепкі"),
("Theme", ""),
("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""),
("Unlock Security Settings", ""),
("Enable Audio", ""),
("Temporary Password Length", ""),
("Unlock Network Settings", ""),
("Server", ""),
("Direct IP Access", ""),
("Proxy", ""),
("Port", "Порт"),
("Apply", ""),
("Disconnect all devices?", ""),
("Clear", ""),
("Audio Input Device", ""),
("Deny remote access", ""),
("Use IP Whitelisting", ""),
("Network", ""),
("Enable RDP", ""),
("Pin menubar", "Мәзір жолағын бекіту"), ("Pin menubar", "Мәзір жолағын бекіту"),
("Unpin menubar", "Мәзір жолағын босату"), ("Unpin menubar", "Мәзір жолағын босату"),
("Enable LAN Discovery", ""), ("Enable LAN Discovery", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Wymagany restart"), ("Reboot required", "Wymagany restart"),
("Unsupported display server ", "Nieobsługiwany serwer wyświetlania "), ("Unsupported display server ", "Nieobsługiwany serwer wyświetlania "),
("x11 expected", "oczekiwane X11"), ("x11 expected", "oczekiwane X11"),
("Port", "Port"), ("Port", ""),
("Settings", "Ustawienia"), ("Settings", "Ustawienia"),
("Username", "Nazwa użytkownika"), ("Username", "Nazwa użytkownika"),
("Invalid port", "Nieprawidłowy port"), ("Invalid port", "Nieprawidłowy port"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "android_stop_service_tip"), ("android_stop_service_tip", "android_stop_service_tip"),
("android_version_audio_tip", "android_version_audio_tip"), ("android_version_audio_tip", "android_version_audio_tip"),
("android_start_service_tip", "android_start_service_tip"), ("android_start_service_tip", "android_start_service_tip"),
("Account", "Konto"), ("Account", ""),
("Overwrite", "Nadpisz"), ("Overwrite", "Nadpisz"),
("This file exists, skip or overwrite this file?", "Ten plik istnieje, pominąć czy nadpisać ten plik?"), ("This file exists, skip or overwrite this file?", "Ten plik istnieje, pominąć czy nadpisać ten plik?"),
("Quit", "Zrezygnuj"), ("Quit", "Zrezygnuj"),
@ -289,19 +289,21 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Keep RustDesk background service", "Zachowaj usługę w tle RustDesk"), ("Keep RustDesk background service", "Zachowaj usługę w tle RustDesk"),
("Ignore Battery Optimizations", "Ignoruj optymalizację baterii"), ("Ignore Battery Optimizations", "Ignoruj optymalizację baterii"),
("android_open_battery_optimizations_tip", "android_open_battery_optimizations_tip"), ("android_open_battery_optimizations_tip", "android_open_battery_optimizations_tip"),
("Random Password After Session", "Losowe hasło po sesji"),
("Keep", "Zachowaj"),
("Update", "Aktualizacja"),
("Disable", "Wyłącz"),
("Onetime Password", "Hasło jednorazowe"),
("Verification Method", "Metoda weryfikacji"),
("Enable security password", "Włącz hasło zabezpieczające"),
("Enable random password", "Włącz losowe hasło"),
("Enable onetime password", "Włącz hasło jednorazowe"),
("Disable onetime password", "Wyłącz hasło jednorazowe"),
("Activate onetime password", "Aktywuj hasło jednorazowe"),
("Set security password", "Ustaw hasło zabezpieczające"),
("Connection not allowed", "Połączenie niedozwolone"), ("Connection not allowed", "Połączenie niedozwolone"),
("Legacy mode", ""),
("Map mode", ""),
("Translate mode", ""),
("Use temporary password", ""),
("Use permanent password", ""),
("Use both passwords", ""),
("Set permanent password", ""),
("Set temporary password length", ""),
("Enable Remote Restart", ""),
("Allow remote restart", ""),
("Restart Remote Device", ""),
("Are you sure you want to restart", ""),
("Restarting Remote Device", ""),
("remote_restarting_tip", ""),
("Copied", ""), ("Copied", ""),
("Exit Fullscreen", "Wyłączyć tryb pełnoekranowy"), ("Exit Fullscreen", "Wyłączyć tryb pełnoekranowy"),
("Fullscreen", "Pełny ekran"), ("Fullscreen", "Pełny ekran"),
@ -325,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -103,6 +103,8 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Original", "Original"), ("Original", "Original"),
("Shrink", "Reduzir"), ("Shrink", "Reduzir"),
("Stretch", "Aumentar"), ("Stretch", "Aumentar"),
("Scrollbar", ""),
("ScrollAuto", ""),
("Good image quality", "Qualidade visual boa"), ("Good image quality", "Qualidade visual boa"),
("Balanced", "Equilibrada"), ("Balanced", "Equilibrada"),
("Optimize reaction time", "Optimizar tempo de reacção"), ("Optimize reaction time", "Optimizar tempo de reacção"),
@ -127,7 +129,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Set Password", "Definir palavra-chave"), ("Set Password", "Definir palavra-chave"),
("OS Password", "Senha do SO"), ("OS Password", "Senha do SO"),
("install_tip", "Devido ao UAC, o RustDesk não funciona correctamente em alguns casos. Para evitar o UAC, por favor clique no botão abaixo para instalar o RustDesk no sistema."), ("install_tip", "Devido ao UAC, o RustDesk não funciona correctamente em alguns casos. Para evitar o UAC, por favor clique no botão abaixo para instalar o RustDesk no sistema."),
("Click to update", "Clique para fazer a actualização"), ("Click to upgrade", ""),
("Click to download", "Clique para carregar"), ("Click to download", "Clique para carregar"),
("Click to update", "Clique para fazer a actualização"), ("Click to update", "Clique para fazer a actualização"),
("Configure", "Configurar"), ("Configure", "Configurar"),
@ -185,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Reinicialização necessária"), ("Reboot required", "Reinicialização necessária"),
("Unsupported display server ", "Servidor de display não suportado"), ("Unsupported display server ", "Servidor de display não suportado"),
("x11 expected", "x11 em falha"), ("x11 expected", "x11 em falha"),
("Port", "Porta"), ("Port", ""),
("Settings", "Configurações"), ("Settings", "Configurações"),
("Username", "Nome de utilizador"), ("Username", "Nome de utilizador"),
("Invalid port", "Porta inválida"), ("Invalid port", "Porta inválida"),
@ -266,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "Fechar o serviço irá automaticamente fechar todas as ligações estabelecidas."), ("android_stop_service_tip", "Fechar o serviço irá automaticamente fechar todas as ligações estabelecidas."),
("android_version_audio_tip", "A versão atual do Android não suporta captura de áudio, por favor actualize para o Android 10 ou maior."), ("android_version_audio_tip", "A versão atual do Android não suporta captura de áudio, por favor actualize para o Android 10 ou maior."),
("android_start_service_tip", "Toque [Iniciar Serviço] ou abra a permissão [Captura de Ecran] para iniciar o serviço de partilha de ecran."), ("android_start_service_tip", "Toque [Iniciar Serviço] ou abra a permissão [Captura de Ecran] para iniciar o serviço de partilha de ecran."),
("Account", "Conta"), ("Account", ""),
("Overwrite", "Substituir"), ("Overwrite", "Substituir"),
("This file exists, skip or overwrite this file?", "Este ficheiro já existe, ignorar ou substituir este ficheiro?"), ("This file exists, skip or overwrite this file?", "Este ficheiro já existe, ignorar ou substituir este ficheiro?"),
("Quit", "Saída"), ("Quit", "Saída"),
@ -288,6 +290,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Ignore Battery Optimizations", "Ignorar optimizações de Bateria"), ("Ignore Battery Optimizations", "Ignorar optimizações de Bateria"),
("android_open_battery_optimizations_tip", ""), ("android_open_battery_optimizations_tip", ""),
("Connection not allowed", "Ligação não autorizada"), ("Connection not allowed", "Ligação não autorizada"),
("Legacy mode", ""),
("Map mode", ""),
("Translate mode", ""),
("Use temporary password", "Utilizar palavra-chave temporária"), ("Use temporary password", "Utilizar palavra-chave temporária"),
("Use permanent password", "Utilizar palavra-chave permanente"), ("Use permanent password", "Utilizar palavra-chave permanente"),
("Use both passwords", "Utilizar ambas as palavras-chave"), ("Use both passwords", "Utilizar ambas as palavras-chave"),
@ -299,6 +304,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Are you sure you want to restart", "Tem a certeza que pretende reiniciar"), ("Are you sure you want to restart", "Tem a certeza que pretende reiniciar"),
("Restarting Remote Device", "A reiniciar sistema remoto"), ("Restarting Remote Device", "A reiniciar sistema remoto"),
("remote_restarting_tip", ""), ("remote_restarting_tip", ""),
("Copied", ""),
("Exit Fullscreen", "Sair da tela cheia"), ("Exit Fullscreen", "Sair da tela cheia"),
("Fullscreen", "Tela cheia"), ("Fullscreen", "Tela cheia"),
("Mobile Actions", "Ações para celular"), ("Mobile Actions", "Ações para celular"),
@ -321,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Reinicialização necessária"), ("Reboot required", "Reinicialização necessária"),
("Unsupported display server ", "Servidor de display não suportado"), ("Unsupported display server ", "Servidor de display não suportado"),
("x11 expected", "x11 esperado"), ("x11 expected", "x11 esperado"),
("Port", "Porta"), ("Port", ""),
("Settings", "Configurações"), ("Settings", "Configurações"),
("Username", "Nome de usuário"), ("Username", "Nome de usuário"),
("Invalid port", "Porta inválida"), ("Invalid port", "Porta inválida"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "Fechar o serviço irá automaticamente fechar todas as conexões estabelecidas."), ("android_stop_service_tip", "Fechar o serviço irá automaticamente fechar todas as conexões estabelecidas."),
("android_version_audio_tip", "A versão atual do Android não suporta captura de áudio, por favor atualize para o Android 10 ou maior."), ("android_version_audio_tip", "A versão atual do Android não suporta captura de áudio, por favor atualize para o Android 10 ou maior."),
("android_start_service_tip", "Toque [Iniciar Serviço] ou abra a permissão [Captura de Tela] para iniciar o serviço de compartilhamento de tela."), ("android_start_service_tip", "Toque [Iniciar Serviço] ou abra a permissão [Captura de Tela] para iniciar o serviço de compartilhamento de tela."),
("Account", "Conta"), ("Account", ""),
("Overwrite", "Substituir"), ("Overwrite", "Substituir"),
("This file exists, skip or overwrite this file?", "Este arquivo existe, pular ou substituir este arquivo?"), ("This file exists, skip or overwrite this file?", "Este arquivo existe, pular ou substituir este arquivo?"),
("Quit", "Saída"), ("Quit", "Saída"),
@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Требуется перезагрузка"), ("Reboot required", "Требуется перезагрузка"),
("Unsupported display server ", "Неподдерживаемый сервер дисплея"), ("Unsupported display server ", "Неподдерживаемый сервер дисплея"),
("x11 expected", "Ожидается X11"), ("x11 expected", "Ожидается X11"),
("Port", "Порт"), ("Port", ""),
("Settings", "Настройки"), ("Settings", "Настройки"),
("Username", "Имя пользователя"), ("Username", "Имя пользователя"),
("Invalid port", "Неверный порт"), ("Invalid port", "Неверный порт"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "Закрытие службы автоматически закроет все установленные соединения."), ("android_stop_service_tip", "Закрытие службы автоматически закроет все установленные соединения."),
("android_version_audio_tip", "Текущая версия Android не поддерживает захват звука, обновите ее до Android 10 или выше."), ("android_version_audio_tip", "Текущая версия Android не поддерживает захват звука, обновите ее до Android 10 или выше."),
("android_start_service_tip", "Нажмите [Запуск промежуточного сервера] или ОТКРЫТЬ разрешение [Захват экрана], чтобы запустить службу демонстрации экрана."), ("android_start_service_tip", "Нажмите [Запуск промежуточного сервера] или ОТКРЫТЬ разрешение [Захват экрана], чтобы запустить службу демонстрации экрана."),
("Account", "Аккаунт"), ("Account", ""),
("Overwrite", "Перезаписать"), ("Overwrite", "Перезаписать"),
("This file exists, skip or overwrite this file?", "Этот файл существует, пропустить или перезаписать файл?"), ("This file exists, skip or overwrite this file?", "Этот файл существует, пропустить или перезаписать файл?"),
("Quit", "Выйти"), ("Quit", "Выйти"),
@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Vyžaduje sa reštart"), ("Reboot required", "Vyžaduje sa reštart"),
("Unsupported display server ", "Nepodporovaný zobrazovací (display) server"), ("Unsupported display server ", "Nepodporovaný zobrazovací (display) server"),
("x11 expected", "očakáva sa x11"), ("x11 expected", "očakáva sa x11"),
("Port", "Port"), ("Port", ""),
("Settings", "Nastavenia"), ("Settings", "Nastavenia"),
("Username", "Uživateľské meno"), ("Username", "Uživateľské meno"),
("Invalid port", "Neplatný port"), ("Invalid port", "Neplatný port"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "Zastavenie služby automaticky ukončí všetky naviazané spojenia."), ("android_stop_service_tip", "Zastavenie služby automaticky ukončí všetky naviazané spojenia."),
("android_version_audio_tip", "Vaša verzia Androidu neumožňuje zaznamenávanie zvuku. Prejdite na verziu Android 10 alebo vyššiu."), ("android_version_audio_tip", "Vaša verzia Androidu neumožňuje zaznamenávanie zvuku. Prejdite na verziu Android 10 alebo vyššiu."),
("android_start_service_tip", "Klepnite na [Spustiť službu] alebo OTVORTE oprávnenie [Zachytávanie obsahu obrazovky], aby sa aktivovala služba zdieľania obrazovky."), ("android_start_service_tip", "Klepnite na [Spustiť službu] alebo OTVORTE oprávnenie [Zachytávanie obsahu obrazovky], aby sa aktivovala služba zdieľania obrazovky."),
("Account", "Účet"), ("Account", ""),
("Overwrite", "Prepísať"), ("Overwrite", "Prepísať"),
("This file exists, skip or overwrite this file?", "Preskočiť alebo prepísať existujúci súbor?"), ("This file exists, skip or overwrite this file?", "Preskočiť alebo prepísať existujúci súbor?"),
("Quit", "Ukončiť"), ("Quit", "Ukončiť"),
@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Yeniden başlatma gerekli"), ("Reboot required", "Yeniden başlatma gerekli"),
("Unsupported display server ", "Desteklenmeyen görüntü sunucusu"), ("Unsupported display server ", "Desteklenmeyen görüntü sunucusu"),
("x11 expected", "x11 bekleniyor"), ("x11 expected", "x11 bekleniyor"),
("Port", "Port"), ("Port", ""),
("Settings", "Ayarlar"), ("Settings", "Ayarlar"),
("Username", "Kullanıcı Adı"), ("Username", "Kullanıcı Adı"),
("Invalid port", "Geçersiz port"), ("Invalid port", "Geçersiz port"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "Hizmetin kapatılması, kurulan tüm bağlantıları otomatik olarak kapatacaktır."), ("android_stop_service_tip", "Hizmetin kapatılması, kurulan tüm bağlantıları otomatik olarak kapatacaktır."),
("android_version_audio_tip", "Mevcut Android sürümü ses yakalamayı desteklemiyor, lütfen Android 10 veya sonraki bir sürüme yükseltin."), ("android_version_audio_tip", "Mevcut Android sürümü ses yakalamayı desteklemiyor, lütfen Android 10 veya sonraki bir sürüme yükseltin."),
("android_start_service_tip", "Ekran paylaşım hizmetini başlatmak için [Hizmeti Başlat] veya AÇ [Ekran Yakalama] iznine dokunun."), ("android_start_service_tip", "Ekran paylaşım hizmetini başlatmak için [Hizmeti Başlat] veya AÇ [Ekran Yakalama] iznine dokunun."),
("Account", "Hesap"), ("Account", ""),
("Overwrite", "üzerine yaz"), ("Overwrite", "üzerine yaz"),
("This file exists, skip or overwrite this file?", "Bu dosya var, bu dosya atlansın veya üzerine yazılsın mı?"), ("This file exists, skip or overwrite this file?", "Bu dosya var, bu dosya atlansın veya üzerine yazılsın mı?"),
("Quit", "Çıkış"), ("Quit", "Çıkış"),
@ -289,23 +289,10 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Keep RustDesk background service", ""), ("Keep RustDesk background service", ""),
("Ignore Battery Optimizations", ""), ("Ignore Battery Optimizations", ""),
("android_open_battery_optimizations_tip", ""), ("android_open_battery_optimizations_tip", ""),
("Random Password After Session", ""), ("Connection not allowed", "bağlantıya izin verilmedi"),
("Keep", ""),
("Update", ""),
("Disable", ""),
("Onetime Password", ""),
("Verification Method", ""),
("Enable security password", ""),
("Enable random password", ""),
("Enable onetime password", ""),
("Disable onetime password", ""),
("Activate onetime password", ""),
("Set security password", ""),
("Connection not allowed", ""),
("Legacy mode", ""), ("Legacy mode", ""),
("Map mode", ""), ("Map mode", ""),
("Translate mode", ""), ("Translate mode", ""),
("Connection not allowed", "bağlantıya izin verilmedi"),
("Use temporary password", "Geçici şifre kullan"), ("Use temporary password", "Geçici şifre kullan"),
("Use permanent password", "Kalıcı şifre kullan"), ("Use permanent password", "Kalıcı şifre kullan"),
("Use both passwords", "İki şifreyide kullan"), ("Use both passwords", "İki şifreyide kullan"),
@ -340,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "需要重新啟動"), ("Reboot required", "需要重新啟動"),
("Unsupported display server ", "不支援顯示伺服器"), ("Unsupported display server ", "不支援顯示伺服器"),
("x11 expected", "預期 x11"), ("x11 expected", "預期 x11"),
("Port", "連接埠"), ("Port", "端口"),
("Settings", "設定"), ("Settings", "設定"),
("Username", "使用者名稱"), ("Username", "使用者名稱"),
("Invalid port", "連接埠無效"), ("Invalid port", "連接埠無效"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "關閉服務將自動關閉所有已建立的連接。"), ("android_stop_service_tip", "關閉服務將自動關閉所有已建立的連接。"),
("android_version_audio_tip", "目前的 Android 版本不支持音訊錄製,請升級至 Android 10 或以上版本。"), ("android_version_audio_tip", "目前的 Android 版本不支持音訊錄製,請升級至 Android 10 或以上版本。"),
("android_start_service_tip", "點擊 「啟動服務」 或啟用 「畫面錄製」 權限以開啟手機畫面共享服務。"), ("android_start_service_tip", "點擊 「啟動服務」 或啟用 「畫面錄製」 權限以開啟手機畫面共享服務。"),
("Account", ""), ("Account", ""),
("Overwrite", "覆寫"), ("Overwrite", "覆寫"),
("This file exists, skip or overwrite this file?", "此檔案/資料夾已存在,要跳過或是覆寫此檔案嗎?"), ("This file exists, skip or overwrite this file?", "此檔案/資料夾已存在,要跳過或是覆寫此檔案嗎?"),
("Quit", "退出"), ("Quit", "退出"),
@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", "賬戶"), ("Account", "賬戶"),
("Theme", "主題"), ("Theme", "主題"),
("Dark Theme", "暗黑主題"), ("Dark Theme", "暗黑主題"),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", "使用硬件編解碼"), ("Enable hardware codec", "使用硬件編解碼"),
("Unlock Security Settings", "解鎖安全設置"), ("Unlock Security Settings", "解鎖安全設置"),
("Enable Audio", "允許傳輸音頻"), ("Enable Audio", "允許傳輸音頻"),

@ -187,7 +187,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Reboot required", "Yêu cầu khởi động lại"), ("Reboot required", "Yêu cầu khởi động lại"),
("Unsupported display server ", "Máy chủ hiển thị không đuợc hỗ trọ"), ("Unsupported display server ", "Máy chủ hiển thị không đuợc hỗ trọ"),
("x11 expected", "Cần x11"), ("x11 expected", "Cần x11"),
("Port", "Cổng"), ("Port", ""),
("Settings", "Cài đặt"), ("Settings", "Cài đặt"),
("Username", "Tên người dùng"), ("Username", "Tên người dùng"),
("Invalid port", "Cổng không hợp lệ"), ("Invalid port", "Cổng không hợp lệ"),
@ -268,7 +268,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_stop_service_tip", "Đóng dịch vụ sẽ tự động đóng tất cả các kết nối đã thiết lập."), ("android_stop_service_tip", "Đóng dịch vụ sẽ tự động đóng tất cả các kết nối đã thiết lập."),
("android_version_audio_tip", "Phiên bản Android hiện tại không hỗ trợ ghi âm, vui lòng nâng cấp lên Android 10 trở lên."), ("android_version_audio_tip", "Phiên bản Android hiện tại không hỗ trợ ghi âm, vui lòng nâng cấp lên Android 10 trở lên."),
("android_start_service_tip", "Nhấn vào [Bắt đầu dịch vụ] hoặc MỞ quyền [Ghi màn hình] để bắt đầu dịch vụ chia sẻ màn hình."), ("android_start_service_tip", "Nhấn vào [Bắt đầu dịch vụ] hoặc MỞ quyền [Ghi màn hình] để bắt đầu dịch vụ chia sẻ màn hình."),
("Account", "Tài khoản"), ("Account", ""),
("Overwrite", "Ghi đè"), ("Overwrite", "Ghi đè"),
("This file exists, skip or overwrite this file?", "Tệp tin này đã tồn tại, bạn có muốn bỏ qua hay ghi đè lên tệp tin này?"), ("This file exists, skip or overwrite this file?", "Tệp tin này đã tồn tại, bạn có muốn bỏ qua hay ghi đè lên tệp tin này?"),
("Quit", "Thoát"), ("Quit", "Thoát"),
@ -327,6 +327,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Account", ""), ("Account", ""),
("Theme", ""), ("Theme", ""),
("Dark Theme", ""), ("Dark Theme", ""),
("Dark", ""),
("Light", ""),
("Follow System", ""),
("Enable hardware codec", ""), ("Enable hardware codec", ""),
("Unlock Security Settings", ""), ("Unlock Security Settings", ""),
("Enable Audio", ""), ("Enable Audio", ""),