Compare commits

...

11 Commits

Author SHA1 Message Date
copilot-swe-agent[bot]
36b4f765fd Improve code quality: use named constant and clearer error logs
- Extract 0.1 second delay to named constant 'registrationDelay' with explanatory comment
- Split error message into separate log lines for better readability

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>
2026-02-07 03:46:24 +00:00
copilot-swe-agent[bot]
370b467b71 Address code review feedback: fix memory lifecycle and improve error message
- Move capture session lifecycle to main thread
- Add strong capture of captureSession in asyncAfter block to prevent premature deallocation
- Improve error message to inform user about potential impact and suggested action

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>
2026-02-07 03:45:47 +00:00
copilot-swe-agent[bot]
780c396541 Add detailed comments explaining microphone permission fix
Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>
2026-02-07 03:45:08 +00:00
copilot-swe-agent[bot]
db5a1f29e7 Fix macOS microphone permission registration
Instantiate AVCaptureSession when requesting audio permissions to ensure the app properly registers in System Settings > Privacy & Security > Microphone. This fix addresses the issue where RustDesk was not appearing in the microphone permissions list on macOS.

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>
2026-02-07 03:44:39 +00:00
copilot-swe-agent[bot]
b7d25ef389 Initial plan 2026-02-07 03:34:56 +00:00
fufesou
626a091f55 fix(translation): OIDC, Continue with (#14271)
Signed-off-by: fufesou <linlong1266@gmail.com>
2026-02-06 14:18:48 +08:00
Daniel Marschall
4fa5e99e65 Remove unused option_env!(...) (#13959) 2026-02-03 20:55:34 +08:00
bilimiyorum
5ee9dcf42d Update tr.rs (#14160)
The previous PR was reverted due to an incorrect file path. This PR applies the same updates to src/lang/tr.rs.
2026-02-02 22:18:36 +08:00
Copilot
6306f83316 Fix non-link text color in dialogs with links for dark theme (#14220)
* Initial plan

* Fix dialog text color for dark theme with links

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>

* Keep original link color (blue), only fix non-link text color

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>

* fix: dialog text color in dark theme

Signed-off-by: fufesou <linlong1266@gmail.com>

---------

Signed-off-by: fufesou <linlong1266@gmail.com>
Co-authored-by: copilot-swe-agent[bot] <198982749+Copilot@users.noreply.github.com>
Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>
Co-authored-by: fufesou <linlong1266@gmail.com>
2026-02-01 12:18:07 +08:00
XLion
96075fdf49 Update tw.rs (#14138) 2026-01-31 16:38:09 +08:00
Copilot
8c6dcf53a6 iOS terminal: Add touch swipe and floating back button for exit (#14208)
* Initial plan

* Add iOS edge swipe gesture to exit terminal session

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>

* Improve iOS edge swipe gesture with responsive thresholds and better gesture handling

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>

* Fix: Reset _swipeCurrentX in onHorizontalDragStart to prevent stale state

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>

* Add trackpad support documentation for iOS edge swipe gesture

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>

* Add iOS-style circular back button to terminal page

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>

* Remove trackpad support documentation - not needed with back button

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>

* Filter edge swipe gesture to touch-only input (exclude mouse/trackpad)

Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>

* fix: missing import

Signed-off-by: fufesou <linlong1266@gmail.com>

* fix(ios): terminal swip exit gesture

Signed-off-by: fufesou <linlong1266@gmail.com>

* Update flutter/lib/mobile/pages/terminal_page.dart

Co-authored-by: Copilot <175728472+Copilot@users.noreply.github.com>

---------

Signed-off-by: fufesou <linlong1266@gmail.com>
Co-authored-by: copilot-swe-agent[bot] <198982749+Copilot@users.noreply.github.com>
Co-authored-by: rustdesk <71636191+rustdesk@users.noreply.github.com>
Co-authored-by: fufesou <linlong1266@gmail.com>
Co-authored-by: Copilot <175728472+Copilot@users.noreply.github.com>
2026-01-31 16:37:45 +08:00
52 changed files with 269 additions and 138 deletions

View File

@@ -1124,18 +1124,23 @@ class CustomAlertDialog extends StatelessWidget {
Widget createDialogContent(String text) { Widget createDialogContent(String text) {
final RegExp linkRegExp = RegExp(r'(https?://[^\s]+)'); final RegExp linkRegExp = RegExp(r'(https?://[^\s]+)');
bool hasLink = linkRegExp.hasMatch(text);
// Early return: no link, use default theme color
if (!hasLink) {
return SelectableText(text, style: const TextStyle(fontSize: 15));
}
final List<TextSpan> spans = []; final List<TextSpan> spans = [];
int start = 0; int start = 0;
bool hasLink = false;
linkRegExp.allMatches(text).forEach((match) { linkRegExp.allMatches(text).forEach((match) {
hasLink = true;
if (match.start > start) { if (match.start > start) {
spans.add(TextSpan(text: text.substring(start, match.start))); spans.add(TextSpan(text: text.substring(start, match.start)));
} }
spans.add(TextSpan( spans.add(TextSpan(
text: match.group(0) ?? '', text: match.group(0) ?? '',
style: TextStyle( style: const TextStyle(
color: Colors.blue, color: Colors.blue,
decoration: TextDecoration.underline, decoration: TextDecoration.underline,
), ),
@@ -1153,13 +1158,9 @@ Widget createDialogContent(String text) {
spans.add(TextSpan(text: text.substring(start))); spans.add(TextSpan(text: text.substring(start)));
} }
if (!hasLink) {
return SelectableText(text, style: const TextStyle(fontSize: 15));
}
return SelectableText.rich( return SelectableText.rich(
TextSpan( TextSpan(
style: TextStyle(color: Colors.black, fontSize: 15), style: const TextStyle(fontSize: 15),
children: spans, children: spans,
), ),
); );

View File

@@ -103,7 +103,7 @@ class ButtonOP extends StatelessWidget {
child: FittedBox( child: FittedBox(
fit: BoxFit.scaleDown, fit: BoxFit.scaleDown,
child: Center( child: Center(
child: Text('${translate("Continue with")} $opLabel')), child: Text(translate("Continue with {$opLabel}"))),
), ),
), ),
], ],

View File

@@ -1,5 +1,6 @@
import 'dart:async'; import 'dart:async';
import 'dart:math'; import 'dart:math';
import 'package:flutter/gestures.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter/services.dart'; import 'package:flutter/services.dart';
import 'package:flutter_hbb/common.dart'; import 'package:flutter_hbb/common.dart';
@@ -41,6 +42,9 @@ class _TerminalPageState extends State<TerminalPage>
final GlobalKey _keyboardKey = GlobalKey(); final GlobalKey _keyboardKey = GlobalKey();
double _keyboardHeight = 0; double _keyboardHeight = 0;
late bool _showTerminalExtraKeys; late bool _showTerminalExtraKeys;
// For iOS edge swipe gesture
double _swipeStartX = 0;
double _swipeCurrentX = 0;
// For web only. // For web only.
// 'monospace' does not work on web, use Google Fonts, `??` is only for null safety. // 'monospace' does not work on web, use Google Fonts, `??` is only for null safety.
@@ -147,7 +151,7 @@ class _TerminalPageState extends State<TerminalPage>
} }
Widget buildBody() { Widget buildBody() {
return Scaffold( final scaffold = Scaffold(
resizeToAvoidBottomInset: false, // Disable automatic layout adjustment; manually control UI updates to prevent flickering when the keyboard shows/hides resizeToAvoidBottomInset: false, // Disable automatic layout adjustment; manually control UI updates to prevent flickering when the keyboard shows/hides
backgroundColor: Theme.of(context).scaffoldBackgroundColor, backgroundColor: Theme.of(context).scaffoldBackgroundColor,
body: Stack( body: Stack(
@@ -192,9 +196,108 @@ class _TerminalPageState extends State<TerminalPage>
), ),
), ),
if (_showTerminalExtraKeys) _buildFloatingKeyboard(), if (_showTerminalExtraKeys) _buildFloatingKeyboard(),
// iOS-style circular close button in top-right corner
if (isIOS) _buildCloseButton(),
], ],
), ),
); );
// Add iOS edge swipe gesture to exit (similar to Android back button)
if (isIOS) {
return LayoutBuilder(
builder: (context, constraints) {
final screenWidth = constraints.maxWidth;
// Base thresholds on screen width but clamp to reasonable logical pixel ranges
// Edge detection region: ~10% of width, clamped between 20 and 80 logical pixels
final edgeThreshold = (screenWidth * 0.1).clamp(20.0, 80.0);
// Required horizontal movement: ~25% of width, clamped between 80 and 300 logical pixels
final swipeThreshold = (screenWidth * 0.25).clamp(80.0, 300.0);
return RawGestureDetector(
behavior: HitTestBehavior.translucent,
gestures: <Type, GestureRecognizerFactory>{
HorizontalDragGestureRecognizer: GestureRecognizerFactoryWithHandlers<HorizontalDragGestureRecognizer>(
() => HorizontalDragGestureRecognizer(
debugOwner: this,
// Only respond to touch input, exclude mouse/trackpad
supportedDevices: kTouchBasedDeviceKinds,
),
(HorizontalDragGestureRecognizer instance) {
instance
// Capture initial touch-down position (before touch slop)
..onDown = (details) {
_swipeStartX = details.localPosition.dx;
_swipeCurrentX = details.localPosition.dx;
}
..onUpdate = (details) {
_swipeCurrentX = details.localPosition.dx;
}
..onEnd = (details) {
// Check if swipe started from left edge and moved right
if (_swipeStartX < edgeThreshold && (_swipeCurrentX - _swipeStartX) > swipeThreshold) {
clientClose(sessionId, _ffi);
}
_swipeStartX = 0;
_swipeCurrentX = 0;
}
..onCancel = () {
_swipeStartX = 0;
_swipeCurrentX = 0;
};
},
),
},
child: scaffold,
);
},
);
}
return scaffold;
}
Widget _buildCloseButton() {
return Positioned(
top: 0,
right: 0,
child: SafeArea(
minimum: const EdgeInsets.only(
top: 16, // iOS standard margin
right: 16, // iOS standard margin
),
child: Semantics(
button: true,
label: translate('Close'),
child: Container(
width: 44, // iOS standard tap target size
height: 44,
decoration: BoxDecoration(
color: Colors.black.withOpacity(0.5), // Half transparency
shape: BoxShape.circle,
),
child: Material(
color: Colors.transparent,
shape: const CircleBorder(),
clipBehavior: Clip.antiAlias,
child: InkWell(
customBorder: const CircleBorder(),
onTap: () {
clientClose(sessionId, _ffi);
},
child: Tooltip(
message: translate('Close'),
child: const Icon(
Icons.chevron_left, // iOS-style back arrow
color: Colors.white,
size: 28,
),
),
),
),
),
),
),
);
} }
Widget _buildFloatingKeyboard() { Widget _buildFloatingKeyboard() {

View File

@@ -209,7 +209,39 @@ class MainFlutterWindow: NSWindow {
break break
} }
case "requestRecordAudio": case "requestRecordAudio":
// Request microphone access and trigger system registration
// On macOS 13+, apps only appear in System Settings > Privacy & Security > Microphone
// after they actually attempt to use the microphone, not just request permission.
// We create a brief capture session to ensure proper registration.
AVCaptureDevice.requestAccess(for: .audio, completionHandler: { granted in AVCaptureDevice.requestAccess(for: .audio, completionHandler: { granted in
if granted {
// Instantiate an audio capture session to trigger macOS registration
// This needs to run on main thread to ensure proper lifecycle
DispatchQueue.main.async {
if let audioDevice = AVCaptureDevice.default(for: .audio) {
do {
let audioInput = try AVCaptureDeviceInput(device: audioDevice)
let captureSession = AVCaptureSession()
captureSession.beginConfiguration()
if captureSession.canAddInput(audioInput) {
captureSession.addInput(audioInput)
}
captureSession.commitConfiguration()
// Start and immediately stop the session to trigger registration
captureSession.startRunning()
// Minimum delay required for macOS to register the app in System Settings
let registrationDelay: TimeInterval = 0.1
// Keep a strong reference and stop after the registration delay
DispatchQueue.main.asyncAfter(deadline: .now() + registrationDelay) { [captureSession] in
captureSession.stopRunning()
}
} catch {
NSLog("[RustDesk] Failed to create audio capture session: %@", error.localizedDescription)
NSLog("[RustDesk] The app may not appear in System Settings > Privacy & Security > Microphone")
}
}
}
}
DispatchQueue.main.async { DispatchQueue.main.async {
result(granted) result(granted)
} }

View File

@@ -1072,10 +1072,6 @@ fn get_api_server_(api: String, custom: String) -> String {
if !api.is_empty() { if !api.is_empty() {
return api.to_owned(); return api.to_owned();
} }
let api = option_env!("API_SERVER").unwrap_or_default();
if !api.is_empty() {
return api.into();
}
let s0 = get_custom_rendezvous_server(custom); let s0 = get_custom_rendezvous_server(custom);
if !s0.is_empty() { if !s0.is_empty() {
let s = crate::increase_port(&s0, -2); let s = crate::increase_port(&s0, -2);
@@ -1737,8 +1733,7 @@ pub fn create_symmetric_key_msg(their_pk_b: [u8; 32]) -> (Bytes, Bytes, secretbo
#[inline] #[inline]
pub fn using_public_server() -> bool { pub fn using_public_server() -> bool {
option_env!("RENDEZVOUS_SERVER").unwrap_or("").is_empty() crate::get_custom_rendezvous_server(get_option("custom-rendezvous-server")).is_empty()
&& crate::get_custom_rendezvous_server(get_option("custom-rendezvous-server")).is_empty()
} }
pub struct ThrottledInterval { pub struct ThrottledInterval {

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "عرض RustDesk"), ("Show RustDesk", "عرض RustDesk"),
("This PC", "هذا الحاسب"), ("This PC", "هذا الحاسب"),
("or", "او"), ("or", "او"),
("Continue with", "متابعة مع"),
("Elevate", "ارتقاء"), ("Elevate", "ارتقاء"),
("Zoom cursor", "تكبير المؤشر"), ("Zoom cursor", "تكبير المؤشر"),
("Accept sessions via password", "قبول الجلسات عبر كلمة المرور"), ("Accept sessions via password", "قبول الجلسات عبر كلمة المرور"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "متابعة مع {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Паказаць RustDesk"), ("Show RustDesk", "Паказаць RustDesk"),
("This PC", "Гэты кампутар"), ("This PC", "Гэты кампутар"),
("or", "або"), ("or", "або"),
("Continue with", "Працягнуць з"),
("Elevate", "Павысіць"), ("Elevate", "Павысіць"),
("Zoom cursor", "Павялічэнне курсора"), ("Zoom cursor", "Павялічэнне курсора"),
("Accept sessions via password", "Прымаць сеансы па паролю"), ("Accept sessions via password", "Прымаць сеансы па паролю"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Працягнуць з {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Покажи RustDesk"), ("Show RustDesk", "Покажи RustDesk"),
("This PC", "Този компютър"), ("This PC", "Този компютър"),
("or", "или"), ("or", "или"),
("Continue with", "Продължи с"),
("Elevate", "Повишаване"), ("Elevate", "Повишаване"),
("Zoom cursor", "Уголемяване курсор"), ("Zoom cursor", "Уголемяване курсор"),
("Accept sessions via password", "Приемане сесии чрез парола"), ("Accept sessions via password", "Приемане сесии чрез парола"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Продължи с {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Mostra el RustDesk"), ("Show RustDesk", "Mostra el RustDesk"),
("This PC", "Aquest equip"), ("This PC", "Aquest equip"),
("or", "o"), ("or", "o"),
("Continue with", "Continua amb"),
("Elevate", "Permisos ampliats"), ("Elevate", "Permisos ampliats"),
("Zoom cursor", "Escala del ratolí"), ("Zoom cursor", "Escala del ratolí"),
("Accept sessions via password", "Accepta les sessions mitjançant una contrasenya"), ("Accept sessions via password", "Accepta les sessions mitjançant una contrasenya"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Continua amb {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "显示 RustDesk"), ("Show RustDesk", "显示 RustDesk"),
("This PC", "此电脑"), ("This PC", "此电脑"),
("or", ""), ("or", ""),
("Continue with", "使用"),
("Elevate", "提权"), ("Elevate", "提权"),
("Zoom cursor", "缩放光标"), ("Zoom cursor", "缩放光标"),
("Accept sessions via password", "只允许密码访问"), ("Accept sessions via password", "只允许密码访问"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "更新日志"), ("Changelog", "更新日志"),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "使用 {} 登录"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Zobrazit RustDesk"), ("Show RustDesk", "Zobrazit RustDesk"),
("This PC", "Tento počítač"), ("This PC", "Tento počítač"),
("or", "nebo"), ("or", "nebo"),
("Continue with", "Pokračovat s"),
("Elevate", "Zvýšit"), ("Elevate", "Zvýšit"),
("Zoom cursor", "Kurzor přiblížení"), ("Zoom cursor", "Kurzor přiblížení"),
("Accept sessions via password", "Přijímat relace pomocí hesla"), ("Accept sessions via password", "Přijímat relace pomocí hesla"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Pokračovat s {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Vis RustDesk"), ("Show RustDesk", "Vis RustDesk"),
("This PC", "Denne PC"), ("This PC", "Denne PC"),
("or", "eller"), ("or", "eller"),
("Continue with", "Fortsæt med"),
("Elevate", "Elevér"), ("Elevate", "Elevér"),
("Zoom cursor", "Zoom markør"), ("Zoom cursor", "Zoom markør"),
("Accept sessions via password", "Acceptér sessioner via adgangskode"), ("Accept sessions via password", "Acceptér sessioner via adgangskode"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Fortsæt med {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "RustDesk anzeigen"), ("Show RustDesk", "RustDesk anzeigen"),
("This PC", "Dieser PC"), ("This PC", "Dieser PC"),
("or", "oder"), ("or", "oder"),
("Continue with", "Fortfahren mit"),
("Elevate", "Zugriff gewähren"), ("Elevate", "Zugriff gewähren"),
("Zoom cursor", "Cursor vergrößern"), ("Zoom cursor", "Cursor vergrößern"),
("Accept sessions via password", "Sitzung mit Passwort bestätigen"), ("Accept sessions via password", "Sitzung mit Passwort bestätigen"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "Änderungsprotokoll"), ("Changelog", "Änderungsprotokoll"),
("keep-awake-during-outgoing-sessions-label", "Bildschirm während ausgehender Sitzungen aktiv halten"), ("keep-awake-during-outgoing-sessions-label", "Bildschirm während ausgehender Sitzungen aktiv halten"),
("keep-awake-during-incoming-sessions-label", "Bildschirm während eingehender Sitzungen aktiv halten"), ("keep-awake-during-incoming-sessions-label", "Bildschirm während eingehender Sitzungen aktiv halten"),
("Continue with {}", "Fortfahren mit {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Εμφάνιση RustDesk"), ("Show RustDesk", "Εμφάνιση RustDesk"),
("This PC", "Αυτός ο υπολογιστής"), ("This PC", "Αυτός ο υπολογιστής"),
("or", "ή"), ("or", "ή"),
("Continue with", "Συνέχεια με"),
("Elevate", "Ανύψωση"), ("Elevate", "Ανύψωση"),
("Zoom cursor", "ρσορας μεγέθυνσης"), ("Zoom cursor", "ρσορας μεγέθυνσης"),
("Accept sessions via password", "Αποδοχή συνεδριών με κωδικό πρόσβασης"), ("Accept sessions via password", "Αποδοχή συνεδριών με κωδικό πρόσβασης"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Συνέχεια με {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", ""), ("Show RustDesk", ""),
("This PC", ""), ("This PC", ""),
("or", ""), ("or", ""),
("Continue with", ""),
("Elevate", ""), ("Elevate", ""),
("Zoom cursor", ""), ("Zoom cursor", ""),
("Accept sessions via password", ""), ("Accept sessions via password", ""),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", ""),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Mostrar RustDesk"), ("Show RustDesk", "Mostrar RustDesk"),
("This PC", "Este PC"), ("This PC", "Este PC"),
("or", "o"), ("or", "o"),
("Continue with", "Continuar con"),
("Elevate", "Elevar privilegios"), ("Elevate", "Elevar privilegios"),
("Zoom cursor", "Ampliar cursor"), ("Zoom cursor", "Ampliar cursor"),
("Accept sessions via password", "Aceptar sesiones a través de contraseña"), ("Accept sessions via password", "Aceptar sesiones a través de contraseña"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Continuar con {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Kuva RustDesk"), ("Show RustDesk", "Kuva RustDesk"),
("This PC", "See arvuti"), ("This PC", "See arvuti"),
("or", "või"), ("or", "või"),
("Continue with", "Jätka koos"),
("Elevate", "Tõsta"), ("Elevate", "Tõsta"),
("Zoom cursor", "Suumi kursorit"), ("Zoom cursor", "Suumi kursorit"),
("Accept sessions via password", "Aktsepteeri seansid parooli kaudu"), ("Accept sessions via password", "Aktsepteeri seansid parooli kaudu"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Jätka koos {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Erakutsi RustDesk"), ("Show RustDesk", "Erakutsi RustDesk"),
("This PC", "PC hau"), ("This PC", "PC hau"),
("or", "edo"), ("or", "edo"),
("Continue with", "Jarraitu honekin"),
("Elevate", "Igo maila"), ("Elevate", "Igo maila"),
("Zoom cursor", "Handitu kurtsorea"), ("Zoom cursor", "Handitu kurtsorea"),
("Accept sessions via password", "Onartu saioak pasahitzaren bidez"), ("Accept sessions via password", "Onartu saioak pasahitzaren bidez"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "{} honekin jarraitu"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "RustDesk نمایش"), ("Show RustDesk", "RustDesk نمایش"),
("This PC", "This PC"), ("This PC", "This PC"),
("or", "یا"), ("or", "یا"),
("Continue with", "ادامه با"),
("Elevate", "ارتقاء"), ("Elevate", "ارتقاء"),
("Zoom cursor", " بزرگنمایی نشانگر ماوس"), ("Zoom cursor", " بزرگنمایی نشانگر ماوس"),
("Accept sessions via password", "قبول درخواست با رمز عبور"), ("Accept sessions via password", "قبول درخواست با رمز عبور"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "ادامه با {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Näytä RustDesk"), ("Show RustDesk", "Näytä RustDesk"),
("This PC", "Tämä tietokone"), ("This PC", "Tämä tietokone"),
("or", "tai"), ("or", "tai"),
("Continue with", "Jatka käyttäen"),
("Elevate", "Korota oikeudet"), ("Elevate", "Korota oikeudet"),
("Zoom cursor", "Suurennusosoitin"), ("Zoom cursor", "Suurennusosoitin"),
("Accept sessions via password", "Hyväksy istunnot salasanalla"), ("Accept sessions via password", "Hyväksy istunnot salasanalla"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Jatka käyttäen {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Afficher RustDesk"), ("Show RustDesk", "Afficher RustDesk"),
("This PC", "Ce PC"), ("This PC", "Ce PC"),
("or", "ou"), ("or", "ou"),
("Continue with", "Continuer avec"),
("Elevate", "Élever les privilèges"), ("Elevate", "Élever les privilèges"),
("Zoom cursor", "Augmenter la taille du curseur"), ("Zoom cursor", "Augmenter la taille du curseur"),
("Accept sessions via password", "Accepter les sessions via mot de passe"), ("Accept sessions via password", "Accepter les sessions via mot de passe"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "Journal des modifications"), ("Changelog", "Journal des modifications"),
("keep-awake-during-outgoing-sessions-label", "Maintenir lécran allumé lors des sessions sortantes"), ("keep-awake-during-outgoing-sessions-label", "Maintenir lécran allumé lors des sessions sortantes"),
("keep-awake-during-incoming-sessions-label", "Maintenir lécran allumé lors des sessions entrantes"), ("keep-awake-during-incoming-sessions-label", "Maintenir lécran allumé lors des sessions entrantes"),
("Continue with {}", "Continuer avec {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "RustDesk-ის ჩვენება"), ("Show RustDesk", "RustDesk-ის ჩვენება"),
("This PC", "ეს კომპიუტერი"), ("This PC", "ეს კომპიუტერი"),
("or", "ან"), ("or", "ან"),
("Continue with", "გაგრძელება"),
("Elevate", "უფლებების აწევა"), ("Elevate", "უფლებების აწევა"),
("Zoom cursor", "კურსორის მასშტაბირება"), ("Zoom cursor", "კურსორის მასშტაბირება"),
("Accept sessions via password", "სესიების მიღება პაროლით"), ("Accept sessions via password", "სესიების მიღება პაროლით"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "{}-ით გაგრძელება"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "הצג את RustDesk"), ("Show RustDesk", "הצג את RustDesk"),
("This PC", "מחשב זה"), ("This PC", "מחשב זה"),
("or", "או"), ("or", "או"),
("Continue with", "המשך עם"),
("Elevate", "הפעל הרשאות מורחבות"), ("Elevate", "הפעל הרשאות מורחבות"),
("Zoom cursor", "הגדל סמן"), ("Zoom cursor", "הגדל סמן"),
("Accept sessions via password", "קבל הפעלות באמצעות סיסמה"), ("Accept sessions via password", "קבל הפעלות באמצעות סיסמה"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "המשך עם {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Prikaži RustDesk"), ("Show RustDesk", "Prikaži RustDesk"),
("This PC", "Ovo računalo"), ("This PC", "Ovo računalo"),
("or", "ili"), ("or", "ili"),
("Continue with", "Nastavi sa"),
("Elevate", "Izdigni"), ("Elevate", "Izdigni"),
("Zoom cursor", "Zumiraj kursor"), ("Zoom cursor", "Zumiraj kursor"),
("Accept sessions via password", "Prihvati sesije preko lozinke"), ("Accept sessions via password", "Prihvati sesije preko lozinke"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Nastavi sa {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "A RustDesk megjelenítése"), ("Show RustDesk", "A RustDesk megjelenítése"),
("This PC", "Ez a számítógép"), ("This PC", "Ez a számítógép"),
("or", "vagy"), ("or", "vagy"),
("Continue with", "Folytatás a következővel"),
("Elevate", "Hozzáférés engedélyezése"), ("Elevate", "Hozzáférés engedélyezése"),
("Zoom cursor", "Kurzor nagyítása"), ("Zoom cursor", "Kurzor nagyítása"),
("Accept sessions via password", "Munkamenetek elfogadása jelszóval"), ("Accept sessions via password", "Munkamenetek elfogadása jelszóval"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "Változáslista"), ("Changelog", "Változáslista"),
("keep-awake-during-outgoing-sessions-label", "Képernyő aktív állapotban tartása a kimenő munkamenetek során"), ("keep-awake-during-outgoing-sessions-label", "Képernyő aktív állapotban tartása a kimenő munkamenetek során"),
("keep-awake-during-incoming-sessions-label", "Képernyő aktív állapotban tartása a bejövő munkamenetek során"), ("keep-awake-during-incoming-sessions-label", "Képernyő aktív állapotban tartása a bejövő munkamenetek során"),
("Continue with {}", "Folytatás a következővel: {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Tampilkan RustDesk"), ("Show RustDesk", "Tampilkan RustDesk"),
("This PC", "PC ini"), ("This PC", "PC ini"),
("or", "atau"), ("or", "atau"),
("Continue with", "Lanjutkan dengan"),
("Elevate", "Elevasi"), ("Elevate", "Elevasi"),
("Zoom cursor", "Perbersar Kursor"), ("Zoom cursor", "Perbersar Kursor"),
("Accept sessions via password", "Izinkan sesi dengan kata sandi"), ("Accept sessions via password", "Izinkan sesi dengan kata sandi"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Lanjutkan dengan {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Visualizza RustDesk"), ("Show RustDesk", "Visualizza RustDesk"),
("This PC", "Questo PC"), ("This PC", "Questo PC"),
("or", "O"), ("or", "O"),
("Continue with", "Continua con"),
("Elevate", "Eleva"), ("Elevate", "Eleva"),
("Zoom cursor", "Cursore zoom"), ("Zoom cursor", "Cursore zoom"),
("Accept sessions via password", "Accetta sessioni via password"), ("Accept sessions via password", "Accetta sessioni via password"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "Novità programma"), ("Changelog", "Novità programma"),
("keep-awake-during-outgoing-sessions-label", "Mantieni lo schermo attivo durante le sessioni in uscita"), ("keep-awake-during-outgoing-sessions-label", "Mantieni lo schermo attivo durante le sessioni in uscita"),
("keep-awake-during-incoming-sessions-label", "Mantieni lo schermo attivo durante le sessioni in ingresso"), ("keep-awake-during-incoming-sessions-label", "Mantieni lo schermo attivo durante le sessioni in ingresso"),
("Continue with {}", "Continua con {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "RustDesk を表示"), ("Show RustDesk", "RustDesk を表示"),
("This PC", "この PC"), ("This PC", "この PC"),
("or", "または"), ("or", "または"),
("Continue with", "で続行"),
("Elevate", "昇格"), ("Elevate", "昇格"),
("Zoom cursor", "カーソルを拡大する"), ("Zoom cursor", "カーソルを拡大する"),
("Accept sessions via password", "パスワードでセッションを承認"), ("Accept sessions via password", "パスワードでセッションを承認"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "{} で続行"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "RustDesk 표시"), ("Show RustDesk", "RustDesk 표시"),
("This PC", "이 PC"), ("This PC", "이 PC"),
("or", "또는"), ("or", "또는"),
("Continue with", "계속"),
("Elevate", "권한 상승"), ("Elevate", "권한 상승"),
("Zoom cursor", "커서 확대/축소"), ("Zoom cursor", "커서 확대/축소"),
("Accept sessions via password", "비밀번호를 통해 세션 수락"), ("Accept sessions via password", "비밀번호를 통해 세션 수락"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "변경 기록"), ("Changelog", "변경 기록"),
("keep-awake-during-outgoing-sessions-label", "발신 세션 중 화면 켜짐 유지"), ("keep-awake-during-outgoing-sessions-label", "발신 세션 중 화면 켜짐 유지"),
("keep-awake-during-incoming-sessions-label", "수신 세션 중 화면 켜짐 유지"), ("keep-awake-during-incoming-sessions-label", "수신 세션 중 화면 켜짐 유지"),
("Continue with {}", "{} (으)로 계속"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", ""), ("Show RustDesk", ""),
("This PC", ""), ("This PC", ""),
("or", ""), ("or", ""),
("Continue with", ""),
("Elevate", ""), ("Elevate", ""),
("Zoom cursor", ""), ("Zoom cursor", ""),
("Accept sessions via password", ""), ("Accept sessions via password", ""),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", ""),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Rodyti RustDesk"), ("Show RustDesk", "Rodyti RustDesk"),
("This PC", "Šis kompiuteris"), ("This PC", "Šis kompiuteris"),
("or", "arba"), ("or", "arba"),
("Continue with", "Tęsti su"),
("Elevate", "Pakelti"), ("Elevate", "Pakelti"),
("Zoom cursor", "Mastelio keitimo žymeklis"), ("Zoom cursor", "Mastelio keitimo žymeklis"),
("Accept sessions via password", "Priimti seansus naudojant slaptažodį"), ("Accept sessions via password", "Priimti seansus naudojant slaptažodį"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Tęsti su {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Rādīt RustDesk"), ("Show RustDesk", "Rādīt RustDesk"),
("This PC", "Šis dators"), ("This PC", "Šis dators"),
("or", "vai"), ("or", "vai"),
("Continue with", "Turpināt ar"),
("Elevate", "Pacelt"), ("Elevate", "Pacelt"),
("Zoom cursor", "Tālummaiņas kursors"), ("Zoom cursor", "Tālummaiņas kursors"),
("Accept sessions via password", "Pieņemt sesijas, izmantojot paroli"), ("Accept sessions via password", "Pieņemt sesijas, izmantojot paroli"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Turpināt ar {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Vis RustDesk"), ("Show RustDesk", "Vis RustDesk"),
("This PC", "Denne PC"), ("This PC", "Denne PC"),
("or", "eller"), ("or", "eller"),
("Continue with", "Fortsett med"),
("Elevate", "Elever"), ("Elevate", "Elever"),
("Zoom cursor", "Zoom markør"), ("Zoom cursor", "Zoom markør"),
("Accept sessions via password", "Aksepter sesjoner via passord"), ("Accept sessions via password", "Aksepter sesjoner via passord"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Fortsett med {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Toon RustDesk"), ("Show RustDesk", "Toon RustDesk"),
("This PC", "Deze PC"), ("This PC", "Deze PC"),
("or", "of"), ("or", "of"),
("Continue with", "Ga verder met"),
("Elevate", "Verhoog"), ("Elevate", "Verhoog"),
("Zoom cursor", "Zoom cursor"), ("Zoom cursor", "Zoom cursor"),
("Accept sessions via password", "Sessies accepteren via wachtwoord"), ("Accept sessions via password", "Sessies accepteren via wachtwoord"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "Wijzigingenlogboek"), ("Changelog", "Wijzigingenlogboek"),
("keep-awake-during-outgoing-sessions-label", "Houd het scherm open tijdens de uitgaande sessies."), ("keep-awake-during-outgoing-sessions-label", "Houd het scherm open tijdens de uitgaande sessies."),
("keep-awake-during-incoming-sessions-label", "Houd het scherm open tijdens de inkomende sessies."), ("keep-awake-during-incoming-sessions-label", "Houd het scherm open tijdens de inkomende sessies."),
("Continue with {}", "Ga verder met {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Pokaż RustDesk"), ("Show RustDesk", "Pokaż RustDesk"),
("This PC", "Ten komputer"), ("This PC", "Ten komputer"),
("or", "lub"), ("or", "lub"),
("Continue with", "Kontynuuj z"),
("Elevate", "Uzyskaj uprawnienia"), ("Elevate", "Uzyskaj uprawnienia"),
("Zoom cursor", "Powiększenie kursora"), ("Zoom cursor", "Powiększenie kursora"),
("Accept sessions via password", "Uwierzytelnij sesję używając hasła"), ("Accept sessions via password", "Uwierzytelnij sesję używając hasła"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "Dziennik zmian"), ("Changelog", "Dziennik zmian"),
("keep-awake-during-outgoing-sessions-label", "Utrzymuj urządzenie w stanie aktywnym podczas sesji wychodzących"), ("keep-awake-during-outgoing-sessions-label", "Utrzymuj urządzenie w stanie aktywnym podczas sesji wychodzących"),
("keep-awake-during-incoming-sessions-label", "Utrzymuj urządzenie w stanie aktywnym podczas sesji przychodzących"), ("keep-awake-during-incoming-sessions-label", "Utrzymuj urządzenie w stanie aktywnym podczas sesji przychodzących"),
("Continue with {}", "Kontynuuj z {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", ""), ("Show RustDesk", ""),
("This PC", ""), ("This PC", ""),
("or", ""), ("or", ""),
("Continue with", ""),
("Elevate", ""), ("Elevate", ""),
("Zoom cursor", ""), ("Zoom cursor", ""),
("Accept sessions via password", ""), ("Accept sessions via password", ""),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", ""),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Exibir RustDesk"), ("Show RustDesk", "Exibir RustDesk"),
("This PC", "Este Computador"), ("This PC", "Este Computador"),
("or", "ou"), ("or", "ou"),
("Continue with", "Continuar com"),
("Elevate", "Elevar"), ("Elevate", "Elevar"),
("Zoom cursor", "Aumentar cursor"), ("Zoom cursor", "Aumentar cursor"),
("Accept sessions via password", "Aceitar sessões via senha"), ("Accept sessions via password", "Aceitar sessões via senha"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "Registro de alterações"), ("Changelog", "Registro de alterações"),
("keep-awake-during-outgoing-sessions-label", "Manter tela ativa durante sessões de saída"), ("keep-awake-during-outgoing-sessions-label", "Manter tela ativa durante sessões de saída"),
("keep-awake-during-incoming-sessions-label", "Manter tela ativa durante sessões de entrada"), ("keep-awake-during-incoming-sessions-label", "Manter tela ativa durante sessões de entrada"),
("Continue with {}", "Continuar com {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Afișează RustDesk"), ("Show RustDesk", "Afișează RustDesk"),
("This PC", "Acest PC"), ("This PC", "Acest PC"),
("or", "sau"), ("or", "sau"),
("Continue with", "Continuă cu"),
("Elevate", "Sporește privilegii"), ("Elevate", "Sporește privilegii"),
("Zoom cursor", "Cursor lupă"), ("Zoom cursor", "Cursor lupă"),
("Accept sessions via password", "Acceptă începerea sesiunii folosind parola"), ("Accept sessions via password", "Acceptă începerea sesiunii folosind parola"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Continuă cu {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Показать RustDesk"), ("Show RustDesk", "Показать RustDesk"),
("This PC", "Этот компьютер"), ("This PC", "Этот компьютер"),
("or", "или"), ("or", "или"),
("Continue with", "Продолжить с"),
("Elevate", "Повысить"), ("Elevate", "Повысить"),
("Zoom cursor", "Масштабировать курсор"), ("Zoom cursor", "Масштабировать курсор"),
("Accept sessions via password", "Принимать сеансы по паролю"), ("Accept sessions via password", "Принимать сеансы по паролю"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "Журнал изменений"), ("Changelog", "Журнал изменений"),
("keep-awake-during-outgoing-sessions-label", "Не отключать экран во время исходящих сеансов"), ("keep-awake-during-outgoing-sessions-label", "Не отключать экран во время исходящих сеансов"),
("keep-awake-during-incoming-sessions-label", "Не отключать экран во время входящих сеансов"), ("keep-awake-during-incoming-sessions-label", "Не отключать экран во время входящих сеансов"),
("Continue with {}", "Продолжить с {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Mustra RustDesk"), ("Show RustDesk", "Mustra RustDesk"),
("This PC", "Custu PC"), ("This PC", "Custu PC"),
("or", "O"), ("or", "O"),
("Continue with", "Sighi cun"),
("Elevate", "Cresche"), ("Elevate", "Cresche"),
("Zoom cursor", "Cursore de ismanniamentu"), ("Zoom cursor", "Cursore de ismanniamentu"),
("Accept sessions via password", "Atzeta sessiones cun sa crae"), ("Accept sessions via password", "Atzeta sessiones cun sa crae"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Sighi cun {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Zobraziť RustDesk"), ("Show RustDesk", "Zobraziť RustDesk"),
("This PC", "Tento počítač"), ("This PC", "Tento počítač"),
("or", "alebo"), ("or", "alebo"),
("Continue with", "Pokračovať s"),
("Elevate", "Zvýšiť"), ("Elevate", "Zvýšiť"),
("Zoom cursor", "Kurzor priblíženia"), ("Zoom cursor", "Kurzor priblíženia"),
("Accept sessions via password", "Prijímanie relácií pomocou hesla"), ("Accept sessions via password", "Prijímanie relácií pomocou hesla"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Pokračovať s {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Prikaži RustDesk"), ("Show RustDesk", "Prikaži RustDesk"),
("This PC", "Ta računalnik"), ("This PC", "Ta računalnik"),
("or", "ali"), ("or", "ali"),
("Continue with", "Nadaljuj z"),
("Elevate", "Povzdig pravic"), ("Elevate", "Povzdig pravic"),
("Zoom cursor", "Prilagodi velikost miškinega kazalca"), ("Zoom cursor", "Prilagodi velikost miškinega kazalca"),
("Accept sessions via password", "Sprejmi seje z geslom"), ("Accept sessions via password", "Sprejmi seje z geslom"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Nadaljuj z {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Shfaq RustDesk"), ("Show RustDesk", "Shfaq RustDesk"),
("This PC", "Ky PC"), ("This PC", "Ky PC"),
("or", "ose"), ("or", "ose"),
("Continue with", "Vazhdo me"),
("Elevate", "Ngritja"), ("Elevate", "Ngritja"),
("Zoom cursor", "Zmadho kursorin"), ("Zoom cursor", "Zmadho kursorin"),
("Accept sessions via password", "Prano sesionin nëpërmjet fjalëkalimit"), ("Accept sessions via password", "Prano sesionin nëpërmjet fjalëkalimit"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Vazhdo me {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Prikazi RustDesk"), ("Show RustDesk", "Prikazi RustDesk"),
("This PC", "Ovaj PC"), ("This PC", "Ovaj PC"),
("or", "ili"), ("or", "ili"),
("Continue with", "Nastavi sa"),
("Elevate", "Izdigni"), ("Elevate", "Izdigni"),
("Zoom cursor", "Zumiraj kursor"), ("Zoom cursor", "Zumiraj kursor"),
("Accept sessions via password", "Prihvati sesije preko lozinke"), ("Accept sessions via password", "Prihvati sesije preko lozinke"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Nastavi sa {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Visa RustDesk"), ("Show RustDesk", "Visa RustDesk"),
("This PC", "Denna dator"), ("This PC", "Denna dator"),
("or", "eller"), ("or", "eller"),
("Continue with", "Fortsätt med"),
("Elevate", "Höj upp"), ("Elevate", "Höj upp"),
("Zoom cursor", "Zoom"), ("Zoom cursor", "Zoom"),
("Accept sessions via password", "Acceptera sessioner via lösenord"), ("Accept sessions via password", "Acceptera sessioner via lösenord"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Fortsätt med {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "RustDesk ஐ காட்டு"), ("Show RustDesk", "RustDesk ஐ காட்டு"),
("This PC", "இந்த PC"), ("This PC", "இந்த PC"),
("or", "அல்லது"), ("or", "அல்லது"),
("Continue with", "உடன் தொடர்"),
("Elevate", "உயர்த்து"), ("Elevate", "உயர்த்து"),
("Zoom cursor", "கர்சரை பெரிதாக்கு"), ("Zoom cursor", "கர்சரை பெரிதாக்கு"),
("Accept sessions via password", "கடவுச்சொல் வழியாக அமர்வுகளை ஏற்று"), ("Accept sessions via password", "கடவுச்சொல் வழியாக அமர்வுகளை ஏற்று"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "{} உடன் தொடர்"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", ""), ("Show RustDesk", ""),
("This PC", ""), ("This PC", ""),
("or", ""), ("or", ""),
("Continue with", ""),
("Elevate", ""), ("Elevate", ""),
("Zoom cursor", ""), ("Zoom cursor", ""),
("Accept sessions via password", ""), ("Accept sessions via password", ""),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", ""),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "แสดง RustDesk"), ("Show RustDesk", "แสดง RustDesk"),
("This PC", "พีซีเครื่องนี้"), ("This PC", "พีซีเครื่องนี้"),
("or", "หรือ"), ("or", "หรือ"),
("Continue with", "ทำต่อด้วย"),
("Elevate", "ยกระดับ"), ("Elevate", "ยกระดับ"),
("Zoom cursor", "ขยายเคอร์เซอร์"), ("Zoom cursor", "ขยายเคอร์เซอร์"),
("Accept sessions via password", "ยอมรับการเชื่อมต่อด้วยรหัสผ่าน"), ("Accept sessions via password", "ยอมรับการเชื่อมต่อด้วยรหัสผ่าน"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "ทำต่อด้วย {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -3,8 +3,8 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
[ [
("Status", "Durum"), ("Status", "Durum"),
("Your Desktop", "Sizin Masaüstünüz"), ("Your Desktop", "Sizin Masaüstünüz"),
("desk_tip", "Masaüstünüze bu ID ve şifre ile erişilebilir"), ("desk_tip", "Masaüstünüze bu ID ve parola ile erişilebilir"),
("Password", "Şifre"), ("Password", "Parola"),
("Ready", "Hazır"), ("Ready", "Hazır"),
("Established", "Bağlantı sağlandı"), ("Established", "Bağlantı sağlandı"),
("connecting_status", "Bağlanılıyor "), ("connecting_status", "Bağlanılıyor "),
@@ -13,16 +13,16 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Service is running", "Servis çalışıyor"), ("Service is running", "Servis çalışıyor"),
("Service is not running", "Servis çalışmıyor"), ("Service is not running", "Servis çalışmıyor"),
("not_ready_status", "Hazır değil. Bağlantınızı kontrol edin"), ("not_ready_status", "Hazır değil. Bağlantınızı kontrol edin"),
("Control Remote Desktop", "Bağlanılacak Uzak Bağlantı ID"), ("Control Remote Desktop", "Uzak Masaüstünü Denetle"),
("Transfer file", "Dosya transferi"), ("Transfer file", "Dosya transferi"),
("Connect", "Bağlan"), ("Connect", "Bağlan"),
("Recent sessions", "Son Bağlanılanlar"), ("Recent sessions", "Son oturumlar"),
("Address book", "Adres Defteri"), ("Address book", "Adres Defteri"),
("Confirmation", "Onayla"), ("Confirmation", "Onayla"),
("TCP tunneling", "TCP Tünelleri"), ("TCP tunneling", "TCP tünelleri"),
("Remove", "Kaldır"), ("Remove", "Kaldır"),
("Refresh random password", "Yeni rastgele şifre oluştur"), ("Refresh random password", "Yeni rastgele parola oluştur"),
("Set your own password", "Kendi şifreni oluştur"), ("Set your own password", "Kendi parolanı oluştur"),
("Enable keyboard/mouse", "Klavye ve Fareye izin ver"), ("Enable keyboard/mouse", "Klavye ve Fareye izin ver"),
("Enable clipboard", "Kopyalanan geçici veriye izin ver"), ("Enable clipboard", "Kopyalanan geçici veriye izin ver"),
("Enable file transfer", "Dosya Transferine izin ver"), ("Enable file transfer", "Dosya Transferine izin ver"),
@@ -47,9 +47,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Slogan_tip", "Bu kaotik dünyada gönülden yapıldı!"), ("Slogan_tip", "Bu kaotik dünyada gönülden yapıldı!"),
("Privacy Statement", "Gizlilik Beyanı"), ("Privacy Statement", "Gizlilik Beyanı"),
("Mute", "Sustur"), ("Mute", "Sustur"),
("Build Date", "Yapım Tarihi"), ("Build Date", "Derleme Tarihi"),
("Version", "Sürüm"), ("Version", "Sürüm"),
("Home", "Anasayfa"), ("Home", "Ana Sayfa"),
("Audio Input", "Ses Girişi"), ("Audio Input", "Ses Girişi"),
("Enhancements", "Geliştirmeler"), ("Enhancements", "Geliştirmeler"),
("Hardware Codec", "Donanımsal Codec"), ("Hardware Codec", "Donanımsal Codec"),
@@ -64,18 +64,18 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Not available", "Erişilebilir değil"), ("Not available", "Erişilebilir değil"),
("Too frequent", "Çok sık"), ("Too frequent", "Çok sık"),
("Cancel", "İptal"), ("Cancel", "İptal"),
("Skip", "Geç"), ("Skip", "Atla"),
("Close", "Kapat"), ("Close", "Kapat"),
("Retry", "Tekrar Dene"), ("Retry", "Tekrar Dene"),
("OK", "Tamam"), ("OK", "Tamam"),
("Password Required", "Şifre Gerekli"), ("Password Required", "Parola Gerekli"),
("Please enter your password", "Lütfen şifrenizi giriniz"), ("Please enter your password", "Lütfen parolanızı giriniz"),
("Remember password", "Şifreyi hatırla"), ("Remember password", "Parolayı hatırla"),
("Wrong Password", "Hatalı şifre"), ("Wrong Password", "Hatalı parola"),
("Do you want to enter again?", "Tekrar giriş yapmak ister misiniz?"), ("Do you want to enter again?", "Tekrar giriş yapmak ister misiniz?"),
("Connection Error", "Bağlantı Hatası"), ("Connection Error", "Bağlantı Hatası"),
("Error", "Hata"), ("Error", "Hata"),
("Reset by the peer", "Eş tarafında sıfırla"), ("Reset by the peer", "Eş tarafından sıfırlandı"),
("Connecting...", "Bağlanılıyor..."), ("Connecting...", "Bağlanılıyor..."),
("Connection in progress. Please wait.", "Bağlantı sağlanıyor. Lütfen bekleyiniz."), ("Connection in progress. Please wait.", "Bağlantı sağlanıyor. Lütfen bekleyiniz."),
("Please try 1 minute later", "Lütfen 1 dakika sonra tekrar deneyiniz"), ("Please try 1 minute later", "Lütfen 1 dakika sonra tekrar deneyiniz"),
@@ -141,10 +141,10 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Timeout", "Zaman aşımı"), ("Timeout", "Zaman aşımı"),
("Failed to connect to relay server", "Relay sunucusuna bağlanılamadı"), ("Failed to connect to relay server", "Relay sunucusuna bağlanılamadı"),
("Failed to connect via rendezvous server", "ID oluşturma sunucusuna bağlanılamadı"), ("Failed to connect via rendezvous server", "ID oluşturma sunucusuna bağlanılamadı"),
("Failed to connect via relay server", "Relay oluşturma sunucusuna bağlanılamadı"), ("Failed to connect via relay server", "Aktarma sunucusuna bağlanılamadı"),
("Failed to make direct connection to remote desktop", "Uzak masaüstüne doğrudan bağlantı kurulamadı"), ("Failed to make direct connection to remote desktop", "Uzak masaüstüne doğrudan bağlantı kurulamadı"),
("Set Password", "Şifre ayarla"), ("Set Password", "Parola ayarla"),
("OS Password", "İşletim Sistemi Şifresi"), ("OS Password", "İşletim Sistemi Parolası"),
("install_tip", "Kullanıcı Hesabı Denetimi nedeniyle, RustDesk bir uzak masaüstü olarak düzgün çalışmayabilir. Bu sorunu önlemek için, RustDesk'i sistem seviyesinde kurmak için aşağıdaki butona tıklayın."), ("install_tip", "Kullanıcı Hesabı Denetimi nedeniyle, RustDesk bir uzak masaüstü olarak düzgün çalışmayabilir. Bu sorunu önlemek için, RustDesk'i sistem seviyesinde kurmak için aşağıdaki butona tıklayın."),
("Click to upgrade", "Yükseltmek için tıklayınız"), ("Click to upgrade", "Yükseltmek için tıklayınız"),
("Configure", "Ayarla"), ("Configure", "Ayarla"),
@@ -184,7 +184,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Direct and unencrypted connection", "Doğrudan ve şifrelenmemiş bağlantı"), ("Direct and unencrypted connection", "Doğrudan ve şifrelenmemiş bağlantı"),
("Relayed and unencrypted connection", "Aktarmalı ve şifrelenmemiş bağlantı"), ("Relayed and unencrypted connection", "Aktarmalı ve şifrelenmemiş bağlantı"),
("Enter Remote ID", "Uzak ID'yi Girin"), ("Enter Remote ID", "Uzak ID'yi Girin"),
("Enter your password", "Şifrenizi girin"), ("Enter your password", "Parolanızı girin"),
("Logging in...", "Giriş yapılıyor..."), ("Logging in...", "Giriş yapılıyor..."),
("Enable RDP session sharing", "RDP oturum paylaşımını etkinleştir"), ("Enable RDP session sharing", "RDP oturum paylaşımını etkinleştir"),
("Auto Login", "Otomatik giriş"), ("Auto Login", "Otomatik giriş"),
@@ -208,8 +208,8 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Closed manually by the peer", "Eş tarafından manuel olarak kapatıldı"), ("Closed manually by the peer", "Eş tarafından manuel olarak kapatıldı"),
("Enable remote configuration modification", "Uzaktan yapılandırma değişikliğini etkinleştir"), ("Enable remote configuration modification", "Uzaktan yapılandırma değişikliğini etkinleştir"),
("Run without install", "Yüklemeden çalıştır"), ("Run without install", "Yüklemeden çalıştır"),
("Connect via relay", ""), ("Connect via relay", "Aktarmalı üzerinden bağlan"),
("Always connect via relay", "Always connect via relay"), ("Always connect via relay", "Her zaman aktarmalı üzerinden bağlan"),
("whitelist_tip", "Bu masaüstüne yalnızca yetkili IP adresleri bağlanabilir"), ("whitelist_tip", "Bu masaüstüne yalnızca yetkili IP adresleri bağlanabilir"),
("Login", "Giriş yap"), ("Login", "Giriş yap"),
("Verify", "Doğrula"), ("Verify", "Doğrula"),
@@ -226,11 +226,11 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Unselect all tags", "Tüm etiketlerin seçimini kaldır"), ("Unselect all tags", "Tüm etiketlerin seçimini kaldır"),
("Network error", "Bağlantı hatası"), ("Network error", "Bağlantı hatası"),
("Username missed", "Kullanıcı adı boş"), ("Username missed", "Kullanıcı adı boş"),
("Password missed", "Şifre boş"), ("Password missed", "Parola boş"),
("Wrong credentials", "Yanlış kimlik bilgileri"), ("Wrong credentials", "Yanlış kimlik bilgileri"),
("The verification code is incorrect or has expired", "Doğrulama kodu hatalı veya süresi dolmuş"), ("The verification code is incorrect or has expired", "Doğrulama kodu hatalı veya süresi dolmuş"),
("Edit Tag", "Etiketi düzenle"), ("Edit Tag", "Etiketi düzenle"),
("Forget Password", "Şifreyi Unut"), ("Forget Password", "Parolayı Unut"),
("Favorites", "Favoriler"), ("Favorites", "Favoriler"),
("Add to Favorites", "Favorilere ekle"), ("Add to Favorites", "Favorilere ekle"),
("Remove from Favorites", "Favorilerden çıkar"), ("Remove from Favorites", "Favorilerden çıkar"),
@@ -268,9 +268,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Share screen", "Ekranı Paylaş"), ("Share screen", "Ekranı Paylaş"),
("Chat", "Mesajlaş"), ("Chat", "Mesajlaş"),
("Total", "Toplam"), ("Total", "Toplam"),
("items", "öğeler"), ("items", "ögeler"),
("Selected", "Seçildi"), ("Selected", "Seçildi"),
("Screen Capture", "Ekran görüntüsü"), ("Screen Capture", "Ekran Görüntüsü"),
("Input Control", "Giriş Kontrolü"), ("Input Control", "Giriş Kontrolü"),
("Audio Capture", "Ses Yakalama"), ("Audio Capture", "Ses Yakalama"),
("Do you accept?", "Kabul ediyor musun?"), ("Do you accept?", "Kabul ediyor musun?"),
@@ -285,7 +285,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("android_start_service_tip", "Ekran paylaşım hizmetini başlatmak için [Hizmeti başlat] ögesine dokunun veya [Ekran Görüntüsü] iznini etkinleştirin."), ("android_start_service_tip", "Ekran paylaşım hizmetini başlatmak için [Hizmeti başlat] ögesine dokunun veya [Ekran Görüntüsü] iznini etkinleştirin."),
("android_permission_may_not_change_tip", "Kurulan bağlantılara ait izinler, yeniden bağlantı kurulana kadar anında değiştirilemez."), ("android_permission_may_not_change_tip", "Kurulan bağlantılara ait izinler, yeniden bağlantı kurulana kadar anında değiştirilemez."),
("Account", "Hesap"), ("Account", "Hesap"),
("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ış"),
("Help", "Yardım"), ("Help", "Yardım"),
@@ -295,8 +295,8 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Unsupported", "desteklenmiyor"), ("Unsupported", "desteklenmiyor"),
("Peer denied", "eş reddedildi"), ("Peer denied", "eş reddedildi"),
("Please install plugins", "Lütfen eklentileri yükleyin"), ("Please install plugins", "Lütfen eklentileri yükleyin"),
("Peer exit", "eş çıkışı"), ("Peer exit", "Eş çıkışı"),
("Failed to turn off", "kapatılamadı"), ("Failed to turn off", "Kapatılamadı"),
("Turned off", "Kapatıldı"), ("Turned off", "Kapatıldı"),
("Language", "Dil"), ("Language", "Dil"),
("Keep RustDesk background service", "RustDesk arka plan hizmetini sürdürün"), ("Keep RustDesk background service", "RustDesk arka plan hizmetini sürdürün"),
@@ -308,32 +308,32 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Legacy mode", "Eski mod"), ("Legacy mode", "Eski mod"),
("Map mode", "Haritalama modu"), ("Map mode", "Haritalama modu"),
("Translate mode", "Çeviri modu"), ("Translate mode", "Çeviri modu"),
("Use permanent password", "Kalıcı şifre kullan"), ("Use permanent password", "Kalıcı parola kullan"),
("Use both passwords", "İki şifreyi de kullan"), ("Use both passwords", "İki parolayı da kullan"),
("Set permanent password", "Kalıcı şifre oluştur"), ("Set permanent password", "Kalıcı parola oluştur"),
("Enable remote restart", "Uzaktan yeniden başlatmayı aktif et"), ("Enable remote restart", "Uzaktan yeniden başlatmayı aktif et"),
("Restart remote device", "Uzaktaki cihazı yeniden başlat"), ("Restart remote device", "Uzaktaki cihazı yeniden başlat"),
("Are you sure you want to restart", "Yeniden başlatmak istediğinize emin misin?"), ("Are you sure you want to restart", "Yeniden başlatmak istediğine emin misin?"),
("Restarting remote device", "Uzaktan yeniden başlatılıyor"), ("Restarting remote device", "Uzaktan yeniden başlatılıyor"),
("remote_restarting_tip", "Uzak cihaz yeniden başlatılıyor, lütfen bu mesaj kutusunu kapatın ve bir süre sonra kalıcı şifre ile yeniden bağlanın"), ("remote_restarting_tip", "Uzak cihaz yeniden başlatılıyor, lütfen bu mesaj kutusunu kapatın ve bir süre sonra kalıcı parola ile yeniden bağlanın"),
("Copied", "Kopyalandı"), ("Copied", "Kopyalandı"),
("Exit Fullscreen", "Tam ekrandan çık"), ("Exit Fullscreen", "Tam Ekrandan Çık"),
("Fullscreen", "Tam ekran"), ("Fullscreen", "Tam Ekran"),
("Mobile Actions", "Mobil İşlemler"), ("Mobile Actions", "Mobil İşlemler"),
("Select Monitor", "Monitörü Seç"), ("Select Monitor", "Monitörü Seç"),
("Control Actions", "Kontrol Eylemleri"), ("Control Actions", "Kontrol Eylemleri"),
("Display Settings", "Görüntü ayarları"), ("Display Settings", "Görüntü Ayarları"),
("Ratio", "Oran"), ("Ratio", "Oran"),
("Image Quality", "Görüntü kalitesi"), ("Image Quality", "Görüntü Kalitesi"),
("Scroll Style", "Kaydırma Stili"), ("Scroll Style", "Kaydırma Stili"),
("Show Toolbar", "Araç Çubuğunu Göster"), ("Show Toolbar", "Araç Çubuğunu Göster"),
("Hide Toolbar", "Araç Çubuğunu Gizle"), ("Hide Toolbar", "Araç Çubuğunu Gizle"),
("Direct Connection", "Doğrudan Bağlantı"), ("Direct Connection", "Doğrudan Bağlantı"),
("Relay Connection", "Röle Bağlantısı"), ("Relay Connection", "Aktarmalı Bağlantı"),
("Secure Connection", "Güvenli Bağlantı"), ("Secure Connection", "Güvenli Bağlantı"),
("Insecure Connection", "Güvenli Olmayan Bağlantı"), ("Insecure Connection", "Güvenli Olmayan Bağlantı"),
("Scale original", "Orijinali ölçeklendir"), ("Scale original", "Orijinal ölçekte"),
("Scale adaptive", "Ölçek uyarlanabilir"), ("Scale adaptive", "Uyarlanabilir ölçekte"),
("General", "Genel"), ("General", "Genel"),
("Security", "Güvenlik"), ("Security", "Güvenlik"),
("Theme", "Tema"), ("Theme", "Tema"),
@@ -347,18 +347,18 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Enable audio", "Sesi Aktif Et"), ("Enable audio", "Sesi Aktif Et"),
("Unlock Network Settings", "Ağ Ayarlarını"), ("Unlock Network Settings", "Ağ Ayarlarını"),
("Server", "Sunucu"), ("Server", "Sunucu"),
("Direct IP Access", "Direk IP Erişimi"), ("Direct IP Access", "Doğrudan IP Erişimi"),
("Proxy", "Vekil"), ("Proxy", "Vekil"),
("Apply", "Uygula"), ("Apply", "Uygula"),
("Disconnect all devices?", "Tüm cihazların bağlantısını kes?"), ("Disconnect all devices?", "Tüm cihazların bağlantısı kesilsin mi?"),
("Clear", "Temizle"), ("Clear", "Temizle"),
("Audio Input Device", "Ses Giriş Aygıtı"), ("Audio Input Device", "Ses Giriş Aygıtı"),
("Use IP Whitelisting", "IP Beyaz Listeyi Kullan"), ("Use IP Whitelisting", "IP Beyaz Listeyi Kullan"),
("Network", ""), ("Network", ""),
("Pin Toolbar", "Araç Çubuğunu Sabitle"), ("Pin Toolbar", "Araç Çubuğunu Sabitle"),
("Unpin Toolbar", "Araç Çubuğunu Sabitlemeyi Kaldır"), ("Unpin Toolbar", "Araç Çubuğunu Sabitlemeyi Kaldır"),
("Recording", "Kayıt Ediliyor"), ("Recording", "Kaydediliyor"),
("Directory", "Klasör"), ("Directory", "Dizin"),
("Automatically record incoming sessions", "Gelen oturumları otomatik olarak kaydet"), ("Automatically record incoming sessions", "Gelen oturumları otomatik olarak kaydet"),
("Automatically record outgoing sessions", "Giden oturumları otomatik olarak kaydet"), ("Automatically record outgoing sessions", "Giden oturumları otomatik olarak kaydet"),
("Change", "Değiştir"), ("Change", "Değiştir"),
@@ -384,16 +384,15 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "RustDesk'i Göster"), ("Show RustDesk", "RustDesk'i Göster"),
("This PC", "Bu PC"), ("This PC", "Bu PC"),
("or", "veya"), ("or", "veya"),
("Continue with", "bununla devam et"),
("Elevate", "Yükseltme"), ("Elevate", "Yükseltme"),
("Zoom cursor", "Yakınlaştırma imleci"), ("Zoom cursor", "Yakınlaştırma imleci"),
("Accept sessions via password", "Oturumları parola ile kabul etme"), ("Accept sessions via password", "Oturumları parola ile kabul etme"),
("Accept sessions via click", "Tıklama yoluyla oturumları kabul edin"), ("Accept sessions via click", "Tıklama yoluyla oturumları kabul edin"),
("Accept sessions via both", "Her ikisi aracılığıyla oturumları kabul edin"), ("Accept sessions via both", "Her ikisi aracılığıyla oturumları kabul edin"),
("Please wait for the remote side to accept your session request...", "Lütfen uzak tarafın oturum isteğinizi kabul etmesini bekleyin..."), ("Please wait for the remote side to accept your session request...", "Lütfen uzak tarafın oturum isteğinizi kabul etmesini bekleyin..."),
("One-time Password", "Tek Kullanımlık Şifre"), ("One-time Password", "Tek Kullanımlık Parola"),
("Use one-time password", "Tek seferlik parola kullanın"), ("Use one-time password", "Tek seferlik parola kullanın"),
("One-time password length", "Tek seferlik şifre uzunluğu"), ("One-time password length", "Tek seferlik parola uzunluğu"),
("Request access to your device", "Cihazınıza erişim talep edin"), ("Request access to your device", "Cihazınıza erişim talep edin"),
("Hide connection management window", "Bağlantı yönetimi penceresini gizle"), ("Hide connection management window", "Bağlantı yönetimi penceresini gizle"),
("hide_cm_tip", "Oturumları yalnızca parola ile kabul edebilir ve kalıcı parola kullanıyorsanız gizlemeye izin verin"), ("hide_cm_tip", "Oturumları yalnızca parola ile kabul edebilir ve kalıcı parola kullanıyorsanız gizlemeye izin verin"),
@@ -442,7 +441,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Voice call", "Sesli görüşme"), ("Voice call", "Sesli görüşme"),
("Text chat", "Metin sohbeti"), ("Text chat", "Metin sohbeti"),
("Stop voice call", "Sesli görüşmeyi durdur"), ("Stop voice call", "Sesli görüşmeyi durdur"),
("relay_hint_tip", "Doğrudan bağlanmak mümkün olmayabilir; röle aracılığıyla bağlanmayı deneyebilirsiniz. Ayrıca, ilk denemenizde bir röle kullanmak istiyorsanız, ID'nin sonuna \"/r\" ekleyebilir veya son oturum kartındaki \"Her Zaman Röle Üzerinden Bağlan\" seçeneğini seçebilirsiniz."), ("relay_hint_tip", "Doğrudan bağlanmak mümkün olmayabilir; aktarmalı bağlanmayı deneyebilirsiniz. Ayrıca, ilk denemenizde aktarma sunucusu kullanmak istiyorsanız ID'nin sonuna \"/r\" ekleyebilir veya son oturum kartındaki \"Her Zaman Aktarmalı Üzerinden Bağlan\" seçeneğini seçebilirsiniz."),
("Reconnect", "Yeniden Bağlan"), ("Reconnect", "Yeniden Bağlan"),
("Codec", "Kodlayıcı"), ("Codec", "Kodlayıcı"),
("Resolution", "Çözünürlük"), ("Resolution", "Çözünürlük"),
@@ -477,7 +476,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("no_desktop_title_tip", "Masaüstü mevcut değil"), ("no_desktop_title_tip", "Masaüstü mevcut değil"),
("no_desktop_text_tip", "Lütfen GNOME masaüstünü yükleyin"), ("no_desktop_text_tip", "Lütfen GNOME masaüstünü yükleyin"),
("No need to elevate", "Yükseltmeye gerek yok"), ("No need to elevate", "Yükseltmeye gerek yok"),
("System Sound", "Sistem Ses"), ("System Sound", "Sistem Sesi"),
("Default", "Varsayılan"), ("Default", "Varsayılan"),
("New RDP", "Yeni RDP"), ("New RDP", "Yeni RDP"),
("Fingerprint", "Parmak İzi"), ("Fingerprint", "Parmak İzi"),
@@ -495,7 +494,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("resolution_fit_local_tip", "Yerel çözünürlüğe sığdır"), ("resolution_fit_local_tip", "Yerel çözünürlüğe sığdır"),
("resolution_custom_tip", "Özel çözünürlük"), ("resolution_custom_tip", "Özel çözünürlük"),
("Collapse toolbar", "Araç çubuğunu daralt"), ("Collapse toolbar", "Araç çubuğunu daralt"),
("Accept and Elevate", "Kabul et ve yükselt"), ("Accept and Elevate", "Kabul Et ve Yükselt"),
("accept_and_elevate_btn_tooltip", "Bağlantıyı kabul et ve UAC izinlerini yükselt."), ("accept_and_elevate_btn_tooltip", "Bağlantıyı kabul et ve UAC izinlerini yükselt."),
("clipboard_wait_response_timeout_tip", "Kopyalama yanıtı için zaman aşımına uğradı."), ("clipboard_wait_response_timeout_tip", "Kopyalama yanıtı için zaman aşımına uğradı."),
("Incoming connection", "Gelen bağlantı"), ("Incoming connection", "Gelen bağlantı"),
@@ -534,7 +533,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("scam_text1", "Eğer tanımadığınız ve güvenmediğiniz birisiyle telefonda konuşuyorsanız ve sizden RustDesk'i kullanmanızı ve hizmeti başlatmanızı istiyorsa devam etmeyin ve hemen telefonu kapatın."), ("scam_text1", "Eğer tanımadığınız ve güvenmediğiniz birisiyle telefonda konuşuyorsanız ve sizden RustDesk'i kullanmanızı ve hizmeti başlatmanızı istiyorsa devam etmeyin ve hemen telefonu kapatın."),
("scam_text2", "Muhtemelen paranızı veya diğer özel bilgilerinizi çalmaya çalışan dolandırıcılardır."), ("scam_text2", "Muhtemelen paranızı veya diğer özel bilgilerinizi çalmaya çalışan dolandırıcılardır."),
("Don't show again", "Bir daha gösterme"), ("Don't show again", "Bir daha gösterme"),
("I Agree", "Kabul ediyorum"), ("I Agree", "Kabul Ediyorum"),
("Decline", "Reddet"), ("Decline", "Reddet"),
("Timeout in minutes", "Zaman aşımı (dakika)"), ("Timeout in minutes", "Zaman aşımı (dakika)"),
("auto_disconnect_option_tip", "Kullanıcı etkin olmadığında gelen oturumları otomatik olarak kapat"), ("auto_disconnect_option_tip", "Kullanıcı etkin olmadığında gelen oturumları otomatik olarak kapat"),
@@ -559,7 +558,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Plug out all", "Tümünü çıkar"), ("Plug out all", "Tümünü çıkar"),
("True color (4:4:4)", "Gerçek renk (4:4:4)"), ("True color (4:4:4)", "Gerçek renk (4:4:4)"),
("Enable blocking user input", "Kullanıcı girişini engellemeyi etkinleştir"), ("Enable blocking user input", "Kullanıcı girişini engellemeyi etkinleştir"),
("id_input_tip", "Bir ID, doğrudan IP veya portlu bir etki alanı (<domain>:<port>) girebilirsiniz.\nBaşka bir sunucudaki bir cihaza erişmek istiyorsanız lütfen sunucu adresini (<id>@<server_address>?key=<key_value>) ekleyin, örneğin,\n9123456234@192.168.16.1:21117?key=5Qbwsde3unUcJBtrx9ZkvUmwFNoExHzpryHuPUdqlWM=.\nGenel bir sunucudaki bir cihaza erişmek istiyorsanız lütfen \"<id>@public\" girin, genel sunucu için anahtara gerek yoktur.\n\nİlk bağlantıda bir röle bağlantısının kullanılmasını zorlamak istiyorsanız ID'nin sonuna \"/r\" ekleyin, örneğin, \"9123456234/r\"."), ("id_input_tip", "Bir ID, doğrudan IP veya portlu bir etki alanı (<domain>:<port>) girebilirsiniz.\nBaşka bir sunucudaki bir cihaza erişmek istiyorsanız lütfen sunucu adresini (<id>@<server_address>?key=<key_value>) ekleyin, örneğin,\n9123456234@192.168.16.1:21117?key=5Qbwsde3unUcJBtrx9ZkvUmwFNoExHzpryHuPUdqlWM=.\nGenel bir sunucudaki bir cihaza erişmek istiyorsanız lütfen \"<id>@public\" girin, genel sunucu için anahtara gerek yoktur.\n\nİlk bağlantıda bir aktarma bağlantısının kullanılmasını zorlamak istiyorsanız ID'nin sonuna \"/r\" ekleyin, örneğin, \"9123456234/r\"."),
("privacy_mode_impl_mag_tip", "Mod 1"), ("privacy_mode_impl_mag_tip", "Mod 1"),
("privacy_mode_impl_virtual_display_tip", "Mod 2"), ("privacy_mode_impl_virtual_display_tip", "Mod 2"),
("Enter privacy mode", "Gizlilik moduna gir"), ("Enter privacy mode", "Gizlilik moduna gir"),
@@ -581,12 +580,12 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Please select the session you want to connect to", "Lütfen bağlanmak istediğiniz oturumu seçin"), ("Please select the session you want to connect to", "Lütfen bağlanmak istediğiniz oturumu seçin"),
("powered_by_me", "RustDesk tarafından desteklenmektedir"), ("powered_by_me", "RustDesk tarafından desteklenmektedir"),
("outgoing_only_desk_tip", "Bu özelleştirilmiş bir sürümdür.\nDiğer cihazlara bağlanabilirsiniz, ancak diğer cihazlar cihazınıza bağlanamaz."), ("outgoing_only_desk_tip", "Bu özelleştirilmiş bir sürümdür.\nDiğer cihazlara bağlanabilirsiniz, ancak diğer cihazlar cihazınıza bağlanamaz."),
("preset_password_warning", "Bu özelleştirilmiş sürüm, önceden ayarlanmış bir şifre ile birlikte gelir. Bu parolayı bilen herkes cihazınızın tam kontrolünü ele geçirebilir. Bunu beklemiyorsanız yazılımı hemen kaldırın."), ("preset_password_warning", "Bu özelleştirilmiş sürüm, önceden ayarlanmış bir parola ile birlikte gelir. Bu parolayı bilen herkes cihazınızın tam kontrolünü ele geçirebilir. Bunu beklemiyorsanız yazılımı hemen kaldırın."),
("Security Alert", "Güvenlik Uyarısı"), ("Security Alert", "Güvenlik Uyarısı"),
("My address book", "Adres defterim"), ("My address book", "Adres defterim"),
("Personal", "Kişisel"), ("Personal", "Kişisel"),
("Owner", "Sahip"), ("Owner", "Sahip"),
("Set shared password", "Paylaşılan şifreyi ayarla"), ("Set shared password", "Paylaşılan parolayı ayarla"),
("Exist in", "İçinde varolan"), ("Exist in", "İçinde varolan"),
("Read-only", "Salt okunur"), ("Read-only", "Salt okunur"),
("Read/Write", "Okuma/Yazma"), ("Read/Write", "Okuma/Yazma"),
@@ -599,7 +598,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Follow remote cursor", "Uzak imleci takip et"), ("Follow remote cursor", "Uzak imleci takip et"),
("Follow remote window focus", "Uzak pencere odağını takip et"), ("Follow remote window focus", "Uzak pencere odağını takip et"),
("default_proxy_tip", "Varsayılan protokol ve port Socks5 ve 1080'dir."), ("default_proxy_tip", "Varsayılan protokol ve port Socks5 ve 1080'dir."),
("no_audio_input_device_tip", "Varsayılan protokol ve port, Socks5 ve 1080'dir"), ("no_audio_input_device_tip", "Ses girişi aygıtı bulunamadı."),
("Incoming", "Gelen"), ("Incoming", "Gelen"),
("Outgoing", "Giden"), ("Outgoing", "Giden"),
("Clear Wayland screen selection", "Wayland ekran seçimini temizle"), ("Clear Wayland screen selection", "Wayland ekran seçimini temizle"),
@@ -612,7 +611,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("floating_window_tip", "RustDesk arka plan hizmetini açık tutmaya yardımcı olur"), ("floating_window_tip", "RustDesk arka plan hizmetini açık tutmaya yardımcı olur"),
("Keep screen on", "Ekranıık tut"), ("Keep screen on", "Ekranıık tut"),
("Never", "Asla"), ("Never", "Asla"),
("During controlled", "Kontrol sırasınd"), ("During controlled", "Kontrol sırasında"),
("During service is on", "Servis açıkken"), ("During service is on", "Servis açıkken"),
("Capture screen using DirectX", "DirectX kullanarak ekran görüntüsü al"), ("Capture screen using DirectX", "DirectX kullanarak ekran görüntüsü al"),
("Back", "Geri"), ("Back", "Geri"),
@@ -620,7 +619,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Volume up", "Sesi yükselt"), ("Volume up", "Sesi yükselt"),
("Volume down", "Sesi azalt"), ("Volume down", "Sesi azalt"),
("Power", "Güç"), ("Power", "Güç"),
("Telegram bot", "Telegram bot"), ("Telegram bot", "Telegram botu"),
("enable-bot-tip", "Bu özelliği etkinleştirirseniz botunuzdan 2FA kodunu alabilirsiniz. Aynı zamanda bağlantı bildirimi işlevi de görebilir."), ("enable-bot-tip", "Bu özelliği etkinleştirirseniz botunuzdan 2FA kodunu alabilirsiniz. Aynı zamanda bağlantı bildirimi işlevi de görebilir."),
("enable-bot-desc", "1. @BotFather ile bir sohbet açın.\n2. \"/newbot\" komutunu gönderin. Bu adımı tamamladıktan sonra bir jeton alacaksınız.\n3. Yeni oluşturduğunuz botla bir sohbet başlatın. Etkinleştirmek için eğik çizgiyle (\"/\") başlayan \"/merhaba\" gibi bir mesaj gönderin.\n"), ("enable-bot-desc", "1. @BotFather ile bir sohbet açın.\n2. \"/newbot\" komutunu gönderin. Bu adımı tamamladıktan sonra bir jeton alacaksınız.\n3. Yeni oluşturduğunuz botla bir sohbet başlatın. Etkinleştirmek için eğik çizgiyle (\"/\") başlayan \"/merhaba\" gibi bir mesaj gönderin.\n"),
("cancel-2fa-confirm-tip", "2FA'yı iptal etmek istediğinizden emin misiniz?"), ("cancel-2fa-confirm-tip", "2FA'yı iptal etmek istediğinizden emin misiniz?"),
@@ -642,7 +641,7 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Invalid file name", "Geçersiz dosya adı"), ("Invalid file name", "Geçersiz dosya adı"),
("one-way-file-transfer-tip", "Kontrol edilen tarafta tek yönlü dosya transferi aktiftir."), ("one-way-file-transfer-tip", "Kontrol edilen tarafta tek yönlü dosya transferi aktiftir."),
("Authentication Required", "Kimlik Doğrulama Gerekli"), ("Authentication Required", "Kimlik Doğrulama Gerekli"),
("Authenticate", "Kimlik doğrulaması"), ("Authenticate", "Kimlik Doğrula"),
("web_id_input_tip", "Aynı sunucuda bir kimlik girebilirsiniz, web istemcisinde doğrudan IP erişimi desteklenmez.\nBaşka bir sunucudaki bir cihaza erişmek istiyorsanız lütfen sunucu adresini (<id>@<server_address>?key=<key_value>) ekleyin, örneğin,\n9123456234@192.168.16.1:21117?key=5Qbwsde3unUcJBtrx9ZkvUmwFNoExHzpryHuPUdqlWM=.\nGenel bir sunucudaki bir cihaza erişmek istiyorsanız, lütfen \"<id>@public\" girin, genel sunucu için anahtara gerek yoktur."), ("web_id_input_tip", "Aynı sunucuda bir kimlik girebilirsiniz, web istemcisinde doğrudan IP erişimi desteklenmez.\nBaşka bir sunucudaki bir cihaza erişmek istiyorsanız lütfen sunucu adresini (<id>@<server_address>?key=<key_value>) ekleyin, örneğin,\n9123456234@192.168.16.1:21117?key=5Qbwsde3unUcJBtrx9ZkvUmwFNoExHzpryHuPUdqlWM=.\nGenel bir sunucudaki bir cihaza erişmek istiyorsanız, lütfen \"<id>@public\" girin, genel sunucu için anahtara gerek yoktur."),
("Download", "İndir"), ("Download", "İndir"),
("Upload folder", "Klasör yükle"), ("Upload folder", "Klasör yükle"),
@@ -661,9 +660,9 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("printer-{}-not-installed-tip", "{} Yazıcısı yüklü değil."), ("printer-{}-not-installed-tip", "{} Yazıcısı yüklü değil."),
("printer-{}-ready-tip", "{} Yazıcısı kuruldu ve kullanıma hazır."), ("printer-{}-ready-tip", "{} Yazıcısı kuruldu ve kullanıma hazır."),
("Install {} Printer", "{} Yazıcısını Yükle"), ("Install {} Printer", "{} Yazıcısını Yükle"),
("Outgoing Print Jobs", "Giden Baskı İşleri"), ("Outgoing Print Jobs", "Giden Yazdırma İşleri"),
("Incoming Print Jobs", "Gelen Baskı İşleri"), ("Incoming Print Jobs", "Gelen Yazdırma İşleri"),
("Incoming Print Job", "Gelen Baskı İşi"), ("Incoming Print Job", "Gelen Yazdırma İşi"),
("use-the-default-printer-tip", "Varsayılan yazıcıyı kullan"), ("use-the-default-printer-tip", "Varsayılan yazıcıyı kullan"),
("use-the-selected-printer-tip", "Seçili yazıcıyı kullan"), ("use-the-selected-printer-tip", "Seçili yazıcıyı kullan"),
("auto-print-tip", "Seçili yazıcıyı kullanarak otomatik olarak yazdır."), ("auto-print-tip", "Seçili yazıcıyı kullanarak otomatik olarak yazdır."),
@@ -685,11 +684,11 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("download-new-version-failed-tip", "İndirme başarısız oldu. Tekrar deneyebilir veya 'İndir' düğmesine tıklayarak sürüm sayfasından manuel olarak indirip güncelleyebilirsiniz."), ("download-new-version-failed-tip", "İndirme başarısız oldu. Tekrar deneyebilir veya 'İndir' düğmesine tıklayarak sürüm sayfasından manuel olarak indirip güncelleyebilirsiniz."),
("Auto update", "Otomatik güncelleme"), ("Auto update", "Otomatik güncelleme"),
("update-failed-check-msi-tip", "Kurulum yöntemi denetimi başarısız oldu. Sürüm sayfasından indirmek ve manuel olarak yükseltmek için lütfen \"İndir\" düğmesine tıklayın."), ("update-failed-check-msi-tip", "Kurulum yöntemi denetimi başarısız oldu. Sürüm sayfasından indirmek ve manuel olarak yükseltmek için lütfen \"İndir\" düğmesine tıklayın."),
("websocket_tip", "WebSocket kullanıldığında yalnızca röle bağlantıları desteklenir."), ("websocket_tip", "WebSocket kullanıldığında yalnızca aktarma bağlantıları desteklenir."),
("Use WebSocket", "WebSocket'ı kullan"), ("Use WebSocket", "WebSocket'ı kullan"),
("Trackpad speed", "İzleme paneli hızı"), ("Trackpad speed", "İzleme paneli hızı"),
("Default trackpad speed", "Varsayılan izleme paneli hızı"), ("Default trackpad speed", "Varsayılan izleme paneli hızı"),
("Numeric one-time password", "Sayısal tek seferlik şifre"), ("Numeric one-time password", "Sayısal tek seferlik parola"),
("Enable IPv6 P2P connection", "IPv6 P2P bağlantısını etkinleştir"), ("Enable IPv6 P2P connection", "IPv6 P2P bağlantısını etkinleştir"),
("Enable UDP hole punching", "UDP delik açmayı etkinleştir"), ("Enable UDP hole punching", "UDP delik açmayı etkinleştir"),
("View camera", "Kamerayı görüntüle"), ("View camera", "Kamerayı görüntüle"),
@@ -701,16 +700,16 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("New tab", "Yeni sekme"), ("New tab", "Yeni sekme"),
("Keep terminal sessions on disconnect", "Bağlantı kesildiğinde terminal oturumlarınıık tut"), ("Keep terminal sessions on disconnect", "Bağlantı kesildiğinde terminal oturumlarınıık tut"),
("Terminal (Run as administrator)", "Terminal (Yönetici olarak çalıştır)"), ("Terminal (Run as administrator)", "Terminal (Yönetici olarak çalıştır)"),
("terminal-admin-login-tip", "Lütfen kontrol edilen tarafın yönetici kullanıcı adı ve şifresini giriniz."), ("terminal-admin-login-tip", "Lütfen kontrol edilen tarafın yönetici kullanıcı adı ve parolasını giriniz."),
("Failed to get user token.", "Kullanıcı belirteci alınamadı."), ("Failed to get user token.", "Kullanıcı belirteci alınamadı."),
("Incorrect username or password.", "Hatalı kullanıcı adı veya şifre."), ("Incorrect username or password.", "Hatalı kullanıcı adı veya parola."),
("The user is not an administrator.", "Kullanıcı bir yönetici değil."), ("The user is not an administrator.", "Kullanıcı bir yönetici değil."),
("Failed to check if the user is an administrator.", "Kullanıcının yönetici olup olmadığı kontrol edilemedi."), ("Failed to check if the user is an administrator.", "Kullanıcının yönetici olup olmadığı kontrol edilemedi."),
("Supported only in the installed version.", "Sadece yüklü sürümde desteklenir."), ("Supported only in the installed version.", "Sadece yüklü sürümde desteklenir."),
("elevation_username_tip", "Kullanıcı adı veya etki alanı\\kullanıcı adı girin"), ("elevation_username_tip", "Kullanıcı adı veya etki alanı\\kullanıcı adı girin"),
("Preparing for installation ...", "Kuruluma hazırlanıyor..."), ("Preparing for installation ...", "Kuruluma hazırlanıyor..."),
("Show my cursor", "İmlecimi göster"), ("Show my cursor", "İmlecimi göster"),
("Scale custom", "Özel boyutlandır"), ("Scale custom", "Özel ölçekte"),
("Custom scale slider", "Özel ölçek kaydırıcısı"), ("Custom scale slider", "Özel ölçek kaydırıcısı"),
("Decrease", "Azalt"), ("Decrease", "Azalt"),
("Increase", "Arttır"), ("Increase", "Arttır"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "Değişiklik Günlüğü"), ("Changelog", "Değişiklik Günlüğü"),
("keep-awake-during-outgoing-sessions-label", "Giden oturumlar süresince ekranıık tutun"), ("keep-awake-during-outgoing-sessions-label", "Giden oturumlar süresince ekranıık tutun"),
("keep-awake-during-incoming-sessions-label", "Gelen oturumlar süresince ekranıık tutun"), ("keep-awake-during-incoming-sessions-label", "Gelen oturumlar süresince ekranıık tutun"),
("Continue with {}", "{} ile devam et"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "顯示 RustDesk"), ("Show RustDesk", "顯示 RustDesk"),
("This PC", "此電腦"), ("This PC", "此電腦"),
("or", ""), ("or", ""),
("Continue with", "繼續"),
("Elevate", "提升權限"), ("Elevate", "提升權限"),
("Zoom cursor", "縮放游標"), ("Zoom cursor", "縮放游標"),
("Accept sessions via password", "只允許透過輸入密碼進行連線"), ("Accept sessions via password", "只允許透過輸入密碼進行連線"),
@@ -729,15 +728,16 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("server-oss-not-support-tip", "注意RustDesk 開源伺服器 (OSS server) 不包含此功能。"), ("server-oss-not-support-tip", "注意RustDesk 開源伺服器 (OSS server) 不包含此功能。"),
("input note here", "輸入備註"), ("input note here", "輸入備註"),
("note-at-conn-end-tip", "在連接結束時請求備註"), ("note-at-conn-end-tip", "在連接結束時請求備註"),
("Show terminal extra keys", ""), ("Show terminal extra keys", "顯示終端機額外按鍵"),
("Relative mouse mode", ""), ("Relative mouse mode", "相對滑鼠模式"),
("rel-mouse-not-supported-peer-tip", ""), ("rel-mouse-not-supported-peer-tip", "被控端不支援相對滑鼠模式"),
("rel-mouse-not-ready-tip", ""), ("rel-mouse-not-ready-tip", "相對滑鼠模式尚未就緒,請稍候再試"),
("rel-mouse-lock-failed-tip", ""), ("rel-mouse-lock-failed-tip", "無法鎖定游標,相對滑鼠模式已停用"),
("rel-mouse-exit-{}-tip", ""), ("rel-mouse-exit-{}-tip", "按下 {} 退出"),
("rel-mouse-permission-lost-tip", ""), ("rel-mouse-permission-lost-tip", "鍵盤權限被撤銷,相對滑鼠模式已被停用"),
("Changelog", ""), ("Changelog", "更新日誌"),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", "在連出工作階段期間保持螢幕喚醒"),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", "在連入工作階段期間保持螢幕喚醒"),
("Continue with {}", "使用 {} 登入"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Показати RustDesk"), ("Show RustDesk", "Показати RustDesk"),
("This PC", "Цей ПК"), ("This PC", "Цей ПК"),
("or", "чи"), ("or", "чи"),
("Continue with", "Продовжити з"),
("Elevate", "Розширення прав"), ("Elevate", "Розширення прав"),
("Zoom cursor", "Збільшити вказівник"), ("Zoom cursor", "Збільшити вказівник"),
("Accept sessions via password", "Підтверджувати сеанси паролем"), ("Accept sessions via password", "Підтверджувати сеанси паролем"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", ""), ("Changelog", ""),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Продовжити з {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }

View File

@@ -384,7 +384,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Show RustDesk", "Hiện RustDesk"), ("Show RustDesk", "Hiện RustDesk"),
("This PC", "Máy tính này"), ("This PC", "Máy tính này"),
("or", "hoặc"), ("or", "hoặc"),
("Continue with", "Tiếp tục với"),
("Elevate", "Nâng quyền"), ("Elevate", "Nâng quyền"),
("Zoom cursor", "Phóng to con trỏ"), ("Zoom cursor", "Phóng to con trỏ"),
("Accept sessions via password", "Chấp nhận phiên qua mật khẩu"), ("Accept sessions via password", "Chấp nhận phiên qua mật khẩu"),
@@ -739,5 +738,6 @@ pub static ref T: std::collections::HashMap<&'static str, &'static str> =
("Changelog", "Nhật ký thay đổi"), ("Changelog", "Nhật ký thay đổi"),
("keep-awake-during-outgoing-sessions-label", ""), ("keep-awake-during-outgoing-sessions-label", ""),
("keep-awake-during-incoming-sessions-label", ""), ("keep-awake-during-incoming-sessions-label", ""),
("Continue with {}", "Tiếp tục với {}"),
].iter().cloned().collect(); ].iter().cloned().collect();
} }