diff --git a/Installer/copy_build.cmd b/Installer/copy_build.cmd index 509423f5..406e0315 100644 --- a/Installer/copy_build.cmd +++ b/Installer/copy_build.cmd @@ -69,7 +69,8 @@ copy %srcPath%\SandMan.exe %instPath%\ ECHO Copying SandMan translations mkdir %instPath%\translations\ -copy /y %~dp0..\SandboxiePlus\SandMan\sandman_*.qm %instPath%\translations\ +rem copy /y %~dp0..\SandboxiePlus\SandMan\sandman_*.qm %instPath%\translations\ +copy /y %~dp0..\SandboxiePlus\Build_SandMan_%archPath%\release\sandman_*.qm %instPath%\translations\ ECHO Copying Sandboxie @@ -77,6 +78,7 @@ copy /y %sbiePath%\SbieSvc.exe %instPath%\ copy /y %sbiePath%\SbieDll.dll %instPath%\ copy /y %sbiePath%\SbieDrv.sys %instPath%\ +copy /y %sbiePath%\SbieDrv.pdb %instPath%\ copy /y %sbiePath%\SbieCtrl.exe %instPath%\ copy /y %sbiePath%\Start.exe %instPath%\ diff --git a/Sandboxie/apps/control/Updater.cpp b/Sandboxie/apps/control/Updater.cpp index 63e84e72..cdab6561 100644 --- a/Sandboxie/apps/control/Updater.cpp +++ b/Sandboxie/apps/control/Updater.cpp @@ -402,8 +402,19 @@ ULONG CUpdater::UpdaterServiceThread(void *lpParameter) } - if (!pContext->version.IsEmpty() && pContext->version.Compare(_T(MY_VERSION_STRING)) != 0) + + if (!pContext->version.IsEmpty()) // && pContext->version.Compare(_T(MY_VERSION_STRING)) != 0) { + UCHAR myVersion[4] = { MY_VERSION_BINARY, 0 }; + ULONG MyVersion = ntohl(*(ULONG*)&myVersion); + + ULONG Version = 0; + for (int Position = 0, Bits = 24; Position < pContext->version.GetLength() && Bits >= 0; Bits -= 8) { + CString Num = pContext->version.Tokenize(L".", Position); + Version |= (_wtoi(Num) & 0xFF) << Bits; + } + + if (Version > MyVersion) if (pContext->Manual || IgnoredUpdates.Find(pContext->version) == NULL) { bNothing = false; diff --git a/Sandboxie/install/Templates.ini b/Sandboxie/install/Templates.ini index 16e9a3d5..2f08ec48 100644 Binary files a/Sandboxie/install/Templates.ini and b/Sandboxie/install/Templates.ini differ diff --git a/SandboxiePlus/SandMan/SandMan.cpp b/SandboxiePlus/SandMan/SandMan.cpp index 6d856f9b..a6784df9 100644 --- a/SandboxiePlus/SandMan/SandMan.cpp +++ b/SandboxiePlus/SandMan/SandMan.cpp @@ -1682,8 +1682,8 @@ void CSandMan::CheckForUpdates(bool bManual) //QString Branche = theConf->GetString("Options/ReleaseBranche"); //if (!Branche.isEmpty()) // Query.addQueryItem("branche", Branche); - Query.addQueryItem("version", GetVersion()); - //Query.addQueryItem("version", QString::number(VERSION_MJR) + "." + QString::number(VERSION_MIN) + "." + QString::number(VERSION_REV) + "." + QString::number(VERSION_UPD)); + //Query.addQueryItem("version", GetVersion()); + Query.addQueryItem("version", QString::number(VERSION_MJR) + "." + QString::number(VERSION_MIN) + "." + QString::number(VERSION_REV) + "." + QString::number(VERSION_UPD)); Query.addQueryItem("system", "windows-" + QSysInfo::kernelVersion() + "-" + QSysInfo::currentCpuArchitecture()); Query.addQueryItem("language", QString::number(m_LanguageId)); QString UpdateKey = theAPI->GetGlobalSettings()->GetText("UpdateKey"); // theConf->GetString("Options/UpdateKey"); @@ -1735,26 +1735,53 @@ void CSandMan::OnUpdateCheck() QString MsgHash = QCryptographicHash::hash(Data["userMsg"].toByteArray(), QCryptographicHash::Md5).toHex().left(8); if (!IgnoredUpdates.contains(MsgHash)) { + QString FullMessage = UserMsg; + QString InfoUrl = Data["infoUrl"].toString(); + if (!InfoUrl.isEmpty()) + FullMessage += tr("

Do you want to go to the info page?

").arg(InfoUrl); + CCheckableMessageBox mb(this); mb.setWindowTitle("Sandboxie-Plus"); QIcon ico(QLatin1String(":/SandMan.png")); mb.setIconPixmap(ico.pixmap(64, 64)); + //mb.setTextFormat(Qt::RichText); mb.setText(UserMsg); mb.setCheckBoxText(tr("Don't show this announcement in the future.")); - mb.setStandardButtons(QDialogButtonBox::Close); + + if (!InfoUrl.isEmpty()) { + mb.setStandardButtons(QDialogButtonBox::Yes | QDialogButtonBox::No); + mb.setDefaultButton(QDialogButtonBox::Yes); + } + else + mb.setStandardButtons(QDialogButtonBox::Ok); + mb.exec(); if (mb.isChecked()) theConf->SetValue("Options/IgnoredUpdates", IgnoredUpdates << MsgHash); + if (mb.clickedStandardButton() == QDialogButtonBox::Yes) + { + QDesktopServices::openUrl(InfoUrl); + } + bNothing = false; } } - QString Version = Data["version"].toString(); - if (!Version.isEmpty() && Version != GetVersion()) + QString VersionStr = Data["version"].toString(); + if (!VersionStr.isEmpty()) //&& VersionStr != GetVersion()) { - if (bManual || !IgnoredUpdates.contains(Version)) // when checked manually always show result + UCHAR myVersion[4] = { VERSION_UPD, VERSION_REV, VERSION_MIN, VERSION_MJR }; // ntohl + ULONG MyVersion = *(ULONG*)&myVersion; + + ULONG Version = 0; + QStringList Nums = VersionStr.split("."); + for (int i = 0, Bits = 24; i < Nums.count() && Bits >= 0; i++, Bits -= 8) + Version |= (Nums[i].toInt() & 0xFF) << Bits; + + if (Version > MyVersion) + if (bManual || !IgnoredUpdates.contains(VersionStr)) // when checked manually always show result { bNothing = false; //QDateTime Updated = QDateTime::fromTime_t(Data["updated"].toULongLong()); @@ -1778,7 +1805,7 @@ void CSandMan::OnUpdateCheck() mb.setIconPixmap(ico.pixmap(64, 64)); //mb.setTextFormat(Qt::RichText); mb.setText(FullMessage); - mb.setCheckBoxText(tr("Ignore this update, notify me about the next one.")); + mb.setCheckBoxText(tr("Don't show this message anymore.")); mb.setCheckBoxVisible(!bManual); if (!UpdateUrl.isEmpty() || !DownloadUrl.isEmpty()) { @@ -1791,7 +1818,7 @@ void CSandMan::OnUpdateCheck() mb.exec(); if (mb.isChecked()) - theConf->SetValue("Options/IgnoredUpdates", IgnoredUpdates << Version); + theConf->SetValue("Options/IgnoredUpdates", IgnoredUpdates << VersionStr); if (mb.clickedStandardButton() == QDialogButtonBox::Yes) { diff --git a/SandboxiePlus/SandMan/SandMan.qc.pro b/SandboxiePlus/SandMan/SandMan.qc.pro index 8979b6ba..f75c5307 100644 --- a/SandboxiePlus/SandMan/SandMan.qc.pro +++ b/SandboxiePlus/SandMan/SandMan.qc.pro @@ -5,6 +5,8 @@ PRECOMPILED_HEADER = stdafx.h QT += core gui network widgets winextras concurrent +CONFIG += lrelease + CONFIG(debug, debug|release):contains(QMAKE_HOST.arch, x86_64):LIBS += -L../Bin/x64/Debug CONFIG(release, debug|release):contains(QMAKE_HOST.arch, x86_64):LIBS += -L../Bin/x64/Release CONFIG(debug, debug|release):!contains(QMAKE_HOST.arch, x86_64):LIBS += -L../Bin/Win32/Debug diff --git a/SandboxiePlus/SandMan/sandman_de.ts b/SandboxiePlus/SandMan/sandman_de.ts index 73fde486..1b602a9a 100644 --- a/SandboxiePlus/SandMan/sandman_de.ts +++ b/SandboxiePlus/SandMan/sandman_de.ts @@ -1,2877 +1,2961 @@ - - - - - CApiMonModel - - - Process - Prozess - - - - Time Stamp - Zeitstempel - - - - Message - Nachricht - - - - CMultiErrorDialog - - - Sandboxie-Plus - Error - Sandboxie-Plus - Fehler - - - - Message - Nachricht - - - - CNewBoxWindow - - - Sandboxie-Plus - Create New Box - Sandboxie-Plus - Neue Box erstellen - - - - New Box - Neue Box - - - - Hardened - Gehärtet - - - - Default - Standard - - - - Legacy Sandboxie Behaviour - Veraltetes Sandboxieverhalten - - - - COptionsWindow - - - %1 (%2) - Same as in source - %1 (%2) - - - - Don't alter the window title - Den Fenstertitel nicht ändern - - - - Display [#] indicator only - Nur [#] als Indikator anzeigen - - - - Display box name in title - Extended the word title with the German word for Window to make sure it is understood - Den Boxnamen im Fenstertitel anzeigen - - - - Border disabled - Rahmen deaktiviert - - - - Show only when title is in focus - Extended the word title with the German word for Window to make sure it is understood - Nur Anzeigen, wenn der Fenstertitel im Fokus ist - - - - Always show - Immer anzeigen - - - - - Browse for Program - Zu Programm navigieren - - - - Browse for File - Zu Datei navigieren - - - - Browse for Folder - Zu Ordner navigieren - - - - This sandbox has been deleted hence configuration can not be saved. - Diese Sandbox wurde gelöscht, daher kann die Konfiguration nicht gespeichert werden. - - - - Some changes haven't been saved yet, do you really want to close this options window? - Einige Änderungen wurden bisher nicht gespeichert, möchten Sie dieses Einstellungsfenster wirklich schließen? - - - - kilobytes (%1) - Only capitalized - Kilobytes (%1) - - - - Please enter a program path - Bitte geben Sie einen Programmpfad ein - - - - - Select Program - Programm auswählen - - - - Executables (*.exe *.cmd);;All files (*.*) - Ausführbare Dateien (*.exe|*.cmd);;Alle Dateien(*.*) - - - - Executables (*.exe|*.cmd) - Ausführbare Dateien (*.exe|*.cmd) - - - - Please enter a service identifier - Bitte geben Sie eine Dienstbezeichnung ein - - - - Service - Dienst - - - - Program - Programm - - - - - Please enter a menu title - Bitte einen Menütitel eingeben - - - - Please enter a command - Bitte ein Kommando eingeben - - - - - - - Group: %1 - Gruppe: %1 - - - - Please enter a name for the new group - Bitte einen Namen für die neue Gruppe eingeben - - - - Enter program: - Programm eingeben: - - - - Please select group first. - Bitte zuvor eine Gruppe auswählen. - - - - COM objects must be specified by their GUID, like: {00000000-0000-0000-0000-000000000000} - COM-Objekte müssen durch ihre GUID, z.B. {00000000-0000-0000-0000-000000000000}, benannt werden - - - - RT interfaces must be specified by their name. - RT-Schnittstellen müssen durch ihren Namen benannt werden. - - - - Please enter an auto exec command - Bitte geben Sie einen Autoausführen-Kommando ein - - - - This template is enabled globally. To configure it, use the global options. - Diese Vorlage ist global aktiv, um sie zu konfigurieren müssen die globalen Optionen genutzt werden. - - - - Process - Prozess - - - - Sandboxie Plus - '%1' Options - Sandboxie Plus - '%1' Optionen - - - - - Folder - Ordner - - - - - - - Select Directory - Ordner auswählen - - - - Lingerer - Verweilende - - - - Leader - Primäre - - - - Select File - Datei auswählen - - - - All Files (*.*) - Alle Dateien (*.*) - - - - - All Programs - Alle Programme - - - - Template values can not be edited. - Vorlagenwerte können nicht bearbeitet werden. - - - - - Template values can not be removed. - Vorlagenwerte können nicht gelöscht werden. - - - - Exclusion - Ausnahmen - - - - Please enter a file extension to be excluded - Bitte die Dateiendung, welche ausgenommen werden soll, eingeben - - - - Please enter a program file name - Bitte den Dateinamen eines Programms eingeben - - - - All Categories - Alle Kategorien - - - - CPopUpMessage - - - ? - ? - - - - Visit %1 for a detailed explanation. - %1 besuchen für eine detaillierte Erklärung. - - - - Dismiss - Ignorieren - - - - Remove this message from the list - Diese Nachricht aus der Liste entfernen - - - - Hide all such messages - Alle diese Nachrichten verbergen - - - - CPopUpProgress - - - Dismiss - Ignorieren - - - - Remove this progress indicator from the list - Diesen Fortschrittsindikator aus der Liste entfernen - - - - CPopUpPrompt - - - Remember for this process - Für diesen Prozess merken - - - - Yes - Ja - - - - No - Nein - - - - Terminate - Beenden - - - - Yes and add to allowed programs - Ja und zu den erlaubten Programmen hinzufügen - - - - Requesting process terminated - Anfragenden Prozess beendet - - - - Request will time out in %1 sec - Anfrage läuft in %1 Sek. ab - - - - Request timed out - Anfrage abgelaufen - - - - CPopUpRecovery - - - Recover - Wiederherstellen - - - - Recover the file to original location - Die Datei zur Originalquelle wiederherstellen - - - - Recover to: - Wiederherstellen nach: - - - - Browse - Navigieren - - - - Clear folder list - Leere die Ordnerliste - - - - Recover && Explore - Wiederherstellen && Anzeigen - - - - Recover && Open/Run - Wiederherstellen && Öffnen/Starten - - - - Open file recovery for this box - Öffne Dateiwiederherstellung für diese Box - - - - Dismiss - Ignorieren - - - - Don't recover this file right now - Diese Datei jetzt nicht wiederherstellen - - - - Dismiss all from this box - Alle für diese Box ablehnen - - - - Disable quick recovery until the box restarts - Schnellwiederherstellung deaktivieren bis die Box neu gestartet wird - - - - Select Directory - Ordner auswählen - - - - CPopUpWindow - - - Sandboxie-Plus Notifications - Sandboxie-Plus Benachrichtigungen - - - - Do you want to allow the print spooler to write outside the sandbox for %1 (%2)? - Kept 'print spooler' in brackets to allow easier online lookup - Möchten Sie der Druckerwarteschlange (print spooler) erlauben außerhalb der Sandbox für %1 (%2) zu schreiben? - - - + + + + + CApiMonModel + + + Process + Prozess + + + + Time Stamp + Zeitstempel + + + + Message + Nachricht + + + + CMultiErrorDialog + + + Sandboxie-Plus - Error + Sandboxie-Plus - Fehler + + + + Message + Nachricht + + + + CNewBoxWindow + + + Sandboxie-Plus - Create New Box + Sandboxie-Plus - Neue Box erstellen + + + + New Box + Neue Box + + + + Hardened + Gehärtet + + + + Default + Standard + + + + Legacy Sandboxie Behaviour + Veraltetes Sandboxieverhalten + + + + COptionsWindow + + + %1 (%2) + Same as in source + %1 (%2) + + + + Don't alter the window title + Den Fenstertitel nicht ändern + + + + Display [#] indicator only + Nur [#] als Indikator anzeigen + + + + Display box name in title + Extended the word title with the German word for Window to make sure it is understood + Den Boxnamen im Fenstertitel anzeigen + + + + Border disabled + Rahmen deaktiviert + + + + Show only when title is in focus + Extended the word title with the German word for Window to make sure it is understood + Nur Anzeigen, wenn der Fenstertitel im Fokus ist + + + + Always show + Immer anzeigen + + + + + Browse for Program + Zu Programm navigieren + + + + Browse for File + Zu Datei navigieren + + + + Browse for Folder + Zu Ordner navigieren + + + + This sandbox has been deleted hence configuration can not be saved. + Diese Sandbox wurde gelöscht, daher kann die Konfiguration nicht gespeichert werden. + + + + Some changes haven't been saved yet, do you really want to close this options window? + Einige Änderungen wurden bisher nicht gespeichert, möchten Sie dieses Einstellungsfenster wirklich schließen? + + + + kilobytes (%1) + Only capitalized + Kilobytes (%1) + + + + Please enter a program path + Bitte geben Sie einen Programmpfad ein + + + + + Select Program + Programm auswählen + + + + Executables (*.exe *.cmd);;All files (*.*) + Ausführbare Dateien (*.exe|*.cmd);;Alle Dateien(*.*) + + + + Executables (*.exe|*.cmd) + Ausführbare Dateien (*.exe|*.cmd) + + + + Please enter a service identifier + Bitte geben Sie eine Dienstbezeichnung ein + + + + Service + Dienst + + + + Program + Programm + + + + + Please enter a menu title + Bitte einen Menütitel eingeben + + + + Please enter a command + Bitte ein Kommando eingeben + + + + + + + Group: %1 + Gruppe: %1 + + + + Please enter a name for the new group + Bitte einen Namen für die neue Gruppe eingeben + + + + Enter program: + Programm eingeben: + + + + Please select group first. + Bitte zuvor eine Gruppe auswählen. + + + + COM objects must be specified by their GUID, like: {00000000-0000-0000-0000-000000000000} + COM-Objekte müssen durch ihre GUID, z.B. {00000000-0000-0000-0000-000000000000}, benannt werden + + + + RT interfaces must be specified by their name. + RT-Schnittstellen müssen durch ihren Namen benannt werden. + + + + Please enter an auto exec command + Bitte geben Sie einen Autoausführen-Kommando ein + + + + This template is enabled globally. To configure it, use the global options. + Diese Vorlage ist global aktiv, um sie zu konfigurieren müssen die globalen Optionen genutzt werden. + + + + Process + Prozess + + + + Sandboxie Plus - '%1' Options + Sandboxie Plus - '%1' Optionen + + + + + Folder + Ordner + + + + + + + Select Directory + Ordner auswählen + + + + Lingerer + Verweilende + + + + Leader + Primäre + + + + Direct + + + + + Direct All + + + + + Closed + + + + + Closed RT + + + + + Read Only + + + + + Hidden + + + + + + Unknown + Unbekannte + + + + File/Folder + + + + + Registry + + + + + IPC Path + + + + + Wnd Class + + + + + COM Object + + + + + Select File + Datei auswählen + + + + All Files (*.*) + Alle Dateien (*.*) + + + + + All Programs + Alle Programme + + + + Template values can not be edited. + Vorlagenwerte können nicht bearbeitet werden. + + + + + Template values can not be removed. + Vorlagenwerte können nicht gelöscht werden. + + + + Exclusion + Ausnahmen + + + + Please enter a file extension to be excluded + Bitte die Dateiendung, welche ausgenommen werden soll, eingeben + + + + Please enter a program file name + Bitte den Dateinamen eines Programms eingeben + + + + All Categories + Alle Kategorien + + + + CPopUpMessage + + + ? + ? + + + + Visit %1 for a detailed explanation. + %1 besuchen für eine detaillierte Erklärung. + + + + Dismiss + Ignorieren + + + + Remove this message from the list + Diese Nachricht aus der Liste entfernen + + + + Hide all such messages + Alle diese Nachrichten verbergen + + + + CPopUpProgress + + + Dismiss + Ignorieren + + + + Remove this progress indicator from the list + Diesen Fortschrittsindikator aus der Liste entfernen + + + + CPopUpPrompt + + + Remember for this process + Für diesen Prozess merken + + + + Yes + Ja + + + + No + Nein + + + + Terminate + Beenden + + + + Yes and add to allowed programs + Ja und zu den erlaubten Programmen hinzufügen + + + + Requesting process terminated + Anfragenden Prozess beendet + + + + Request will time out in %1 sec + Anfrage läuft in %1 Sek. ab + + + + Request timed out + Anfrage abgelaufen + + + + CPopUpRecovery + + + Recover + Wiederherstellen + + + + Recover the file to original location + Die Datei zur Originalquelle wiederherstellen + + + + Recover to: + Wiederherstellen nach: + + + + Browse + Navigieren + + + + Clear folder list + Leere die Ordnerliste + + + + Recover && Explore + Wiederherstellen && Anzeigen + + + + Recover && Open/Run + Wiederherstellen && Öffnen/Starten + + + + Open file recovery for this box + Öffne Dateiwiederherstellung für diese Box + + + + Dismiss + Ignorieren + + + + Don't recover this file right now + Diese Datei jetzt nicht wiederherstellen + + + + Dismiss all from this box + Alle für diese Box ablehnen + + + + Disable quick recovery until the box restarts + Schnellwiederherstellung deaktivieren bis die Box neu gestartet wird + + + + Select Directory + Ordner auswählen + + + + CPopUpWindow + + + Sandboxie-Plus Notifications + Sandboxie-Plus Benachrichtigungen + + + + Do you want to allow the print spooler to write outside the sandbox for %1 (%2)? + Kept 'print spooler' in brackets to allow easier online lookup + Möchten Sie der Druckerwarteschlange (print spooler) erlauben außerhalb der Sandbox für %1 (%2) zu schreiben? + + + Do you want to allow %4 (%5) to copy a %1 large file into sandbox: %2? -File name: %3 - Do you want to allow %4 (%5) to copy a %1 large file into sandbox: %2? -File name: %3 - Möchten Sie %4 (%5) erlauben eine %1 große Datei in die Sandbox: %2 zu kopieren? -Dateiname: %3 - - - +File name: %3 + Do you want to allow %4 (%5) to copy a %1 large file into sandbox: %2? +File name: %3 + Möchten Sie %4 (%5) erlauben eine %1 große Datei in die Sandbox: %2 zu kopieren? +Dateiname: %3 + + + Do you want to allow %1 (%2) access to the internet? -Full path: %3 - Do you want to allow %1 (%2) access to the internet? -Full path: %3 - Möchten Sie %1 (%2) den Zugriff auf das Internet erlauben? -Vollständiger Pfad: %3 - - - +Full path: %3 + Do you want to allow %1 (%2) access to the internet? +Full path: %3 + Möchten Sie %1 (%2) den Zugriff auf das Internet erlauben? +Vollständiger Pfad: %3 + + + %1 is eligible for quick recovery from %2. -The file was written by: %3 - %1 is eligible for quick recovery from %2. -The file was written by: %3 - %1 ist zur Schnellwiederherstellung aus %2 berechtigt. -Die Datei wurde geschrieben durch: %3 - - - +The file was written by: %3 + %1 is eligible for quick recovery from %2. +The file was written by: %3 + %1 ist zur Schnellwiederherstellung aus %2 berechtigt. +Die Datei wurde geschrieben durch: %3 + + + Migrating a large file %1 into the sandbox %2, %3 left. -Full path: %4 - Migrating a large file %1 into the sandbox %2, %3 left. -Full path: %4 - Übertrage große Datei %1 in die Sandbox %2, %3 verbleiben. -Vollständiger Pfad: %4 - - - - an UNKNOWN process. - Ein UNBEKANNTER Prozess. - - - - %1 (%2) - same as source - %1 (%2) - - - - - UNKNOWN - UNBEKANNT - - - - CRecoveryWindow - - - %1 - File Recovery - %1 - Dateiwiederherstellung - - - - File Name - Dateiname - - - - File Size - Dateigröße - - - - Full Path - Vollständiger Pfad - - - - - Select Directory - Ordner auswählen - - - - One or more selected files are located on a network share, and must be recovered to a local drive, please select a folder to recover all selected files to. - Eine oder mehrere ausgewählte Dateien befinden sich auf Netzwerkpfaden und müssen zur Wiederherstellung lokal gespeichert werden. Bitte einen Ordner auswählen, um die ausgewählten Dateien darin wiederherzustellen. - - - - There are %1 files and %2 folders in the sandbox, occupying %3 bytes of disk space. - Es befinden sich %1 Dateien und %2 Ordner in der Sandbox, welche %3 bytes an Speicherplatz belegen. - - - - CResMonModel - - - Unknown - Unbekannte - - - - Process - Prozess - - - - Time Stamp - Zeitstempel - - - - Type - Typ - - - - Value - Wert - - - - Status - Status - - - - CSandBoxPlus - - - Disabled - Deaktiviert - - - - NOT SECURE (Debug Config) - NICHT SICHER (Debug Konfiguration) - - - - Reduced Isolation - Reduzierte Isolation - - - - Enhanced Isolation - Erweiterte Isolation - - - - API Log - API Protokoll - - - - No INet - Kein Internet - - - - Net Share - Kept original for lack of good German wording - Netzwerkfreigabe (Net share) - - - - No Admin - Kein Admin - - - - Normal - Normal - - - - CSandMan - - - - Sandboxie-Plus v%1 - Sandboxie-Plus v%1 - - - - Reset Columns - Spalten zurücksetzen - - - - Copy Cell - Zelle kopieren - - - - Copy Row - Spalte kopieren - - - - Copy Panel - Tafel kopieren - - - - Time|Message - Zeit|Nachricht - - - - Sbie Messages - Sbie Nachrichten - - - - Resource Monitor - Ressourcenmonitor - - - - Show/Hide - Zeigen/Verstecken - - - - - Disable Forced Programs - Deaktiviere erzwungene Programme - - - - &Sandbox - &Sandbox - - - - Create New Box - Neue Box erstellen - - - - Terminate All Processes - Alle Prozesse beenden - - - - Window Finder - Fensterfinder - - - - &Maintenance - &Wartung - - - - Connect - Verbinden - - - - Disconnect - Trennen - - - - Stop All - Alle stoppen - - - - &Advanced - &Erweitert - - - - Install Driver - Treiber installieren - - - - Start Driver - Treiber starten - - - - Stop Driver - Treiber stoppen - - - - Uninstall Driver - Treiber deinstallieren - - - - Install Service - Dienst installieren - - - - Start Service - Dienst starten - - - - Stop Service - Dienst stoppen - - - - Uninstall Service - Dienst deinstallieren - - - - Exit - Beenden - - - - &View - &Ansicht - - - - Simple View - Einfache Ansicht - - - - Advanced View - Erweiterte Ansicht - - - - Always on Top - Immer oben - - - - Show Hidden Boxes - Zeige versteckte Boxen - - - - Clean Up - Aufräumen - - - - The selected window is running as part of program %1 in sandbox %2 - Das ausgewählte Fenster läuft als Teil des Programms %1 in der Sandbox %2 - - - - The selected window is not running as part of any sandboxed program. - Das ausgewählte Fenster läuft nicht als Teil eines Programms in einer Sandbox. - - - - Drag the Finder Tool over a window to select it, then release the mouse to check if the window is sandboxed. - Klicken und ziehen Sie das Finderwerkzeug über ein Fenster und lassen Sie die Maustaste los, um zu überprüfen, ob sich dieses Fenster in einer Sandbox befindet. - - - - Sandboxie-Plus - Window Finder - Sandboxie-Plus - Fensterfinder - - - - Keep terminated - Beendete behalten - - - - &Options - &Optionen - - - - Global Settings - Globale Einstellungen - - - - Reset all hidden messages - Alle ausgeblendeten Nachrichten zurücksetzen - - - - Edit ini file - .ini-Datei bearbeiten - - - - Reload ini file - .ini-Datei neu laden - - - - Resource Logging - Ressourcenprotokollierung - - - - API Call Logging - API Aufrufprotokollierung - - - - &Help - &Hilfe - - - - Support Sandboxie-Plus with a Donation - Sandboxie-Plus mit einer Spende unterstützen - - - - Visit Support Forum - Supportforum besuchen - - - - Online Documentation - Onlinedokumentation - - - - Check for Updates - Auf Updates prüfen - - - - About the Qt Framework - Über das Qt Framework - - - - - About Sandboxie-Plus - Über Sandboxie-Plus - - - - Do you want to close Sandboxie Manager? - Möchten Sie den Sandboxie-Manager schließen? - - - - Sandboxie-Plus was running in portable mode, now it has to clean up the created services. This will prompt for administrative privileges. - Sandboxie-Plus wurde im portablen Modus betrieben, nun müssen die erzeugten Dienste bereinigt werden, was Adminrechte benötigt. - - - - Failed to stop all Sandboxie components - Konnte nicht alle Sandboxiekomponenten stoppen - - - - Failed to start required Sandboxie components - Konnte nicht alle benötigten Sandboxiekomponenten starten - - - - Some compatibility templates (%1) are missing, probably deleted, do you want to remove them from all boxes? - Einige Kompatibilitätsvorlagen (%1) fehlen, möglicherweise wurden sie gelöscht. Möchten Sie diese aus allen Boxen entfernen? - - - - Cleaned up removed templates... - Entfernte Vorlagen aufgeräumt... - - - - Sandboxie-Plus was started in portable mode, do you want to put the SandBox folder into its parent directory? - Sandboxie-Plus wurde im portablen Modus gestartet, möchten Sie den Sandboxordner im übergeordneten Verzeichnis erstellen? - - - - - NOT connected - - NICHT verbunden - - - - The file %1 already exists, do you want to overwrite it? - Die Datei %1 existiert bereits, möchten Sie diese überschreiben? - - - - Do this for all files! - Tue dies für alle Dateien! - - - - Failed to recover some files: - - Konnte nicht alle Dateien wiederherstellen: - - - - - Do you want to terminate all processes in all sandboxes? - Möchten Sie alle Prozesse in allen Sandboxen beenden? - - - - Terminate all without asking - Alle ohne Rückfrage beenden - - - - Please enter the duration for disabling forced programs. - Bitte Dauer eingeben, in der erzwungene Programme deaktiviert sind. - - - - Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. - Sandboxie-Plus wurde im portablen Modus gestartet, nun müssen die benötigten Dienste erzeugt werden, was Adminrechte benötigt. - - - - Do you also want to reset hidden message boxes (yes), or only all log messages (no)? - Möchten Sie auch die ausgeblendeten Mitteilungsboxen zurücksetzen (Ja) oder nur alle Protokollnachrichten (Nein)? - - - - The changes will be applied automatically whenever the file gets saved. - Die Änderungen werden automatisch angewendet, sobald die Datei gespeichert wird. - - - - The changes will be applied automatically as soon as the editor is closed. - Die Änderungen werden automatisch angewendet, sobald der Editor geschlossen wird. - - - - To use API logging you must first set up the LogApiDll from https://github.com/sandboxie-plus/LogApiDll with one or more sandboxes. -Please download the latest release and set it up with the Sandboxie.ini as instructed in the README.md of the project. - Um die API Protokollierung zu nutzen, muss die LogApiDll von https://github.com/sandboxie-plus/LogApiDll mit einer oder mehrerer Box(en) eingerichtet werden. -Bitte die neuste Version herunterladen und entsprechend der Anweisungen in der README.md des Projekts in der Sandboxie.ini einrichten. - - - - Error Status: %1 - Fehler Code: %1 - - - - Can not create snapshot of an empty sandbox - Kann keinen Schnappschuss von einer leeren Box erstellen - - - - A sandbox with that name already exists - Es existiert bereits eine Sandbox mit diesem Namen - - - - <p>Sandboxie-Plus is an open source continuation of Sandboxie.</p><p></p><p>Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.</p><p></p><p></p><p></p><p>Icons from <a href="https://icons8.com">icons8.com</a></p><p></p> - <p>Sandboxie-Plus ist eine OpenSource-Fortsetzung von Sandboxie.</p><p></p><p>Besuche <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> für weitere Informationen.</p><p></p><p></p><p></p><p>Icons von <a href="https://icons8.com">icons8.com</a></p><p></p> - - - - Failed to execute: %1 - Fehler beim Ausführen von: %1 - - - - Failed to communicate with Sandboxie Service: %1 - Fehler beim Kommunizieren mit Sandbox-Dienst: %1 - - - - Failed to copy configuration from sandbox %1: %2 - Fehler beim Kopieren der Konfiguration von Sandbox %1: %2 - - - - A sandbox of the name %1 already exists - Es existiert bereits eine Sandbox mit dem Namen %1 - - - - Failed to delete sandbox %1: %2 - Fehler beim Löschen der Sandbox %1: %2 - - - - The sandbox name can not be longer than 32 characters. - Der Name der Sandbox darf nicht länger als 32 Zeichen sein. - - - - The sandbox name can not be a device name. - Der Name der Sandbox darf kein reservierter Gerätename (device name) sein. - - - - The sandbox name can contain only letters, digits and underscores which are displayed as spaces. - Der Name der Sandbox darf nur Buchstaben, Zahlen und Unterstriche, welche als Leerstellen angezeigt werden, enthalten. - - - - Failed to terminate all processes - Konnte nicht alle Prozesse beenden - - - - Delete protection is enabled for the sandbox - Löschschutz ist für diese Sandbox aktiviert - - - - Error deleting sandbox folder: %1 - Fehler beim Löschen von Sandbox-Ordner: %1 - - - - A sandbox must be emptied before it can be renamed. - Eine Sandbox muss geleert werden, bevor Sie gelöscht werden kann. - - - - A sandbox must be emptied before it can be deleted. - Eine Sandbox muss geleert werden, bevor sie umbenannt werden kann. - - - - Failed to move directory '%1' to '%2' - Konnte Ordner '%1' nicht nach '%2' verschieben - - - - This Snapshot operation can not be performed while processes are still running in the box. - Der Schnappschuss kann nicht erstellt werden, während Prozesse in dieser Box laufen. - - - - Failed to create directory for new snapshot - Konnte den Ordner für den neuen Schnappschuss (Snapshot) nicht erstellen - - - - Failed to copy RegHive - Konnte RegHive nicht kopieren - - - - Snapshot not found - Schnappschuss (Snapshot) nicht gefunden - - - - Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. - Fehler beim Zusammenführen der Schnappschuss Ordner: '%1' with '%2', der Schnappschuss wurde nicht vollständig zusammengeführt. - - - - Failed to remove old snapshot directory '%1' - Konnte alten Schnappschuss-Ordner '%1' nicht entfernen - - - - Failed to remove old RegHive - Konnte alten RegHive nicht entfernen - - - - You are not authorized to update configuration in section '%1' - Sie sind nicht berechtigt die Konfiguration in Sektion '%1' zu aktualisieren - - - - Failed to set configuration setting %1 in section %2: %3 - Fehler beimSetzen der Konfigurationsoption %1 in Sektion %2: %3 - - - - Unknown Error Status: %1 - Unbekannter Fehlerstatus: %1 - - - - Don't show this announcement in the future. - Diese Ankündigung zukünftig nicht mehr zeigen. - - - - Ignore this update, notify me about the next one. - Dieses Update ignorieren, über das nächste Update benachrichtigen. - - - - No new updates found, your Sandboxie-Plus is up-to-date. - Keine Updates gefunden, Sandboxie-Plus ist aktuell. - - - - <p>New Sandboxie-Plus has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> - <p>Neue Version von Sandboxie-Plus wurde heruntergeladen zu:</p><p><a href="%2">%1</a></p><p>Möchten Sie mit der Installation beginnen? Falls Programme in einer Sandbox laufen, werden diese beendet.</p> - - - - - - - - - - Don't show this message again. - Diese Meldung nicht mehr anzeigen. - - - - - - Sandboxie-Plus - Error - Sandboxie-Plus - Fehler - - - - Maintenance operation %1 - Wartungsvorgang %1 - - - - Maintenance operation Successful - Wartungsvorgang erfolgreich - - - - Do you want to check if there is a new version of Sandboxie-Plus? - Möchten Sie prüfen, ob es eine neue Version von Sandboxie-Plus gibt? - - - - Driver version: %1 - Treiber version: %1 - - - - - Portable - - Portable - - - - Sbie Directory: %1 - Sbie Ordner: %1 - - - - Api Call Log - API Aufrufprotokoll - - - - Cleanup Processes - Prozesse aufräumen - - - - Cleanup Message Log - Nachrichtenprotokoll aufräumen - - - - Cleanup Resource Log - Ressourcenprotokoll aufräumen - - - - Cleanup Api Call Log - API Aufrufprotokoll aufräumen - - - - Cleanup - Aufräumen - - - - Select box: - Box auswählen: - - - - Loaded Config: %1 - Geladene Konfiguration: %1 - - - - PID %1: - PID %1: - - - - %1 (%2): - %1 (%2): - - - - Recovering file %1 to %2 - Stelle Datei %1 zu %2 wieder her - - - - Only Administrators can change the config. - Nur Administratoren können die Konfiguration editieren. - - - - Please enter the configuration password. - Bitte Konfigurationspasswort eingeben. - - - - Login Failed: %1 - Login fehlgeschlagen: %1 - - - - No sandboxes found; creating: %1 - Keine Sandbox(en) gefunden; erstelle: %1 - - - - Executing maintenance operation, please wait... - Führe Wartungsvorgang aus, bitte warten... - - - - Administrator rights are required for this operation. - Für diesen Vorgang werden Adminrechte benötigt. - - - - Failed to connect to the driver - Fehler beim Verbinden mit dem Treiber - - - - An incompatible Sandboxie %1 was found. Compatible versions: %2 - Eine inkompatible Version von Sandboxie %1 wurde gefunden. Kompatible Versionen: %2 - - - - Can't find Sandboxie installation path. - Kann Installationspfad von Sandboxie nicht finden. - - - - Can't remove a snapshot that is shared by multiple later snapshots - Es kann kein Schnappschuss gelöscht werden der von mehreren späteren Schnappschüssen geteilt wird - - - - Operation failed for %1 item(s). - Vorgang für %1 Element(e) fehlgeschlagen. - - - - Do you want to open %1 in a sandboxed (yes) or unsandboxed (no) Web browser? - Möchten Sie %1 in einem sandgeboxten (Ja) oder in einem nicht gesandboxten (Nein) Browser öffnen? - - - - Remember choice for later. - Die Auswahl für später merken. - - - - Checking for updates... - Prüfe auf Updates... - - - - server not reachable - Server nicht erreichbar - - - - - Failed to check for updates, error: %1 - Prüfung auf Updates fehlgeschlagen, Fehler: %1 - - - - <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'>New version:</font> <b>%1</b></p> - <p>Es it eine neue Version von Sandboxie-Plus verfügbar.<br /><font color='red'>Neue Versions:</font> <b>%1</b></p> - - - - <p>Do you want to download the latest version?</p> - <p>Möchten Sie die neuste Version herunterladen?</p> - - - - <p>Do you want to go to the <a href="%1">download page</a>?</p> - <p>Möchten Sie die <a href="%1">Downloadseite</a> besuchen?</p> - - - - Downloading new version... - Lade neue Version herunter... - - - - Failed to download update from: %1 - Download des Updates von: %1 fehlgeschlagen - - - - <h3>About Sandboxie-Plus</h3><p>Version %1</p><p>Copyright (c) 2020-2021 by DavidXanatos</p> - <h3>Über Sandboxie-Plus</h3><p>Version %1</p><p>Copyright (c) 2020-2021 by DavidXanatos</p> - - - - CSbieModel - - - Box Groupe - Box Group - Boxgruppe - - - - Name - Name - - - - Process ID - Prozess ID - - - - Status - Status - - - - Title - Titel - - - - Start Time - Startzeit - - - - Path / Command Line - Pfad / Kommandozeile - - - - CSbieProcess - - - Terminated - Beendet - - - - Running - Laufend - - - - CSbieView - - - Create New Box - Neue Box erstellen - - - - Add Group - Gruppe hinzufügen - - - - Remove Group - Gruppe entfernen - - - - Run - Starten - - - - Run Program - Programm starten - - - - Run from Start Menu - Aus Startmenü starten - - - - Run Web Browser - Internetbrowser starten - - - - Run eMail Client - E-Mail Programm starten - - - - Run Explorer - Explorer starten - - - - Run Cmd.exe - Cmd.exe starten - - - - Terminate All Programs - Alle Prozesse beenden - - - - - Create Shortcut - Verknüpfung erstellen - - - - Explore Content - Inhalt anzeigen - - - - Snapshots Manager - Schnappschussmanager - - - - Recover Files - Dateien wiederherstellen - - - - Delete Content - Inhalte löschen - - - - Sandbox Presets - Sandboxvorgaben - - - - Enable API Call logging - Aktiviere API-Aufrufprotokoll - - - - Block Internet Access - Blockiere Internetzugriff - - - - Allow Network Shares - Erlaube Netzwerkfreigaben - - - - Drop Admin Rights - Adminrechte abgeben - - - - Sandbox Options - Sandboxeinstellungen - - - - Rename Sandbox - Sandbox umbenennen - - - - Move to Group - Zu Gruppe zuordnen - - - - Remove Sandbox - Sandbox entfernen - - - - Terminate - Beenden - - - - Preset - Vorgabe - - - - Pin to Run Menu - An das Starten-Menü anheften - - - - Block and Terminate - Blockieren und Beenden - - - - Allow internet access - Erlaube Internetzugriff - - - - Force into this sandbox - In dieser Sandbox erzwingen - - - - Set Linger Process - Setze verweilende Programme - - - - Set Leader Process - Setze primäre Programme - - - - - Don't show this message again. - Diese Meldung nicht mehr anzeigen. - - - - This Sandbox is already empty. - Diese Sandbox ist bereits leer. - - - - Do you want to delete the content of the selected sandbox? - Möchten Sie den Inhalt der ausgewählten Sandbox löschen? - - - - Do you really want to delete the content of multiple sandboxes? - Möchten Sie wirklich die Inhalte von mehreren Sandboxen löschen? - - - - Do you want to terminate all processes in the selected sandbox(es)? - Möchten Sie alle Prozesse in der/den ausgewählten Sandbox(en) beenden? - - - - This box does not have Internet restrictions in place, do you want to enable them? - Diese Sandbox hat keine Internetbeschränkungen, möchten Sie diese aktivieren? - - - - This sandbox is disabled, do you want to enable it? - Diese Sandbox ist deaktiviert. Möchten Sie diese aktivieren? - - - - File root: %1 - - Dateiquelle: %1 - - - - - Registry root: %1 - - Registry-Quelle: %1 - - - - - IPC root: %1 - - IPC-Quelle: %1 - - - - - Options: - - Optionen: - - - - - [None] - [Kein(e)] - - - - Please enter a new group name - Bitte einen Namen für die neue Gruppe eingeben - - - - Do you really want to remove the selected group(s)? - Möchten Sie wirklich die ausgewählte(n) Gruppe(n) entfernen? - - - - Please enter a new name for the Sandbox. - Bitte einen Namen für die neue Sandbox eingeben. - - - - Do you really want to remove the selected sandbox(es)? - Möchten Sie wirklich die ausgewählte(n) Sandbox(en) entfernen? - - - - - Create Shortcut to sandbox %1 - Verknüpfung zu Sandbox %1 erstellen - - - - Do you want to %1 the selected process(es) - Möchten Sie die ausgewählten Prozesse %1 - - - - CSettingsWindow - - - Sandboxie Plus - Settings - Sandboxie-Plus - Settings - Sandboxie Plus - Einstellungen - - - - Close to Tray - In den Tray schließen - - - - Prompt before Close - Rückfrage vor dem Schließen - - - - Close - Schließen - - - - Please enter the new configuration password. - Bitte ein Passwort für die neue Konfiguration eingeben. - - - - Please re-enter the new configuration password. - Bitte das neue Konfigurationspasswort wiederholen. - - - - Passwords did not match, please retry. - Passwörter stimmten nicht überein, bitte erneut versuchen. - - - - Process - Prozess - - - - Folder - Ordner - - - - Please enter a program file name - Bitte den Dateinamen eines Programms eingeben - - - - - Select Directory - Ordner auswählen - - - - CSnapshotsWindow - - - %1 - Snapshots - %1 - Schnappschüsse - - - - Snapshot - Schnappschuss - - - - Please enter a name for the new Snapshot. - Bitte einen Namen für den neuen Schnappschuss eingeben. - - - - New Snapshot - Neuer Schnappschuss - - - - Do you really want to switch the active snapshot? Doing so will delete the current state! - Möchten Sie wirklich den aktiven Schnappschuss wechseln? Dies führt zur Löschung des aktuellen Standes! - - - - Do you really want to delete the selected snapshot? - Möchten Sie wirklich die ausgewählten Schnappschüsse entfernen? - - - - NewBoxWindow - - - SandboxiePlus new box - Sandboxie-Plus new box - SandboxiePlus Neue Box - - - - Select restriction/isolation template: - Restriktions- oder Isolationsvorlage auswählen: - - - - Copy options from an existing box: - Kopiere Optionen von existierender Sandbox: - - - - Sandbox Name: - Sandboxname: - - - - Initial sandbox configuration: - Initiale Sandboxkonfiguration: - - - - OptionsWindow - - - SandboxiePlus Options - Sandboxie-Plus Options - SandboxiePlus Optionen - - - - General Options - Generelle Optionen - - - - Box Options - Boxoptionen - - - - Sandboxed window border: - Fensterrahmen innerhalb der Sandbox: - - - - px Width - px Breite - - - - Appearance - Erscheinung - - - - Sandbox Indicator in title: - Sandboxindikator im Fenstertitel: - - - - - - Protect the system from sandboxed processes - Schütze das System vor Prozessen in der Sandbox - - - - General restrictions - Generelle Restriktionen - - - - Block network files and folders, unless specifically opened. - Blockiere Netzwerkdateien und Ordner, außer diese wurden explizit geöffnet. - - - - Drop rights from Administrators and Power Users groups - Die Rechte der Administratoren und Hauptbenutzergruppe einschränken - - - - Prevent change to network and firewall parameters - Verhindere Änderungen an den Netzwerk- und Firewall-Einstellungen - - - - Run Menu - Startmenü - - - - You can configure custom entries for the sandbox run menu. - Sie können eigene Einträge in dem Startmenü der Sandbox einrichten. - - - - - - - - - Name - Name - - - - Command Line - Kommandozeile - - - - - - - - - - - Remove - Entfernen - - - - Add Command - Kommando hinzufügen - - - - File Options - Dateioptionen - - - - Copy file size limit: - Dateigrößenbeschränkung zum Kopieren: - - - - kilobytes - Kilobytes - - - - Protect this sandbox from deletion or emptying - Diese Sandbox vor Löschung und Leerung schützen - - - - Auto delete content when last sandboxed process terminates - Inhalte automatisch löschen, wenn der letzte Prozess in der Sandbox beendet wurde - - - - File Migration - Dateimigration - - - - Issue message 2102 when a file is too large - Meldung 2102 ausgeben, wenn die Datei zu groß ist - - - - Box Delete options - Box Löschoptionen - - - - Program Groups - Programmgruppen - - - - Add Group - Gruppe hinzufügen - - - - - - Add Program - Programm hinzufügen - - - - You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. - Sie können Programme gruppieren und ihnen einen Gruppennamen geben. Programmgruppen können in den Einstellungen an Stelle der Programmnamen genutzt werden. - - - - Forced Programs - Erzwungene Programme - - - - Force Folder - Erzwungene Ordner - - - - - - Path - Pfad - - - - Force Program - Erzwungenes Programm - - - - - - - Show Templates - Zeige Vorlagen - - - - Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless thay are explicitly started in another sandbox. - Programme die hier gelistet sind oder von den angegeben Ordnern gestartet werden, werden automatisch in dieser Sandbox ausgeführt, solange sie nicht explizit in einer anderen Sandbox gestartet werden. - - - - Stop Behaviour - Stopverhalten - - - - - - Remove Program - Programm entfernen - - - - Add Leader Program - Füge primäre Programme hinzu - - - - Add Lingering Program - Füge verweilende Programme hinzu - - - - - - - Type - Typ - - - - Block access to the printer spooler - Zugriff auf die Druckerwarteschlange blockieren - - - - Allow the print spooler to print to files outside the sandbox - Der Druckerwarteschlange erlauben als Dateien außerhalb der Sandbox zu drucken (Print to file) - - - - Printing - Drucken - - - - Remove spooler restriction, printers can be installed outside the sandbox - Entferne Druckerwarteschlangenrestriktionen, Drucker können außerhalb der Sandbox installiert werden - - - - - Add program - Füge Programm hinzu - - - - Auto Start - Autostart - - - - Here you can specify programs and/or services that are to be started automatically in the sandbox when it is activated - Hier können Sie Programme und/oder Dienste angeben, welche automatisch in der Sandbox gestartet werden, wenn diese aktiviert wird - - - - Add service - Füge Dienst hinzu - - - - Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. - -If leader processes are defined, all others are treated as lingering processes. - Verweilende Programme werden automatisch beendet, wenn diese noch laufen, nachdem alle anderen Prozesse bereits beendet wurden. - -Falls primäre Programme/Prozesse definiert wurden, werden alle anderen als verweilende Prozesse behandelt. - - - - Start Restrictions - Starteinschränkungen - - - - Issue message 1308 when a program fails to start - Gebe Meldung 1308 aus, wenn ein Programmstart fehlschlägt - - - - Allow only selected programs to start in this sandbox. * - Erlaube nur ausgewählten Prozessen in dieser Sandbox zu starten. * - - - - Prevent selected programs from starting in this sandbox. - Verhindere die Ausführung von ausgewählten Programmen in dieser Sandbox. - - - - Allow all programs to start in this sandbox. - Erlaube allen Programmen in dieser Sandbox zu starten. - - - - * Note: Programs installed to this sandbox won't be able to start at all. - * Notiz: Programme, welche in dieser Sandbox installiert werden, werden nicht in der Lage sein zu starten. - - - - Internet Restrictions - Internetbeschränkungen - - - - Issue message 1307 when a program is denied internet access - Gebe Meldung 1307 aus, wenn einem Programm der Internetzugriff verweigert wurde - - - - Block internet access for all programs except those added to the list. - Blockiere Internetzugriff für alle Programme, außer sie sind hier gelistet. - - - - Note: Programs installed to this sandbox won't be able to access the internet at all. - Hinweis: Programme, welche in dieser Sandbox installiert werden, werden nicht in der Lage sein auf das Internet zuzugreifen. - - - - Prompt user whether to allow an exemption from the blockade. - Den Nutzer fragen, ob er eine Ausnahme von dieser Blockade erlauben will. - - - - Resource Access - Ressourcenzugriff - - - - Program - Programm - - - - Access - Zugriff - - - - Add Reg Key - Füge Registry-Schlüssel hinzu - - - - Add File/Folder - Füge Datei/Ordner hinzu - - - - Add Wnd Class - Füge Fensterklasse hinzu - - - - Add COM Object - Füge COM-Objekt hinzu - - - - Add IPC Path - Füge IPC-Pfad hinzu - - - - Move Up - Nach oben verschieben - - - - Move Down - Nach unten verschieben - - - - Configure which processes can access what resources. Double click on an entry to edit it. -'Direct' File and Key access only applies to program binaries located outside the sandbox. -Note that all Close...=!<program>,... exclusions have the same limitations. -For files access you can use 'Direct All' instead to make it apply to all programs. - Translated close to what is written in the source - Konfigurieren, welche Prozesse auf welche Ressourcen zugreifen können. Doppelklick um einen Eintrag zu bearbeiten. -'Direkter' Datei und Schlüsselzugriff trifft nur auf Programmdateien zu, die sich außerhalb der Sandbox befinden. -Beachte, dass alle Programme schließen...=!<Programm>,... Ausnahmen die gleichen Beschränkungen haben. -Zum Dateizugriff können Sie 'Direkt Alle' verwenden um für alle Programme zu zu treffen. - - - - File Recovery - Dateiwiederherstellung - - - - Add Folder - Füge Ordner hinzu - - - - Ignore Extension - Ignoriere Erweiterungen - - - - Ignore Folder - Ignoriere Ordner - - - - Enable Immediate Recovery prompt to be able to recover files as soon as thay are created. - Enable Immediate Recovery prompt to be able to recover files as soon as they are created. - Aktivere Sofortwiederherstellungsabfrage, um alle Dateien sofort wiederherzustellen, sobald sie erzeugt werden. - - - - You can exclude folders and file types (or file extensions) from Immediate Recovery. - Sie können Ordner und Dateitypen (oder Dateierweiterungen) von der Sofortwiederherstellung ausnehmen. - - - - When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. - Wenn die Schnellwiederherstellungsfunktion aufgerufen wird, werden die folgenden Ordner in der Sandbox auf Inhalte geprüft. - - - - Advanced Options - Erweiterte Optionen - - - - Miscellaneous - Diverses - - - - Do not start sandboxed services using a system token (recommended) - Sandgeboxte Dienste nicht mit einem Systemtoken starten (empfohlen) - - - - Allow access to Smart Cards - Zugriff auf SmartCards erlauben - - - - Force usage of custom dummy Manifest files (legacy behaviour) - Erzwinge die Verwendung von eigenen dummy Manifestdateien (veraltetes Verhalten) - - - - Add sandboxed processes to job objects (recommended) - Füge gesandboxte Prozesse zu Job-Objekten hinzu (empfohlen) - - - - Limit access to the emulated service control manager to privileged processes - Beschränke Zugriff auf emulierte Dienstkontrollmanager auf privilegierte Prozesse - - - - Open System Protected Storage - Öffne systemgeschützen Speicherort - - - - Open Windows Credentials Store - Öffne Windows Anmeldeinformationsverwaltung - - - - Don't alter window class names created by sandboxed programs - Fensterklassen von gesandboxten Programmen nicht ändern - - - - - Protect the sandbox integrity itself - Die Sandboxintegrität selbst schützen - - - - Sandbox protection - Sandboxschutz - - - - Compatibility - Kompatibilität - - - - Protect sandboxed SYSTEM processes from unprivileged unsandboxed processes - Schütze sandgeboxte SYSTEM-Prozesse vor unprivilegierten nicht sandgeboxten Prozessen - - - - Hide Processes - Verstecke Prozesse - - - - Add Process - Prozess hinzufügen - - - - Hide host processes from processes running in the sandbox. - Verstecke Host-Prozesse vor Prozessen in der Sandbox. - - - - Don't allow sandboxed processes to see processes running in other boxes - Nicht erlauben, dass sandgeboxte Prozesse die Prozesse in anderen Boxen sehen können - - - - Users - Benutzer - - - - Restrict Resource Access monitor to administrators only - Beschränke den Ressourcenzugriffsmonitor auf Administratoren - - - - Add User - Benutzer hinzufügen - - - - Remove User - Benutzer entfernen - - - - Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. - -Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. - Füge Nutzerkonten und -gruppen der Liste hinzu, um die Benutzung der Sandbox auf diese Konten zu beschränken.Falls die Liste leer ist, kann die Sandbox von allen Konten genutzt werden. - -Notiz: Erzwungene Programme und Ordner für eine Sandbox finden keine Anwendung auf Konten, die diese Sandbox nicht nutzen können. - - - - Tracing - Rückverfolgung - - - - Pipe Trace - Pipe Rückverfolgung - - - - Log all access events as seen by the driver to the resource access log. - -This options set the event mask to "*" - All access events -You can customize the logging using the ini by specifying -"A" - Allowed accesses -"D" - Denied accesses -"I" - Ignore access requests -instead of "*". - Protokolliere jeden Zugriffsevent, wie er durch den Treiber gesehen wird, im Ressourcenzugriffsprotokoll. - -Diese Optionen setzen die Eventmaske auf "*" - Alle Zugriffsevents -Sie können die Protokollierung in der INI anpassen in den Sie wie folgt wählen -"A" - Erlaubte Zugriffe -"D" - Verweigerte Zugriffe -"I" - Ignorierte Zugriffsanfragen -an Stelle von "*". - - - - Access Tracing - Zugriffsrückverfolgung - - - - GUI Trace - GUI Rückverfolgung - - - - Key Trace - Schlüsselrückverfolgung - - - - File Trace - Dateirückverfolgung - - - - Lift security restrictions - Sicherheitsrestriktionen aufheben - - - - Sandbox isolation - Sandboxisolation - - - - Auto Exec - Autoausführen - - - - Here you can specify a list of commands that are executed every time the sandbox is initially populated. - Hier können Sie eine Liste mit Kommandos angeben, welche jedes Mal ausgeführt werden, wenn die Sandbox initial geladen wird. - - - - IPC Trace - IPC-Rückverfolgung - - - - Log Debug Output to the Trace Log - Protokolliere Debug-Ausgabe in das Rückverfolgungsprotokoll - - - - COM Class Trace - COM-Klassenrückverfolgung - - - - <- for this one the above does not apply - <- für dieses findet das Obige keine Anwendung - - - - Debug - Debug - - - - WARNING, these options can disable core security guarantees and break sandbox security!!! - WARNUNG, diese Optionen können Kernsicherheitsgarantien deaktivieren und die Sandboxsicherheit zerstören!!! - - - - These options are intended for debugging compatibility issues, please do not use them in production use. - Diese Optionen sind nur zur Fehlersuche bei Kompatibilitätsproblemen gedacht, bitte nicht im produktiven Einsatz verwenden. - - - - App Templates - Programmvorlagen - - - - Filter Categories - Filterkategorien - - - - Text Filter - Textfilter - - - - Category - Kategorie - - - - This list contains a large amount of sandbox compatibility enhancing templates - Diese Liste enthält eine große Menge an Vorlagen, welche die Kompatibilität der Sandbox verbessern - - - - Edit ini Section - INI Sektion bearbeiten - - - - Edit ini - INI bearbeiten - - - - Cancel - Abbrechen - - - - Save - Speichern - - - - PopUpWindow - - - SandboxiePlus Notifications - Sandboxie-Plus Notifications - SandboxiePlus Benachrichtigungen - - - - QObject - - - Drive %1 - Laufwerk %1 - - - - RecoveryWindow - - - SandboxiePlus Settings - Sandboxie-Plus Settings - SandboxiePlus-Einstellungen - - - - Add Folder - Ordner hinzufügen - - - - Refresh - Aktualisieren - - - - Show All Files - Zeige alle Dateien - - - - TextLabel - Beschriftungstext - - - - Recover - Wiederherstellen - - - - Recover to - Wiederherstellen nach - - - - Delete all - Alle löschen - - - - Close - Schließen - - - - SettingsWindow - - - SandboxiePlus Settings - Sandboxie-Plus Settings - SandboxiePlus Einstellungen - - - - General Options - Generelle Optionen - - - - Show Notifications for relevant log Messages - Zeige Benachrichtigungen für relevante Protokollmitteilungen - - - - Show Sys-Tray - Zeige System-Tray - - - - Use Dark Theme - Dunkles Farbschema benutzen - - - - Add 'Run Sandboxed' to the explorer context menu - Füge 'In Sandbox starten' zum Kontextmenü des Explorers hinzu - - - - On main window close: - Beim Schließen des Hauptfensters: - - - - Restart required (!) - Erfordert Neustart (!) - - - - Watch Sandboxie.ini for changes - Sandboxie.ini auf Änderungen überwachen - - - - Tray options - Tray-Optionen - - - - Check periodically for updates of Sandboxie-Plus - Periodisch nach Update für Sandboxie-Plus suchen - - - - Open urls from this ui sandboxed - Open URLs from this UI sandboxed - Öffne URLs aus dieser Benutzerschnittstelle in einer Sandbox - - - - Advanced Options - Erweiterte Optionen - - - - Only Administrator user accounts can use Disable Forced Programs command - Nur Administratoren können das Erzwingen von Programmen deaktivieren - - - - Only Administrator user accounts can make changes - Nur Administratoren können Änderungen vornehmen - - - - Config protection - Konfigurationsschutz - - - - Password must be entered in order to make changes - Passwort muss für Änderungen eingegeben werden - - - - Change Password - Passwort ändern - - - - Sandbox default - Sandboxstandard - - - - Sandbox <a href="sbie://docs/filerootpath">file system root</a>: - Sandbox <a href="sbie://docs/filerootpath">Dateisystemquelle</a>: - - - - Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: - Sandbox <a href="sbie://docs/ipcrootpath">IPC-Quelle</a>: - - - - Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: - Sandbox <a href="sbie://docs/keyrootpath">Registy-Quelle</a>: - - - - Separate user folders - Trenne Benutzerordner - - - - Clear password when main window becomes hidden - Leere Passwort, wenn das Hauptfenster versteckt wird - - - - Start UI with Windows - Starte Benutzeroberfläche mit Windows - - - - Start UI when a sandboxed process is started - Starte Benutzeroberfläche, wenn ein Prozess in einer Sandbox gestartet wird - - - - Show first recovery window when emptying sandboxes - Zeige Wiederherstellungsfenster, vor dem Leeren der Sandboxen - - - - Portable root folder - Portabler Quellordner - - - - ... - ... - - - - Other settings - Andere Einstellungen - - - - Program Restrictions - Programmrestriktionen - - - - - Name - Name - - - - Path - Pfad - - - - Remove Program - Programm entfernen - - - - Add Program - Programm hinzufügen - - - - When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. - Wenn eines der folgenden Programme außerhalb einer Sandbox gestartet wird, wird Sandboxie die Meldung SBIE1301 ausgeben. - - - - Add Folder - Ordner hinzufügen - - - - Prevent the listed programs from starting on this system - Verhindere den Start der aufgeführten Programme auf diesem System - - - - Issue message 1308 when a program fails to start - Gebe Meldung 1308 aus, wenn ein Programmstart fehlschlägt - - - - Software Compatibility - Softwarekompatibilität - - - - In the future, don't check software compatibility - Zukünftig nicht auf Softwarekompatibilität prüfen - - - - Enable - Aktiveren - - - - Disable - Deaktivieren - - - - Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. - Sandboxie hat die folgenden Anwendungen auf dem System gefunden. OK klicken zur Anwendung der Konfigurationseinstellungen, welche die Softwarekompatibilität mit diesen Anwendungen verbessert. Diese Konfigurationseinstellungen haben Auswirkungen auf alle existierenden und neuen Sandboxen. - - - - SnapshotsWindow - - - SandboxiePlus Settings - Sandboxie-Plus Settings - SandboxiePlus Einstellungen - - - - Selected Snapshot Details - Ausgewählte Schnappschussdetails - - - - Name: - Name: - - - - Description: - Beschreibung: - - - - Snapshot Actions - Schnappschussaktionen - - - - Remove Snapshot - Schnappschuss entfernen - - - - Take Snapshot - Schnappschuss erstellen - - - - Go to Snapshot - Gehe zum Schnappschuss - - - +Full path: %4 + Migrating a large file %1 into the sandbox %2, %3 left. +Full path: %4 + Übertrage große Datei %1 in die Sandbox %2, %3 verbleiben. +Vollständiger Pfad: %4 + + + + an UNKNOWN process. + Ein UNBEKANNTER Prozess. + + + + %1 (%2) + same as source + %1 (%2) + + + + + UNKNOWN + UNBEKANNT + + + + CRecoveryWindow + + + %1 - File Recovery + %1 - Dateiwiederherstellung + + + + File Name + Dateiname + + + + File Size + Dateigröße + + + + Full Path + Vollständiger Pfad + + + + + Select Directory + Ordner auswählen + + + + One or more selected files are located on a network share, and must be recovered to a local drive, please select a folder to recover all selected files to. + Eine oder mehrere ausgewählte Dateien befinden sich auf Netzwerkpfaden und müssen zur Wiederherstellung lokal gespeichert werden. Bitte einen Ordner auswählen, um die ausgewählten Dateien darin wiederherzustellen. + + + + There are %1 files and %2 folders in the sandbox, occupying %3 bytes of disk space. + Es befinden sich %1 Dateien und %2 Ordner in der Sandbox, welche %3 bytes an Speicherplatz belegen. + + + + CResMonModel + + + Unknown + Unbekannte + + + + Process + Prozess + + + + Time Stamp + Zeitstempel + + + + Type + Typ + + + + Value + Wert + + + + Status + Status + + + + CSandBoxPlus + + + Disabled + Deaktiviert + + + + NOT SECURE (Debug Config) + NICHT SICHER (Debug Konfiguration) + + + + Reduced Isolation + Reduzierte Isolation + + + + Enhanced Isolation + Erweiterte Isolation + + + + API Log + API Protokoll + + + + No INet + Kein Internet + + + + Net Share + Kept original for lack of good German wording + Netzwerkfreigabe (Net share) + + + + No Admin + Kein Admin + + + + Normal + Normal + + + + CSandMan + + + + Sandboxie-Plus v%1 + Sandboxie-Plus v%1 + + + + Reset Columns + Spalten zurücksetzen + + + + Copy Cell + Zelle kopieren + + + + Copy Row + Spalte kopieren + + + + Copy Panel + Tafel kopieren + + + + Time|Message + Zeit|Nachricht + + + + Sbie Messages + Sbie Nachrichten + + + + Resource Monitor + Ressourcenmonitor + + + + Show/Hide + Zeigen/Verstecken + + + + + Disable Forced Programs + Deaktiviere erzwungene Programme + + + + &Sandbox + &Sandbox + + + + Create New Box + Neue Box erstellen + + + + Terminate All Processes + Alle Prozesse beenden + + + + Window Finder + Fensterfinder + + + + &Maintenance + &Wartung + + + + Connect + Verbinden + + + + Disconnect + Trennen + + + + Stop All + Alle stoppen + + + + &Advanced + &Erweitert + + + + Install Driver + Treiber installieren + + + + Start Driver + Treiber starten + + + + Stop Driver + Treiber stoppen + + + + Uninstall Driver + Treiber deinstallieren + + + + Install Service + Dienst installieren + + + + Start Service + Dienst starten + + + + Stop Service + Dienst stoppen + + + + Uninstall Service + Dienst deinstallieren + + + + Exit + Beenden + + + + &View + &Ansicht + + + + Simple View + Einfache Ansicht + + + + Advanced View + Erweiterte Ansicht + + + + Always on Top + Immer oben + + + + Show Hidden Boxes + Zeige versteckte Boxen + + + + Clean Up + Aufräumen + + + + Default sandbox not found; creating: %1 + + + + + <p>Do you want to go to the <a href="%1">info page</a>?</p> + + + + + Don't show this message anymore. + + + + + The selected window is running as part of program %1 in sandbox %2 + Das ausgewählte Fenster läuft als Teil des Programms %1 in der Sandbox %2 + + + + The selected window is not running as part of any sandboxed program. + Das ausgewählte Fenster läuft nicht als Teil eines Programms in einer Sandbox. + + + + Drag the Finder Tool over a window to select it, then release the mouse to check if the window is sandboxed. + Klicken und ziehen Sie das Finderwerkzeug über ein Fenster und lassen Sie die Maustaste los, um zu überprüfen, ob sich dieses Fenster in einer Sandbox befindet. + + + + Sandboxie-Plus - Window Finder + Sandboxie-Plus - Fensterfinder + + + + Keep terminated + Beendete behalten + + + + &Options + &Optionen + + + + Global Settings + Globale Einstellungen + + + + Reset all hidden messages + Alle ausgeblendeten Nachrichten zurücksetzen + + + + Edit ini file + .ini-Datei bearbeiten + + + + Reload ini file + .ini-Datei neu laden + + + + Resource Logging + Ressourcenprotokollierung + + + + API Call Logging + API Aufrufprotokollierung + + + + &Help + &Hilfe + + + + Support Sandboxie-Plus with a Donation + Sandboxie-Plus mit einer Spende unterstützen + + + + Visit Support Forum + Supportforum besuchen + + + + Online Documentation + Onlinedokumentation + + + + Check for Updates + Auf Updates prüfen + + + + About the Qt Framework + Über das Qt Framework + + + + + About Sandboxie-Plus + Über Sandboxie-Plus + + + + Do you want to close Sandboxie Manager? + Möchten Sie den Sandboxie-Manager schließen? + + + + Sandboxie-Plus was running in portable mode, now it has to clean up the created services. This will prompt for administrative privileges. + Sandboxie-Plus wurde im portablen Modus betrieben, nun müssen die erzeugten Dienste bereinigt werden, was Adminrechte benötigt. + + + + Failed to stop all Sandboxie components + Konnte nicht alle Sandboxiekomponenten stoppen + + + + Failed to start required Sandboxie components + Konnte nicht alle benötigten Sandboxiekomponenten starten + + + + Some compatibility templates (%1) are missing, probably deleted, do you want to remove them from all boxes? + Einige Kompatibilitätsvorlagen (%1) fehlen, möglicherweise wurden sie gelöscht. Möchten Sie diese aus allen Boxen entfernen? + + + + Cleaned up removed templates... + Entfernte Vorlagen aufgeräumt... + + + + Sandboxie-Plus was started in portable mode, do you want to put the SandBox folder into its parent directory? + Sandboxie-Plus wurde im portablen Modus gestartet, möchten Sie den Sandboxordner im übergeordneten Verzeichnis erstellen? + + + + - NOT connected + - NICHT verbunden + + + + The file %1 already exists, do you want to overwrite it? + Die Datei %1 existiert bereits, möchten Sie diese überschreiben? + + + + Do this for all files! + Tue dies für alle Dateien! + + + + Failed to recover some files: + + Konnte nicht alle Dateien wiederherstellen: + + + + + Do you want to terminate all processes in all sandboxes? + Möchten Sie alle Prozesse in allen Sandboxen beenden? + + + + Terminate all without asking + Alle ohne Rückfrage beenden + + + + Please enter the duration for disabling forced programs. + Bitte Dauer eingeben, in der erzwungene Programme deaktiviert sind. + + + + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. + Sandboxie-Plus wurde im portablen Modus gestartet, nun müssen die benötigten Dienste erzeugt werden, was Adminrechte benötigt. + + + + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? + Möchten Sie auch die ausgeblendeten Mitteilungsboxen zurücksetzen (Ja) oder nur alle Protokollnachrichten (Nein)? + + + + The changes will be applied automatically whenever the file gets saved. + Die Änderungen werden automatisch angewendet, sobald die Datei gespeichert wird. + + + + The changes will be applied automatically as soon as the editor is closed. + Die Änderungen werden automatisch angewendet, sobald der Editor geschlossen wird. + + + + To use API logging you must first set up the LogApiDll from https://github.com/sandboxie-plus/LogApiDll with one or more sandboxes. +Please download the latest release and set it up with the Sandboxie.ini as instructed in the README.md of the project. + Um die API Protokollierung zu nutzen, muss die LogApiDll von https://github.com/sandboxie-plus/LogApiDll mit einer oder mehrerer Box(en) eingerichtet werden. +Bitte die neuste Version herunterladen und entsprechend der Anweisungen in der README.md des Projekts in der Sandboxie.ini einrichten. + + + + Error Status: %1 + Fehler Code: %1 + + + + Can not create snapshot of an empty sandbox + Kann keinen Schnappschuss von einer leeren Box erstellen + + + + A sandbox with that name already exists + Es existiert bereits eine Sandbox mit diesem Namen + + + + <p>Sandboxie-Plus is an open source continuation of Sandboxie.</p><p></p><p>Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.</p><p></p><p></p><p></p><p>Icons from <a href="https://icons8.com">icons8.com</a></p><p></p> + <p>Sandboxie-Plus ist eine OpenSource-Fortsetzung von Sandboxie.</p><p></p><p>Besuche <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> für weitere Informationen.</p><p></p><p></p><p></p><p>Icons von <a href="https://icons8.com">icons8.com</a></p><p></p> + + + + Failed to execute: %1 + Fehler beim Ausführen von: %1 + + + + Failed to communicate with Sandboxie Service: %1 + Fehler beim Kommunizieren mit Sandbox-Dienst: %1 + + + + Failed to copy configuration from sandbox %1: %2 + Fehler beim Kopieren der Konfiguration von Sandbox %1: %2 + + + + A sandbox of the name %1 already exists + Es existiert bereits eine Sandbox mit dem Namen %1 + + + + Failed to delete sandbox %1: %2 + Fehler beim Löschen der Sandbox %1: %2 + + + + The sandbox name can not be longer than 32 characters. + Der Name der Sandbox darf nicht länger als 32 Zeichen sein. + + + + The sandbox name can not be a device name. + Der Name der Sandbox darf kein reservierter Gerätename (device name) sein. + + + + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. + Der Name der Sandbox darf nur Buchstaben, Zahlen und Unterstriche, welche als Leerstellen angezeigt werden, enthalten. + + + + Failed to terminate all processes + Konnte nicht alle Prozesse beenden + + + + Delete protection is enabled for the sandbox + Löschschutz ist für diese Sandbox aktiviert + + + + Error deleting sandbox folder: %1 + Fehler beim Löschen von Sandbox-Ordner: %1 + + + + A sandbox must be emptied before it can be renamed. + Eine Sandbox muss geleert werden, bevor Sie gelöscht werden kann. + + + + A sandbox must be emptied before it can be deleted. + Eine Sandbox muss geleert werden, bevor sie umbenannt werden kann. + + + + Failed to move directory '%1' to '%2' + Konnte Ordner '%1' nicht nach '%2' verschieben + + + + This Snapshot operation can not be performed while processes are still running in the box. + Der Schnappschuss kann nicht erstellt werden, während Prozesse in dieser Box laufen. + + + + Failed to create directory for new snapshot + Konnte den Ordner für den neuen Schnappschuss (Snapshot) nicht erstellen + + + + Failed to copy RegHive + Konnte RegHive nicht kopieren + + + + Snapshot not found + Schnappschuss (Snapshot) nicht gefunden + + + + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. + Fehler beim Zusammenführen der Schnappschuss Ordner: '%1' with '%2', der Schnappschuss wurde nicht vollständig zusammengeführt. + + + + Failed to remove old snapshot directory '%1' + Konnte alten Schnappschuss-Ordner '%1' nicht entfernen + + + + Failed to remove old RegHive + Konnte alten RegHive nicht entfernen + + + + You are not authorized to update configuration in section '%1' + Sie sind nicht berechtigt die Konfiguration in Sektion '%1' zu aktualisieren + + + + Failed to set configuration setting %1 in section %2: %3 + Fehler beimSetzen der Konfigurationsoption %1 in Sektion %2: %3 + + + + Unknown Error Status: %1 + Unbekannter Fehlerstatus: %1 + + + + Don't show this announcement in the future. + Diese Ankündigung zukünftig nicht mehr zeigen. + + + Ignore this update, notify me about the next one. + Dieses Update ignorieren, über das nächste Update benachrichtigen. + + + + No new updates found, your Sandboxie-Plus is up-to-date. + Keine Updates gefunden, Sandboxie-Plus ist aktuell. + + + + <p>New Sandboxie-Plus has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> + <p>Neue Version von Sandboxie-Plus wurde heruntergeladen zu:</p><p><a href="%2">%1</a></p><p>Möchten Sie mit der Installation beginnen? Falls Programme in einer Sandbox laufen, werden diese beendet.</p> + + + + + + + + + + Don't show this message again. + Diese Meldung nicht mehr anzeigen. + + + + + + Sandboxie-Plus - Error + Sandboxie-Plus - Fehler + + + + Maintenance operation %1 + Wartungsvorgang %1 + + + + Maintenance operation Successful + Wartungsvorgang erfolgreich + + + + Do you want to check if there is a new version of Sandboxie-Plus? + Möchten Sie prüfen, ob es eine neue Version von Sandboxie-Plus gibt? + + + + Driver version: %1 + Treiber version: %1 + + + + - Portable + - Portable + + + + Sbie Directory: %1 + Sbie Ordner: %1 + + + + Api Call Log + API Aufrufprotokoll + + + + Cleanup Processes + Prozesse aufräumen + + + + Cleanup Message Log + Nachrichtenprotokoll aufräumen + + + + Cleanup Resource Log + Ressourcenprotokoll aufräumen + + + + Cleanup Api Call Log + API Aufrufprotokoll aufräumen + + + + Cleanup + Aufräumen + + + + Select box: + Box auswählen: + + + + Loaded Config: %1 + Geladene Konfiguration: %1 + + + + PID %1: + PID %1: + + + + %1 (%2): + %1 (%2): + + + + Recovering file %1 to %2 + Stelle Datei %1 zu %2 wieder her + + + + Only Administrators can change the config. + Nur Administratoren können die Konfiguration editieren. + + + + Please enter the configuration password. + Bitte Konfigurationspasswort eingeben. + + + + Login Failed: %1 + Login fehlgeschlagen: %1 + + + No sandboxes found; creating: %1 + Keine Sandbox(en) gefunden; erstelle: %1 + + + + Executing maintenance operation, please wait... + Führe Wartungsvorgang aus, bitte warten... + + + + Administrator rights are required for this operation. + Für diesen Vorgang werden Adminrechte benötigt. + + + + Failed to connect to the driver + Fehler beim Verbinden mit dem Treiber + + + + An incompatible Sandboxie %1 was found. Compatible versions: %2 + Eine inkompatible Version von Sandboxie %1 wurde gefunden. Kompatible Versionen: %2 + + + + Can't find Sandboxie installation path. + Kann Installationspfad von Sandboxie nicht finden. + + + + Can't remove a snapshot that is shared by multiple later snapshots + Es kann kein Schnappschuss gelöscht werden der von mehreren späteren Schnappschüssen geteilt wird + + + + Operation failed for %1 item(s). + Vorgang für %1 Element(e) fehlgeschlagen. + + + + Do you want to open %1 in a sandboxed (yes) or unsandboxed (no) Web browser? + Möchten Sie %1 in einem sandgeboxten (Ja) oder in einem nicht gesandboxten (Nein) Browser öffnen? + + + + Remember choice for later. + Die Auswahl für später merken. + + + + Checking for updates... + Prüfe auf Updates... + + + + server not reachable + Server nicht erreichbar + + + + + Failed to check for updates, error: %1 + Prüfung auf Updates fehlgeschlagen, Fehler: %1 + + + + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'>New version:</font> <b>%1</b></p> + <p>Es it eine neue Version von Sandboxie-Plus verfügbar.<br /><font color='red'>Neue Versions:</font> <b>%1</b></p> + + + + <p>Do you want to download the latest version?</p> + <p>Möchten Sie die neuste Version herunterladen?</p> + + + + <p>Do you want to go to the <a href="%1">download page</a>?</p> + <p>Möchten Sie die <a href="%1">Downloadseite</a> besuchen?</p> + + + + Downloading new version... + Lade neue Version herunter... + + + + Failed to download update from: %1 + Download des Updates von: %1 fehlgeschlagen + + + + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p>Copyright (c) 2020-2021 by DavidXanatos</p> + <h3>Über Sandboxie-Plus</h3><p>Version %1</p><p>Copyright (c) 2020-2021 by DavidXanatos</p> + + + + CSbieModel + + + Box Groupe + Box Group + Boxgruppe + + + + Name + Name + + + + Process ID + Prozess ID + + + + Status + Status + + + + Title + Titel + + + + Start Time + Startzeit + + + + Path / Command Line + Pfad / Kommandozeile + + + + CSbieProcess + + + Terminated + Beendet + + + + Running + Laufend + + + + CSbieView + + + Create New Box + Neue Box erstellen + + + + Add Group + Gruppe hinzufügen + + + + Remove Group + Gruppe entfernen + + + + Run + Starten + + + + Run Program + Programm starten + + + + Run from Start Menu + Aus Startmenü starten + + + + Run Web Browser + Internetbrowser starten + + + + Run eMail Client + E-Mail Programm starten + + + + Run Explorer + Explorer starten + + + + Run Cmd.exe + Cmd.exe starten + + + + Terminate All Programs + Alle Prozesse beenden + + + + + Create Shortcut + Verknüpfung erstellen + + + + Explore Content + Inhalt anzeigen + + + + Snapshots Manager + Schnappschussmanager + + + + Recover Files + Dateien wiederherstellen + + + + Delete Content + Inhalte löschen + + + + Sandbox Presets + Sandboxvorgaben + + + + Enable API Call logging + Aktiviere API-Aufrufprotokoll + + + + Block Internet Access + Blockiere Internetzugriff + + + + Allow Network Shares + Erlaube Netzwerkfreigaben + + + + Drop Admin Rights + Adminrechte abgeben + + + + Sandbox Options + Sandboxeinstellungen + + + + Rename Sandbox + Sandbox umbenennen + + + + Move to Group + Zu Gruppe zuordnen + + + + Remove Sandbox + Sandbox entfernen + + + + Terminate + Beenden + + + + Preset + Vorgabe + + + + Pin to Run Menu + An das Starten-Menü anheften + + + + Block and Terminate + Blockieren und Beenden + + + + Allow internet access + Erlaube Internetzugriff + + + + Force into this sandbox + In dieser Sandbox erzwingen + + + + Set Linger Process + Setze verweilende Programme + + + + Set Leader Process + Setze primäre Programme + + + + + Don't show this message again. + Diese Meldung nicht mehr anzeigen. + + + + This Sandbox is empty. + + + + + This Sandbox is already empty. + Diese Sandbox ist bereits leer. + + + + Do you want to delete the content of the selected sandbox? + Möchten Sie den Inhalt der ausgewählten Sandbox löschen? + + + + Do you really want to delete the content of multiple sandboxes? + Möchten Sie wirklich die Inhalte von mehreren Sandboxen löschen? + + + + Do you want to terminate all processes in the selected sandbox(es)? + Möchten Sie alle Prozesse in der/den ausgewählten Sandbox(en) beenden? + + + + This box does not have Internet restrictions in place, do you want to enable them? + Diese Sandbox hat keine Internetbeschränkungen, möchten Sie diese aktivieren? + + + + This sandbox is disabled, do you want to enable it? + Diese Sandbox ist deaktiviert. Möchten Sie diese aktivieren? + + + + File root: %1 + + Dateiquelle: %1 + + + + + Registry root: %1 + + Registry-Quelle: %1 + + + + + IPC root: %1 + + IPC-Quelle: %1 + + + + + Options: + + Optionen: + + + + + [None] + [Kein(e)] + + + + Please enter a new group name + Bitte einen Namen für die neue Gruppe eingeben + + + + Do you really want to remove the selected group(s)? + Möchten Sie wirklich die ausgewählte(n) Gruppe(n) entfernen? + + + + Please enter a new name for the Sandbox. + Bitte einen Namen für die neue Sandbox eingeben. + + + + Do you really want to remove the selected sandbox(es)? + Möchten Sie wirklich die ausgewählte(n) Sandbox(en) entfernen? + + + + + Create Shortcut to sandbox %1 + Verknüpfung zu Sandbox %1 erstellen + + + + Do you want to %1 the selected process(es) + Möchten Sie die ausgewählten Prozesse %1 + + + + CSettingsWindow + + + Sandboxie Plus - Settings + Sandboxie-Plus - Settings + Sandboxie Plus - Einstellungen + + + + Close to Tray + In den Tray schließen + + + + Prompt before Close + Rückfrage vor dem Schließen + + + + Close + Schließen + + + + Please enter the new configuration password. + Bitte ein Passwort für die neue Konfiguration eingeben. + + + + Please re-enter the new configuration password. + Bitte das neue Konfigurationspasswort wiederholen. + + + + Passwords did not match, please retry. + Passwörter stimmten nicht überein, bitte erneut versuchen. + + + + Process + Prozess + + + + Folder + Ordner + + + + Please enter a program file name + Bitte den Dateinamen eines Programms eingeben + + + + + Select Directory + Ordner auswählen + + + + CSnapshotsWindow + + + %1 - Snapshots + %1 - Schnappschüsse + + + + Snapshot + Schnappschuss + + + + Please enter a name for the new Snapshot. + Bitte einen Namen für den neuen Schnappschuss eingeben. + + + + New Snapshot + Neuer Schnappschuss + + + + Do you really want to switch the active snapshot? Doing so will delete the current state! + Möchten Sie wirklich den aktiven Schnappschuss wechseln? Dies führt zur Löschung des aktuellen Standes! + + + + Do you really want to delete the selected snapshot? + Möchten Sie wirklich die ausgewählten Schnappschüsse entfernen? + + + + NewBoxWindow + + + SandboxiePlus new box + Sandboxie-Plus new box + SandboxiePlus Neue Box + + + + Select restriction/isolation template: + Restriktions- oder Isolationsvorlage auswählen: + + + + Copy options from an existing box: + Kopiere Optionen von existierender Sandbox: + + + + Sandbox Name: + Sandboxname: + + + + Initial sandbox configuration: + Initiale Sandboxkonfiguration: + + + + OptionsWindow + + + SandboxiePlus Options + Sandboxie-Plus Options + SandboxiePlus Optionen + + + + General Options + Generelle Optionen + + + + Box Options + Boxoptionen + + + + Sandboxed window border: + Fensterrahmen innerhalb der Sandbox: + + + + px Width + px Breite + + + + Appearance + Erscheinung + + + + Sandbox Indicator in title: + Sandboxindikator im Fenstertitel: + + + + + + Protect the system from sandboxed processes + Schütze das System vor Prozessen in der Sandbox + + + + General restrictions + Generelle Restriktionen + + + + Block network files and folders, unless specifically opened. + Blockiere Netzwerkdateien und Ordner, außer diese wurden explizit geöffnet. + + + + Drop rights from Administrators and Power Users groups + Die Rechte der Administratoren und Hauptbenutzergruppe einschränken + + + + Prevent change to network and firewall parameters + Verhindere Änderungen an den Netzwerk- und Firewall-Einstellungen + + + + Run Menu + Startmenü + + + + You can configure custom entries for the sandbox run menu. + Sie können eigene Einträge in dem Startmenü der Sandbox einrichten. + + + + + + + + + Name + Name + + + + Command Line + Kommandozeile + + + + + + + + + + + Remove + Entfernen + + + + Add Command + Kommando hinzufügen + + + + File Options + Dateioptionen + + + + Copy file size limit: + Dateigrößenbeschränkung zum Kopieren: + + + + kilobytes + Kilobytes + + + + Protect this sandbox from deletion or emptying + Diese Sandbox vor Löschung und Leerung schützen + + + + Auto delete content when last sandboxed process terminates + Inhalte automatisch löschen, wenn der letzte Prozess in der Sandbox beendet wurde + + + + File Migration + Dateimigration + + + + Issue message 2102 when a file is too large + Meldung 2102 ausgeben, wenn die Datei zu groß ist + + + + Box Delete options + Box Löschoptionen + + + + Program Groups + Programmgruppen + + + + Add Group + Gruppe hinzufügen + + + + + + Add Program + Programm hinzufügen + + + + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. + Sie können Programme gruppieren und ihnen einen Gruppennamen geben. Programmgruppen können in den Einstellungen an Stelle der Programmnamen genutzt werden. + + + + Forced Programs + Erzwungene Programme + + + + Force Folder + Erzwungene Ordner + + + + + + Path + Pfad + + + + Force Program + Erzwungenes Programm + + + + + + + Show Templates + Zeige Vorlagen + + + + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless thay are explicitly started in another sandbox. + Programme die hier gelistet sind oder von den angegeben Ordnern gestartet werden, werden automatisch in dieser Sandbox ausgeführt, solange sie nicht explizit in einer anderen Sandbox gestartet werden. + + + + Stop Behaviour + Stopverhalten + + + + + + Remove Program + Programm entfernen + + + + Add Leader Program + Füge primäre Programme hinzu + + + + Add Lingering Program + Füge verweilende Programme hinzu + + + + + + + Type + Typ + + + + Block access to the printer spooler + Zugriff auf die Druckerwarteschlange blockieren + + + + Allow the print spooler to print to files outside the sandbox + Der Druckerwarteschlange erlauben als Dateien außerhalb der Sandbox zu drucken (Print to file) + + + + Printing + Drucken + + + + Remove spooler restriction, printers can be installed outside the sandbox + Entferne Druckerwarteschlangenrestriktionen, Drucker können außerhalb der Sandbox installiert werden + + + + + Add program + Füge Programm hinzu + + + + Auto Start + Autostart + + + + Here you can specify programs and/or services that are to be started automatically in the sandbox when it is activated + Hier können Sie Programme und/oder Dienste angeben, welche automatisch in der Sandbox gestartet werden, wenn diese aktiviert wird + + + + Add service + Füge Dienst hinzu + + + + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. + +If leader processes are defined, all others are treated as lingering processes. + Verweilende Programme werden automatisch beendet, wenn diese noch laufen, nachdem alle anderen Prozesse bereits beendet wurden. + +Falls primäre Programme/Prozesse definiert wurden, werden alle anderen als verweilende Prozesse behandelt. + + + + Start Restrictions + Starteinschränkungen + + + + Issue message 1308 when a program fails to start + Gebe Meldung 1308 aus, wenn ein Programmstart fehlschlägt + + + + Allow only selected programs to start in this sandbox. * + Erlaube nur ausgewählten Prozessen in dieser Sandbox zu starten. * + + + + Prevent selected programs from starting in this sandbox. + Verhindere die Ausführung von ausgewählten Programmen in dieser Sandbox. + + + + Allow all programs to start in this sandbox. + Erlaube allen Programmen in dieser Sandbox zu starten. + + + + * Note: Programs installed to this sandbox won't be able to start at all. + * Notiz: Programme, welche in dieser Sandbox installiert werden, werden nicht in der Lage sein zu starten. + + + + Internet Restrictions + Internetbeschränkungen + + + + Issue message 1307 when a program is denied internet access + Gebe Meldung 1307 aus, wenn einem Programm der Internetzugriff verweigert wurde + + + + Block internet access for all programs except those added to the list. + Blockiere Internetzugriff für alle Programme, außer sie sind hier gelistet. + + + + Note: Programs installed to this sandbox won't be able to access the internet at all. + Hinweis: Programme, welche in dieser Sandbox installiert werden, werden nicht in der Lage sein auf das Internet zuzugreifen. + + + + Prompt user whether to allow an exemption from the blockade. + Den Nutzer fragen, ob er eine Ausnahme von dieser Blockade erlauben will. + + + + Resource Access + Ressourcenzugriff + + + + Program + Programm + + + + Access + Zugriff + + + + Add Reg Key + Füge Registry-Schlüssel hinzu + + + + Add File/Folder + Füge Datei/Ordner hinzu + + + + Add Wnd Class + Füge Fensterklasse hinzu + + + + Add COM Object + Füge COM-Objekt hinzu + + + + Add IPC Path + Füge IPC-Pfad hinzu + + + + Move Up + Nach oben verschieben + + + + Move Down + Nach unten verschieben + + + + Configure which processes can access what resources. Double click on an entry to edit it. +'Direct' File and Key access only applies to program binaries located outside the sandbox. +Note that all Close...=!<program>,... exclusions have the same limitations. +For files access you can use 'Direct All' instead to make it apply to all programs. + Translated close to what is written in the source + Konfigurieren, welche Prozesse auf welche Ressourcen zugreifen können. Doppelklick um einen Eintrag zu bearbeiten. +'Direkter' Datei und Schlüsselzugriff trifft nur auf Programmdateien zu, die sich außerhalb der Sandbox befinden. +Beachte, dass alle Programme schließen...=!<Programm>,... Ausnahmen die gleichen Beschränkungen haben. +Zum Dateizugriff können Sie 'Direkt Alle' verwenden um für alle Programme zu zu treffen. + + + + File Recovery + Dateiwiederherstellung + + + + Add Folder + Füge Ordner hinzu + + + + Ignore Extension + Ignoriere Erweiterungen + + + + Ignore Folder + Ignoriere Ordner + + + + Enable Immediate Recovery prompt to be able to recover files as soon as thay are created. + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. + Aktivere Sofortwiederherstellungsabfrage, um alle Dateien sofort wiederherzustellen, sobald sie erzeugt werden. + + + + You can exclude folders and file types (or file extensions) from Immediate Recovery. + Sie können Ordner und Dateitypen (oder Dateierweiterungen) von der Sofortwiederherstellung ausnehmen. + + + + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. + Wenn die Schnellwiederherstellungsfunktion aufgerufen wird, werden die folgenden Ordner in der Sandbox auf Inhalte geprüft. + + + + Advanced Options + Erweiterte Optionen + + + + Miscellaneous + Diverses + + + + Do not start sandboxed services using a system token (recommended) + Sandgeboxte Dienste nicht mit einem Systemtoken starten (empfohlen) + + + + Allow access to Smart Cards + Zugriff auf SmartCards erlauben + + + + Force usage of custom dummy Manifest files (legacy behaviour) + Erzwinge die Verwendung von eigenen dummy Manifestdateien (veraltetes Verhalten) + + + + Add sandboxed processes to job objects (recommended) + Füge gesandboxte Prozesse zu Job-Objekten hinzu (empfohlen) + + + + Limit access to the emulated service control manager to privileged processes + Beschränke Zugriff auf emulierte Dienstkontrollmanager auf privilegierte Prozesse + + + + Open System Protected Storage + Öffne systemgeschützen Speicherort + + + + Open Windows Credentials Store + Öffne Windows Anmeldeinformationsverwaltung + + + + Don't alter window class names created by sandboxed programs + Fensterklassen von gesandboxten Programmen nicht ändern + + + + + Protect the sandbox integrity itself + Die Sandboxintegrität selbst schützen + + + + Sandbox protection + Sandboxschutz + + + + Compatibility + Kompatibilität + + + + Protect sandboxed SYSTEM processes from unprivileged unsandboxed processes + Schütze sandgeboxte SYSTEM-Prozesse vor unprivilegierten nicht sandgeboxten Prozessen + + + + Hide Processes + Verstecke Prozesse + + + + Add Process + Prozess hinzufügen + + + + Hide host processes from processes running in the sandbox. + Verstecke Host-Prozesse vor Prozessen in der Sandbox. + + + + Don't allow sandboxed processes to see processes running in other boxes + Nicht erlauben, dass sandgeboxte Prozesse die Prozesse in anderen Boxen sehen können + + + + Users + Benutzer + + + + Restrict Resource Access monitor to administrators only + Beschränke den Ressourcenzugriffsmonitor auf Administratoren + + + + Add User + Benutzer hinzufügen + + + + Remove User + Benutzer entfernen + + + + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. + +Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. + Füge Nutzerkonten und -gruppen der Liste hinzu, um die Benutzung der Sandbox auf diese Konten zu beschränken.Falls die Liste leer ist, kann die Sandbox von allen Konten genutzt werden. + +Notiz: Erzwungene Programme und Ordner für eine Sandbox finden keine Anwendung auf Konten, die diese Sandbox nicht nutzen können. + + + + Tracing + Rückverfolgung + + + + Pipe Trace + Pipe Rückverfolgung + + + + Log all access events as seen by the driver to the resource access log. + +This options set the event mask to "*" - All access events +You can customize the logging using the ini by specifying +"A" - Allowed accesses +"D" - Denied accesses +"I" - Ignore access requests +instead of "*". + Protokolliere jeden Zugriffsevent, wie er durch den Treiber gesehen wird, im Ressourcenzugriffsprotokoll. + +Diese Optionen setzen die Eventmaske auf "*" - Alle Zugriffsevents +Sie können die Protokollierung in der INI anpassen in den Sie wie folgt wählen +"A" - Erlaubte Zugriffe +"D" - Verweigerte Zugriffe +"I" - Ignorierte Zugriffsanfragen +an Stelle von "*". + + + + Access Tracing + Zugriffsrückverfolgung + + + + GUI Trace + GUI Rückverfolgung + + + + Key Trace + Schlüsselrückverfolgung + + + + File Trace + Dateirückverfolgung + + + + Lift security restrictions + Sicherheitsrestriktionen aufheben + + + + Sandbox isolation + Sandboxisolation + + + + Allow access to Bluetooth + + + + + Auto Exec + Autoausführen + + + + Here you can specify a list of commands that are executed every time the sandbox is initially populated. + Hier können Sie eine Liste mit Kommandos angeben, welche jedes Mal ausgeführt werden, wenn die Sandbox initial geladen wird. + + + + IPC Trace + IPC-Rückverfolgung + + + + Log Debug Output to the Trace Log + Protokolliere Debug-Ausgabe in das Rückverfolgungsprotokoll + + + + COM Class Trace + COM-Klassenrückverfolgung + + + + <- for this one the above does not apply + <- für dieses findet das Obige keine Anwendung + + + + Debug + Debug + + + + WARNING, these options can disable core security guarantees and break sandbox security!!! + WARNUNG, diese Optionen können Kernsicherheitsgarantien deaktivieren und die Sandboxsicherheit zerstören!!! + + + + These options are intended for debugging compatibility issues, please do not use them in production use. + Diese Optionen sind nur zur Fehlersuche bei Kompatibilitätsproblemen gedacht, bitte nicht im produktiven Einsatz verwenden. + + + + App Templates + Programmvorlagen + + + + Filter Categories + Filterkategorien + + + + Text Filter + Textfilter + + + + Category + Kategorie + + + + This list contains a large amount of sandbox compatibility enhancing templates + Diese Liste enthält eine große Menge an Vorlagen, welche die Kompatibilität der Sandbox verbessern + + + + Edit ini Section + INI Sektion bearbeiten + + + + Edit ini + INI bearbeiten + + + + Cancel + Abbrechen + + + + Save + Speichern + + + + PopUpWindow + + + SandboxiePlus Notifications + Sandboxie-Plus Notifications + SandboxiePlus Benachrichtigungen + + + + QObject + + + Drive %1 + Laufwerk %1 + + + + RecoveryWindow + + + SandboxiePlus Settings + Sandboxie-Plus Settings + SandboxiePlus-Einstellungen + + + + Add Folder + Ordner hinzufügen + + + + Refresh + Aktualisieren + + + + Show All Files + Zeige alle Dateien + + + + TextLabel + Beschriftungstext + + + + Recover + Wiederherstellen + + + + Recover to + Wiederherstellen nach + + + + Delete all + Alle löschen + + + + Close + Schließen + + + + SettingsWindow + + + SandboxiePlus Settings + Sandboxie-Plus Settings + SandboxiePlus Einstellungen + + + + General Options + Generelle Optionen + + + + Show Notifications for relevant log Messages + Zeige Benachrichtigungen für relevante Protokollmitteilungen + + + + Show Sys-Tray + Zeige System-Tray + + + + Use Dark Theme + Dunkles Farbschema benutzen + + + + Add 'Run Sandboxed' to the explorer context menu + Füge 'In Sandbox starten' zum Kontextmenü des Explorers hinzu + + + + On main window close: + Beim Schließen des Hauptfensters: + + + + Restart required (!) + Erfordert Neustart (!) + + + + Watch Sandboxie.ini for changes + Sandboxie.ini auf Änderungen überwachen + + + + Tray options + Tray-Optionen + + + + Check periodically for updates of Sandboxie-Plus + Periodisch nach Update für Sandboxie-Plus suchen + + + + Open urls from this ui sandboxed + Open URLs from this UI sandboxed + Öffne URLs aus dieser Benutzerschnittstelle in einer Sandbox + + + + Advanced Options + Erweiterte Optionen + + + + Only Administrator user accounts can use Disable Forced Programs command + Nur Administratoren können das Erzwingen von Programmen deaktivieren + + + + Only Administrator user accounts can make changes + Nur Administratoren können Änderungen vornehmen + + + + Config protection + Konfigurationsschutz + + + + Password must be entered in order to make changes + Passwort muss für Änderungen eingegeben werden + + + + Change Password + Passwort ändern + + + + Sandbox default + Sandboxstandard + + + + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: + Sandbox <a href="sbie://docs/filerootpath">Dateisystemquelle</a>: + + + + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: + Sandbox <a href="sbie://docs/ipcrootpath">IPC-Quelle</a>: + + + + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: + Sandbox <a href="sbie://docs/keyrootpath">Registy-Quelle</a>: + + + + Separate user folders + Trenne Benutzerordner + + + + Clear password when main window becomes hidden + Leere Passwort, wenn das Hauptfenster versteckt wird + + + + Start UI with Windows + Starte Benutzeroberfläche mit Windows + + + + Start UI when a sandboxed process is started + Starte Benutzeroberfläche, wenn ein Prozess in einer Sandbox gestartet wird + + + + Show first recovery window when emptying sandboxes + Zeige Wiederherstellungsfenster, vor dem Leeren der Sandboxen + + + + Portable root folder + Portabler Quellordner + + + + ... + ... + + + + Other settings + Andere Einstellungen + + + + Program Restrictions + Programmrestriktionen + + + + + Name + Name + + + + Path + Pfad + + + + Remove Program + Programm entfernen + + + + Add Program + Programm hinzufügen + + + + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. + Wenn eines der folgenden Programme außerhalb einer Sandbox gestartet wird, wird Sandboxie die Meldung SBIE1301 ausgeben. + + + + Add Folder + Ordner hinzufügen + + + + Prevent the listed programs from starting on this system + Verhindere den Start der aufgeführten Programme auf diesem System + + + + Issue message 1308 when a program fails to start + Gebe Meldung 1308 aus, wenn ein Programmstart fehlschlägt + + + + Software Compatibility + Softwarekompatibilität + + + + In the future, don't check software compatibility + Zukünftig nicht auf Softwarekompatibilität prüfen + + + + Enable + Aktiveren + + + + Disable + Deaktivieren + + + + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. + Sandboxie hat die folgenden Anwendungen auf dem System gefunden. OK klicken zur Anwendung der Konfigurationseinstellungen, welche die Softwarekompatibilität mit diesen Anwendungen verbessert. Diese Konfigurationseinstellungen haben Auswirkungen auf alle existierenden und neuen Sandboxen. + + + + SnapshotsWindow + + + SandboxiePlus Settings + Sandboxie-Plus Settings + SandboxiePlus Einstellungen + + + + Selected Snapshot Details + Ausgewählte Schnappschussdetails + + + + Name: + Name: + + + + Description: + Beschreibung: + + + + Snapshot Actions + Schnappschussaktionen + + + + Remove Snapshot + Schnappschuss entfernen + + + + Take Snapshot + Schnappschuss erstellen + + + + Go to Snapshot + Gehe zum Schnappschuss + + + diff --git a/SandboxiePlus/SandMan/sandman_pt.ts b/SandboxiePlus/SandMan/sandman_pt.ts index f4972cb8..11cfc722 100644 --- a/SandboxiePlus/SandMan/sandman_pt.ts +++ b/SandboxiePlus/SandMan/sandman_pt.ts @@ -127,108 +127,108 @@ Procurar por Pasta - + This sandbox has been deleted hence configuration can not be saved. Esta caixa de areia foi excluída, portanto, a configuração não pode ser salva. - + Some changes haven't been saved yet, do you really want to close this options window? Algumas alterações ainda não foram salvas, você realmente quer fechar essa janela de opções? - + kilobytes (%1) Only capitalized Kilobytes (%1) - + Please enter a program path Insira um caminho do programa - - + + Select Program Selecionar Programa - + Executables (*.exe *.cmd);;All files (*.*) Executáveis (*.exe *.cmd);;Todos os arquivos (*.*) - + Executables (*.exe|*.cmd) Executáveis (*.exe|*.cmd) - + Please enter a service identifier Por favor, insira um identificador de serviço - + Service Serviço - + Program Programa - - + + Please enter a menu title Por favor insira um título de menu - + Please enter a command Por favor, digite um comando - - - - + + + + Group: %1 Grupo: %1 - + Please enter a name for the new group Insira um nome para o novo grupo - + Enter program: Insira um programa: - + Please select group first. Selecione o grupo primeiro. - + COM objects must be specified by their GUID, like: {00000000-0000-0000-0000-000000000000} Os objetos COM devem ser especificados pelo seu GUID, como: {00000000-0000-0000-0000-000000000000} - + RT interfaces must be specified by their name. As interfaces RT devem ser especificadas pelo nome. - + Please enter an auto exec command Por favor, insira um comando auto exec - + This template is enabled globally. To configure it, use the global options. Este modelo é habilitado globalmente para configura-lo usando as opções globais. @@ -237,78 +237,139 @@ Selecione primeiro o grupo. - + Process Processo - - + + Folder Pasta - - - + + + Select Directory Selecionar Diretório - + Lingerer Lingerer - + Leader Líder + + + Direct + + + + + Direct All + + + + + Closed + + + + + Closed RT + + + + + Read Only + + + + + Hidden + + + + + + Unknown + Desconhecido + + + + File/Folder + + + Registry + + + + + IPC Path + + + + + Wnd Class + + + + + COM Object + + + + Select File Selecionar Arquivo - + All Files (*.*) Todos os Arquivos (*.*) - - + + All Programs Todos os Programas - + Template values can not be edited. Os valores do modelo não podem ser editados. - - + + Template values can not be removed. Os valores do modelo não podem ser removidos. - + Exclusion Exclusão - + Please enter a file extension to be excluded Insira uma extensão de arquivo a ser excluída - + Please enter a program file name Insira o nome do programa - + All Categories Todas as Categorias @@ -570,17 +631,17 @@ Caminho completo: %4 - + Select Directory Selecionar Diretório - + One or more selected files are located on a network share, and must be recovered to a local drive, please select a folder to recover all selected files to. Um ou mais arquivos selecionados estão localizados em um compartilhamento de rede e devem ser recuperados em uma unidade local, selecione uma pasta para recuperar todos os arquivos selecionados. - + There are %1 files and %2 folders in the sandbox, occupying %3 bytes of disk space. Existem arquivos %1 e pastas %2 na caixa de areia, ocupando %3 bytes de espaço em disco. @@ -671,7 +732,7 @@ Caminho completo: %4 CSandMan - + Sandboxie-Plus v%1 Sandboxie-Plus v%1 @@ -723,269 +784,284 @@ Caminho completo: %4 - + Disable Forced Programs Desativar Programas Forçados - + &Sandbox &Sandbox - + Create New Box Criar Nova Caixa - + Terminate All Processes Terminar Todos os Processos - + Window Finder - + &Maintenance &Manutenção - + Connect Conectar - + Disconnect Desconectar - + Stop All Parar Todos - + &Advanced &Avançado - + Install Driver Instalar Drive - + Start Driver Iniciar Drive - + Stop Driver Parar Drive - + Uninstall Driver Desinstalar Drive - + Install Service Instalar Serviço - + Start Service Iniciar Serviço - + Stop Service Parar Serviço - + Uninstall Service Desinstalar Serviço - + Exit Sair - + &View &Exibir - + Simple View Simples - + Advanced View Avançada - + Always on Top Sempre Visível - + Show Hidden Boxes - + Clean Up Limpar - + Cleanup Processes Limpar Processos - + Cleanup Message Log Limpar Log de Mensagens - + Cleanup Resource Log Limpar Log de Recurso - + Cleanup Api Call Log Limpar Log de Chamada Api - + Keep terminated Manter terminado - + &Options &Opções - + Global Settings Configurações Globais - + Reset all hidden messages Redefinir todas as mensagens ocultas - + Edit ini file Freedom to ini being all caps Editar arquivo ini - + Reload ini file Recarregar arquivo ini - + Resource Logging Log de Recursos - + API Call Logging Log de Chamada de API - + &Help Aj&uda - + Support Sandboxie-Plus with a Donation Doar para o Sandboxie-Plus - + Visit Support Forum Fórum de Suporte - + Online Documentation Documentação Online - + Check for Updates Verificar por Atualizações - + About the Qt Framework Sobre o Qt Framework - - + + About Sandboxie-Plus Sobre o Sandboxie-Plus - + Cleanup Limpar - + Do you want to close Sandboxie Manager? Gostaria de fechar o Sandboxie Manager? - + Sandboxie-Plus was running in portable mode, now it has to clean up the created services. This will prompt for administrative privileges. Sandboxie-Plus estava sendo executado em modo portable, agora tem que limpar os serviços criados. Isso solicitará privilégios administrativos. - + Failed to stop all Sandboxie components Falha ao parar todos os componentes do Sandboxie - + Failed to start required Sandboxie components Falha ao iniciar os componentes exigidos do Sandboxie - + + Default sandbox not found; creating: %1 + + + + + <p>Do you want to go to the <a href="%1">info page</a>?</p> + + + + + Don't show this message anymore. + + + + The selected window is running as part of program %1 in sandbox %2 - + The selected window is not running as part of any sandboxed program. - + Drag the Finder Tool over a window to select it, then release the mouse to check if the window is sandboxed. - + Sandboxie-Plus - Window Finder @@ -998,96 +1074,96 @@ Caminho completo: %4 Alguns modelos de compatibilidade (%1) estão faltando, provavelmente excluídos. Deseja removê-los de todas as caixas? - + Cleaned up removed templates... Limpei modelos removidos... - + Sandboxie-Plus was started in portable mode, do you want to put the SandBox folder into its parent directory? Sandboxie-Plus foi iniciado no modo portátil, você deseja colocar a pasta SandBox em seu diretório pai? - + - NOT connected - NÃO conectado - + The file %1 already exists, do you want to overwrite it? O arquivo %1 já existe, deseja sobrescrevê-lo? - + Do this for all files! Fazer isso para todos os arquivos! - + Failed to recover some files: Falha ao recuperar alguns arquivos: - + Do you want to terminate all processes in all sandboxes? - + Terminate all without asking - + Please enter the duration for disabling forced programs. Insira a duração para desabilitar programas forçados. - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus foi iniciado no modo portable é preciso criar os serviços necessários. Isso solicitará privilégios administrativos. - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Você também deseja redefinir as caixas de mensagens ocultas (sim) ou apenas todas as mensagens de log (não)? - + The changes will be applied automatically whenever the file gets saved. As alterações serão aplicadas automaticamente sempre que o arquivo for salvo. - + The changes will be applied automatically as soon as the editor is closed. As alterações serão aplicadas automaticamente assim que o editor for fechado. - + To use API logging you must first set up the LogApiDll from https://github.com/sandboxie-plus/LogApiDll with one or more sandboxes. Please download the latest release and set it up with the Sandboxie.ini as instructed in the README.md of the project. Para usar o log de API, você deve primeiro configurar o LogApiDll em https://github.com/sandboxie-plus/LogApiDll com um ou mais caixas de areia. Faça o download da versão mais recente e configure-o com o Sandboxie.ini conforme instruído no README.md do projeto. - + Error Status: %1 Status de Erro: %1 - + Can not create snapshot of an empty sandbox Não é possível criar instantâneo de uma caixa de areia vazia - + A sandbox with that name already exists Uma caixa de areia com esse nome já existe - + <p>Sandboxie-Plus is an open source continuation of Sandboxie.</p><p></p><p>Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.</p><p></p><p></p><p></p><p>Icons from <a href="https://icons8.com">icons8.com</a></p><p></p> <p>Sandboxie-Plus é uma continuação de código aberto do Sandboxie.</p><p></p><p>Visite <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> para maiores informações.</p><p></p><p></p><p></p><p>Ícones de <a href="https://icons8.com">icons8.com</a></p><p></p> @@ -1096,7 +1172,7 @@ Faça o download da versão mais recente e configure-o com o Sandboxie.ini confo Direitos administrativos necessários. - + Failed to execute: %1 Falha ao executar: %1 @@ -1105,7 +1181,7 @@ Faça o download da versão mais recente e configure-o com o Sandboxie.ini confo Falha ao se conectar ao driver - + Failed to communicate with Sandboxie Service: %1 Falha ao se comunicar com o serviço Sandboxie: %1 @@ -1118,17 +1194,17 @@ Faça o download da versão mais recente e configure-o com o Sandboxie.ini confo Versão incompatível, encontrada Sandboxie %1, versões compatíveis: %2 - + Failed to copy configuration from sandbox %1: %2 Falha ao copiar a configuração do sandbox %1: %2 - + A sandbox of the name %1 already exists Uma caixa de areia com o nome %1 já existe - + Failed to delete sandbox %1: %2 Falha ao excluir sandbox %1: %2 @@ -1137,72 +1213,72 @@ Faça o download da versão mais recente e configure-o com o Sandboxie.ini confo O nome da caixa de areia não pode ter mais de 32 caracteres. - + The sandbox name can not be a device name. O nome da caixa de areia não pode ser um nome de dispositivo. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. O nome da caixa de areia pode conter apenas letras, números e sublinhados que são exibidos como espaços. - + Failed to terminate all processes Falha ao terminar todos os processos - + Delete protection is enabled for the sandbox A proteção de exclusão está ativada para a caixa de areia - + Error deleting sandbox folder: %1 Erro ao excluir a pasta da caixa de areia: %1 - + A sandbox must be emptied before it can be renamed. Uma caixa de areia deve ser esvaziada antes de ser renomeada. - + A sandbox must be emptied before it can be deleted. Uma caixa de areia deve ser esvaziada antes de ser excluída. - + Failed to move directory '%1' to '%2' Falha ao mover diretório '%1' para '%2' - + This Snapshot operation can not be performed while processes are still running in the box. Essa operação de instantâneo não pode ser executada enquanto os processos ainda estiverem em execução na caixa. - + Failed to create directory for new snapshot Falha ao criar diretório para novo instantâneo - + Failed to copy RegHive Falha ao copiar RegHive - + Snapshot not found Instantâneo não encontrado - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Erro ao mesclar os diretórios de instantâneo '%1' com '%2', o instantâneo não foi totalmente mesclado. - + Failed to remove old snapshot directory '%1' Falha ao remover diretório de instantâneo antigo '%1' @@ -1211,42 +1287,41 @@ Faça o download da versão mais recente e configure-o com o Sandboxie.ini confo Não é possível remover um instantâneo que é compartilhado por vários instantâneos posteriores - + Failed to remove old RegHive Falha ao remover RegHive antigo - + You are not authorized to update configuration in section '%1' Você não está autorizado a atualizar a configuração na seção '%1' - + Failed to set configuration setting %1 in section %2: %3 Falha ao definir a definição de configuração %1 na seção %2: %3 - + Unknown Error Status: %1 Status de erro desconhecido: %1 - + Don't show this announcement in the future. Não mostrar esse anúncio no futuro. - Ignore this update, notify me about the next one. - Ignore essa atualização, avise-me sobre a próxima. + Ignore essa atualização, avise-me sobre a próxima. - + No new updates found, your Sandboxie-Plus is up-to-date. Nenhuma nova atualização encontrada, seu Sandboxie-Plus está atualizado. - + <p>New Sandboxie-Plus has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>Novo Sandboxie-Plus foi baixado para o seguinte local:</p><p><a href="%2">%1</a></p><p>Gostaria de iniciar a instalação? Se algum programa estiver sendo executado na caixa de areia, eles serão terminados.</p> @@ -1255,20 +1330,20 @@ Faça o download da versão mais recente e configure-o com o Sandboxie.ini confo Sandboxie-Plus estava sendo executado em modo portable, agora tem que limpar os serviços criados, isso irá solicitará privilégios administrativos. - - - - - - - + + + + + + + Don't show this message again. Não mostrar essa mensagem novamente. - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Erro @@ -1281,47 +1356,47 @@ Faça o download da versão mais recente e configure-o com o Sandboxie.ini confo Falha ao iniciar os componentes necessários do sandboxie - + Maintenance operation %1 Operação de manutenção %1 - + Maintenance operation Successful Operação de manutenção bem-sucedida - + Select box: - + Do you want to check if there is a new version of Sandboxie-Plus? Quer verificar se existe uma nova versão do Sandboxie-Plus? - + Some compatibility templates (%1) are missing, probably deleted, do you want to remove them from all boxes? - + Driver version: %1 Versão do drive: %1 - + - Portable - Portable - + Sbie Directory: %1 Diretório do Sbie: %1 - + Loaded Config: %1 Configuração Carregada: %1 @@ -1330,17 +1405,17 @@ Faça o download da versão mais recente e configure-o com o Sandboxie.ini confo - Driver NÃO conectado - + PID %1: PID %1: - + %1 (%2): %1 (%2): - + Recovering file %1 to %2 Recuperando arquivo %1 para %2 @@ -1351,17 +1426,17 @@ Faça o download da versão mais recente e configure-o com o Sandboxie.ini confo - + Only Administrators can change the config. Apenas administradores podem alterar a configuração. - + Please enter the configuration password. Por favor, insira a senha de configuração. - + Login Failed: %1 Falha no Login: %1 @@ -1374,12 +1449,11 @@ Faça o download da versão mais recente e configure-o com o Sandboxie.ini confo Sandboxie-Plus foi iniciado no modo portátil e precisa criar serviços necessários, isso solicitará privilégios administrativos. - No sandboxes found; creating: %1 - Nenhuma sandbox encontrada; criando: %1 + Nenhuma sandbox encontrada; criando: %1 - + Executing maintenance operation, please wait... Executando operação de manutenção, por favor aguarde... @@ -1394,63 +1468,63 @@ Please download the latest release and set it up with the sandboxie.ini as instr Faça o download da versão mais recente e configure-a em sandboxie.ini conforme instruído no README.md do projeto. - + Administrator rights are required for this operation. Direitos de administrador são necessários para esta operação. - + Failed to connect to the driver Falha ao se conectar com o driver - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Um Sandboxie %1 incompatível foi encontrado. Versões compatíveis: %2 - + Can't find Sandboxie installation path. Não é possível encontrar o caminho de instalação do Sandboxie. - + The sandbox name can not be longer than 32 characters. O nome da caixa de área não pode ter mais de 32 caracteres. - + Can't remove a snapshot that is shared by multiple later snapshots Não é possível remover instantâneos compartilhado por vários instantâneos posteriores - + Operation failed for %1 item(s). A operação falhou para %1 item(ns). - + Do you want to open %1 in a sandboxed (yes) or unsandboxed (no) Web browser? Deseja abrir %1 em um navegador Web na caixa de areia (sim) ou fora da caixa de areia (não)? - + Remember choice for later. Lembrar escolha mais tarde. - + Checking for updates... Verificando por atualizações... - + server not reachable servidor não acessível - - + + Failed to check for updates, error: %1 Falha ao verificar atualizações, erro: %1 @@ -1459,17 +1533,17 @@ Faça o download da versão mais recente e configure-a em sandboxie.ini conforme Não mostrar esse anúncio no futuro. - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'>New version:</font> <b>%1</b></p> <p>Há uma nova versão do Sandboxie-Plus disponível.<br /><font color='red'>Nova versão:</font> <b>%1</b></p> - + <p>Do you want to download the latest version?</p> <p>Você quer baixar a versão mais recente?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>Você quer ir para a <a href="%1">página de download</a>?</p> @@ -1478,7 +1552,7 @@ Faça o download da versão mais recente e configure-a em sandboxie.ini conforme Ignorar essa atualização, avise-me sobre a próxima. - + Downloading new version... Baixando nova versão... @@ -1487,7 +1561,7 @@ Faça o download da versão mais recente e configure-a em sandboxie.ini conforme Nenhuma nova atualização encontrada, seu Sandboxie-Plus está atualizado. - + Failed to download update from: %1 Falha ao baixar atualização de: %1 @@ -1496,7 +1570,7 @@ Faça o download da versão mais recente e configure-a em sandboxie.ini conforme <p>Novo Sandboxie-Plus foi baixado para o seguinte local:</p><p><a href="%2">%1</a></p><p>Gostaria de iniciar a instalação. Se algum programa estiver senso executado na caixa de areia, será encerrado.</p> - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p>Copyright (c) 2020-2021 by DavidXanatos</p> <h3>Sobre Sandboxie-Plus</h3><p>Versão %1</p><p>Copyright (c) 2020-2021 by DavidXanatos</p> @@ -1741,38 +1815,43 @@ Faça o download da versão mais recente e configure-a em sandboxie.ini conforme Definir Processo do Líder - - + + Don't show this message again. Não mostrar essa mensagem novamente. - + + This Sandbox is empty. + + + + This Sandbox is already empty. Esta Caixa de Areia já está vazia. - + Do you want to delete the content of the selected sandbox? Deseja excluir o conteúdo da caixa de areia selecionada? - + Do you really want to delete the content of multiple sandboxes? Você realmente deseja excluir o conteúdo de várias caixas de areia? - + Do you want to terminate all processes in the selected sandbox(es)? - + This box does not have Internet restrictions in place, do you want to enable them? Esta caixa não possui restrições à Internet. Deseja ativá-las? - + This sandbox is disabled, do you want to enable it? @@ -1813,28 +1892,28 @@ Faça o download da versão mais recente e configure-a em sandboxie.ini conforme - + [None] [Nenhum] - + Please enter a new group name Por favor insira um novo nome de grupo - + Do you really want to remove the selected group(s)? Do you really want remove the selected group(s)? Tem certeza de que deseja remover o(s) grupo(s) selecionado(s)? - + Please enter a new name for the Sandbox. Insira um novo nome para caixa de areia. - + Do you really want to remove the selected sandbox(es)? Do you really want remove the selected sandbox(es)? Tem certeza de que deseja remover as caixas de areia selecionadas? @@ -1845,13 +1924,13 @@ Faça o download da versão mais recente e configure-a em sandboxie.ini conforme Tem certeza de que deseja excluir o conteúdo da(s) caixa(s) de areia? - - + + Create Shortcut to sandbox %1 Criar Atalho para o sandboxie %1 - + Do you want to %1 the selected process(es) Deseja %1 o(s) processo(s) selecionado(s) @@ -2070,7 +2149,7 @@ Faça o download da versão mais recente e configure-a em sandboxie.ini conforme - + Name Nome @@ -2086,13 +2165,13 @@ Faça o download da versão mais recente e configure-a em sandboxie.ini conforme - - + + Remove Remover - + Add Command Adicionar Comando @@ -2436,17 +2515,17 @@ Para acesso a arquivos, você pode usar o 'Direct All' em vez de fazê Diversos - + Do not start sandboxed services using a system token (recommended) Não iniciar serviços no sandbox usando um token de sistema (recomendado) - + Allow access to Smart Cards Permitir acesso a cartões inteligentes - + Force usage of custom dummy Manifest files (legacy behaviour) Forçar uso de arquivos de manifesto fictícios personalizados (comportamento legado) @@ -2455,7 +2534,7 @@ Para acesso a arquivos, você pode usar o 'Direct All' em vez de fazê Iniciar RpcSs com caixa de areia como um processo do SISTEMA (quebra alguma compatibilidade) - + Add sandboxed processes to job objects (recommended) Adicionar processos do sandbox a objetos de trabalho (recomendado) @@ -2465,7 +2544,7 @@ Para acesso a arquivos, você pode usar o 'Direct All' em vez de fazê Limitar acesso ao gerenciador de controle de serviço emulado para processos privilegiados - + Open System Protected Storage Abrir Armazenamento Protegido pelo Sistema @@ -2474,33 +2553,33 @@ Para acesso a arquivos, você pode usar o 'Direct All' em vez de fazê Restrições de Elevação - + Open Windows Credentials Store Abrir Credencias de Armazenamento do Windows - + Don't alter window class names created by sandboxed programs Não alterar nomes das classes de janelas criadas por programas na caixa de areia - - + + Protect the sandbox integrity itself Proteger integridade da própria caixa de areia - + Sandbox protection Proteção da caixa de areia - + Compatibility Compatibilidade - + Protect sandboxed SYSTEM processes from unprivileged unsandboxed processes Proteger processos do SISTEMA da caixa de areia de processos fora da caixa sem privilégios @@ -2509,17 +2588,17 @@ Para acesso a arquivos, você pode usar o 'Direct All' em vez de fazê Isolamento da caixa de areia - + Hide Processes Ocultar Processo - + Add Process Adicionar Processo - + Hide host processes from processes running in the sandbox. Ocultar processos do host de processos em execução na sandbox. @@ -2528,32 +2607,32 @@ Para acesso a arquivos, você pode usar o 'Direct All' em vez de fazê Remover Processo - + Don't allow sandboxed processes to see processes running in other boxes Não permitir que processos do sandbox vejam processos em execução de outras caixas - + Users Usuários - + Restrict Resource Access monitor to administrators only Restringir o monitor de acesso a recursos apenas para administradores - + Add User Adicionar Usuário - + Remove User Remover Usuário - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -2562,17 +2641,17 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Nota: As configurações de programas e pastas forçadas para uma caixa de areia não se aplicam a contas de usuários que não podem usar o sandbox. - + Tracing Rastreamento - + Pipe Trace Rastreamento de Pipe - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -2591,22 +2670,22 @@ Você pode personalizar o registro usando o ini, especificando ao invés de "*". - + Access Tracing Rastrear acesso - + GUI Trace Rastreamento de GUI - + Key Trace Rastreamento de Chave - + File Trace Rastreamento de Arquivo @@ -2616,97 +2695,102 @@ ao invés de "*". Levantar restrições de segurança - + Sandbox isolation Isolamento da caixa de areia - + + Allow access to Bluetooth + + + + Auto Exec Auto Executar - + Here you can specify a list of commands that are executed every time the sandbox is initially populated. Aqui você pode especificar uma lista de comandos que serão executados sempre que o sandbox for iniciado. - + IPC Trace Rastreamento IPC - + Log Debug Output to the Trace Log Registrar a saída de depuração no log de rastreamento - + COM Class Trace COM Class Trace - + <- for this one the above does not apply <- para este o acima não se aplica - + Debug Depurar - + WARNING, these options can disable core security guarantees and break sandbox security!!! AVISO, essas opções podem desativar as garantias de segurança essenciais e interromper a segurança da sandbox!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Essas opções destinam-se a depurar problemas de compatibilidade, não as use em produção. - + App Templates Modelos de Aplicativos - + Filter Categories Categorias de Filtro - + Text Filter Filtro de Texto - + Category Categoria - + This list contains a large amount of sandbox compatibility enhancing templates Esta lista contém uma grande quantidade de modelos de compatibilidade de caixa de areia - + Edit ini Section Editar Seção ini - + Edit ini Editar ini - + Cancel Cancelar - + Save Salvar @@ -2722,7 +2806,7 @@ ao invés de "*". QObject - + Drive %1 Drive %1 diff --git a/SandboxiePlus/SandMan/sandman_ru.ts b/SandboxiePlus/SandMan/sandman_ru.ts index ebd46f79..7bddebcf 100644 --- a/SandboxiePlus/SandMan/sandman_ru.ts +++ b/SandboxiePlus/SandMan/sandman_ru.ts @@ -233,6 +233,54 @@ Executables (*.exe *.cmd);;All files (*.*) Исполняемые файлы (*.exe *.cmd);;Все файлы (*.*) + + Direct + + + + Direct All + + + + Closed + + + + Closed RT + + + + Read Only + + + + Hidden + + + + Unknown + Неизвестно + + + File/Folder + + + + Registry + + + + IPC Path + + + + Wnd Class + + + + COM Object + + CPopUpMessage @@ -383,27 +431,47 @@ Do you want to allow %4 (%5) to copy a %1 large file into sandbox: %2? File name: %3 - Разрешить%4 (%5) копировать большой файл %1 в песочницу:%2? + Разрешить%4 (%5) копировать большой файл %1 в песочницу:%2? Имя файла:%3 Do you want to allow %1 (%2) access to the internet? Full path: %3 - Вы хотите разрешить %1 (%2) доступ к Интернету? + Вы хотите разрешить %1 (%2) доступ к Интернету? Полный путь: %3 %1 is eligible for quick recovery from %2. The file was written by: %3 - %1 имеет право на быстрое восстановление с %2. + %1 имеет право на быстрое восстановление с %2. Файл был записан: %3 Migrating a large file %1 into the sandbox %2, %3 left. Full path: %4 - Перенос большого файла %1 в песочницу %2, осталось %3. + Перенос большого файла %1 в песочницу %2, осталось %3. Полный путь: %4 + + Do you want to allow %4 (%5) to copy a %1 large file into sandbox: %2? +File name: %3 + + + + Do you want to allow %1 (%2) access to the internet? +Full path: %3 + + + + %1 is eligible for quick recovery from %2. +The file was written by: %3 + + + + Migrating a large file %1 into the sandbox %2, %3 left. +Full path: %4 + + CRecoveryWindow @@ -684,7 +752,7 @@ Full path: %4 Ignore this update, notify me about the next one. - Игнорировать это обновление, сообщить мне о следующем. + Игнорировать это обновление, сообщить мне о следующем. Please enter the duration for disabling forced programs. @@ -888,7 +956,7 @@ Full path: %4 No sandboxes found; creating: %1 - Песочниц не найдено; создание: %1 + Песочниц не найдено; создание: %1 Cleanup Resource Log @@ -1088,6 +1156,18 @@ Please download the latest release and set it up with the Sandboxie.ini as instr Sandboxie-Plus - Window Finder Sandboxie-Plus - Поиск окон + + Default sandbox not found; creating: %1 + + + + <p>Do you want to go to the <a href="%1">info page</a>?</p> + + + + Don't show this message anymore. + + CSbieModel @@ -1346,6 +1426,10 @@ Please download the latest release and set it up with the Sandboxie.ini as instr This sandbox is disabled, do you want to enable it? Эта песочница отключена, вы хотите ее включить? + + This Sandbox is empty. + + CSettingsWindow @@ -1991,6 +2075,10 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Here you can specify a list of commands that are executed every time the sandbox is initially populated. Здесь вы можете указать список команд, которые будут выполняться каждый раз при первоначальном заполнении песочницы. + + Allow access to Bluetooth + + PopUpWindow @@ -2010,23 +2098,23 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to QPlatformTheme Cancel - Отмена + Отмена Apply - Применить + Применить OK - ОК + ОК &Yes - &Да + &Да &No - &Нет + &Нет diff --git a/SandboxiePlus/SandMan/sandman_tr.ts b/SandboxiePlus/SandMan/sandman_tr.ts index 662a4b05..b5dd3330 100644 --- a/SandboxiePlus/SandMan/sandman_tr.ts +++ b/SandboxiePlus/SandMan/sandman_tr.ts @@ -1,2229 +1,2393 @@ - - - - - CApiMonModel - - Message - Mesaj - - - Time Stamp - Zaman Damgası - - - Process - İşlem - - - - CMultiErrorDialog - - Message - Mesaj - - - Sandboxie-Plus - Error - Sandboxie-Plus - Hata - - - - CNewBoxWindow - - New Box - Yeni Korumalı Kutu - - - Hardened - Zorlanmış (hardened) - - - Default - Öntanımlı - - - Legacy (old sbie behaviour) - Eski (eski sbie davranışı) - - - - COptionsWindow - - Always show - Her zaman göster - - - Template values can not be edited. - Şablon değerleri düzenlenemez. - - - Lingerer - çevirinin oyalayıcı olduğuna emin değilim. orijinali Lingerer - Oyalayıcı - - - Browse for File - Dosya için Göz At - - - Please enter a menu title - Lütfen bir menü başlığı girin - - - Select Directory - Dizin Seç - - - Please enter a name for the new group - Lütfen yeni grup için bir isim girin - - - Please enter a program file name - Lütfen bir program dosyası adı girin - - - Template values can not be removed. - Şablon değerleri kaldırılamaz. - - - Display box name in title - Başlıkta kutu adını göster. - - - Folder - Dizin - - - Sandboxie Plus - '%1' Options - Sandboxie Plus - '%1' Ayarlar - - - Leader - Lider - - - Group: %1 - Grup: %1 - - - Process - İşlem - - - Display [#] indicator only - Yalnızca [#] göstergesini görüntüle - - - %1 (%2) - %1 (%2) - - - Border disabled - Sınır devre dışı - - - All Categories - Tüm Kategoriler - - - Please enter a file extension to be excluded - Lütfen hariç tutulacak bir dosya uzantısı girin - - - Exclusion - Hariç tutma - - - Select File - Dosya Seç - - - This template is enabled globally. To configure it, use the global options. - Bu şablon genel (global) olarak etkindir. Yapılandırmak için genel ayarları kullanın. - - - Please select group first. - Lütfen önce grubu seçin. - - - All Files (*.*) - Tüm Dosyalar (*.*) - - - Show only when title is in focus - Yalnızca başlık odaktayken göster - - - Select Program - Program Seç - - - Please enter a command - Lütfen bir komut girin - - - kilobytes (%1) - kilobayt (%1) - - - Don't alter the window title - Pencere başlığını değiştirme - - - All Programs - Tüm Programlar - - - Browse for Folder - Dizin için Göz At - - - Enter program: - Program girin: - - - Executables (*.exe|*.cmd) - Çalıştırılabilir dosyalar (*.exe|*.cmd) - - - COM objects must be specified by their GUID, like: {00000000-0000-0000-0000-000000000000} - COM nesneleri GUID'lerine göre belirtilmelidir, bunun gibi: {00000000-0000-0000-0000-000000000000} - - - RT interfaces must be specified by their name. - RT arayüzleri isimleriyle belirtilmelidir. - - - Browse for Program - Program için Göz At - - - Please enter a program path - Lütfen bir program yolu girin - - - Please enter a service identifier - Lütfen bir hizmet tanımlayıcı girin - - - Service - Hizmet - - - Program - Program - - - Please enter an auto exec command - Lütfen bir otomatik yürütme komutu girin - - - This sandbox has been deleted hence configuration can not be saved. - Bu korumalı kutu silindi, bu nedenle yapılandırma kaydedilemiyor. - - - Some changes haven't been saved yet, do you really want to close this options window? - Bazı değişiklikler henüz kaydedilmedi, bu ayarlar penceresini gerçekten kapatmak istiyor musunuz? - - - Executables (*.exe *.cmd);;All files (*.*) - Çalıştırılabilir dosyalar (*.exe *.cmd);;Tüm dosyalar (*.*) - - - - CPopUpMessage - - ? - ? - - - Hide all such messages - Tüm bu tür mesajları gizle - - - Remove this message from the list - Bu mesajı listeden kaldır - - - Dismiss - Reddet - - - Visit %1 for a detailed explanation. - Ayrıntılı açıklama için %1'i ziyaret edin. - - - - CPopUpProgress - - Remove this progress indicator from the list - Bu ilerleme göstergesini listeden kaldır - - - Dismiss - Reddet - - - - CPopUpPrompt - - No - Hayır - - - Yes - Evet - - - Requesting process terminated - Talep işlemi sonlandırıldı - - - Remember for this process - Bu işlemi hatırla - - - Terminate - Sonlandır - - - Request will time out in %1 sec - İsteğin süresi %1 saniye içinde dolacak - - - Request timed out - İsteğin süresi doldu - - - Yes and add to allowed programs - Evet ve izin verilen programlara ekle - - - - CPopUpRecovery - - Disable quick recovery until the box restarts - Korumalı kutu yeniden başlayana kadar hızlı kurtarmayı devre dışı bırak - - - Recover - Kurtarma - - - Recover the file to original location - Dosyayı orijinal konumuna kurtar - - - Dismiss - Reddet - - - Don't recover this file right now - Bu dosyayı şimdi geri yükle - - - Open file recovery for this box - Bu korumalı kutu için dosya kurtarmayı etkinleştir - - - Dismiss all from this box - Bu korumalı kutudaki her şeyi reddet - - - Recover to: - Şuraya geri yükle: - - - Browse - Göz At - - - Clear folder list - Dizin listesini temizle - - - Recover && Explore - Kurtar && Keşfet - - - Recover && Open/Run - Kurtar && Aç/Çalıştır - - - Select Directory - Dizin Seç - - - - CPopUpWindow - - an UNKNOWN process. - BİLİNMEYEN bir işlem. - - - Sandboxie-Plus Notifications - Sandboxie-Plus Bildirimleri - - - %1 (%2) - %1 (%2) - - - UNKNOWN - BİLİNMEYEN - - - Do you want to allow the print spooler to write outside the sandbox for %1 (%2)? - Yazdırma biriktiricisinin %1 (%2) için korumalı kutunun dışına yazmasına izin vermek istiyor musunuz? - - + + + + + CApiMonModel + + Message + Mesaj + + + Time Stamp + Zaman Damgası + + + Process + İşlem + + + + CMultiErrorDialog + + Message + Mesaj + + + Sandboxie-Plus - Error + Sandboxie-Plus - Hata + + + + CNewBoxWindow + + New Box + Yeni Korumalı Kutu + + + Hardened + Zorlanmış (hardened) + + + Default + Öntanımlı + + + Legacy (old sbie behaviour) + Eski (eski sbie davranışı) + + + Sandboxie-Plus - Create New Box + + + + Legacy Sandboxie Behaviour + + + + + COptionsWindow + + Always show + Her zaman göster + + + Template values can not be edited. + Şablon değerleri düzenlenemez. + + + Lingerer + çevirinin oyalayıcı olduğuna emin değilim. orijinali Lingerer + Oyalayıcı + + + Browse for File + Dosya için Göz At + + + Please enter a menu title + Lütfen bir menü başlığı girin + + + Select Directory + Dizin Seç + + + Please enter a name for the new group + Lütfen yeni grup için bir isim girin + + + Please enter a program file name + Lütfen bir program dosyası adı girin + + + Template values can not be removed. + Şablon değerleri kaldırılamaz. + + + Display box name in title + Başlıkta kutu adını göster. + + + Folder + Dizin + + + Sandboxie Plus - '%1' Options + Sandboxie Plus - '%1' Ayarlar + + + Leader + Lider + + + Group: %1 + Grup: %1 + + + Process + İşlem + + + Display [#] indicator only + Yalnızca [#] göstergesini görüntüle + + + %1 (%2) + %1 (%2) + + + Border disabled + Sınır devre dışı + + + All Categories + Tüm Kategoriler + + + Please enter a file extension to be excluded + Lütfen hariç tutulacak bir dosya uzantısı girin + + + Exclusion + Hariç tutma + + + Select File + Dosya Seç + + + This template is enabled globally. To configure it, use the global options. + Bu şablon genel (global) olarak etkindir. Yapılandırmak için genel ayarları kullanın. + + + Please select group first. + Lütfen önce grubu seçin. + + + All Files (*.*) + Tüm Dosyalar (*.*) + + + Show only when title is in focus + Yalnızca başlık odaktayken göster + + + Select Program + Program Seç + + + Please enter a command + Lütfen bir komut girin + + + kilobytes (%1) + kilobayt (%1) + + + Don't alter the window title + Pencere başlığını değiştirme + + + All Programs + Tüm Programlar + + + Browse for Folder + Dizin için Göz At + + + Enter program: + Program girin: + + + Executables (*.exe|*.cmd) + Çalıştırılabilir dosyalar (*.exe|*.cmd) + + + COM objects must be specified by their GUID, like: {00000000-0000-0000-0000-000000000000} + COM nesneleri GUID'lerine göre belirtilmelidir, bunun gibi: {00000000-0000-0000-0000-000000000000} + + + RT interfaces must be specified by their name. + RT arayüzleri isimleriyle belirtilmelidir. + + + Browse for Program + Program için Göz At + + + Please enter a program path + Lütfen bir program yolu girin + + + Please enter a service identifier + Lütfen bir hizmet tanımlayıcı girin + + + Service + Hizmet + + + Program + Program + + + Please enter an auto exec command + Lütfen bir otomatik yürütme komutu girin + + + This sandbox has been deleted hence configuration can not be saved. + Bu korumalı kutu silindi, bu nedenle yapılandırma kaydedilemiyor. + + + Some changes haven't been saved yet, do you really want to close this options window? + Bazı değişiklikler henüz kaydedilmedi, bu ayarlar penceresini gerçekten kapatmak istiyor musunuz? + + + Executables (*.exe *.cmd);;All files (*.*) + Çalıştırılabilir dosyalar (*.exe *.cmd);;Tüm dosyalar (*.*) + + + Direct + + + + Direct All + + + + Closed + + + + Closed RT + + + + Read Only + + + + Hidden + + + + Unknown + Bilinmeyen + + + File/Folder + + + + Registry + + + + IPC Path + + + + Wnd Class + + + + COM Object + + + + + CPopUpMessage + + ? + ? + + + Hide all such messages + Tüm bu tür mesajları gizle + + + Remove this message from the list + Bu mesajı listeden kaldır + + + Dismiss + Reddet + + + Visit %1 for a detailed explanation. + Ayrıntılı açıklama için %1'i ziyaret edin. + + + + CPopUpProgress + + Remove this progress indicator from the list + Bu ilerleme göstergesini listeden kaldır + + + Dismiss + Reddet + + + + CPopUpPrompt + + No + Hayır + + + Yes + Evet + + + Requesting process terminated + Talep işlemi sonlandırıldı + + + Remember for this process + Bu işlemi hatırla + + + Terminate + Sonlandır + + + Request will time out in %1 sec + İsteğin süresi %1 saniye içinde dolacak + + + Request timed out + İsteğin süresi doldu + + + Yes and add to allowed programs + Evet ve izin verilen programlara ekle + + + + CPopUpRecovery + + Disable quick recovery until the box restarts + Korumalı kutu yeniden başlayana kadar hızlı kurtarmayı devre dışı bırak + + + Recover + Kurtarma + + + Recover the file to original location + Dosyayı orijinal konumuna kurtar + + + Dismiss + Reddet + + + Don't recover this file right now + Bu dosyayı şimdi geri yükle + + + Open file recovery for this box + Bu korumalı kutu için dosya kurtarmayı etkinleştir + + + Dismiss all from this box + Bu korumalı kutudaki her şeyi reddet + + + Recover to: + Şuraya geri yükle: + + + Browse + Göz At + + + Clear folder list + Dizin listesini temizle + + + Recover && Explore + Kurtar && Keşfet + + + Recover && Open/Run + Kurtar && Aç/Çalıştır + + + Select Directory + Dizin Seç + + + + CPopUpWindow + + an UNKNOWN process. + BİLİNMEYEN bir işlem. + + + Sandboxie-Plus Notifications + Sandboxie-Plus Bildirimleri + + + %1 (%2) + %1 (%2) + + + UNKNOWN + BİLİNMEYEN + + + Do you want to allow the print spooler to write outside the sandbox for %1 (%2)? + Yazdırma biriktiricisinin %1 (%2) için korumalı kutunun dışına yazmasına izin vermek istiyor musunuz? + + + Do you want to allow %4 (%5) to copy a %1 large file into sandbox: %2? +File name: %3 + %4 (%5)'in %1 büyük bir dosyayı %2 korumalı kutusuna kopyalamasına izin vermek istiyor musunuz? +Dosya adı: %3 + + + Do you want to allow %1 (%2) access to the internet? +Full path: %3 + %1 (%2)'in internet erişimine izin vermek istiyor musunuz? +Tam yol: %3 + + + %1 is eligible for quick recovery from %2. +The file was written by: %3 + %1, %2'den hızlı kurtarma için uygun. +Dosyayı yazan: %3 + + + Migrating a large file %1 into the sandbox %2, %3 left. +Full path: %4 + Büyük bir dosya %1, %2 korumalı kutusuna taşınıyor, %3 kaldı. +Tam yol: %4 + + Do you want to allow %4 (%5) to copy a %1 large file into sandbox: %2? -File name: %3 - %4 (%5)'in %1 büyük bir dosyayı %2 korumalı kutusuna kopyalamasına izin vermek istiyor musunuz? -Dosya adı: %3 - - +File name: %3 + + + Do you want to allow %1 (%2) access to the internet? -Full path: %3 - %1 (%2)'in internet erişimine izin vermek istiyor musunuz? -Tam yol: %3 - - +Full path: %3 + + + %1 is eligible for quick recovery from %2. -The file was written by: %3 - %1, %2'den hızlı kurtarma için uygun. -Dosyayı yazan: %3 - - +The file was written by: %3 + + + Migrating a large file %1 into the sandbox %2, %3 left. -Full path: %4 - Büyük bir dosya %1, %2 korumalı kutusuna taşınıyor, %3 kaldı. -Tam yol: %4 - - - - CRecoveryWindow - - File Name - Dosya Adı - - - File Size - Dosya Boyutu - - - Full Path - Tam yol - - - Select Directory - Dizin Seç - - - %1 - File Recovery - %1 - Dosya Kurtarma - - - One or more selected files are located on a network share, and must be recovered to a local drive, please select a folder to recover all selected files to. - Bir veya daha fazla seçili dosya bir ağ paylaşımında bulunuyor ve yerel bir sürücüye kurtarılması gerekiyor, lütfen tüm seçili dosyaların kurtarılacağı bir dizin seçin. - - - There are %1 files and %2 folders in the sandbox, occupying %3 bytes of disk space. - Korumalı alanda %3 bayt disk alanı kaplayan %1 dosya ve %2 dizin var. - - - - CResMonModel - - Type - Tür - - - Value - Değer - - - Status - Durum - - - Time Stamp - Zaman Damgası - - - Process - İşlem - - - Unknown - Bilinmeyen - - - - CSandBoxPlus - - No Admin - Yönetici Yok - - - No INet - INet yok - - - Normal - Normal - - - API Log - API Günlüğü - - - Net Share - Net Paylaşımı - - - NOT SECURE (Debug Config) - GÜVENLİ DEĞİL (Hata Ayıklama Yapılandırması) - - - Enhanced Isolation - Geliştirilmiş İzolasyon - - - Reduced Isolation - Azaltılmış İzolasyon - - - - CSandMan - - Exit - Çıkış - - - <p>New Sandboxie-Plus has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> - <p>Yeni Sandboxie-Plus şu konuma indirildi:</p><p><a href="%2">%1</a></p><p>Kuruluma başlamak istiyor musunuz? Herhangi bir program korumalı kutu içinde çalışıyorsa, sonlandırılacaktır.</p> - - - Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. - Sandboxie-Plus taşınabilir modda başlatıldı ve gerekli hizmetleri oluşturması gerekiyor. Bunun için yönetici ayrıcalıkları isteyecektir. - - - Cleanup Processes - Temizleme İşlemleri - - - Maintenance operation %1 - Bakım işlemi %1 - - - &Help - &Yardım - - - &View - &Görünüm - - - Error deleting sandbox folder: %1 - Korumalı kutu dizini silinirken hata: %1 - - - About Sandboxie-Plus - Sandboxie-Plus Hakkında - - - Driver version: %1 - Sürücü sürümü: %1 - - - Sandboxie-Plus v%1 - Sandboxie-Plus v%1 - - - Start Driver - Sürücüyü Başlat - - - Install Driver - Sürücüyü Kur - - - Uninstall Driver - Sürücüyü Kaldır - - - Check for Updates - Güncellemeleri kontrol et - - - Visit Support Forum - Destek Forumu'tnu ziyaret et - - - Failed to copy configuration from sandbox %1: %2 - Yapılandırma %1'den %2 korumalı kutusuna kopyalanamadı - - - Do you want to check if there is a new version of Sandboxie-Plus? - Sandboxie-Plus'ın yeni sürümünü kontrol etmek ister misiniz? - - - Cleanup Api Call Log - Api Çağrı Günlüğünü Temizle - - - Simple View - Basit Görünüm - - - %1 (%2): - %1 (%2): - - - Login Failed: %1 - Giriş başarısız: %1 - - - Clean Up - Temizle - - - Don't show this message again. - Bu mesajı bir daha gösterme. - - - Uninstall Service - Hizmeti Kaldır - - - Start Service - Hizmeti Başlat - - - Install Service - Hizmeti yükle - - - Failed to remove old snapshot directory '%1' - Eski anlık görüntü dizini kaldırılamadı '%1' - - - The changes will be applied automatically as soon as the editor is closed. - Düzenleyici kapanınca değişiklikler otomatik olarak uygulanacaktır. - - - Do you want to close Sandboxie Manager? - Sandboxie Yöneticisi'ni kapatmak istiyor musunuz? - - - Support Sandboxie-Plus with a Donation - Sandboxie-Plus'ı Bağış ile Destekle - - - Failed to create directory for new snapshot - Yeni anlık görüntü için dizin oluşturulamadı - - - Sandboxie-Plus was running in portable mode, now it has to clean up the created services. This will prompt for administrative privileges. - Sandboxie-Plus taşınabilir modda çalışıyordu, şimdi oluşturulan hizmetleri temizlemesi gerekiyor. Bu, yönetici ayrıcalıkları isteyecektir. - - - - Portable - - Taşınabilir - - - Failed to download update from: %1 - %1'den güncelleme indirilemedi - - - Api Call Log - Api Çağrı Günlüğü - - - Stop Driver - Sürücüyü Durdur - - - Don't show this announcement in the future. - Bu duyuruyu gelecekte gösterme. - - - Sbie Messages - Sbie Mesajları - - - Failed to recover some files: - - Bazı dosyalar kurtarılamadı: - - - - Failed to move directory '%1' to '%2' - '%1' dizini, '%2' dizinine taşınamadı - - - Recovering file %1 to %2 - %1'dan %2'a dosya kurtarılıyor - - - Resource Logging - Kaynak Günlüğü - - - Online Documentation - Çevrimiçi Belgeler - - - Ignore this update, notify me about the next one. - Bu güncellemeyi yoksay, bir sonrakini bana bildir. - - - Please enter the duration for disabling forced programs. - Zorlanmış programların devre dışı bırakma süresini girin. - - - Sbie Directory: %1 - Sbie Dizini: %1 - - - <p>Do you want to download the latest version?</p> - <p>En son sürümü indirmek ister misiniz?</p> - - - Sandboxie-Plus - Error - Sandboxie-Plus - Hata - - - Time|Message - Zaman|Mesaj - - - &Options - &Ayarlar - - - Show/Hide - Göster/Gizle - - - Resource Monitor - Kaynak İzleme - - - A sandbox must be emptied before it can be deleted. - Bir korumalı kutu, silinmeden önce boşaltılmalıdır. - - - The sandbox name can contain only letters, digits and underscores which are displayed as spaces. - Korumalı kutu adı yalnızca harf, rakam ve alt çizgi içerebilir. - - - A sandbox must be emptied before it can be renamed. - Bir korumalı kutu, yeniden adlandırılmadan önce boşaltılmalıdır. - - - API Call Logging - API Çağrı Günlüğü - - - Loaded Config: %1 - Yüklü Yapılandırma: %1 - - - Reload ini file - İni dosyasını yeniden yükle - - - &Maintenance - &Bakım - - - The sandbox name can not be a device name. - Korumalı kutu adı bir cihaz adı olamaz. - - - Operation failed for %1 item(s). - %1 öge için işlem başarısız oldu. - - - Global Settings - Genel Ayarlar - - - Downloading new version... - Yeni sürüm indiriliyor... - - - &Sandbox - &KumKutusu - - - <h3>About Sandboxie-Plus</h3><p>Version %1</p><p>Copyright (c) 2020-2021 by DavidXanatos</p> - <h3>Sandboxie-Plus Hakkında</h3><p>Sürüm %1</p><p>Telif hakkı (c) 2020-2021 DavidXanatos</p> - - - Cleanup - Temizle - - - Failed to check for updates, error: %1 - Güncellemeler kontrol edilemedi, hata: %1 - - - Disconnect - Bağlantıyı kes - - - Connect - Bağlan - - - Only Administrators can change the config. - Yapılandırmayı yalnızca Yöneticiler değiştirebilir. - - - Disable Forced Programs - Zorlanmış Programları Devre Dışı Bırak - - - Snapshot not found - Anlık görüntü bulunamadı - - - Failed to remove old RegHive - Eski RegHive kaldırılamadı - - - Stop All - Tümünü durdur - - - Delete protection is enabled for the sandbox - Korumalı kutu için silme koruması etkinleştirildi - - - &Advanced - &Gelişmiş - - - Executing maintenance operation, please wait... - Bakım işlemi yapılıyor, lütfen bekleyin... - - - <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'>New version:</font> <b>%1</b></p> - <p>Sandboxie-Plus'ın yeni bir sürümü var.<br /><font color='red'>Yeni sürüm:</font> <b>%1</b></p> - - - Stop Service - Hizmeti durdur - - - Create New Box - Yeni Kutu Oluştur - - - Failed to terminate all processes - Tüm işlemler sonlandırılamadı - - - Advanced View - Gelişmiş Görünüm - - - Failed to delete sandbox %1: %2 - %1: %2 korumalı kutusu silinemedi - - - <p>İndirme sayfasına <a href="%1">gitmek ister misiniz</a>?</p> - <p>Вы хотите перейти на <a href="%1">страницу загрузки</a>?</p> - - - Maintenance operation Successful - Bakım işlemi Başarılı - - - PID %1: - PID %1: - - - Error Status: %1 - Hata durumu: %1 - - - Terminate All Processes - Tüm işlemleri sonlandır - - - Please enter the configuration password. - Lütfen yapılandırma parolasını girin. - - - You are not authorized to update configuration in section '%1' - Bölümdeki konfigürasyonu güncelleme yetkiniz yok '%1' - - - server not reachable - sunucuya ulaşılamıyor - - - Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. - '%1' ve '%2' anlık görüntü dizinleri birleştirilirken hata oluştu, anlık görüntü tam olarak birleştirilmedi. - - - Edit ini file - İni dosyasını düzenle - - - Checking for updates... - Güncellemeler kontrol ediliyor... - - - No sandboxes found; creating: %1 - Korumalı kutu bulunamadı; oluşturuluyor: %1 - - - Cleanup Resource Log - Kaynak Günlüğünü Temizle - - - Cleanup Message Log - Mesaj Günlüğünü Temizle - - - About the Qt Framework - Qt Framework hakkında - - - Keep terminated - Sonlandırılmış tut - - - A sandbox of the name %1 already exists - %1 adında bir korumalı kutu zaten var - - - Failed to set configuration setting %1 in section %2: %3 - %2: %3 bölümünde %1 yapılandırma parametresi ayarlanamadı - - - Reset all hidden messages - Tüm gizli mesajları sıfırla - - - - NOT connected - - Bağlı DEĞİL - - - Do you also want to reset hidden message boxes (yes), or only all log messages (no)? - Gizli mesaj kutularını dahil herşeyi (evet) veya sadece tüm günlük mesajlarını (hayır) sıfırlamak mı istiyorsunuz? - - - The changes will be applied automatically whenever the file gets saved. - Dosya her kaydedildiğinde değişiklikler otomatik olarak uygulanacaktır. - - - Administrator rights are required for this operation. - Bu işlem için yönetici hakları gereklidir. - - - Failed to execute: %1 - %1 çalıştırılamadı - - - Failed to connect to the driver - Sürücüye bağlanılamadı - - - Failed to communicate with Sandboxie Service: %1 - Sandboxie Hizmeti ile iletişim kurulamadı: %1 - - - An incompatible Sandboxie %1 was found. Compatible versions: %2 - Uyumsuz bir Sandboxie %1 bulundu. Uyumlu versiyonlar: %2 - - - Can't find Sandboxie installation path. - Sandboxie kurulum yolu bulunamıyor. - - - The sandbox name can not be longer than 32 characters. - Korumalı kutu adı 32 karakterden uzun olamaz. - - - This Snapshot operation can not be performed while processes are still running in the box. - Bu Anlık Görüntü işlemi, işlemler kutuda hala çalışırken gerçekleştirilemez. - - - Failed to copy RegHive - RegHive kopyalanamadı - - - Can't remove a snapshot that is shared by multiple later snapshots - Sonraki birden çok anlık görüntü tarafından paylaşılan bir anlık görüntü kaldırılamaz - - - Unknown Error Status: %1 - Bilinmeyen Hata Durumu: %1 - - - Do you want to open %1 in a sandboxed (yes) or unsandboxed (no) Web browser? - %1'i korumalı (evet) veya korumasız (hayır) bir tarayıcıda mı açmak istiyorsunuz? - - - Remember choice for later. - Seçimi hatırla. - - - Copy Cell - Hücreyi Kopyala - - - Copy Row - Satırı Kopyala - - - Copy Panel - Paneli Kopyala - - - Failed to stop all Sandboxie components - Tüm Sandboxie bileşenleri durdurulamadı - - - Failed to start required Sandboxie components - Gerekli Sandboxie bileşenleri başlatılamadı - - - Sandboxie-Plus was started in portable mode, do you want to put the SandBox folder into its parent directory? - Sandboxie-Plus taşınabilir modda başlatıldı, SandBox klasörünü kendi ana dizinine koymak ister misiniz? - - - The file %1 already exists, do you want to overwrite it? - %1 dosyası zaten var, üzerine yazmak istiyor musunuz? - - - Do this for all files! - Bunu tüm dosyalar için yap! - - - To use API logging you must first set up the LogApiDll from https://github.com/sandboxie-plus/LogApiDll with one or more sandboxes. -Please download the latest release and set it up with the Sandboxie.ini as instructed in the README.md of the project. - API günlüğünü kullanmak için önce https://github.com/sandboxie-plus/LogApiDll adresinden bir veya daha fazla korumalı kutu ile LogApiDll'yi kurmanız gerekir. - Lütfen en son sürümü indirin ve projenin README.md dosyasında belirtildiği gibi Sandboxie.ini ile kurun. - - - No new updates found, your Sandboxie-Plus is up-to-date. - Yeni güncelleme bulunamadı, Sandboxie-Plus'ınız güncel. - - - <p>Sandboxie-Plus is an open source continuation of Sandboxie.</p><p></p><p>Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.</p><p></p><p></p><p></p><p>Icons from <a href="https://icons8.com">icons8.com</a></p><p></p> - <p>Sandboxie-Plus, Sandboxie'nin açık kaynaklı bir devamıdır.</p><p></p><p>Daha fazla bilgi için <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> ziyaret edin.</p><p></p><p></p><p></p><p>İkonlar: <a href="https://icons8.com">icons8.com</a></p><p></p> - - - Always on Top - Her zaman üstte - - - Sellect box: - Kutu Seç: - - - Some compatybility templates (%1) are missing, probably deleted, do you want to remove them from all boxes? - Bazı uyumluluk şablonları (%1) eksik, büyük olasılıkla silinmiş, bunları tüm kutulardan kaldırmak istiyor musunuz? - - - Cleaned up removed templates... - Kaldırılan şablonlar temizlendi... - - - Can not create snapshot of an empty sandbox - Boş bir korumalı kutunun anlık görüntüsü oluşturulamaz - - - A sandbox with that name already exists - Bu adda bir korumalı kutu zaten var - - - - CSbieModel - - Name - Ad - - - Box Groupe - Kutu Grubu - - - Status - Durum - - - Start Time - Başlangıç Zamanı - - - Process ID - İşlem Kimliği - - - Path / Command Line - Yol / Komut Satırı - - - - CSbieProcess - - Terminated - Sonlandırılmış - - - Running - Çalışıyor - - - - CSbieView - - Run - Çalıştır - - - Create Shortcut to sandbox %1 - %1 korumalı kutusuna kısayol oluştur - - - Options: - - Ayarlar: - - - - Drop Admin Rights - Yönetici haklarını bırak - - - Run eMail Client - ePosta istemcisini çalıştır - - - Remove Group - Grubu Kaldır - - - Sandbox Options - KumKutusu Ayarları - - - Sandbox Presets - KumKutusu ÖnAyarları - - - Do you want to %1 the selected process(es) - Seçili işlemleri %1 etmek istiyor musunuz? - - - Move to Group - Gruba Taşı - - - Remove Sandbox - KumKutusunu Kaldır - - - Rename Sandbox - KumKutusunu Yeniden Adlandır - - - Run from Start Menu - Başlat Menüsünden Çalıştır - - - Preset - Önayar - - - Please enter a new group name - Lütfen yeni bir grup adı girin - - - Enable API Call logging - API Çağrısı günlük kaydını etkinleştir - - - [None] - [Yok] - - - Please enter a new name for the Sandbox. - Lütfen Korumalı Kutu için yeni bir ad girin. - - - Add Group - Grup ekle - - - Delete Content - İçeriği Sil - - - Do you really want to remove the selected sandbox(es)? - Seçili korumalı kutu(lar)ı gerçekten kaldırmak istiyor musunuz? - - - Run Program - Program çalıştır - - - IPC root: %1 - - IPC kökü: %1 - - - - Block and Terminate - Engelle ve Sonlandır - - - Registry root: %1 - - Kayıt kökü: %1 - - - - File root: %1 - - Dosya kökü: %1 - - - - Terminate - Sonlandır - - - Set Leader Process - Lider İşlemi Seç - - - Terminate All Programs - Tüm Programları Sonlandır - - - Do you really want to remove the selected group(s)? - Seçili grup(lar)ı gerçekten kaldırmak istiyor musunuz? - - - Run Web Browser - Web Tarayıcı Çalıştır - - - Allow Network Shares - Ağ Paylaşımlarına İzin Ver - - - Run Cmd.exe - Cmd.exe'yi çalıştır - - - Snapshots Manager - Anlık Görüntü Yöneticisi - - - Run Explorer - Dosya Gezginini Çalıştır - - - Block Internet Access - İnternet Erişimini Engelle - - - Set Linger Process - Oyalayıcı İşlemi Ayarla - Установить отложенный процесса - - - Create New Box - Yeni KumKutusu Oluştur - - - Pin to Run Menu - Çalıştır Menüsüne Sabitle - - - Recover Files - Dosyaları Kurtar - - - Explore Content - İçeriği Keşfet - - - Create Shortcut - Kısayol Oluştur - - - Allow internet access - İnternet erişimine izin ver - - - Force into this sandbox - Bu korumalı kutuya zorla - - - This box does not have Internet restrictions in place, do you want to enable them? - Bu kutuda İnternet kısıtlamaları yok, bunları etkinleştirmek istiyor musunuz? - - - Don't show this message again. - Bu mesajı bir daha gösterme. - - - This Sandbox is already empty. - Bu KumKutusu zaten boş. - - - Do you want to delete the content of the selected sandbox? - Seçili korumalı kutunun içeriğini silmek istiyor musunuz? - - - Do you really want to delete the content of multiple sandboxes? - Birden çok korumalı kutunun içeriğini gerçekten silmek istiyor musunuz? - - - - CSettingsWindow - - Close - Kapat - - - Please enter the new configuration password. - Lütfen yeni yapılandırma parolasını girin. - - - Close to Tray - Tepsi durumuna kapat - - - Select Directory - Dizin Seç - - - Please enter a program file name - Lütfen bir program dosyası adı girin - - - Folder - Dizin - - - Prompt before Close - Kapatmadan önce sor - - - Process - İşlem - - - Sandboxie Plus - Settings - Sandboxie Plus - Ayarlar - - - Please re-enter the new configuration password. - Lütfen yeni yapılandırma parolasını tekrar girin. - - - Passwords did not match, please retry. - Parolalar eşleşmedi, lütfen tekrar deneyin. - - - - CSnapshotsWindow - - Do you really want to delete the selected snapshot? - Seçilen anlık görüntüyü gerçekten silmek istiyor musunuz? - - - New Snapshot - Yeni Anlık Görüntü - - - Snapshot - Anlık Görüntü - - - Do you really want to switch the active snapshot? Doing so will delete the current state! - Aktif anlık görüntüyü gerçekten değiştirmek istiyor musunuz? Bunu yapmak mevcut durumu siler! - - - %1 - Snapshots - %1 - Anlık görüntüler - - - Please enter a name for the new Snapshot. - Lütfen yeni Anlık Görüntü için bir ad girin. - - - - NewBoxWindow - - Copy options from an existing box: - Mevcut bir kutudan seçenekleri kopyalayın: - - - Initial sandbox configuration: - İlk korumalı kutu yapılandırması: - - - Select restriction/isolation template: - Kısıtlama/izolasyon şablonunu seçin: - - - SandboxiePlus new box - SandboxiePlus yeni kutu - - - Enter a name for the new box: - Yeni kutu için bir ad girin: - - - - OptionsWindow - - Name - Ad - - - Path - Yol - - - Save - Kaydet - - - Type - Tür - - - Allow only selected programs to start in this sandbox. * - Bu korumalı kutuda yalnızca seçili programların başlamasına izin ver. * - - - Force Folder - Dizini zorla - - - Add IPC Path - IPC Yolu Ekle - - - Sandbox Indicator in title: - Başlıktaki Korumalı Kutu Göstergesi: - - - Debug - Hata ayıklama - - - Users - Kullanıcılar - - - Block network files and folders, unless specifically opened. - Özel olarak açılmadıkça ağ dosyalarını ve klasörlerini engelle. - - - Command Line - Komut Satırı - - - Don't alter window class names created by sandboxed programs - Korumalı alandaki programlar tarafından oluşturulan pencere sınıfı adlarını değiştirme - - - Internet Restrictions - İnternet Kısıtlamaları - - - Configure which processes can access what resources. Double click on an entry to edit it. -'Direct' File and Key access only applies to program binaries located outside the sandbox. -Note that all Close...=!<program>,... exclusions have the same limitations. -For files access you can use 'Direct All' instead to make it apply to all programs. - Hangi işlemlerin hangi kaynaklara erişebileceğini yapılandırın. Düzenlemek için bir girişi çift tıklayın. -'Doğrudan' Dosya ve Anahtar erişimi, yalnızca sanal alanın dışında bulunan program ikili dosyaları için geçerlidir. -Tüm...=!<program>,... kapat istisnalarının aynı sınırlamalara sahip olduğunu unutmayın. -Dosyalara erişim için tek tek tüm programlara uygulamak yerine 'Tümünü Yönlendir' kullanabilirsiniz. - - - Log Debug Output to the Trace Log - İzleme Günlüğünde Hata Ayıklamayı kaydet - - - Forced Programs - Zorlanmış Programlar - - - Add Wnd Class - Wnd Sınıfı Ekle - - - Access Tracing - Erişim İzleme - - - File Options - Dosya Ayarları - - - General Options - Genel Ayarlar - - - Open Windows Credentials Store - Windows Kimlik Bilgileri Mağazasını Aç - - - kilobytes - kilobayt - - - Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. - -If leader processes are defined, all others are treated as lingering processes. - Kalan programlar, diğer tüm işlemler sonlandırıldıktan sonra hala çalışıyorsa otomatik olarak sonlandırılacaktır. - - Lider işlemler tanımlanırsa, diğer tüm süreçler oyalayıcı süreçler olarak değerlendirilir. - - - Allow all programs to start in this sandbox. - Tüm programların bu kutuda başlamasına izin ver. - - - Enable Immediate Recovery prompt to be able to recover files as soon as thay are created. - Dosyaları oluşturulur oluşturulmaz kurtarabilmek için Anında Kurtarma istemini etkinleştir. - - - General restrictions - Genel kısıtlamalar - - - Move Up - Yukarı Taşı - - - Access - Erişim - - - These options are intended for debugging compatibility issues, please do not use them in production use. - Bu seçenekler uyumluluk sorunlarını gidermek için tasarlanmıştır, lütfen bunları üretim kullanımında kullanmayın. - - - Text Filter - Metin Filtresi - - - Cancel - İptal - - - Restrict Resource Access monitor to administrators only - Kaynak Erişimi izleyicisini yalnızca yöneticilerle kısıtla - - - Protect the sandbox integrity itself - Korumalı kutu bütünlüğünün kendisini koruyun - - - Add Folder - Dizin Ekle - - - Prompt user whether to allow an exemption from the blockade. - Kullanıcıya ablukadan muafiyete izin verip vermeyeceğini sor. - - - IPC Trace - IPC İzleme - - - Limit access to the emulated service control manager to privileged processes - Öykünülmüş hizmet kontrol yöneticisine erişimi ayrıcalıklı işlemlerle sınırla - - - Remove - Kaldır - - - Add File/Folder - Dosya/Dizin Ekle - - - Block internet access for all programs except those added to the list. - Listeye eklenenler dışındaki tüm programlar için internet erişimini engelle. - - - Issue message 1307 when a program is denied internet access - Bir programın internet erişimi reddedildiğinde hata mesajı 1307 - - - Compatibility - Uyumluluk - - - Stop Behaviour - Durma Davranışı - - - Note: Programs installed to this sandbox won't be able to access the internet at all. - Not: Bu kutuya yüklenen programlar internete hiçbir şekilde erişemez. - - - Box Options - Kutu Ayarları - - - Don't allow sandboxed processes to see processes running in other boxes - Korumalı kutudaki işlemlerin diğer kutularda çalışan işlemleri görmesine izin verme - - - Add Group - Grup Ekle - - - Sandboxed window border: - Korumalı kutuya sahip pencere sınırı: - - - Prevent selected programs from starting in this sandbox. - Seçilen programların bu kutuda başlamasını önle. - - - Miscellaneous - Çeşitli - - - Issue message 2102 when a file is too large - Dosya çok büyük olduğunda hata mesajı 2102 - - - File Recovery - Dosya Kurtarma - - - Box Delete options - Kutu Silme seçenekleri - - - Pipe Trace - Boru İzleme - - - File Trace - Dosya İzleme - - - Program - Program - - - Add Process - İşlem Ekle - - - Add Program - Program Ekle - - - Filter Categories - Kategorileri Filtrele - - - Copy file size limit: - Dosya boyutu sınırını kopyala: - - - Open System Protected Storage - Sistem Korumalı Depolama'yı aç - - - Protect the system from sandboxed processes - Sistemi korumalı kutudaki işlemlerden koru - - - Add Leader Program - Lider Program Ekle - - - SandboxiePlus Options - SandboxiePlus Ayarları - - - Category - Kategori - - - Drop rights from Administrators and Power Users groups - Yöneticiler ve Yetkili Kullanıcılar gruplarından hakları kaldır - - - Add Reg Key - Kayıt Anahtarı Ekle - - - Sandbox protection - KumKutusu koruması - - - You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. - Programları birlikte gruplayabilir ve onlara bir grup adı verebilirsiniz. Program grupları, program adları yerine bazı ayarlarla kullanılabilir. - - - Protect sandboxed SYSTEM processes from unprivileged unsandboxed processes - Korumalı kutuya alınmış SİSTEM işlemlerini ayrıcalıksız korumalı kutuda olmayan işlemlerden koruyun - - - Add Command - Komut Ekle - - - Hide Processes - İşlemleri Gizle - - - When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. - Hızlı Kurtarma işlevi çalıştırıldığında, aşağıdaki dizinler korumalı kutudaki içerik açısından kontrol edilecektir. - - - Log all access events as seen by the driver to the resource access log. - -This options set the event mask to "*" - All access events -You can customize the logging using the ini by specifying -"A" - Allowed accesses -"D" - Denied accesses -"I" - Ignore access requests -instead of "*". - Sürücü tarafından görülen tüm erişim olaylarını kaynak erişim günlüğüne kaydet. - -Bu seçenekler olay maskesini "*" olarak ayarlar - Tüm erişim olayları -İni kullanarak günlüğe kaydetmeyi özelleştirebilirsiniz. -"A" - İzin verilen erişim(ler) -"D" - Reddedilen erişim(ler) -"I" - Yoksayılan erişim(ler) -"*" yerine. - - - px Width - px Genişliği - - - Add User - Kullanıcı Ekle - - - Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless thay are explicitly started in another sandbox. - Buraya girilen programlar veya girilen konumlardan başlatılan programlar, başka bir korumalı kutuda açıkça belirtilmedikçe otomatik olarak bu kutuya yerleştirilecektir. - - - Force Program - Program Zorla - - - WARNING, these options can disable core security guarantees and break sandbox security!!! - UYARI, bu seçenekler temel güvenlik garantilerini devre dışı bırakabilir ve korumalı kutu güvenliğini bozabilir!!! - - - Edit ini - İni'yi düzenle - - - Show Templates - Şablonları Göster - - - Ignore Folder - Dizini Yoksay - - - GUI Trace - GUI İzleme - - - Key Trace - Tuş İzleme - - - Tracing - İzleme - - - Appearance - Görünüm - - - Add sandboxed processes to job objects (recommended) - İş nesnelerine KumKutu'lu süreçler ekleyin (önerilir) - - - Remove Program - Programı Kaldır - - - You can exclude folders and file types (or file extensions) from Immediate Recovery. - Dizinleri ve dosya türlerini (veya dosya uzantılarını) Anında Kurtarma'nın dışında bırakabilirsiniz. - - - Run Menu - Çalıştır Menüsü - - - App Templates - Uygulama Şablonları - - - Remove User - Kullanıcıyı Kaldır - - - Ignore Extension - Uzantıyı Yoksay - - - Move Down - Aşağı taşı - - - Protect this sandbox from deletion or emptying - Bu korumalı kutuyu silinmeye veya boşalmaya karşı koruyun - - - Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. - -Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. - Korumalı kutunun kullanımını yalnızca bu hesaplarla sınırlamak için aşağıdaki listeye kullanıcı hesaplarını ve kullanıcı gruplarını ekleyin. Liste boşsa, korumalı alan tüm kullanıcı hesapları tarafından kullanılabilir. - -Not: Bir korumalı kutuya ilişkin Zorlanmış Programlar ve Zorlanmış Dizinler ayarları, korumalı kutuyu kullanamayan kullanıcı hesapları için geçerli değildir. - - - * Note: Programs installed to this sandbox won't be able to start at all. - * Not: Bu korumalı kutuda yüklenen programlar hiçbir şekilde başlatılamaz. - - - This list contains a large amount of sandbox compatibility enhancing templates - Bu liste, çok sayıda korumalı kutu uyumluluğunu geliştiren şablon içerir - - - Add Lingering Program - oyalayıcı diye çevirdim. - Oyalayıcı program ekle - - - Program Groups - Program Grupları - - - Issue message 1308 when a program fails to start - Bir program başlatılamadığında hata mesajı 1308 - - - Resource Access - Kaynak Erişimi - - - Advanced Options - Gelişmiş Ayarlar - - - Hide host processes from processes running in the sandbox. - Korumalı kutuda çalışan işlemlerden ana bilgisayar işlemlerini gizle. - - - File Migration - Dosya Taşıma - - - Auto delete content when last sandboxed process terminates - Korumalı kutudaki son işlem sonlandırıldığında içeriği otomatik olarak sil - - - Add COM Object - COM Nesnesi Ekle - - - You can configure custom entries for the sandbox run menu. - Korumalı kutu çalıştırma menüsü için özel girişleri yapılandırabilirsiniz. - - - Start Restrictions - Kısıtlamaları Başlat - - - Force usage of custom dummy Manifest files (legacy behaviour) - Özel sahte Manifest dosyalarının kullanımını zorla (eski davranış) - - - Edit ini Section - İni bölümünü düzenle - - - Prevent change to network and firewall parameters - Ağ ve güvenlik duvarı parametrelerinde değişikliği önleyin - - - COM Class Trace - COM Sınıf İzleme - - - <- for this one the above does not apply - <- bunun için yukarıdakiler geçerli değildir - - - Block access to the printer spooler - Yazıcı biriktiricisine erişimi engelle - - - Allow the print spooler to print to files outside the sandbox - Yazdırma biriktiricisinin korumalı kutu dışındaki dosyalara yazdırmasına izin ver - - - Printing - Yazdırma - - - Remove spooler restriction, printers can be installed outside the sandbox - Biriktirici kısıtlamasını kaldır, yazıcılar korumalı kutunun dışına kurulabilir - - - Add program - Program ekle - - - Auto Start - Otomatik Başlat - - - Here you can specify programs and/or services that are to be started automatically in the sandbox when it is activated - Burada, etkinleştirildiğinde korumalı kutuda otomatik olarak başlatılacak programları ve/veya hizmetleri belirtebilirsiniz. - - - Add service - Hizmet ekle - - - Do not start sandboxed services using a system token (recommended) - Korumalı kutudaki hizmetleri bir sistem belirteci kullanarak başlatma (önerilir) - - - Allow access to Smart Cards - Akıllı Kartlara erişime izin ver - - - Lift security restrictions - Güvenlik kısıtlamalarını kaldır - - - Sandbox isolation - Korumalı kutu izolasyonu - - - Auto Exec - Otomatik Yürütme - - - Here you can specify a list of commands that are executed every time the sandbox is initially populated. - Burada, korumalı kutu başlangıçta her doldurulduğunda yürütülen komutların bir listesini belirtebilirsiniz. - - - - PopUpWindow - - SandboxiePlus Notifications - SandboxiePlus Bildirimleri - - - - QObject - - Drive %1 - Sürücü %1 - - - - QPlatformTheme - - Cancel - İptal - - - Apply - Uygula - - - OK - TAMAM - - - &Yes - &Evet - - - &No - &Hayır - - - - RecoveryWindow - - Close - Kapat - - - SandboxiePlus Settings - SandboxiePlus Ayarları - - - Add Folder - Dizin ekle - - - Recover to - Şuraya kurtar - - - Recover - Kurtar - - - Refresh - Yenile - - - Delete all - Tümünü sil - - - Show All Files - Tüm Dosyaları Göster - - - TextLabel - Metin Etiketi - - - - SettingsWindow - - Name - Ad - - - Path - Yol - - - Change Password - Parola değiştir - - - Clear password when main window becomes hidden - Ana pencere gizlendiğinde parolayı temizle - - - SandboxiePlus Settings - SandboxiePlus Ayarları - - - Password must be entered in order to make changes - Değişiklik yapmak için parola girilmelidir - - - Check periodically for updates of Sandboxie-Plus - Sandboxie-Plus güncellemelerini periyodik kontrol et - - - General Options - Genel Ayarlar - - - Program Restrictions - Program Kısıtlamaları - - - Restart required (!) - Yeniden başlatma gerekir (!) - - - Tray options - Tepsi ayarları - - - Use Dark Theme - Koyu Tema Kullan - - - Enable - Etkinleştir - - - Add Folder - Dizin Ekle - - - Only Administrator user accounts can make changes - Yalnızca Yönetici hesapları değişiklik yapabilir - - - Config protection - Yapılandırma koruması - - - Add Program - Program Ekle - - - Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. - Sandboxie, sisteminizde aşağıdaki yazılım uygulamalarını tespit etti. Bu uygulamalarla uyumluluğu artıracak yapılandırma ayarlarını uygulamak için Tamam'ı tıklayın. Bu yapılandırma, mevcut tüm korumalı kutularda ve tüm yeni oluşturulacaklarda etkili olacaktır. - - - Watch Sandboxie.ini for changes - Değişiklikler için Sandboxie.ini dosyasını izle - - - Show Sys-Tray - Sistem Tepsisini Göster - - - In the future, don't check software compatibility - Bir daha yazılım uyumluluğunu kontrol etme - - - Disable - Devre dışı bırak - - - When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. - Şu programlardan biri KumKutusu dışında başlatıldığında, Sandboxie SBIE1301 hatası verecektir. - - - Remove Program - Programı Kaldır - - - Software Compatibility - Yazılım Uyumluluğu - - - On main window close: - Ana pencerede kapat: - - - Add 'Run Sandboxed' to the explorer context menu - Dosya gezgini bağlam menüsüne 'Korumalı kutuda başlat' seçeneği ekle - - - Issue message 1308 when a program fails to start - Bir program başlatılamadığında hata mesajı 1308 - - - Sandbox default - KumKutusu öntanımlısı - - - Separate user folders - Ayrı kullanıcı klasörleri - - - Advanced Options - Gelişmiş Ayarlar - - - Prevent the listed programs from starting on this system - Listelenen programların bu sistemde başlamasını önleyin - - - Only Administrator user accounts can use Disable Forced Programs command - Yalnızca Yönetici hesapları Zorlanmış Programları Devre Dışı Bırak komutunu kullanabilir 'Zorunlu programları devre dışı bırakın' - - - Show Notifications for relevant log Messages - İlgili günlük mesajları için bildirimleri göster - - - Open urls from this ui sandboxed - Bu kullanıcı arayüzündeki linkleri korumalı kutuda aç - - - Sandbox <a href="sbie://docs/filerootpath">file system root</a>: - KumKutusu <a href="sbie://docs/filerootpath">dosya sistemi kökü</a>: - - - Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: - KumKutusu <a href="sbie://docs/ipcrootpath">ipc kökü</a>: - - - Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: - KumKutusu <a href="sbie://docs/keyrootpath">kayıt kökü</a>: - - - Portable root folder - Taşınabilir kök dizin - - - Start UI with Windows - Windows başlangıcında kullanıcı arayüzünü başlat - - - Start UI when a sandboxed process is started - Korumalı kutuda bir işlem başladığında kullanıcı arayüzünü başlat - - - Show first recovery window when emptying sandboxes - Korumalı kutuları boşaltırken önce kurtarma penceresini göster - - - ... - ... - - - Other settings - Diğer ayarlar - - - - SnapshotsWindow - - Name: - Ad: - - - Remove Snapshot - Anlık Görüntüyü Kaldır - - - SandboxiePlus Settings - SandboxiePlus Ayarları - - - Description: - Açıklama: - - - Go to Snapshot - Anlık Görüntüye Git - - - Take Snapshot - Anlık Görüntü Al - - - Selected Snapshot Details - Seçili Anlık Görüntü Ayrıntıları - - - Snapshot Actions - Anlık Görüntü Eylemleri - - - +Full path: %4 + + + + + CRecoveryWindow + + File Name + Dosya Adı + + + File Size + Dosya Boyutu + + + Full Path + Tam yol + + + Select Directory + Dizin Seç + + + %1 - File Recovery + %1 - Dosya Kurtarma + + + One or more selected files are located on a network share, and must be recovered to a local drive, please select a folder to recover all selected files to. + Bir veya daha fazla seçili dosya bir ağ paylaşımında bulunuyor ve yerel bir sürücüye kurtarılması gerekiyor, lütfen tüm seçili dosyaların kurtarılacağı bir dizin seçin. + + + There are %1 files and %2 folders in the sandbox, occupying %3 bytes of disk space. + Korumalı alanda %3 bayt disk alanı kaplayan %1 dosya ve %2 dizin var. + + + + CResMonModel + + Type + Tür + + + Value + Değer + + + Status + Durum + + + Time Stamp + Zaman Damgası + + + Process + İşlem + + + Unknown + Bilinmeyen + + + + CSandBoxPlus + + No Admin + Yönetici Yok + + + No INet + INet yok + + + Normal + Normal + + + API Log + API Günlüğü + + + Net Share + Net Paylaşımı + + + NOT SECURE (Debug Config) + GÜVENLİ DEĞİL (Hata Ayıklama Yapılandırması) + + + Enhanced Isolation + Geliştirilmiş İzolasyon + + + Reduced Isolation + Azaltılmış İzolasyon + + + Disabled + + + + + CSandMan + + Exit + Çıkış + + + <p>New Sandboxie-Plus has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> + <p>Yeni Sandboxie-Plus şu konuma indirildi:</p><p><a href="%2">%1</a></p><p>Kuruluma başlamak istiyor musunuz? Herhangi bir program korumalı kutu içinde çalışıyorsa, sonlandırılacaktır.</p> + + + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. + Sandboxie-Plus taşınabilir modda başlatıldı ve gerekli hizmetleri oluşturması gerekiyor. Bunun için yönetici ayrıcalıkları isteyecektir. + + + Cleanup Processes + Temizleme İşlemleri + + + Maintenance operation %1 + Bakım işlemi %1 + + + &Help + &Yardım + + + &View + &Görünüm + + + Error deleting sandbox folder: %1 + Korumalı kutu dizini silinirken hata: %1 + + + About Sandboxie-Plus + Sandboxie-Plus Hakkında + + + Driver version: %1 + Sürücü sürümü: %1 + + + Sandboxie-Plus v%1 + Sandboxie-Plus v%1 + + + Start Driver + Sürücüyü Başlat + + + Install Driver + Sürücüyü Kur + + + Uninstall Driver + Sürücüyü Kaldır + + + Check for Updates + Güncellemeleri kontrol et + + + Visit Support Forum + Destek Forumu'tnu ziyaret et + + + Failed to copy configuration from sandbox %1: %2 + Yapılandırma %1'den %2 korumalı kutusuna kopyalanamadı + + + Do you want to check if there is a new version of Sandboxie-Plus? + Sandboxie-Plus'ın yeni sürümünü kontrol etmek ister misiniz? + + + Cleanup Api Call Log + Api Çağrı Günlüğünü Temizle + + + Simple View + Basit Görünüm + + + %1 (%2): + %1 (%2): + + + Login Failed: %1 + Giriş başarısız: %1 + + + Clean Up + Temizle + + + Don't show this message again. + Bu mesajı bir daha gösterme. + + + Uninstall Service + Hizmeti Kaldır + + + Start Service + Hizmeti Başlat + + + Install Service + Hizmeti yükle + + + Failed to remove old snapshot directory '%1' + Eski anlık görüntü dizini kaldırılamadı '%1' + + + The changes will be applied automatically as soon as the editor is closed. + Düzenleyici kapanınca değişiklikler otomatik olarak uygulanacaktır. + + + Do you want to close Sandboxie Manager? + Sandboxie Yöneticisi'ni kapatmak istiyor musunuz? + + + Support Sandboxie-Plus with a Donation + Sandboxie-Plus'ı Bağış ile Destekle + + + Failed to create directory for new snapshot + Yeni anlık görüntü için dizin oluşturulamadı + + + Sandboxie-Plus was running in portable mode, now it has to clean up the created services. This will prompt for administrative privileges. + Sandboxie-Plus taşınabilir modda çalışıyordu, şimdi oluşturulan hizmetleri temizlemesi gerekiyor. Bu, yönetici ayrıcalıkları isteyecektir. + + + - Portable + - Taşınabilir + + + Failed to download update from: %1 + %1'den güncelleme indirilemedi + + + Api Call Log + Api Çağrı Günlüğü + + + Stop Driver + Sürücüyü Durdur + + + Don't show this announcement in the future. + Bu duyuruyu gelecekte gösterme. + + + Sbie Messages + Sbie Mesajları + + + Failed to recover some files: + + Bazı dosyalar kurtarılamadı: + + + + Failed to move directory '%1' to '%2' + '%1' dizini, '%2' dizinine taşınamadı + + + Recovering file %1 to %2 + %1'dan %2'a dosya kurtarılıyor + + + Resource Logging + Kaynak Günlüğü + + + Online Documentation + Çevrimiçi Belgeler + + + Ignore this update, notify me about the next one. + Bu güncellemeyi yoksay, bir sonrakini bana bildir. + + + Please enter the duration for disabling forced programs. + Zorlanmış programların devre dışı bırakma süresini girin. + + + Sbie Directory: %1 + Sbie Dizini: %1 + + + <p>Do you want to download the latest version?</p> + <p>En son sürümü indirmek ister misiniz?</p> + + + Sandboxie-Plus - Error + Sandboxie-Plus - Hata + + + Time|Message + Zaman|Mesaj + + + &Options + &Ayarlar + + + Show/Hide + Göster/Gizle + + + Resource Monitor + Kaynak İzleme + + + A sandbox must be emptied before it can be deleted. + Bir korumalı kutu, silinmeden önce boşaltılmalıdır. + + + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. + Korumalı kutu adı yalnızca harf, rakam ve alt çizgi içerebilir. + + + A sandbox must be emptied before it can be renamed. + Bir korumalı kutu, yeniden adlandırılmadan önce boşaltılmalıdır. + + + API Call Logging + API Çağrı Günlüğü + + + Loaded Config: %1 + Yüklü Yapılandırma: %1 + + + Reload ini file + İni dosyasını yeniden yükle + + + &Maintenance + &Bakım + + + The sandbox name can not be a device name. + Korumalı kutu adı bir cihaz adı olamaz. + + + Operation failed for %1 item(s). + %1 öge için işlem başarısız oldu. + + + Global Settings + Genel Ayarlar + + + Downloading new version... + Yeni sürüm indiriliyor... + + + &Sandbox + &KumKutusu + + + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p>Copyright (c) 2020-2021 by DavidXanatos</p> + <h3>Sandboxie-Plus Hakkında</h3><p>Sürüm %1</p><p>Telif hakkı (c) 2020-2021 DavidXanatos</p> + + + Cleanup + Temizle + + + Failed to check for updates, error: %1 + Güncellemeler kontrol edilemedi, hata: %1 + + + Disconnect + Bağlantıyı kes + + + Connect + Bağlan + + + Only Administrators can change the config. + Yapılandırmayı yalnızca Yöneticiler değiştirebilir. + + + Disable Forced Programs + Zorlanmış Programları Devre Dışı Bırak + + + Snapshot not found + Anlık görüntü bulunamadı + + + Failed to remove old RegHive + Eski RegHive kaldırılamadı + + + Stop All + Tümünü durdur + + + Delete protection is enabled for the sandbox + Korumalı kutu için silme koruması etkinleştirildi + + + &Advanced + &Gelişmiş + + + Executing maintenance operation, please wait... + Bakım işlemi yapılıyor, lütfen bekleyin... + + + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'>New version:</font> <b>%1</b></p> + <p>Sandboxie-Plus'ın yeni bir sürümü var.<br /><font color='red'>Yeni sürüm:</font> <b>%1</b></p> + + + Stop Service + Hizmeti durdur + + + Create New Box + Yeni Kutu Oluştur + + + Failed to terminate all processes + Tüm işlemler sonlandırılamadı + + + Advanced View + Gelişmiş Görünüm + + + Failed to delete sandbox %1: %2 + %1: %2 korumalı kutusu silinemedi + + + <p>İndirme sayfasına <a href="%1">gitmek ister misiniz</a>?</p> + <p>Вы хотите перейти на <a href="%1">страницу загрузки</a>?</p> + + + Maintenance operation Successful + Bakım işlemi Başarılı + + + PID %1: + PID %1: + + + Error Status: %1 + Hata durumu: %1 + + + Terminate All Processes + Tüm işlemleri sonlandır + + + Please enter the configuration password. + Lütfen yapılandırma parolasını girin. + + + You are not authorized to update configuration in section '%1' + Bölümdeki konfigürasyonu güncelleme yetkiniz yok '%1' + + + server not reachable + sunucuya ulaşılamıyor + + + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. + '%1' ve '%2' anlık görüntü dizinleri birleştirilirken hata oluştu, anlık görüntü tam olarak birleştirilmedi. + + + Edit ini file + İni dosyasını düzenle + + + Checking for updates... + Güncellemeler kontrol ediliyor... + + + No sandboxes found; creating: %1 + Korumalı kutu bulunamadı; oluşturuluyor: %1 + + + Cleanup Resource Log + Kaynak Günlüğünü Temizle + + + Cleanup Message Log + Mesaj Günlüğünü Temizle + + + About the Qt Framework + Qt Framework hakkında + + + Keep terminated + Sonlandırılmış tut + + + A sandbox of the name %1 already exists + %1 adında bir korumalı kutu zaten var + + + Failed to set configuration setting %1 in section %2: %3 + %2: %3 bölümünde %1 yapılandırma parametresi ayarlanamadı + + + Reset all hidden messages + Tüm gizli mesajları sıfırla + + + - NOT connected + - Bağlı DEĞİL + + + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? + Gizli mesaj kutularını dahil herşeyi (evet) veya sadece tüm günlük mesajlarını (hayır) sıfırlamak mı istiyorsunuz? + + + The changes will be applied automatically whenever the file gets saved. + Dosya her kaydedildiğinde değişiklikler otomatik olarak uygulanacaktır. + + + Administrator rights are required for this operation. + Bu işlem için yönetici hakları gereklidir. + + + Failed to execute: %1 + %1 çalıştırılamadı + + + Failed to connect to the driver + Sürücüye bağlanılamadı + + + Failed to communicate with Sandboxie Service: %1 + Sandboxie Hizmeti ile iletişim kurulamadı: %1 + + + An incompatible Sandboxie %1 was found. Compatible versions: %2 + Uyumsuz bir Sandboxie %1 bulundu. Uyumlu versiyonlar: %2 + + + Can't find Sandboxie installation path. + Sandboxie kurulum yolu bulunamıyor. + + + The sandbox name can not be longer than 32 characters. + Korumalı kutu adı 32 karakterden uzun olamaz. + + + This Snapshot operation can not be performed while processes are still running in the box. + Bu Anlık Görüntü işlemi, işlemler kutuda hala çalışırken gerçekleştirilemez. + + + Failed to copy RegHive + RegHive kopyalanamadı + + + Can't remove a snapshot that is shared by multiple later snapshots + Sonraki birden çok anlık görüntü tarafından paylaşılan bir anlık görüntü kaldırılamaz + + + Unknown Error Status: %1 + Bilinmeyen Hata Durumu: %1 + + + Do you want to open %1 in a sandboxed (yes) or unsandboxed (no) Web browser? + %1'i korumalı (evet) veya korumasız (hayır) bir tarayıcıda mı açmak istiyorsunuz? + + + Remember choice for later. + Seçimi hatırla. + + + Copy Cell + Hücreyi Kopyala + + + Copy Row + Satırı Kopyala + + + Copy Panel + Paneli Kopyala + + + Failed to stop all Sandboxie components + Tüm Sandboxie bileşenleri durdurulamadı + + + Failed to start required Sandboxie components + Gerekli Sandboxie bileşenleri başlatılamadı + + + Sandboxie-Plus was started in portable mode, do you want to put the SandBox folder into its parent directory? + Sandboxie-Plus taşınabilir modda başlatıldı, SandBox klasörünü kendi ana dizinine koymak ister misiniz? + + + The file %1 already exists, do you want to overwrite it? + %1 dosyası zaten var, üzerine yazmak istiyor musunuz? + + + Do this for all files! + Bunu tüm dosyalar için yap! + + + To use API logging you must first set up the LogApiDll from https://github.com/sandboxie-plus/LogApiDll with one or more sandboxes. +Please download the latest release and set it up with the Sandboxie.ini as instructed in the README.md of the project. + API günlüğünü kullanmak için önce https://github.com/sandboxie-plus/LogApiDll adresinden bir veya daha fazla korumalı kutu ile LogApiDll'yi kurmanız gerekir. + Lütfen en son sürümü indirin ve projenin README.md dosyasında belirtildiği gibi Sandboxie.ini ile kurun. + + + No new updates found, your Sandboxie-Plus is up-to-date. + Yeni güncelleme bulunamadı, Sandboxie-Plus'ınız güncel. + + + <p>Sandboxie-Plus is an open source continuation of Sandboxie.</p><p></p><p>Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.</p><p></p><p></p><p></p><p>Icons from <a href="https://icons8.com">icons8.com</a></p><p></p> + <p>Sandboxie-Plus, Sandboxie'nin açık kaynaklı bir devamıdır.</p><p></p><p>Daha fazla bilgi için <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> ziyaret edin.</p><p></p><p></p><p></p><p>İkonlar: <a href="https://icons8.com">icons8.com</a></p><p></p> + + + Always on Top + Her zaman üstte + + + Sellect box: + Kutu Seç: + + + Some compatybility templates (%1) are missing, probably deleted, do you want to remove them from all boxes? + Bazı uyumluluk şablonları (%1) eksik, büyük olasılıkla silinmiş, bunları tüm kutulardan kaldırmak istiyor musunuz? + + + Cleaned up removed templates... + Kaldırılan şablonlar temizlendi... + + + Can not create snapshot of an empty sandbox + Boş bir korumalı kutunun anlık görüntüsü oluşturulamaz + + + A sandbox with that name already exists + Bu adda bir korumalı kutu zaten var + + + Reset Columns + + + + Window Finder + + + + Show Hidden Boxes + + + + Select box: + + + + Default sandbox not found; creating: %1 + + + + Some compatibility templates (%1) are missing, probably deleted, do you want to remove them from all boxes? + + + + Do you want to terminate all processes in all sandboxes? + + + + Terminate all without asking + + + + <p>Do you want to go to the <a href="%1">info page</a>?</p> + + + + <p>Do you want to go to the <a href="%1">download page</a>?</p> + + + + Don't show this message anymore. + + + + The selected window is running as part of program %1 in sandbox %2 + + + + The selected window is not running as part of any sandboxed program. + + + + Drag the Finder Tool over a window to select it, then release the mouse to check if the window is sandboxed. + + + + Sandboxie-Plus - Window Finder + + + + + CSbieModel + + Name + Ad + + + Box Groupe + Kutu Grubu + + + Status + Durum + + + Start Time + Başlangıç Zamanı + + + Process ID + İşlem Kimliği + + + Path / Command Line + Yol / Komut Satırı + + + Title + + + + + CSbieProcess + + Terminated + Sonlandırılmış + + + Running + Çalışıyor + + + + CSbieView + + Run + Çalıştır + + + Create Shortcut to sandbox %1 + %1 korumalı kutusuna kısayol oluştur + + + Options: + + Ayarlar: + + + + Drop Admin Rights + Yönetici haklarını bırak + + + Run eMail Client + ePosta istemcisini çalıştır + + + Remove Group + Grubu Kaldır + + + Sandbox Options + KumKutusu Ayarları + + + Sandbox Presets + KumKutusu ÖnAyarları + + + Do you want to %1 the selected process(es) + Seçili işlemleri %1 etmek istiyor musunuz? + + + Move to Group + Gruba Taşı + + + Remove Sandbox + KumKutusunu Kaldır + + + Rename Sandbox + KumKutusunu Yeniden Adlandır + + + Run from Start Menu + Başlat Menüsünden Çalıştır + + + Preset + Önayar + + + Please enter a new group name + Lütfen yeni bir grup adı girin + + + Enable API Call logging + API Çağrısı günlük kaydını etkinleştir + + + [None] + [Yok] + + + Please enter a new name for the Sandbox. + Lütfen Korumalı Kutu için yeni bir ad girin. + + + Add Group + Grup ekle + + + Delete Content + İçeriği Sil + + + Do you really want to remove the selected sandbox(es)? + Seçili korumalı kutu(lar)ı gerçekten kaldırmak istiyor musunuz? + + + Run Program + Program çalıştır + + + IPC root: %1 + + IPC kökü: %1 + + + + Block and Terminate + Engelle ve Sonlandır + + + Registry root: %1 + + Kayıt kökü: %1 + + + + File root: %1 + + Dosya kökü: %1 + + + + Terminate + Sonlandır + + + Set Leader Process + Lider İşlemi Seç + + + Terminate All Programs + Tüm Programları Sonlandır + + + Do you really want to remove the selected group(s)? + Seçili grup(lar)ı gerçekten kaldırmak istiyor musunuz? + + + Run Web Browser + Web Tarayıcı Çalıştır + + + Allow Network Shares + Ağ Paylaşımlarına İzin Ver + + + Run Cmd.exe + Cmd.exe'yi çalıştır + + + Snapshots Manager + Anlık Görüntü Yöneticisi + + + Run Explorer + Dosya Gezginini Çalıştır + + + Block Internet Access + İnternet Erişimini Engelle + + + Set Linger Process + Oyalayıcı İşlemi Ayarla + Установить отложенный процесса + + + Create New Box + Yeni KumKutusu Oluştur + + + Pin to Run Menu + Çalıştır Menüsüne Sabitle + + + Recover Files + Dosyaları Kurtar + + + Explore Content + İçeriği Keşfet + + + Create Shortcut + Kısayol Oluştur + + + Allow internet access + İnternet erişimine izin ver + + + Force into this sandbox + Bu korumalı kutuya zorla + + + This box does not have Internet restrictions in place, do you want to enable them? + Bu kutuda İnternet kısıtlamaları yok, bunları etkinleştirmek istiyor musunuz? + + + Don't show this message again. + Bu mesajı bir daha gösterme. + + + This Sandbox is already empty. + Bu KumKutusu zaten boş. + + + Do you want to delete the content of the selected sandbox? + Seçili korumalı kutunun içeriğini silmek istiyor musunuz? + + + Do you really want to delete the content of multiple sandboxes? + Birden çok korumalı kutunun içeriğini gerçekten silmek istiyor musunuz? + + + This Sandbox is empty. + + + + Do you want to terminate all processes in the selected sandbox(es)? + + + + This sandbox is disabled, do you want to enable it? + + + + + CSettingsWindow + + Close + Kapat + + + Please enter the new configuration password. + Lütfen yeni yapılandırma parolasını girin. + + + Close to Tray + Tepsi durumuna kapat + + + Select Directory + Dizin Seç + + + Please enter a program file name + Lütfen bir program dosyası adı girin + + + Folder + Dizin + + + Prompt before Close + Kapatmadan önce sor + + + Process + İşlem + + + Sandboxie Plus - Settings + Sandboxie Plus - Ayarlar + + + Please re-enter the new configuration password. + Lütfen yeni yapılandırma parolasını tekrar girin. + + + Passwords did not match, please retry. + Parolalar eşleşmedi, lütfen tekrar deneyin. + + + + CSnapshotsWindow + + Do you really want to delete the selected snapshot? + Seçilen anlık görüntüyü gerçekten silmek istiyor musunuz? + + + New Snapshot + Yeni Anlık Görüntü + + + Snapshot + Anlık Görüntü + + + Do you really want to switch the active snapshot? Doing so will delete the current state! + Aktif anlık görüntüyü gerçekten değiştirmek istiyor musunuz? Bunu yapmak mevcut durumu siler! + + + %1 - Snapshots + %1 - Anlık görüntüler + + + Please enter a name for the new Snapshot. + Lütfen yeni Anlık Görüntü için bir ad girin. + + + + NewBoxWindow + + Copy options from an existing box: + Mevcut bir kutudan seçenekleri kopyalayın: + + + Initial sandbox configuration: + İlk korumalı kutu yapılandırması: + + + Select restriction/isolation template: + Kısıtlama/izolasyon şablonunu seçin: + + + SandboxiePlus new box + SandboxiePlus yeni kutu + + + Enter a name for the new box: + Yeni kutu için bir ad girin: + + + Sandbox Name: + + + + + OptionsWindow + + Name + Ad + + + Path + Yol + + + Save + Kaydet + + + Type + Tür + + + Allow only selected programs to start in this sandbox. * + Bu korumalı kutuda yalnızca seçili programların başlamasına izin ver. * + + + Force Folder + Dizini zorla + + + Add IPC Path + IPC Yolu Ekle + + + Sandbox Indicator in title: + Başlıktaki Korumalı Kutu Göstergesi: + + + Debug + Hata ayıklama + + + Users + Kullanıcılar + + + Block network files and folders, unless specifically opened. + Özel olarak açılmadıkça ağ dosyalarını ve klasörlerini engelle. + + + Command Line + Komut Satırı + + + Don't alter window class names created by sandboxed programs + Korumalı alandaki programlar tarafından oluşturulan pencere sınıfı adlarını değiştirme + + + Internet Restrictions + İnternet Kısıtlamaları + + + Configure which processes can access what resources. Double click on an entry to edit it. +'Direct' File and Key access only applies to program binaries located outside the sandbox. +Note that all Close...=!<program>,... exclusions have the same limitations. +For files access you can use 'Direct All' instead to make it apply to all programs. + Hangi işlemlerin hangi kaynaklara erişebileceğini yapılandırın. Düzenlemek için bir girişi çift tıklayın. +'Doğrudan' Dosya ve Anahtar erişimi, yalnızca sanal alanın dışında bulunan program ikili dosyaları için geçerlidir. +Tüm...=!<program>,... kapat istisnalarının aynı sınırlamalara sahip olduğunu unutmayın. +Dosyalara erişim için tek tek tüm programlara uygulamak yerine 'Tümünü Yönlendir' kullanabilirsiniz. + + + Log Debug Output to the Trace Log + İzleme Günlüğünde Hata Ayıklamayı kaydet + + + Forced Programs + Zorlanmış Programlar + + + Add Wnd Class + Wnd Sınıfı Ekle + + + Access Tracing + Erişim İzleme + + + File Options + Dosya Ayarları + + + General Options + Genel Ayarlar + + + Open Windows Credentials Store + Windows Kimlik Bilgileri Mağazasını Aç + + + kilobytes + kilobayt + + + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. + +If leader processes are defined, all others are treated as lingering processes. + Kalan programlar, diğer tüm işlemler sonlandırıldıktan sonra hala çalışıyorsa otomatik olarak sonlandırılacaktır. + + Lider işlemler tanımlanırsa, diğer tüm süreçler oyalayıcı süreçler olarak değerlendirilir. + + + Allow all programs to start in this sandbox. + Tüm programların bu kutuda başlamasına izin ver. + + + Enable Immediate Recovery prompt to be able to recover files as soon as thay are created. + Dosyaları oluşturulur oluşturulmaz kurtarabilmek için Anında Kurtarma istemini etkinleştir. + + + General restrictions + Genel kısıtlamalar + + + Move Up + Yukarı Taşı + + + Access + Erişim + + + These options are intended for debugging compatibility issues, please do not use them in production use. + Bu seçenekler uyumluluk sorunlarını gidermek için tasarlanmıştır, lütfen bunları üretim kullanımında kullanmayın. + + + Text Filter + Metin Filtresi + + + Cancel + İptal + + + Restrict Resource Access monitor to administrators only + Kaynak Erişimi izleyicisini yalnızca yöneticilerle kısıtla + + + Protect the sandbox integrity itself + Korumalı kutu bütünlüğünün kendisini koruyun + + + Add Folder + Dizin Ekle + + + Prompt user whether to allow an exemption from the blockade. + Kullanıcıya ablukadan muafiyete izin verip vermeyeceğini sor. + + + IPC Trace + IPC İzleme + + + Limit access to the emulated service control manager to privileged processes + Öykünülmüş hizmet kontrol yöneticisine erişimi ayrıcalıklı işlemlerle sınırla + + + Remove + Kaldır + + + Add File/Folder + Dosya/Dizin Ekle + + + Block internet access for all programs except those added to the list. + Listeye eklenenler dışındaki tüm programlar için internet erişimini engelle. + + + Issue message 1307 when a program is denied internet access + Bir programın internet erişimi reddedildiğinde hata mesajı 1307 + + + Compatibility + Uyumluluk + + + Stop Behaviour + Durma Davranışı + + + Note: Programs installed to this sandbox won't be able to access the internet at all. + Not: Bu kutuya yüklenen programlar internete hiçbir şekilde erişemez. + + + Box Options + Kutu Ayarları + + + Don't allow sandboxed processes to see processes running in other boxes + Korumalı kutudaki işlemlerin diğer kutularda çalışan işlemleri görmesine izin verme + + + Add Group + Grup Ekle + + + Sandboxed window border: + Korumalı kutuya sahip pencere sınırı: + + + Prevent selected programs from starting in this sandbox. + Seçilen programların bu kutuda başlamasını önle. + + + Miscellaneous + Çeşitli + + + Issue message 2102 when a file is too large + Dosya çok büyük olduğunda hata mesajı 2102 + + + File Recovery + Dosya Kurtarma + + + Box Delete options + Kutu Silme seçenekleri + + + Pipe Trace + Boru İzleme + + + File Trace + Dosya İzleme + + + Program + Program + + + Add Process + İşlem Ekle + + + Add Program + Program Ekle + + + Filter Categories + Kategorileri Filtrele + + + Copy file size limit: + Dosya boyutu sınırını kopyala: + + + Open System Protected Storage + Sistem Korumalı Depolama'yı aç + + + Protect the system from sandboxed processes + Sistemi korumalı kutudaki işlemlerden koru + + + Add Leader Program + Lider Program Ekle + + + SandboxiePlus Options + SandboxiePlus Ayarları + + + Category + Kategori + + + Drop rights from Administrators and Power Users groups + Yöneticiler ve Yetkili Kullanıcılar gruplarından hakları kaldır + + + Add Reg Key + Kayıt Anahtarı Ekle + + + Sandbox protection + KumKutusu koruması + + + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. + Programları birlikte gruplayabilir ve onlara bir grup adı verebilirsiniz. Program grupları, program adları yerine bazı ayarlarla kullanılabilir. + + + Protect sandboxed SYSTEM processes from unprivileged unsandboxed processes + Korumalı kutuya alınmış SİSTEM işlemlerini ayrıcalıksız korumalı kutuda olmayan işlemlerden koruyun + + + Add Command + Komut Ekle + + + Hide Processes + İşlemleri Gizle + + + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. + Hızlı Kurtarma işlevi çalıştırıldığında, aşağıdaki dizinler korumalı kutudaki içerik açısından kontrol edilecektir. + + + Log all access events as seen by the driver to the resource access log. + +This options set the event mask to "*" - All access events +You can customize the logging using the ini by specifying +"A" - Allowed accesses +"D" - Denied accesses +"I" - Ignore access requests +instead of "*". + Sürücü tarafından görülen tüm erişim olaylarını kaynak erişim günlüğüne kaydet. + +Bu seçenekler olay maskesini "*" olarak ayarlar - Tüm erişim olayları +İni kullanarak günlüğe kaydetmeyi özelleştirebilirsiniz. +"A" - İzin verilen erişim(ler) +"D" - Reddedilen erişim(ler) +"I" - Yoksayılan erişim(ler) +"*" yerine. + + + px Width + px Genişliği + + + Add User + Kullanıcı Ekle + + + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless thay are explicitly started in another sandbox. + Buraya girilen programlar veya girilen konumlardan başlatılan programlar, başka bir korumalı kutuda açıkça belirtilmedikçe otomatik olarak bu kutuya yerleştirilecektir. + + + Force Program + Program Zorla + + + WARNING, these options can disable core security guarantees and break sandbox security!!! + UYARI, bu seçenekler temel güvenlik garantilerini devre dışı bırakabilir ve korumalı kutu güvenliğini bozabilir!!! + + + Edit ini + İni'yi düzenle + + + Show Templates + Şablonları Göster + + + Ignore Folder + Dizini Yoksay + + + GUI Trace + GUI İzleme + + + Key Trace + Tuş İzleme + + + Tracing + İzleme + + + Appearance + Görünüm + + + Add sandboxed processes to job objects (recommended) + İş nesnelerine KumKutu'lu süreçler ekleyin (önerilir) + + + Remove Program + Programı Kaldır + + + You can exclude folders and file types (or file extensions) from Immediate Recovery. + Dizinleri ve dosya türlerini (veya dosya uzantılarını) Anında Kurtarma'nın dışında bırakabilirsiniz. + + + Run Menu + Çalıştır Menüsü + + + App Templates + Uygulama Şablonları + + + Remove User + Kullanıcıyı Kaldır + + + Ignore Extension + Uzantıyı Yoksay + + + Move Down + Aşağı taşı + + + Protect this sandbox from deletion or emptying + Bu korumalı kutuyu silinmeye veya boşalmaya karşı koruyun + + + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. + +Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. + Korumalı kutunun kullanımını yalnızca bu hesaplarla sınırlamak için aşağıdaki listeye kullanıcı hesaplarını ve kullanıcı gruplarını ekleyin. Liste boşsa, korumalı alan tüm kullanıcı hesapları tarafından kullanılabilir. + +Not: Bir korumalı kutuya ilişkin Zorlanmış Programlar ve Zorlanmış Dizinler ayarları, korumalı kutuyu kullanamayan kullanıcı hesapları için geçerli değildir. + + + * Note: Programs installed to this sandbox won't be able to start at all. + * Not: Bu korumalı kutuda yüklenen programlar hiçbir şekilde başlatılamaz. + + + This list contains a large amount of sandbox compatibility enhancing templates + Bu liste, çok sayıda korumalı kutu uyumluluğunu geliştiren şablon içerir + + + Add Lingering Program + oyalayıcı diye çevirdim. + Oyalayıcı program ekle + + + Program Groups + Program Grupları + + + Issue message 1308 when a program fails to start + Bir program başlatılamadığında hata mesajı 1308 + + + Resource Access + Kaynak Erişimi + + + Advanced Options + Gelişmiş Ayarlar + + + Hide host processes from processes running in the sandbox. + Korumalı kutuda çalışan işlemlerden ana bilgisayar işlemlerini gizle. + + + File Migration + Dosya Taşıma + + + Auto delete content when last sandboxed process terminates + Korumalı kutudaki son işlem sonlandırıldığında içeriği otomatik olarak sil + + + Add COM Object + COM Nesnesi Ekle + + + You can configure custom entries for the sandbox run menu. + Korumalı kutu çalıştırma menüsü için özel girişleri yapılandırabilirsiniz. + + + Start Restrictions + Kısıtlamaları Başlat + + + Force usage of custom dummy Manifest files (legacy behaviour) + Özel sahte Manifest dosyalarının kullanımını zorla (eski davranış) + + + Edit ini Section + İni bölümünü düzenle + + + Prevent change to network and firewall parameters + Ağ ve güvenlik duvarı parametrelerinde değişikliği önleyin + + + COM Class Trace + COM Sınıf İzleme + + + <- for this one the above does not apply + <- bunun için yukarıdakiler geçerli değildir + + + Block access to the printer spooler + Yazıcı biriktiricisine erişimi engelle + + + Allow the print spooler to print to files outside the sandbox + Yazdırma biriktiricisinin korumalı kutu dışındaki dosyalara yazdırmasına izin ver + + + Printing + Yazdırma + + + Remove spooler restriction, printers can be installed outside the sandbox + Biriktirici kısıtlamasını kaldır, yazıcılar korumalı kutunun dışına kurulabilir + + + Add program + Program ekle + + + Auto Start + Otomatik Başlat + + + Here you can specify programs and/or services that are to be started automatically in the sandbox when it is activated + Burada, etkinleştirildiğinde korumalı kutuda otomatik olarak başlatılacak programları ve/veya hizmetleri belirtebilirsiniz. + + + Add service + Hizmet ekle + + + Do not start sandboxed services using a system token (recommended) + Korumalı kutudaki hizmetleri bir sistem belirteci kullanarak başlatma (önerilir) + + + Allow access to Smart Cards + Akıllı Kartlara erişime izin ver + + + Lift security restrictions + Güvenlik kısıtlamalarını kaldır + + + Sandbox isolation + Korumalı kutu izolasyonu + + + Auto Exec + Otomatik Yürütme + + + Here you can specify a list of commands that are executed every time the sandbox is initially populated. + Burada, korumalı kutu başlangıçta her doldurulduğunda yürütülen komutların bir listesini belirtebilirsiniz. + + + Allow access to Bluetooth + + + + + PopUpWindow + + SandboxiePlus Notifications + SandboxiePlus Bildirimleri + + + + QObject + + Drive %1 + Sürücü %1 + + + + QPlatformTheme + + Cancel + İptal + + + Apply + Uygula + + + OK + TAMAM + + + &Yes + &Evet + + + &No + &Hayır + + + + RecoveryWindow + + Close + Kapat + + + SandboxiePlus Settings + SandboxiePlus Ayarları + + + Add Folder + Dizin ekle + + + Recover to + Şuraya kurtar + + + Recover + Kurtar + + + Refresh + Yenile + + + Delete all + Tümünü sil + + + Show All Files + Tüm Dosyaları Göster + + + TextLabel + Metin Etiketi + + + + SettingsWindow + + Name + Ad + + + Path + Yol + + + Change Password + Parola değiştir + + + Clear password when main window becomes hidden + Ana pencere gizlendiğinde parolayı temizle + + + SandboxiePlus Settings + SandboxiePlus Ayarları + + + Password must be entered in order to make changes + Değişiklik yapmak için parola girilmelidir + + + Check periodically for updates of Sandboxie-Plus + Sandboxie-Plus güncellemelerini periyodik kontrol et + + + General Options + Genel Ayarlar + + + Program Restrictions + Program Kısıtlamaları + + + Restart required (!) + Yeniden başlatma gerekir (!) + + + Tray options + Tepsi ayarları + + + Use Dark Theme + Koyu Tema Kullan + + + Enable + Etkinleştir + + + Add Folder + Dizin Ekle + + + Only Administrator user accounts can make changes + Yalnızca Yönetici hesapları değişiklik yapabilir + + + Config protection + Yapılandırma koruması + + + Add Program + Program Ekle + + + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. + Sandboxie, sisteminizde aşağıdaki yazılım uygulamalarını tespit etti. Bu uygulamalarla uyumluluğu artıracak yapılandırma ayarlarını uygulamak için Tamam'ı tıklayın. Bu yapılandırma, mevcut tüm korumalı kutularda ve tüm yeni oluşturulacaklarda etkili olacaktır. + + + Watch Sandboxie.ini for changes + Değişiklikler için Sandboxie.ini dosyasını izle + + + Show Sys-Tray + Sistem Tepsisini Göster + + + In the future, don't check software compatibility + Bir daha yazılım uyumluluğunu kontrol etme + + + Disable + Devre dışı bırak + + + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. + Şu programlardan biri KumKutusu dışında başlatıldığında, Sandboxie SBIE1301 hatası verecektir. + + + Remove Program + Programı Kaldır + + + Software Compatibility + Yazılım Uyumluluğu + + + On main window close: + Ana pencerede kapat: + + + Add 'Run Sandboxed' to the explorer context menu + Dosya gezgini bağlam menüsüne 'Korumalı kutuda başlat' seçeneği ekle + + + Issue message 1308 when a program fails to start + Bir program başlatılamadığında hata mesajı 1308 + + + Sandbox default + KumKutusu öntanımlısı + + + Separate user folders + Ayrı kullanıcı klasörleri + + + Advanced Options + Gelişmiş Ayarlar + + + Prevent the listed programs from starting on this system + Listelenen programların bu sistemde başlamasını önleyin + + + Only Administrator user accounts can use Disable Forced Programs command + Yalnızca Yönetici hesapları Zorlanmış Programları Devre Dışı Bırak komutunu kullanabilir 'Zorunlu programları devre dışı bırakın' + + + Show Notifications for relevant log Messages + İlgili günlük mesajları için bildirimleri göster + + + Open urls from this ui sandboxed + Bu kullanıcı arayüzündeki linkleri korumalı kutuda aç + + + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: + KumKutusu <a href="sbie://docs/filerootpath">dosya sistemi kökü</a>: + + + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: + KumKutusu <a href="sbie://docs/ipcrootpath">ipc kökü</a>: + + + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: + KumKutusu <a href="sbie://docs/keyrootpath">kayıt kökü</a>: + + + Portable root folder + Taşınabilir kök dizin + + + Start UI with Windows + Windows başlangıcında kullanıcı arayüzünü başlat + + + Start UI when a sandboxed process is started + Korumalı kutuda bir işlem başladığında kullanıcı arayüzünü başlat + + + Show first recovery window when emptying sandboxes + Korumalı kutuları boşaltırken önce kurtarma penceresini göster + + + ... + ... + + + Other settings + Diğer ayarlar + + + + SnapshotsWindow + + Name: + Ad: + + + Remove Snapshot + Anlık Görüntüyü Kaldır + + + SandboxiePlus Settings + SandboxiePlus Ayarları + + + Description: + Açıklama: + + + Go to Snapshot + Anlık Görüntüye Git + + + Take Snapshot + Anlık Görüntü Al + + + Selected Snapshot Details + Seçili Anlık Görüntü Ayrıntıları + + + Snapshot Actions + Anlık Görüntü Eylemleri + + + diff --git a/SandboxiePlus/SandMan/sandman_zh-TW.ts b/SandboxiePlus/SandMan/sandman_zh-TW.ts index dcc7a366..f87c0243 100644 --- a/SandboxiePlus/SandMan/sandman_zh-TW.ts +++ b/SandboxiePlus/SandMan/sandman_zh-TW.ts @@ -236,6 +236,54 @@ Executables (*.exe *.cmd);;All files (*.*) 可執行檔案 (*.exe *.cmd);;所有檔案 (*.*) + + Direct + + + + Direct All + + + + Closed + + + + Closed RT + + + + Read Only + + + + Hidden + + + + Unknown + 未知 + + + File/Folder + + + + Registry + + + + IPC Path + + + + Wnd Class + + + + COM Object + + CPopUpMessage @@ -408,28 +456,24 @@ Full path: %4 完整位址: %4 - Do you want to allow %4 (%5) to copy a %1 large file into sandbox: %2? + Do you want to allow %4 (%5) to copy a %1 large file into sandbox: %2? File name: %3 - 您確定允許 %4 (%5) 複製大型檔案 %1 至沙盒: %2? -檔案名稱: %3 + - Do you want to allow %1 (%2) access to the internet? + Do you want to allow %1 (%2) access to the internet? Full path: %3 - 您確定允許 %1 (%2) 訪問網路嗎? -完整位址: %3 + - %1 is eligible for quick recovery from %2. + %1 is eligible for quick recovery from %2. The file was written by: %3 - %1 可以從 %2 快速恢復。 -檔案寫入自: %3 + - Migrating a large file %1 into the sandbox %2, %3 left. + Migrating a large file %1 into the sandbox %2, %3 left. Full path: %4 - 移動大檔案 %1 至沙盒 %2,%3 遺留。 -完整位址: %4 + @@ -723,7 +767,7 @@ Full path: %4 Ignore this update, notify me about the next one. - 忽略此升級,下一個再提示我。 + 忽略此升級,下一個再提示我。 Please enter the duration for disabling forced programs. @@ -983,7 +1027,7 @@ Full path: %4 No sandboxes found; creating: %1 - 沒找到沙盒;建立: %1 + 沒找到沙盒;建立: %1 Cleanup Resource Log @@ -1123,6 +1167,18 @@ Please download the latest release and set it up with the Sandboxie.ini as instr Sandboxie-Plus - Window Finder Sandboxie-Plus - 尋找視窗 + + Default sandbox not found; creating: %1 + + + + <p>Do you want to go to the <a href="%1">info page</a>?</p> + + + + Don't show this message anymore. + + CSbieModel @@ -1380,6 +1436,10 @@ Please download the latest release and set it up with the Sandboxie.ini as instr This sandbox is disabled, do you want to enable it? 此沙盒已禁用,是否啟用? + + This Sandbox is empty. + + CSettingsWindow @@ -2028,6 +2088,10 @@ instead of "*". "I" - 忽略拒絕請求 代替 "*". + + Allow access to Bluetooth + + PopUpWindow diff --git a/SandboxiePlus/qmake_plus.cmd b/SandboxiePlus/qmake_plus.cmd index 7062f818..2f2b5979 100644 --- a/SandboxiePlus/qmake_plus.cmd +++ b/SandboxiePlus/qmake_plus.cmd @@ -48,7 +48,8 @@ cd %~dp0\Build_SandMan_%build_arch% IF %ERRORLEVEL% NEQ 0 goto end -rem cd %~dp0 +cd %~dp0 + rem dir .\bin rem dir .\bin\%build_arch% rem dir .\bin\%build_arch%\Release