Dmitry Nefedov
3 years ago
30 changed files with 23805 additions and 11175 deletions
@ -1,109 +1,109 @@ |
|||
<# |
|||
.SYNOPSIS |
|||
The TAB completion for functions and their arguments |
|||
|
|||
Version: v5.2.16 |
|||
Date: 24.10.2021 |
|||
|
|||
Copyright (c) 2014—2021 farag |
|||
Copyright (c) 2019—2021 farag & Inestic |
|||
|
|||
Thanks to all https://forum.ru-board.com members involved |
|||
|
|||
.DESCRIPTION |
|||
Dot source the script first: . .\Function.ps1 (with a dot at the beginning) |
|||
Start typing any characters contained in the function's name or its arguments, and press the TAB button |
|||
|
|||
.EXAMPLE |
|||
Sophia -Functions <tab> |
|||
Sophia -Functions temp<tab> |
|||
Sophia -Functions "DiagTrackService -Disable", "DiagnosticDataLevel -Minimal", UninstallUWPApps |
|||
|
|||
.NOTES |
|||
Set execution policy to be able to run scripts only in the current PowerShell session: |
|||
Set-ExecutionPolicy -ExecutionPolicy Bypass -Scope Process -Force |
|||
|
|||
.NOTES |
|||
Separate functions with a comma |
|||
|
|||
.LINK |
|||
https://github.com/farag2/Sophia-Script-for-Windows |
|||
#> |
|||
|
|||
#Requires -RunAsAdministrator |
|||
#Requires -Version 5.1 |
|||
|
|||
function Sophia |
|||
{ |
|||
[CmdletBinding()] |
|||
param |
|||
( |
|||
[Parameter(Mandatory = $false)] |
|||
[string[]] |
|||
$Functions |
|||
) |
|||
|
|||
foreach ($Function in $Functions) |
|||
{ |
|||
Invoke-Expression -Command $Function |
|||
} |
|||
|
|||
# The "RefreshEnvironment" and "Errors" functions will be executed at the end |
|||
Invoke-Command -ScriptBlock {RefreshEnvironment; Errors} |
|||
} |
|||
|
|||
Clear-Host |
|||
|
|||
$Host.UI.RawUI.WindowTitle = "Sophia Script for Windows 10 LTSC v5.2.16 | Made with $([char]::ConvertFromUtf32(0x1F497)) of Windows 10 | $([char]0x00A9) farag & Inestic, 2014$([char]0x2013)2021" |
|||
|
|||
Remove-Module -Name Sophia -Force -ErrorAction Ignore |
|||
Import-Module -Name $PSScriptRoot\Manifest\Sophia.psd1 -PassThru -Force |
|||
|
|||
Import-LocalizedData -BindingVariable Global:Localization -FileName Sophia -BaseDirectory $PSScriptRoot\Localizations |
|||
|
|||
# The mandatory checkings. Please, do not comment out this function |
|||
# Обязательные проверки. Пожалуйста, не комментируйте данную функцию |
|||
Checkings |
|||
|
|||
$Parameters = @{ |
|||
CommandName = "Sophia" |
|||
ParameterName = "Functions" |
|||
ScriptBlock = { |
|||
param |
|||
( |
|||
$commandName, |
|||
$parameterName, |
|||
$wordToComplete, |
|||
$commandAst, |
|||
$fakeBoundParameters |
|||
) |
|||
|
|||
# Get functions list with arguments to complete |
|||
$Commands = (Get-Module -Name Sophia).ExportedCommands.Keys |
|||
foreach ($Command in $Commands) |
|||
{ |
|||
$ParameterSets = (Get-Command -Name $Command).Parametersets.Parameters | Where-Object -FilterScript {$null -eq $_.Attributes.AliasNames} |
|||
|
|||
foreach ($ParameterSet in $ParameterSets.Name) |
|||
{ |
|||
# The "Function -Argument" construction |
|||
$Command + " " + "-" + $ParameterSet | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""} |
|||
|
|||
continue |
|||
} |
|||
|
|||
# Get functions list without arguments to complete |
|||
Get-Command -Name $Command | Where-Object -FilterScript {$null -eq $_.Parametersets.Parameters} | Where-Object -FilterScript {$_.Name -like "*$wordToComplete*"} |
|||
|
|||
continue |
|||
} |
|||
} |
|||
} |
|||
Register-ArgumentCompleter @Parameters |
|||
|
|||
Write-Information -MessageData "" -InformationAction Continue |
|||
Write-Verbose -Message "Sophia -Functions <tab>" -Verbose |
|||
Write-Verbose -Message "Sophia -Functions temp<tab>" -Verbose |
|||
Write-Verbose -Message "Sophia -Functions `"DiagTrackService -Disable`", `"DiagnosticDataLevel -Minimal`", UninstallUWPApps" -Verbose |
|||
Write-Information -MessageData "" -InformationAction Continue |
|||
Write-Verbose -Message "`"Set-Association -ProgramPath ```"%ProgramFiles%\Notepad++\notepad++.exe```" -Extension .txt -Icon ```"%ProgramFiles%\Notepad++\notepad++.exe,0```"`"" -Verbose |
|||
<# |
|||
.SYNOPSIS |
|||
The TAB completion for functions and their arguments |
|||
|
|||
Version: v5.2.16 |
|||
Date: 24.10.2021 |
|||
|
|||
Copyright (c) 2014—2021 farag |
|||
Copyright (c) 2019—2021 farag & Inestic |
|||
|
|||
Thanks to all https://forum.ru-board.com members involved |
|||
|
|||
.DESCRIPTION |
|||
Dot source the script first: . .\Function.ps1 (with a dot at the beginning) |
|||
Start typing any characters contained in the function's name or its arguments, and press the TAB button |
|||
|
|||
.EXAMPLE |
|||
Sophia -Functions <tab> |
|||
Sophia -Functions temp<tab> |
|||
Sophia -Functions "DiagTrackService -Disable", "DiagnosticDataLevel -Minimal", UninstallUWPApps |
|||
|
|||
.NOTES |
|||
Set execution policy to be able to run scripts only in the current PowerShell session: |
|||
Set-ExecutionPolicy -ExecutionPolicy Bypass -Scope Process -Force |
|||
|
|||
.NOTES |
|||
Separate functions with a comma |
|||
|
|||
.LINK |
|||
https://github.com/farag2/Sophia-Script-for-Windows |
|||
#> |
|||
|
|||
#Requires -RunAsAdministrator |
|||
#Requires -Version 5.1 |
|||
|
|||
function Sophia |
|||
{ |
|||
[CmdletBinding()] |
|||
param |
|||
( |
|||
[Parameter(Mandatory = $false)] |
|||
[string[]] |
|||
$Functions |
|||
) |
|||
|
|||
foreach ($Function in $Functions) |
|||
{ |
|||
Invoke-Expression -Command $Function |
|||
} |
|||
|
|||
# The "RefreshEnvironment" and "Errors" functions will be executed at the end |
|||
Invoke-Command -ScriptBlock {RefreshEnvironment; Errors} |
|||
} |
|||
|
|||
Clear-Host |
|||
|
|||
$Host.UI.RawUI.WindowTitle = "Sophia Script for Windows 10 LTSC v5.2.16 | Made with $([char]::ConvertFromUtf32(0x1F497)) of Windows 10 | $([char]0x00A9) farag & Inestic, 2014$([char]0x2013)2021" |
|||
|
|||
Remove-Module -Name Sophia -Force -ErrorAction Ignore |
|||
Import-Module -Name $PSScriptRoot\Manifest\Sophia.psd1 -PassThru -Force |
|||
|
|||
Import-LocalizedData -BindingVariable Global:Localization -FileName Sophia -BaseDirectory $PSScriptRoot\Localizations |
|||
|
|||
# The mandatory checkings. Please, do not comment out this function |
|||
# Обязательные проверки. Пожалуйста, не комментируйте данную функцию |
|||
Checkings |
|||
|
|||
$Parameters = @{ |
|||
CommandName = "Sophia" |
|||
ParameterName = "Functions" |
|||
ScriptBlock = { |
|||
param |
|||
( |
|||
$commandName, |
|||
$parameterName, |
|||
$wordToComplete, |
|||
$commandAst, |
|||
$fakeBoundParameters |
|||
) |
|||
|
|||
# Get functions list with arguments to complete |
|||
$Commands = (Get-Module -Name Sophia).ExportedCommands.Keys |
|||
foreach ($Command in $Commands) |
|||
{ |
|||
$ParameterSets = (Get-Command -Name $Command).Parametersets.Parameters | Where-Object -FilterScript {$null -eq $_.Attributes.AliasNames} |
|||
|
|||
foreach ($ParameterSet in $ParameterSets.Name) |
|||
{ |
|||
# The "Function -Argument" construction |
|||
$Command + " " + "-" + $ParameterSet | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""} |
|||
|
|||
continue |
|||
} |
|||
|
|||
# Get functions list without arguments to complete |
|||
Get-Command -Name $Command | Where-Object -FilterScript {$null -eq $_.Parametersets.Parameters} | Where-Object -FilterScript {$_.Name -like "*$wordToComplete*"} |
|||
|
|||
continue |
|||
} |
|||
} |
|||
} |
|||
Register-ArgumentCompleter @Parameters |
|||
|
|||
Write-Information -MessageData "" -InformationAction Continue |
|||
Write-Verbose -Message "Sophia -Functions <tab>" -Verbose |
|||
Write-Verbose -Message "Sophia -Functions temp<tab>" -Verbose |
|||
Write-Verbose -Message "Sophia -Functions `"DiagTrackService -Disable`", `"DiagnosticDataLevel -Minimal`", UninstallUWPApps" -Verbose |
|||
Write-Information -MessageData "" -InformationAction Continue |
|||
Write-Verbose -Message "`"Set-Association -ProgramPath ```"%ProgramFiles%\Notepad++\notepad++.exe```" -Extension .txt -Icon ```"%ProgramFiles%\Notepad++\notepad++.exe,0```"`"" -Verbose |
@ -1,72 +1,72 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Das Skript unterstützt nur Windows 10 x64 |
|||
UnsupportedOSBuild = Das Skript unterstützt Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = Die PowerShell-Sitzung wird in einem eingeschränkten Sprachmodus ausgeführt |
|||
LoggedInUserNotAdmin = Der angemeldete Benutzer hat keine Administratorrechte |
|||
UnsupportedPowerShell = Sie versuchen, ein Skript über PowerShell {0}.{1} auszuführen. Führen Sie das Skript in der entsprechenden PowerShell-Version aus |
|||
UnsupportedISE = Das Skript unterstützt nicht die Ausführung über Windows PowerShell ISE |
|||
Win10TweakerWarning = Wahrscheinlich wurde Ihr Betriebssystem über die Win 10 Tweaker-Hintertür infiziert |
|||
UnsupportedRelease = Neue Version gefunden |
|||
CustomizationWarning = \nHaben Sie alle Funktionen in der voreingestellten Datei Sophia.ps1 angepasst, bevor Sie Sophia Script ausführen? |
|||
ControlledFolderAccessDisabled = Kontrollierter Ordnerzugriff deaktiviert |
|||
ScheduledTasks = Geplante Aufgaben |
|||
WindowsFeaturesTitle = Windows Eigenschaften |
|||
OptionalFeaturesTitle = Optionale Eigenschaften |
|||
EnableHardwareVT = Virtualisierung in UEFI aktivieren |
|||
UserShellFolderNotEmpty = Im Ordner "{0}" befinden sich noch Dateien \nVerschieben Sie sie manuell an einen neuen Ort |
|||
RetrievingDrivesList = Abrufen der Laufwerksliste... |
|||
DriveSelect = Wählen Sie das Laufwerk aus, in dessen Stammverzeichnis der Ordner "{0}" erstellt werden soll |
|||
CurrentUserFolderLocation = Der aktuelle Speicherort des Ordners "{0}" lautet: "{1}" |
|||
UserFolderRequest = Möchten Sie den Speicherort des Ordners "{0}" ändern? |
|||
UserFolderSelect = Wählen Sie einen Ordner für den Ordner "{0}" |
|||
UserDefaultFolder = Möchten Sie den Speicherort des "{0}"-Ordners auf den Standardwert ändern? |
|||
GraphicsPerformanceTitle = Bevorzugte Grafikleistung |
|||
GraphicsPerformanceRequest = Möchten Sie die Einstellung der Grafikleistung einer App Ihrer Wahl auf "Hohe Leistung" setzen? |
|||
TaskNotificationTitle = Benachrichtigung |
|||
CleanupTaskNotificationTitle = Wichtige informationen |
|||
CleanupTaskDescription = Bereinigung ungenutzter Windows-Dateien und -Updates mit der integrierten Datenträgerbereinigung |
|||
CleanupTaskNotificationEventTitle = Aufgabe ausführen, um nicht verwendete Windows-Dateien und -Updates zu bereinigen? |
|||
CleanupTaskNotificationEvent = Die Datenträgerbereinigung dauert nicht lange. Das nächste Mal wird die Benachrichtigung in 30 Tagen angezeigt |
|||
CleanupTaskNotificationSnoozeInterval = Wählen Sie einen Erinnerungsintervall |
|||
CleanupNotificationTaskDescription = Bereinigung ungenutzter Windows-Dateien und -Updates mit der integrierten Datenträgerbereinigung |
|||
SoftwareDistributionTaskNotificationEvent = Der Cache von Windows Update wurde erfolgreich gelöscht |
|||
TempTaskNotificationEvent = Der Ordner mit den temporären Dateien wurde erfolgreich bereinigt |
|||
FolderTaskDescription = Die Bereinigung des Ordners "{0}" |
|||
EventViewerCustomViewName = Prozess-Erstellung |
|||
EventViewerCustomViewDescription = Ereignisse zur Prozesserstellung und Befehlszeilen-Auditierung |
|||
RestartWarning = Achten Sie darauf, Ihren PC neu zu starten |
|||
ErrorsLine = Zeile |
|||
ErrorsFile = Datei |
|||
ErrorsMessage = Fehler/Warnungen |
|||
Add = Hinzufügen |
|||
AllFilesFilter = Alle Dateien (*.*)|*.* |
|||
Browse = Durchsuchen |
|||
Change = Ändern |
|||
DialogBoxOpening = Anzeigen des Dialogfensters... |
|||
Disable = Deaktivieren |
|||
Enable = Aktivieren |
|||
EXEFilesFilter = *.exe|*.exe|Alle Dateien (*.*)|*.* |
|||
FolderSelect = Wählen Sie einen Ordner aus |
|||
FilesWontBeMoved = Dateien werden nicht verschoben |
|||
FourHours = 4 Stunden |
|||
HalfHour = 30 Minuten |
|||
Install = Installieren |
|||
Minute = 1 Minute |
|||
NoData = Nichts anzuzeigen |
|||
NoInternetConnection = Keine Internetverbindung |
|||
RestartFunction = Bitte starten Sie die Funktion "{0}" neu |
|||
NoResponse = Eine Verbindung mit {0} konnte nicht hergestellt werden |
|||
No = Nein |
|||
Yes = Ja |
|||
Open = Öffnen |
|||
Patient = Bitte Warten... |
|||
Restore = Wiederherstellen |
|||
Run = Starten |
|||
SelectAll = Wählen Sie Alle |
|||
Skip = Überspringen |
|||
Skipped = Übersprungen |
|||
FileExplorerRestartPrompt = \nManchmal muss der Datei-Explorer neu gestartet werden, damit die Änderungen wirksam werden |
|||
TelegramGroupTitle = Treten Sie unserer offiziellen Telegram-Gruppe bei |
|||
TelegramChannelTitle = Treten Sie unserem offiziellen Telegram-Kanal bei |
|||
Uninstall = Deinstallieren |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Das Skript unterstützt nur Windows 10 x64 |
|||
UnsupportedOSBuild = Das Skript unterstützt Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = Die PowerShell-Sitzung wird in einem eingeschränkten Sprachmodus ausgeführt |
|||
LoggedInUserNotAdmin = Der angemeldete Benutzer hat keine Administratorrechte |
|||
UnsupportedPowerShell = Sie versuchen, ein Skript über PowerShell {0}.{1} auszuführen. Führen Sie das Skript in der entsprechenden PowerShell-Version aus |
|||
UnsupportedISE = Das Skript unterstützt nicht die Ausführung über Windows PowerShell ISE |
|||
Win10TweakerWarning = Wahrscheinlich wurde Ihr Betriebssystem über die Win 10 Tweaker-Hintertür infiziert |
|||
UnsupportedRelease = Neue Version gefunden |
|||
CustomizationWarning = \nHaben Sie alle Funktionen in der voreingestellten Datei Sophia.ps1 angepasst, bevor Sie Sophia Script ausführen? |
|||
ControlledFolderAccessDisabled = Kontrollierter Ordnerzugriff deaktiviert |
|||
ScheduledTasks = Geplante Aufgaben |
|||
WindowsFeaturesTitle = Windows Eigenschaften |
|||
OptionalFeaturesTitle = Optionale Eigenschaften |
|||
EnableHardwareVT = Virtualisierung in UEFI aktivieren |
|||
UserShellFolderNotEmpty = Im Ordner "{0}" befinden sich noch Dateien \nVerschieben Sie sie manuell an einen neuen Ort |
|||
RetrievingDrivesList = Abrufen der Laufwerksliste... |
|||
DriveSelect = Wählen Sie das Laufwerk aus, in dessen Stammverzeichnis der Ordner "{0}" erstellt werden soll |
|||
CurrentUserFolderLocation = Der aktuelle Speicherort des Ordners "{0}" lautet: "{1}" |
|||
UserFolderRequest = Möchten Sie den Speicherort des Ordners "{0}" ändern? |
|||
UserFolderSelect = Wählen Sie einen Ordner für den Ordner "{0}" |
|||
UserDefaultFolder = Möchten Sie den Speicherort des "{0}"-Ordners auf den Standardwert ändern? |
|||
GraphicsPerformanceTitle = Bevorzugte Grafikleistung |
|||
GraphicsPerformanceRequest = Möchten Sie die Einstellung der Grafikleistung einer App Ihrer Wahl auf "Hohe Leistung" setzen? |
|||
TaskNotificationTitle = Benachrichtigung |
|||
CleanupTaskNotificationTitle = Wichtige informationen |
|||
CleanupTaskDescription = Bereinigung ungenutzter Windows-Dateien und -Updates mit der integrierten Datenträgerbereinigung |
|||
CleanupTaskNotificationEventTitle = Aufgabe ausführen, um nicht verwendete Windows-Dateien und -Updates zu bereinigen? |
|||
CleanupTaskNotificationEvent = Die Datenträgerbereinigung dauert nicht lange. Das nächste Mal wird die Benachrichtigung in 30 Tagen angezeigt |
|||
CleanupTaskNotificationSnoozeInterval = Wählen Sie einen Erinnerungsintervall |
|||
CleanupNotificationTaskDescription = Bereinigung ungenutzter Windows-Dateien und -Updates mit der integrierten Datenträgerbereinigung |
|||
SoftwareDistributionTaskNotificationEvent = Der Cache von Windows Update wurde erfolgreich gelöscht |
|||
TempTaskNotificationEvent = Der Ordner mit den temporären Dateien wurde erfolgreich bereinigt |
|||
FolderTaskDescription = Die Bereinigung des Ordners "{0}" |
|||
EventViewerCustomViewName = Prozess-Erstellung |
|||
EventViewerCustomViewDescription = Ereignisse zur Prozesserstellung und Befehlszeilen-Auditierung |
|||
RestartWarning = Achten Sie darauf, Ihren PC neu zu starten |
|||
ErrorsLine = Zeile |
|||
ErrorsFile = Datei |
|||
ErrorsMessage = Fehler/Warnungen |
|||
Add = Hinzufügen |
|||
AllFilesFilter = Alle Dateien (*.*)|*.* |
|||
Browse = Durchsuchen |
|||
Change = Ändern |
|||
DialogBoxOpening = Anzeigen des Dialogfensters... |
|||
Disable = Deaktivieren |
|||
Enable = Aktivieren |
|||
EXEFilesFilter = *.exe|*.exe|Alle Dateien (*.*)|*.* |
|||
FolderSelect = Wählen Sie einen Ordner aus |
|||
FilesWontBeMoved = Dateien werden nicht verschoben |
|||
FourHours = 4 Stunden |
|||
HalfHour = 30 Minuten |
|||
Install = Installieren |
|||
Minute = 1 Minute |
|||
NoData = Nichts anzuzeigen |
|||
NoInternetConnection = Keine Internetverbindung |
|||
RestartFunction = Bitte starten Sie die Funktion "{0}" neu |
|||
NoResponse = Eine Verbindung mit {0} konnte nicht hergestellt werden |
|||
No = Nein |
|||
Yes = Ja |
|||
Open = Öffnen |
|||
Patient = Bitte Warten... |
|||
Restore = Wiederherstellen |
|||
Run = Starten |
|||
SelectAll = Wählen Sie Alle |
|||
Skip = Überspringen |
|||
Skipped = Übersprungen |
|||
FileExplorerRestartPrompt = \nManchmal muss der Datei-Explorer neu gestartet werden, damit die Änderungen wirksam werden |
|||
TelegramGroupTitle = Treten Sie unserer offiziellen Telegram-Gruppe bei |
|||
TelegramChannelTitle = Treten Sie unserem offiziellen Telegram-Kanal bei |
|||
Uninstall = Deinstallieren |
|||
'@ |
@ -1,72 +1,72 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = The script supports Windows 10 x64 only |
|||
UnsupportedOSBuild = The script supports Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = The PowerShell session in running in a limited language mode |
|||
LoggedInUserNotAdmin = The logged-on user doesn't have admin rights |
|||
UnsupportedPowerShell = You're trying to run script via PowerShell {0}.{1}. Run the script in the appropriate PowerShell version |
|||
UnsupportedISE = The script doesn't support running via Windows PowerShell ISE |
|||
Win10TweakerWarning = Probably your OS was infected via the Win 10 Tweaker backdoor |
|||
UnsupportedRelease = A new version found |
|||
CustomizationWarning = \nHave you customized every function in the Sophia.ps1 preset file before running Sophia Script? |
|||
ControlledFolderAccessDisabled = Controlled folder access disabled |
|||
ScheduledTasks = Scheduled tasks |
|||
WindowsFeaturesTitle = Windows features |
|||
OptionalFeaturesTitle = Optional features |
|||
EnableHardwareVT = Enable Virtualization in UEFI |
|||
UserShellFolderNotEmpty = Some files left in the "{0}" folder. Move them manually to a new location |
|||
RetrievingDrivesList = Retrieving drives list... |
|||
DriveSelect = Select the drive within the root of which the "{0}" folder will be created |
|||
CurrentUserFolderLocation = The current "{0}" folder location: "{1}" |
|||
UserFolderRequest = Would you like to change the location of the "{0}" folder? |
|||
UserFolderSelect = Select a folder for the "{0}" folder |
|||
UserDefaultFolder = Would you like to change the location of the "{0}" folder to the default value? |
|||
GraphicsPerformanceTitle = Graphics performance preference |
|||
GraphicsPerformanceRequest = Would you like to set the graphics performance setting of an app of your choice to "High performance"? |
|||
TaskNotificationTitle = Notification |
|||
CleanupTaskNotificationTitle = Important Information |
|||
CleanupTaskDescription = Cleaning up Windows unused files and updates using built-in Disk cleanup app |
|||
CleanupTaskNotificationEventTitle = Run task to clean up Windows unused files and updates? |
|||
CleanupTaskNotificationEvent = Windows cleanup won't take long. Next time this notification will appear in 30 days |
|||
CleanupTaskNotificationSnoozeInterval = Select a Reminder Interval |
|||
CleanupNotificationTaskDescription = Pop-up notification reminder about cleaning up Windows unused files and updates |
|||
SoftwareDistributionTaskNotificationEvent = The Windows update cache successfully deleted |
|||
TempTaskNotificationEvent = The temp files folder successfully cleaned up |
|||
FolderTaskDescription = The {0} folder cleanup |
|||
EventViewerCustomViewName = Process Creation |
|||
EventViewerCustomViewDescription = Process creation and command-line auditing events |
|||
RestartWarning = Make sure to restart your PC |
|||
ErrorsLine = Line |
|||
ErrorsFile = File |
|||
ErrorsMessage = Errors/Warnings |
|||
Add = Add |
|||
AllFilesFilter = All Files (*.*)|*.* |
|||
Browse = Browse |
|||
Change = Change |
|||
DialogBoxOpening = Displaying the dialog box... |
|||
Disable = Disable |
|||
Enable = Enable |
|||
EXEFilesFilter = *.exe|*.exe|All Files (*.*)|*.* |
|||
FolderSelect = Select a folder |
|||
FilesWontBeMoved = Files will not be moved |
|||
FourHours = 4 hours |
|||
HalfHour = 30 minutes |
|||
Install = Install |
|||
Minute = 1 minute |
|||
NoData = Nothing to display |
|||
NoInternetConnection = No Internet connection |
|||
RestartFunction = Please re-run the "{0}" function |
|||
NoResponse = A connection could not be established with {0} |
|||
No = No |
|||
Yes = Yes |
|||
Open = Open |
|||
Patient = Please wait... |
|||
Restore = Restore |
|||
Run = Run |
|||
SelectAll = Select all |
|||
Skip = Skip |
|||
Skipped = Skipped |
|||
FileExplorerRestartPrompt = \nSometimes in order for the changes to take effect the File Explorer process has to be restarted |
|||
TelegramGroupTitle = Join our official Telegram group |
|||
TelegramChannelTitle = Join our official Telegram channel |
|||
Uninstall = Uninstall |
|||
'@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = The script supports Windows 10 x64 only |
|||
UnsupportedOSBuild = The script supports Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = The PowerShell session in running in a limited language mode |
|||
LoggedInUserNotAdmin = The logged-on user doesn't have admin rights |
|||
UnsupportedPowerShell = You're trying to run script via PowerShell {0}.{1}. Run the script in the appropriate PowerShell version |
|||
UnsupportedISE = The script doesn't support running via Windows PowerShell ISE |
|||
Win10TweakerWarning = Probably your OS was infected via the Win 10 Tweaker backdoor |
|||
UnsupportedRelease = A new version found |
|||
CustomizationWarning = \nHave you customized every function in the Sophia.ps1 preset file before running Sophia Script? |
|||
ControlledFolderAccessDisabled = Controlled folder access disabled |
|||
ScheduledTasks = Scheduled tasks |
|||
WindowsFeaturesTitle = Windows features |
|||
OptionalFeaturesTitle = Optional features |
|||
EnableHardwareVT = Enable Virtualization in UEFI |
|||
UserShellFolderNotEmpty = Some files left in the "{0}" folder. Move them manually to a new location |
|||
RetrievingDrivesList = Retrieving drives list... |
|||
DriveSelect = Select the drive within the root of which the "{0}" folder will be created |
|||
CurrentUserFolderLocation = The current "{0}" folder location: "{1}" |
|||
UserFolderRequest = Would you like to change the location of the "{0}" folder? |
|||
UserFolderSelect = Select a folder for the "{0}" folder |
|||
UserDefaultFolder = Would you like to change the location of the "{0}" folder to the default value? |
|||
GraphicsPerformanceTitle = Graphics performance preference |
|||
GraphicsPerformanceRequest = Would you like to set the graphics performance setting of an app of your choice to "High performance"? |
|||
TaskNotificationTitle = Notification |
|||
CleanupTaskNotificationTitle = Important Information |
|||
CleanupTaskDescription = Cleaning up Windows unused files and updates using built-in Disk cleanup app |
|||
CleanupTaskNotificationEventTitle = Run task to clean up Windows unused files and updates? |
|||
CleanupTaskNotificationEvent = Windows cleanup won't take long. Next time this notification will appear in 30 days |
|||
CleanupTaskNotificationSnoozeInterval = Select a Reminder Interval |
|||
CleanupNotificationTaskDescription = Pop-up notification reminder about cleaning up Windows unused files and updates |
|||
SoftwareDistributionTaskNotificationEvent = The Windows update cache successfully deleted |
|||
TempTaskNotificationEvent = The temp files folder successfully cleaned up |
|||
FolderTaskDescription = The {0} folder cleanup |
|||
EventViewerCustomViewName = Process Creation |
|||
EventViewerCustomViewDescription = Process creation and command-line auditing events |
|||
RestartWarning = Make sure to restart your PC |
|||
ErrorsLine = Line |
|||
ErrorsFile = File |
|||
ErrorsMessage = Errors/Warnings |
|||
Add = Add |
|||
AllFilesFilter = All Files (*.*)|*.* |
|||
Browse = Browse |
|||
Change = Change |
|||
DialogBoxOpening = Displaying the dialog box... |
|||
Disable = Disable |
|||
Enable = Enable |
|||
EXEFilesFilter = *.exe|*.exe|All Files (*.*)|*.* |
|||
FolderSelect = Select a folder |
|||
FilesWontBeMoved = Files will not be moved |
|||
FourHours = 4 hours |
|||
HalfHour = 30 minutes |
|||
Install = Install |
|||
Minute = 1 minute |
|||
NoData = Nothing to display |
|||
NoInternetConnection = No Internet connection |
|||
RestartFunction = Please re-run the "{0}" function |
|||
NoResponse = A connection could not be established with {0} |
|||
No = No |
|||
Yes = Yes |
|||
Open = Open |
|||
Patient = Please wait... |
|||
Restore = Restore |
|||
Run = Run |
|||
SelectAll = Select all |
|||
Skip = Skip |
|||
Skipped = Skipped |
|||
FileExplorerRestartPrompt = \nSometimes in order for the changes to take effect the File Explorer process has to be restarted |
|||
TelegramGroupTitle = Join our official Telegram group |
|||
TelegramChannelTitle = Join our official Telegram channel |
|||
Uninstall = Uninstall |
|||
'@ |
@ -1,72 +1,72 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = El script sólo es compatible con Windows 10 x64 |
|||
UnsupportedOSBuild = El script es compatible con versión Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = Sesión de PowerShell ejecutada en modo de lenguaje limitado |
|||
LoggedInUserNotAdmin = El usuario que inició sesión no tiene derechos de administrador |
|||
UnsupportedPowerShell = Estás intentando ejecutar el script a través de PowerShell {0}.{1}. Ejecute el script en la versión apropiada de PowerShell |
|||
UnsupportedISE = El script no es compatible con la ejecución a través de Windows PowerShell ISE |
|||
Win10TweakerWarning = Probablemente su sistema operativo fue infectado a través del backdoor Win 10 Tweaker |
|||
UnsupportedRelease = Una nueva versión encontrada |
|||
CustomizationWarning = \n¿Ha personalizado todas las funciones del archivo predeterminado Sophia.ps1 antes de ejecutar Sophia Script? |
|||
ControlledFolderAccessDisabled = Acceso a la carpeta controlada deshabilitado |
|||
ScheduledTasks = Tareas programadas |
|||
WindowsFeaturesTitle = Características de Windows |
|||
OptionalFeaturesTitle = Características opcionales |
|||
EnableHardwareVT = Habilitar la virtualización en UEFI |
|||
UserShellFolderNotEmpty = Algunos archivos quedan en la carpeta "{0}". Moverlos manualmente a una nueva ubicación |
|||
RetrievingDrivesList = Recuperando lista de unidades... |
|||
DriveSelect = Seleccione la unidad dentro de la raíz de la cual se creó la carpeta "{0}" |
|||
CurrentUserFolderLocation = La ubicación actual de la carpeta "{0}": "{1}" |
|||
UserFolderRequest = ¿Le gustaría cambiar la ubicación de la "{0}" carpeta? |
|||
UserFolderSelect = Seleccione una carpeta para la carpeta "{0}" |
|||
UserDefaultFolder = ¿Le gustaría cambiar la ubicación de la carpeta "{0}" para el valor por defecto? |
|||
GraphicsPerformanceTitle = Preferencia de rendimiento gráfico |
|||
GraphicsPerformanceRequest = ¿Le gustaría establecer la configuración de rendimiento gráfico de una aplicación de su elección a "alto rendimiento"? |
|||
TaskNotificationTitle = Notificación |
|||
CleanupTaskNotificationTitle = Información importante |
|||
CleanupTaskDescription = La limpieza de Windows los archivos no utilizados y actualizaciones utilizando una función de aplicación de limpieza de discos |
|||
CleanupTaskNotificationEventTitle = ¿Ejecutar la tarea de limpiar los archivos no utilizados y actualizaciones de Windows? |
|||
CleanupTaskNotificationEvent = Ventanas de limpieza no tomará mucho tiempo. La próxima vez que esta notificación aparecerá en 30 días |
|||
CleanupTaskNotificationSnoozeInterval = Seleccionar un recordatorio del intervalo |
|||
CleanupNotificationTaskDescription = Pop-up recordatorio de notificaciones sobre la limpieza de archivos no utilizados de Windows y actualizaciones |
|||
SoftwareDistributionTaskNotificationEvent = La caché de actualización de Windows eliminado correctamente |
|||
TempTaskNotificationEvent = Los archivos de la carpeta Temp limpiados con éxito |
|||
FolderTaskDescription = La limpieza de la carpeta "{0}" |
|||
EventViewerCustomViewName = Creación de proceso |
|||
EventViewerCustomViewDescription = Eventos de auditoría de línea de comandos y creación de procesos |
|||
RestartWarning = Asegúrese de reiniciar su PC |
|||
ErrorsLine = Línea |
|||
ErrorsFile = Archivo |
|||
ErrorsMessage = Errores/Advertencias |
|||
Add = Agregar |
|||
AllFilesFilter = Todos los archivos (*.*)|*.* |
|||
Browse = Examinar |
|||
Change = Cambio |
|||
DialogBoxOpening = Viendo el cuadro de diálogo... |
|||
Disable = Desactivar |
|||
Enable = Habilitar |
|||
EXEFilesFilter = *.exe|*.exe|Todos los Archivos (*.*)|*.* |
|||
FolderSelect = Seleccione una carpeta |
|||
FilesWontBeMoved = Los archivos no se transferirán |
|||
FourHours = 4 horas |
|||
HalfHour = 30 minutos |
|||
Install = Instalar |
|||
Minute = 1 minuto |
|||
NoData = Nada que mostrar |
|||
NoInternetConnection = No hay conexión a Internet |
|||
RestartFunction = Por favor, reinicie la función "{0}" |
|||
NoResponse = No se pudo establecer una conexión con {0} |
|||
No = No |
|||
Yes = Sí |
|||
Open = Abierta |
|||
Patient = Por favor espere... |
|||
Restore = Restaurar |
|||
Run = Iniciar |
|||
SelectAll = Seleccionar todo |
|||
Skip = Omitir |
|||
Skipped = Omitido |
|||
FileExplorerRestartPrompt = \nA veces, para que los cambios surtan efecto, hay que reiniciar el proceso del Explorador de archivos |
|||
TelegramGroupTitle = Únete a nuestro grupo oficial de Telegram |
|||
TelegramChannelTitle = Únete a nuestro canal oficial de Telegram |
|||
Uninstall = Desinstalar |
|||
'@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = El script sólo es compatible con Windows 10 x64 |
|||
UnsupportedOSBuild = El script es compatible con versión Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = Sesión de PowerShell ejecutada en modo de lenguaje limitado |
|||
LoggedInUserNotAdmin = El usuario que inició sesión no tiene derechos de administrador |
|||
UnsupportedPowerShell = Estás intentando ejecutar el script a través de PowerShell {0}.{1}. Ejecute el script en la versión apropiada de PowerShell |
|||
UnsupportedISE = El script no es compatible con la ejecución a través de Windows PowerShell ISE |
|||
Win10TweakerWarning = Probablemente su sistema operativo fue infectado a través del backdoor Win 10 Tweaker |
|||
UnsupportedRelease = Una nueva versión encontrada |
|||
CustomizationWarning = \n¿Ha personalizado todas las funciones del archivo predeterminado Sophia.ps1 antes de ejecutar Sophia Script? |
|||
ControlledFolderAccessDisabled = Acceso a la carpeta controlada deshabilitado |
|||
ScheduledTasks = Tareas programadas |
|||
WindowsFeaturesTitle = Características de Windows |
|||
OptionalFeaturesTitle = Características opcionales |
|||
EnableHardwareVT = Habilitar la virtualización en UEFI |
|||
UserShellFolderNotEmpty = Algunos archivos quedan en la carpeta "{0}". Moverlos manualmente a una nueva ubicación |
|||
RetrievingDrivesList = Recuperando lista de unidades... |
|||
DriveSelect = Seleccione la unidad dentro de la raíz de la cual se creó la carpeta "{0}" |
|||
CurrentUserFolderLocation = La ubicación actual de la carpeta "{0}": "{1}" |
|||
UserFolderRequest = ¿Le gustaría cambiar la ubicación de la "{0}" carpeta? |
|||
UserFolderSelect = Seleccione una carpeta para la carpeta "{0}" |
|||
UserDefaultFolder = ¿Le gustaría cambiar la ubicación de la carpeta "{0}" para el valor por defecto? |
|||
GraphicsPerformanceTitle = Preferencia de rendimiento gráfico |
|||
GraphicsPerformanceRequest = ¿Le gustaría establecer la configuración de rendimiento gráfico de una aplicación de su elección a "alto rendimiento"? |
|||
TaskNotificationTitle = Notificación |
|||
CleanupTaskNotificationTitle = Información importante |
|||
CleanupTaskDescription = La limpieza de Windows los archivos no utilizados y actualizaciones utilizando una función de aplicación de limpieza de discos |
|||
CleanupTaskNotificationEventTitle = ¿Ejecutar la tarea de limpiar los archivos no utilizados y actualizaciones de Windows? |
|||
CleanupTaskNotificationEvent = Ventanas de limpieza no tomará mucho tiempo. La próxima vez que esta notificación aparecerá en 30 días |
|||
CleanupTaskNotificationSnoozeInterval = Seleccionar un recordatorio del intervalo |
|||
CleanupNotificationTaskDescription = Pop-up recordatorio de notificaciones sobre la limpieza de archivos no utilizados de Windows y actualizaciones |
|||
SoftwareDistributionTaskNotificationEvent = La caché de actualización de Windows eliminado correctamente |
|||
TempTaskNotificationEvent = Los archivos de la carpeta Temp limpiados con éxito |
|||
FolderTaskDescription = La limpieza de la carpeta "{0}" |
|||
EventViewerCustomViewName = Creación de proceso |
|||
EventViewerCustomViewDescription = Eventos de auditoría de línea de comandos y creación de procesos |
|||
RestartWarning = Asegúrese de reiniciar su PC |
|||
ErrorsLine = Línea |
|||
ErrorsFile = Archivo |
|||
ErrorsMessage = Errores/Advertencias |
|||
Add = Agregar |
|||
AllFilesFilter = Todos los archivos (*.*)|*.* |
|||
Browse = Examinar |
|||
Change = Cambio |
|||
DialogBoxOpening = Viendo el cuadro de diálogo... |
|||
Disable = Desactivar |
|||
Enable = Habilitar |
|||
EXEFilesFilter = *.exe|*.exe|Todos los Archivos (*.*)|*.* |
|||
FolderSelect = Seleccione una carpeta |
|||
FilesWontBeMoved = Los archivos no se transferirán |
|||
FourHours = 4 horas |
|||
HalfHour = 30 minutos |
|||
Install = Instalar |
|||
Minute = 1 minuto |
|||
NoData = Nada que mostrar |
|||
NoInternetConnection = No hay conexión a Internet |
|||
RestartFunction = Por favor, reinicie la función "{0}" |
|||
NoResponse = No se pudo establecer una conexión con {0} |
|||
No = No |
|||
Yes = Sí |
|||
Open = Abierta |
|||
Patient = Por favor espere... |
|||
Restore = Restaurar |
|||
Run = Iniciar |
|||
SelectAll = Seleccionar todo |
|||
Skip = Omitir |
|||
Skipped = Omitido |
|||
FileExplorerRestartPrompt = \nA veces, para que los cambios surtan efecto, hay que reiniciar el proceso del Explorador de archivos |
|||
TelegramGroupTitle = Únete a nuestro grupo oficial de Telegram |
|||
TelegramChannelTitle = Únete a nuestro canal oficial de Telegram |
|||
Uninstall = Desinstalar |
|||
'@ |
@ -1,72 +1,72 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Le script supporte uniquement Windows 10 x64 |
|||
UnsupportedOSBuild = Le script supporte le version Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = La session PowerShell s'exécute dans un mode de langue limité |
|||
LoggedInUserNotAdmin = L'utilisateur connecté n'a pas de droits d'administrateur |
|||
UnsupportedPowerShell = Vous essayez d'exécuter le script via PowerShell {0}.{1}. Exécutez le script dans la version appropriée de PowerShell |
|||
UnsupportedISE = Le script ne supporte pas l'exécution via Windows PowerShell ISE |
|||
Win10TweakerWarning = Votre système d'exploitation a probablement été infecté par la porte dérobée Win 10 Tweaker |
|||
UnsupportedRelease = Nouvelle version trouvée |
|||
CustomizationWarning = \nAvez-vous personnalisé chaque fonction du fichier de préréglage Sophia.ps1 avant d'exécuter Sophia Script? |
|||
ControlledFolderAccessDisabled = Contrôle d'accès aux dossiers désactivé |
|||
ScheduledTasks = Tâches planifiées |
|||
WindowsFeaturesTitle = Fonctionnalités |
|||
OptionalFeaturesTitle = Fonctionnalités optionnelles |
|||
EnableHardwareVT = Activer la virtualisation dans UEFI |
|||
UserShellFolderNotEmpty = Certains fichiers laissés dans le dossier "{0}". Déplacer les manuellement vers un nouvel emplacement |
|||
RetrievingDrivesList = Récupération de la liste des lecteurs... |
|||
DriveSelect = Sélectionnez le disque à la racine dans lequel le dossier "{0}" sera créé. |
|||
CurrentUserFolderLocation = L'emplacement actuel du dossier "{0}": "{1}" |
|||
UserFolderRequest = Voulez vous changer où est placé le dossier "{0}" ? |
|||
UserFolderSelect = Sélectionnez un dossier pour le dossier "{0}" |
|||
UserDefaultFolder = Voulez vous changer où est placé le dossier "{0}" à sa valeur par défaut? |
|||
GraphicsPerformanceTitle = Préférence de performances graphiques |
|||
GraphicsPerformanceRequest = Souhaitez-vous définir le paramètre de performances graphiques d'une application de votre choix sur "Haute performance"? |
|||
TaskNotificationTitle = Notification |
|||
CleanupTaskNotificationTitle = Une information importante |
|||
CleanupTaskDescription = Nettoyage des fichiers Windows inutilisés et des mises à jour à l'aide de l'application intégrée pour le nettoyage de disque |
|||
CleanupTaskNotificationEventTitle = Exécuter la tâche pour nettoyer les fichiers et les mises à jour inutilisés de Windows? |
|||
CleanupTaskNotificationEvent = Le nettoyage de Windows ne prendra pas longtemps. Cette notification apparaîtra à nouveau dans 30 jours |
|||
CleanupTaskNotificationSnoozeInterval = Sélectionnez un intervalle de rappel |
|||
CleanupNotificationTaskDescription = Rappel de notification contextuelle sur le nettoyage des fichiers et des mises à jour inutilisés de Windows |
|||
SoftwareDistributionTaskNotificationEvent = Le cache de mise à jour Windows a bien été supprimé |
|||
TempTaskNotificationEvent = Le dossier des fichiers temporaires a été nettoyé avec succès |
|||
FolderTaskDescription = Nettoyage du dossier "{0}" |
|||
EventViewerCustomViewName = Création du processus |
|||
EventViewerCustomViewDescription = Audit des événements de création du processus et de ligne de commande |
|||
RestartWarning = Assurez-vous de redémarrer votre PC |
|||
ErrorsLine = Ligne |
|||
ErrorsFile = Fichier |
|||
ErrorsMessage = Erreurs/Avertissements |
|||
Add = Ajouter |
|||
AllFilesFilter = Tous les Fichiers (*.*)|*.* |
|||
Browse = Parcourir |
|||
Change = Changer |
|||
DialogBoxOpening = Afficher la boîte de dialogue... |
|||
Disable = Désactiver |
|||
Enable = Activer |
|||
EXEFilesFilter = *.exe|*.exe|Tous les Fichiers (*.*)|*.* |
|||
FolderSelect = Sélectionner un dossier |
|||
FilesWontBeMoved = Les fichiers ne seront pas déplacés |
|||
FourHours = 4 heures |
|||
HalfHour = 30 minutes |
|||
Install = Installer |
|||
Minute = 1 minute |
|||
NoData = Rien à afficher |
|||
NoInternetConnection = Pas de connexion Internet |
|||
RestartFunction = Veuillez redémarrer la fonction "{0}" |
|||
NoResponse = Une connexion n'a pas pu être établie avec {0} |
|||
No = Non |
|||
Yes = Oui |
|||
Open = Ouvert |
|||
Patient = Veuillez patienter... |
|||
Restore = Restaurer |
|||
Run = Démarrer |
|||
SelectAll = Tout sélectionner |
|||
Skip = Passer |
|||
Skipped = Passé |
|||
FileExplorerRestartPrompt = \nParfois, pour que les modifications soient prises en compte, il faut redémarrer l'Explorateur de fichiers |
|||
TelegramGroupTitle = Rejoignez notre groupe Telegram officiel |
|||
TelegramChannelTitle = Rejoignez notre canal Telegram officiel |
|||
Uninstall = Désinstaller |
|||
'@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Le script supporte uniquement Windows 10 x64 |
|||
UnsupportedOSBuild = Le script supporte le version Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = La session PowerShell s'exécute dans un mode de langue limité |
|||
LoggedInUserNotAdmin = L'utilisateur connecté n'a pas de droits d'administrateur |
|||
UnsupportedPowerShell = Vous essayez d'exécuter le script via PowerShell {0}.{1}. Exécutez le script dans la version appropriée de PowerShell |
|||
UnsupportedISE = Le script ne supporte pas l'exécution via Windows PowerShell ISE |
|||
Win10TweakerWarning = Votre système d'exploitation a probablement été infecté par la porte dérobée Win 10 Tweaker |
|||
UnsupportedRelease = Nouvelle version trouvée |
|||
CustomizationWarning = \nAvez-vous personnalisé chaque fonction du fichier de préréglage Sophia.ps1 avant d'exécuter Sophia Script? |
|||
ControlledFolderAccessDisabled = Contrôle d'accès aux dossiers désactivé |
|||
ScheduledTasks = Tâches planifiées |
|||
WindowsFeaturesTitle = Fonctionnalités |
|||
OptionalFeaturesTitle = Fonctionnalités optionnelles |
|||
EnableHardwareVT = Activer la virtualisation dans UEFI |
|||
UserShellFolderNotEmpty = Certains fichiers laissés dans le dossier "{0}". Déplacer les manuellement vers un nouvel emplacement |
|||
RetrievingDrivesList = Récupération de la liste des lecteurs... |
|||
DriveSelect = Sélectionnez le disque à la racine dans lequel le dossier "{0}" sera créé. |
|||
CurrentUserFolderLocation = L'emplacement actuel du dossier "{0}": "{1}" |
|||
UserFolderRequest = Voulez vous changer où est placé le dossier "{0}" ? |
|||
UserFolderSelect = Sélectionnez un dossier pour le dossier "{0}" |
|||
UserDefaultFolder = Voulez vous changer où est placé le dossier "{0}" à sa valeur par défaut? |
|||
GraphicsPerformanceTitle = Préférence de performances graphiques |
|||
GraphicsPerformanceRequest = Souhaitez-vous définir le paramètre de performances graphiques d'une application de votre choix sur "Haute performance"? |
|||
TaskNotificationTitle = Notification |
|||
CleanupTaskNotificationTitle = Une information importante |
|||
CleanupTaskDescription = Nettoyage des fichiers Windows inutilisés et des mises à jour à l'aide de l'application intégrée pour le nettoyage de disque |
|||
CleanupTaskNotificationEventTitle = Exécuter la tâche pour nettoyer les fichiers et les mises à jour inutilisés de Windows? |
|||
CleanupTaskNotificationEvent = Le nettoyage de Windows ne prendra pas longtemps. Cette notification apparaîtra à nouveau dans 30 jours |
|||
CleanupTaskNotificationSnoozeInterval = Sélectionnez un intervalle de rappel |
|||
CleanupNotificationTaskDescription = Rappel de notification contextuelle sur le nettoyage des fichiers et des mises à jour inutilisés de Windows |
|||
SoftwareDistributionTaskNotificationEvent = Le cache de mise à jour Windows a bien été supprimé |
|||
TempTaskNotificationEvent = Le dossier des fichiers temporaires a été nettoyé avec succès |
|||
FolderTaskDescription = Nettoyage du dossier "{0}" |
|||
EventViewerCustomViewName = Création du processus |
|||
EventViewerCustomViewDescription = Audit des événements de création du processus et de ligne de commande |
|||
RestartWarning = Assurez-vous de redémarrer votre PC |
|||
ErrorsLine = Ligne |
|||
ErrorsFile = Fichier |
|||
ErrorsMessage = Erreurs/Avertissements |
|||
Add = Ajouter |
|||
AllFilesFilter = Tous les Fichiers (*.*)|*.* |
|||
Browse = Parcourir |
|||
Change = Changer |
|||
DialogBoxOpening = Afficher la boîte de dialogue... |
|||
Disable = Désactiver |
|||
Enable = Activer |
|||
EXEFilesFilter = *.exe|*.exe|Tous les Fichiers (*.*)|*.* |
|||
FolderSelect = Sélectionner un dossier |
|||
FilesWontBeMoved = Les fichiers ne seront pas déplacés |
|||
FourHours = 4 heures |
|||
HalfHour = 30 minutes |
|||
Install = Installer |
|||
Minute = 1 minute |
|||
NoData = Rien à afficher |
|||
NoInternetConnection = Pas de connexion Internet |
|||
RestartFunction = Veuillez redémarrer la fonction "{0}" |
|||
NoResponse = Une connexion n'a pas pu être établie avec {0} |
|||
No = Non |
|||
Yes = Oui |
|||
Open = Ouvert |
|||
Patient = Veuillez patienter... |
|||
Restore = Restaurer |
|||
Run = Démarrer |
|||
SelectAll = Tout sélectionner |
|||
Skip = Passer |
|||
Skipped = Passé |
|||
FileExplorerRestartPrompt = \nParfois, pour que les modifications soient prises en compte, il faut redémarrer l'Explorateur de fichiers |
|||
TelegramGroupTitle = Rejoignez notre groupe Telegram officiel |
|||
TelegramChannelTitle = Rejoignez notre canal Telegram officiel |
|||
Uninstall = Désinstaller |
|||
'@ |
@ -1,72 +1,72 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = A szkript csak a Windows 10 64 bites verziót támogatja |
|||
UnsupportedOSBuild = A szkript támogatja a Windows 10 1809 Enterprise LTSC kiadást |
|||
UnsupportedLanguageMode = A PowerShell munkamenet korlátozott nyelvi üzemmódban fut |
|||
LoggedInUserNotAdmin = A bejelentkezett felhasználó nem rendelkezik admin jogokkal |
|||
UnsupportedPowerShell = A PowerShell {0}.{1} segítségével próbálja futtatni a szkriptet. Futtassa a szkriptet a megfelelő PowerShell-verzióban |
|||
UnsupportedISE = A szkript nem támogatja a Windows PowerShell ISE futtatását |
|||
Win10TweakerWarning = Valószínűleg az operációs rendszerét a Win 10 Tweaker backdoor segítségével fertőzték meg |
|||
UnsupportedRelease = Új verzió érhető el |
|||
CustomizationWarning = \nSzemélyre szabott minden opciót a Sophia.ps1 preset fájlban, mielőtt futtatni kívánja a Sophia szkriptet? |
|||
ControlledFolderAccessDisabled = Vezérelt mappához való hozzáférés kikapcsolva |
|||
ScheduledTasks = Ütemezett feladatok |
|||
WindowsFeaturesTitle = Windows szolgáltatások |
|||
OptionalFeaturesTitle = Opcionális szolgáltatások |
|||
EnableHardwareVT = Virtualizáció engedélyezése UEFI-ben |
|||
UserShellFolderNotEmpty = Néhány fájl maradt a "{0}" könyvtárban. Kérem helyezze át ezeket egy új helyre |
|||
RetrievingDrivesList = A meghajtók listájának lekérése... |
|||
DriveSelect = Válassza ki a meghajtó jelét a gyökérkönyvtárban ahol a "{0}" könyvtár létre lesz hozva |
|||
CurrentUserFolderLocation = Az aktuális "{0}" mappa helye: "{1}" |
|||
UserFolderRequest = Kívánja megváltoztatni a "{0}" könyvtár helyét? |
|||
UserFolderSelect = Válasszon ki egy könyvtárat a "{0}" könyvtárhoz |
|||
UserDefaultFolder = Szeretné visszaállítani a "{0}" könyvtár helyét a gyári értékekre? |
|||
GraphicsPerformanceTitle = Grafikus teljesítmény tulajdonság |
|||
GraphicsPerformanceRequest = Szeretné megváltoztatni a grafikus teljesítmény beállítást az ön által kiválasztott alkalmazásban "Nagy teljesítményre"? |
|||
TaskNotificationTitle = Értesítés |
|||
CleanupTaskNotificationTitle = Fontos Információ |
|||
CleanupTaskDescription = A nem használt Windows fájlok és frissítések eltávolítása a beépített lemezkarbantartó alkalmazással |
|||
CleanupTaskNotificationEventTitle = Szeretné a nem használt fájlokat es frissitéseket eltávolítani? |
|||
CleanupTaskNotificationEvent = A Windows megtisztítása nem tart már sokáig. Legközelebb 30 nap múlva jelenik meg ez a figyelmeztetés |
|||
CleanupTaskNotificationSnoozeInterval = Válasszon ki egy emlékeztető időintervallumot |
|||
CleanupNotificationTaskDescription = Előugró emlékeztető figyelmeztetés a nem használt Windows fájlok és frissítések törléséről |
|||
SoftwareDistributionTaskNotificationEvent = A Windows frissités számára fenntartott ideiglenes tárhely sikeresen megtisztítva |
|||
TempTaskNotificationEvent = Az ideiglenes fájlok tárolására szolgáló könyvtár tisztítása sikeresen megtörtént |
|||
FolderTaskDescription = A {0} könyvtár tisztítása |
|||
EventViewerCustomViewName = Folyamatok |
|||
EventViewerCustomViewDescription = Folyamatok létrehozása és parancssor ellenőrző események |
|||
RestartWarning = Kérem ne felejtse el újraindítani a számítógépét |
|||
ErrorsLine = Sor |
|||
ErrorsFile = Fájl |
|||
ErrorsMessage = Hibák/Figyelmeztetések |
|||
Add = Hozzáadás |
|||
AllFilesFilter = Összes fájl (*.*)|*.* |
|||
Browse = Pregledavati |
|||
Change = Szerkesztés |
|||
DialogBoxOpening = Párbeszédablak megjelenítése... |
|||
Disable = Kikapcsolás |
|||
Enable = Engedélyezés |
|||
EXEFilesFilter = *.exe|*.exe|Minden fájl (*.*)|*.* |
|||
FolderSelect = Válasszon ki egy könyvtárat |
|||
FilesWontBeMoved = A fájlok nem lesznek áthelyezve |
|||
FourHours = 4 óra |
|||
HalfHour = 30 perc |
|||
Install = Telepítés |
|||
Minute = 1 perc |
|||
NoData = Nincs megjeleníthető információ |
|||
NoInternetConnection = Nincs internetkapcsolat |
|||
RestartFunction = Ponovo pokrenite funkciju "{0}" |
|||
NoResponse = Nem hozható létre kapcsolat a {0} weboldallal |
|||
No = Nem |
|||
Yes = Igen |
|||
Open = Megnyitás |
|||
Patient = Kérem várjon... |
|||
Restore = Visszaállítás |
|||
Run = Futtatás |
|||
SelectAll = Összes kijelölése |
|||
Skip = Átugrás |
|||
Skipped = Átugorva |
|||
FileExplorerRestartPrompt = \nNéha ahhoz, hogy a módosítások hatályba lépjenek, a File Explorer folyamatot újra kell indítani |
|||
TelegramGroupTitle = Pridružite se našoj službenoj grupi Telegram |
|||
TelegramChannelTitle = Pridružite se našem službenom kanalu Telegram |
|||
Uninstall = Eltávolít |
|||
'@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = A szkript csak a Windows 10 64 bites verziót támogatja |
|||
UnsupportedOSBuild = A szkript támogatja a Windows 10 1809 Enterprise LTSC kiadást |
|||
UnsupportedLanguageMode = A PowerShell munkamenet korlátozott nyelvi üzemmódban fut |
|||
LoggedInUserNotAdmin = A bejelentkezett felhasználó nem rendelkezik admin jogokkal |
|||
UnsupportedPowerShell = A PowerShell {0}.{1} segítségével próbálja futtatni a szkriptet. Futtassa a szkriptet a megfelelő PowerShell-verzióban |
|||
UnsupportedISE = A szkript nem támogatja a Windows PowerShell ISE futtatását |
|||
Win10TweakerWarning = Valószínűleg az operációs rendszerét a Win 10 Tweaker backdoor segítségével fertőzték meg |
|||
UnsupportedRelease = Új verzió érhető el |
|||
CustomizationWarning = \nSzemélyre szabott minden opciót a Sophia.ps1 preset fájlban, mielőtt futtatni kívánja a Sophia szkriptet? |
|||
ControlledFolderAccessDisabled = Vezérelt mappához való hozzáférés kikapcsolva |
|||
ScheduledTasks = Ütemezett feladatok |
|||
WindowsFeaturesTitle = Windows szolgáltatások |
|||
OptionalFeaturesTitle = Opcionális szolgáltatások |
|||
EnableHardwareVT = Virtualizáció engedélyezése UEFI-ben |
|||
UserShellFolderNotEmpty = Néhány fájl maradt a "{0}" könyvtárban. Kérem helyezze át ezeket egy új helyre |
|||
RetrievingDrivesList = A meghajtók listájának lekérése... |
|||
DriveSelect = Válassza ki a meghajtó jelét a gyökérkönyvtárban ahol a "{0}" könyvtár létre lesz hozva |
|||
CurrentUserFolderLocation = Az aktuális "{0}" mappa helye: "{1}" |
|||
UserFolderRequest = Kívánja megváltoztatni a "{0}" könyvtár helyét? |
|||
UserFolderSelect = Válasszon ki egy könyvtárat a "{0}" könyvtárhoz |
|||
UserDefaultFolder = Szeretné visszaállítani a "{0}" könyvtár helyét a gyári értékekre? |
|||
GraphicsPerformanceTitle = Grafikus teljesítmény tulajdonság |
|||
GraphicsPerformanceRequest = Szeretné megváltoztatni a grafikus teljesítmény beállítást az ön által kiválasztott alkalmazásban "Nagy teljesítményre"? |
|||
TaskNotificationTitle = Értesítés |
|||
CleanupTaskNotificationTitle = Fontos Információ |
|||
CleanupTaskDescription = A nem használt Windows fájlok és frissítések eltávolítása a beépített lemezkarbantartó alkalmazással |
|||
CleanupTaskNotificationEventTitle = Szeretné a nem használt fájlokat es frissitéseket eltávolítani? |
|||
CleanupTaskNotificationEvent = A Windows megtisztítása nem tart már sokáig. Legközelebb 30 nap múlva jelenik meg ez a figyelmeztetés |
|||
CleanupTaskNotificationSnoozeInterval = Válasszon ki egy emlékeztető időintervallumot |
|||
CleanupNotificationTaskDescription = Előugró emlékeztető figyelmeztetés a nem használt Windows fájlok és frissítések törléséről |
|||
SoftwareDistributionTaskNotificationEvent = A Windows frissités számára fenntartott ideiglenes tárhely sikeresen megtisztítva |
|||
TempTaskNotificationEvent = Az ideiglenes fájlok tárolására szolgáló könyvtár tisztítása sikeresen megtörtént |
|||
FolderTaskDescription = A {0} könyvtár tisztítása |
|||
EventViewerCustomViewName = Folyamatok |
|||
EventViewerCustomViewDescription = Folyamatok létrehozása és parancssor ellenőrző események |
|||
RestartWarning = Kérem ne felejtse el újraindítani a számítógépét |
|||
ErrorsLine = Sor |
|||
ErrorsFile = Fájl |
|||
ErrorsMessage = Hibák/Figyelmeztetések |
|||
Add = Hozzáadás |
|||
AllFilesFilter = Összes fájl (*.*)|*.* |
|||
Browse = Pregledavati |
|||
Change = Szerkesztés |
|||
DialogBoxOpening = Párbeszédablak megjelenítése... |
|||
Disable = Kikapcsolás |
|||
Enable = Engedélyezés |
|||
EXEFilesFilter = *.exe|*.exe|Minden fájl (*.*)|*.* |
|||
FolderSelect = Válasszon ki egy könyvtárat |
|||
FilesWontBeMoved = A fájlok nem lesznek áthelyezve |
|||
FourHours = 4 óra |
|||
HalfHour = 30 perc |
|||
Install = Telepítés |
|||
Minute = 1 perc |
|||
NoData = Nincs megjeleníthető információ |
|||
NoInternetConnection = Nincs internetkapcsolat |
|||
RestartFunction = Ponovo pokrenite funkciju "{0}" |
|||
NoResponse = Nem hozható létre kapcsolat a {0} weboldallal |
|||
No = Nem |
|||
Yes = Igen |
|||
Open = Megnyitás |
|||
Patient = Kérem várjon... |
|||
Restore = Visszaállítás |
|||
Run = Futtatás |
|||
SelectAll = Összes kijelölése |
|||
Skip = Átugrás |
|||
Skipped = Átugorva |
|||
FileExplorerRestartPrompt = \nNéha ahhoz, hogy a módosítások hatályba lépjenek, a File Explorer folyamatot újra kell indítani |
|||
TelegramGroupTitle = Pridružite se našoj službenoj grupi Telegram |
|||
TelegramChannelTitle = Pridružite se našem službenom kanalu Telegram |
|||
Uninstall = Eltávolít |
|||
'@ |
@ -1,72 +1,72 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Lo script supporta solo Windows 10 x64 |
|||
UnsupportedOSBuild = Lo script supporta Windows 10 versione 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = La sessione PowerShell è in esecuzione in una modalità di lingua limitata |
|||
LoggedInUserNotAdmin = L'utente connesso non ha i diritti di amministratore |
|||
UnsupportedPowerShell = Stai cercando di eseguire lo script tramite PowerShell {0}.{1}. Esegui lo script nella versione di PowerShell appropriata |
|||
UnsupportedISE = Lo script non supporta l'esecuzione tramite Windows PowerShell ISE |
|||
Win10TweakerWarning = Probabilmente il tuo sistema operativo è stato infettato tramite la backdoor Win 10 Tweaker |
|||
UnsupportedRelease = Nuova versione trovata |
|||
CustomizationWarning = \nSono state personalizzate tutte le funzioni nel file delle preimpostazioni Sophia.ps1 prima di eseguire Sophia Script? |
|||
ControlledFolderAccessDisabled = l'accesso alle cartelle controllata disattivata |
|||
ScheduledTasks = Attività pianificate |
|||
WindowsFeaturesTitle = Funzionalità di Windows |
|||
OptionalFeaturesTitle = Caratteristiche opzionali |
|||
EnableHardwareVT = Abilita virtualizzazione in UEFI |
|||
UserShellFolderNotEmpty = Alcuni file lasciati nella cartella "{0}". li spostare manualmente in una nuova posizione |
|||
RetrievingDrivesList = Recupero lista unità... |
|||
DriveSelect = Selezionare l'unità all'interno della radice del quale verrà creato il "{0}" cartella |
|||
CurrentUserFolderLocation = La posizione attuale della cartella "{0}": "{1}" |
|||
UserFolderRequest = Volete cambiare la posizione del "{0}" cartella? |
|||
UserFolderSelect = Selezionare una cartella per la cartella "{0}" |
|||
UserDefaultFolder = Volete cambiare la posizione della cartella "{0}" al valore di default? |
|||
GraphicsPerformanceTitle = Preferenza per le prestazioni grafiche |
|||
GraphicsPerformanceRequest = Volete impostare l'impostazione prestazioni grafiche di un app di vostra scelta per "performance High"? |
|||
TaskNotificationTitle = Notifica |
|||
CleanupTaskNotificationTitle = Informazioni importanti |
|||
CleanupTaskDescription = Pulizia di Windows i file inutilizzati e aggiornamenti utilizzando built-in Disk pulizia app |
|||
CleanupTaskNotificationEventTitle = Eseguire compito di ripulire i file inutilizzati e aggiornamenti di Windows? |
|||
CleanupTaskNotificationEvent = Di Windows pulizia non ci vorrà molto. La prossima volta che verrà visualizzata la notifica in 30 giorni |
|||
CleanupTaskNotificationSnoozeInterval = Selezionare un promemoria intervallo |
|||
CleanupNotificationTaskDescription = Pop-up promemoria notifica di pulizia di Windows file inutilizzati e aggiornamenti |
|||
SoftwareDistributionTaskNotificationEvent = La cache di aggiornamento di Windows cancellato con successo |
|||
TempTaskNotificationEvent = I file cartella Temp puliti con successo |
|||
FolderTaskDescription = La pulizia della cartella "{0}" |
|||
EventViewerCustomViewName = Creazione di processo |
|||
EventViewerCustomViewDescription = Creazione di processi ed eventi di controllo della riga di comando |
|||
RestartWarning = Assicurarsi di riavviare il PC |
|||
ErrorsLine = Linea |
|||
ErrorsFile = File |
|||
ErrorsMessage = Errori/avvisi |
|||
Add = Inserisci |
|||
AllFilesFilter = Tutti i file (*.*)|*.* |
|||
Browse = Sfogliare |
|||
Change = Modificare |
|||
DialogBoxOpening = Visualizzazione della finestra di dialogo... |
|||
Disable = Disattivare |
|||
Enable = Abilitare |
|||
EXEFilesFilter = *.exe|*.exe|Tutti i file (*.*)|*.* |
|||
FolderSelect = Selezionare una cartella |
|||
FilesWontBeMoved = I file non verranno trasferiti |
|||
FourHours = 4 ore |
|||
HalfHour = 30 minuti |
|||
Install = Installare |
|||
Minute = 1 minuto |
|||
NoData = Niente da esposizione |
|||
NoInternetConnection = Nessuna connessione Internet |
|||
RestartFunction = Si prega di riavviare la funzione "{0}" |
|||
NoResponse = Non è stato possibile stabilire una connessione con {0} |
|||
No = No |
|||
Yes = Sì |
|||
Open = Aperto |
|||
Patient = Attendere prego... |
|||
Restore = Ristabilire |
|||
Run = Eseguire |
|||
SelectAll = Seleziona tutto |
|||
Skip = Salta |
|||
Skipped = Saltato |
|||
FileExplorerRestartPrompt = \nA volte, affinché le modifiche abbiano effetto, il processo di File Explorer deve essere riavviato |
|||
TelegramGroupTitle = Unisciti al nostro gruppo ufficiale Telegram |
|||
TelegramChannelTitle = Unisciti al nostro canale ufficiale di Telegram |
|||
Uninstall = Disinstallare |
|||
'@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Lo script supporta solo Windows 10 x64 |
|||
UnsupportedOSBuild = Lo script supporta Windows 10 versione 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = La sessione PowerShell è in esecuzione in una modalità di lingua limitata |
|||
LoggedInUserNotAdmin = L'utente connesso non ha i diritti di amministratore |
|||
UnsupportedPowerShell = Stai cercando di eseguire lo script tramite PowerShell {0}.{1}. Esegui lo script nella versione di PowerShell appropriata |
|||
UnsupportedISE = Lo script non supporta l'esecuzione tramite Windows PowerShell ISE |
|||
Win10TweakerWarning = Probabilmente il tuo sistema operativo è stato infettato tramite la backdoor Win 10 Tweaker |
|||
UnsupportedRelease = Nuova versione trovata |
|||
CustomizationWarning = \nSono state personalizzate tutte le funzioni nel file delle preimpostazioni Sophia.ps1 prima di eseguire Sophia Script? |
|||
ControlledFolderAccessDisabled = l'accesso alle cartelle controllata disattivata |
|||
ScheduledTasks = Attività pianificate |
|||
WindowsFeaturesTitle = Funzionalità di Windows |
|||
OptionalFeaturesTitle = Caratteristiche opzionali |
|||
EnableHardwareVT = Abilita virtualizzazione in UEFI |
|||
UserShellFolderNotEmpty = Alcuni file lasciati nella cartella "{0}". li spostare manualmente in una nuova posizione |
|||
RetrievingDrivesList = Recupero lista unità... |
|||
DriveSelect = Selezionare l'unità all'interno della radice del quale verrà creato il "{0}" cartella |
|||
CurrentUserFolderLocation = La posizione attuale della cartella "{0}": "{1}" |
|||
UserFolderRequest = Volete cambiare la posizione del "{0}" cartella? |
|||
UserFolderSelect = Selezionare una cartella per la cartella "{0}" |
|||
UserDefaultFolder = Volete cambiare la posizione della cartella "{0}" al valore di default? |
|||
GraphicsPerformanceTitle = Preferenza per le prestazioni grafiche |
|||
GraphicsPerformanceRequest = Volete impostare l'impostazione prestazioni grafiche di un app di vostra scelta per "performance High"? |
|||
TaskNotificationTitle = Notifica |
|||
CleanupTaskNotificationTitle = Informazioni importanti |
|||
CleanupTaskDescription = Pulizia di Windows i file inutilizzati e aggiornamenti utilizzando built-in Disk pulizia app |
|||
CleanupTaskNotificationEventTitle = Eseguire compito di ripulire i file inutilizzati e aggiornamenti di Windows? |
|||
CleanupTaskNotificationEvent = Di Windows pulizia non ci vorrà molto. La prossima volta che verrà visualizzata la notifica in 30 giorni |
|||
CleanupTaskNotificationSnoozeInterval = Selezionare un promemoria intervallo |
|||
CleanupNotificationTaskDescription = Pop-up promemoria notifica di pulizia di Windows file inutilizzati e aggiornamenti |
|||
SoftwareDistributionTaskNotificationEvent = La cache di aggiornamento di Windows cancellato con successo |
|||
TempTaskNotificationEvent = I file cartella Temp puliti con successo |
|||
FolderTaskDescription = La pulizia della cartella "{0}" |
|||
EventViewerCustomViewName = Creazione di processo |
|||
EventViewerCustomViewDescription = Creazione di processi ed eventi di controllo della riga di comando |
|||
RestartWarning = Assicurarsi di riavviare il PC |
|||
ErrorsLine = Linea |
|||
ErrorsFile = File |
|||
ErrorsMessage = Errori/avvisi |
|||
Add = Inserisci |
|||
AllFilesFilter = Tutti i file (*.*)|*.* |
|||
Browse = Sfogliare |
|||
Change = Modificare |
|||
DialogBoxOpening = Visualizzazione della finestra di dialogo... |
|||
Disable = Disattivare |
|||
Enable = Abilitare |
|||
EXEFilesFilter = *.exe|*.exe|Tutti i file (*.*)|*.* |
|||
FolderSelect = Selezionare una cartella |
|||
FilesWontBeMoved = I file non verranno trasferiti |
|||
FourHours = 4 ore |
|||
HalfHour = 30 minuti |
|||
Install = Installare |
|||
Minute = 1 minuto |
|||
NoData = Niente da esposizione |
|||
NoInternetConnection = Nessuna connessione Internet |
|||
RestartFunction = Si prega di riavviare la funzione "{0}" |
|||
NoResponse = Non è stato possibile stabilire una connessione con {0} |
|||
No = No |
|||
Yes = Sì |
|||
Open = Aperto |
|||
Patient = Attendere prego... |
|||
Restore = Ristabilire |
|||
Run = Eseguire |
|||
SelectAll = Seleziona tutto |
|||
Skip = Salta |
|||
Skipped = Saltato |
|||
FileExplorerRestartPrompt = \nA volte, affinché le modifiche abbiano effetto, il processo di File Explorer deve essere riavviato |
|||
TelegramGroupTitle = Unisciti al nostro gruppo ufficiale Telegram |
|||
TelegramChannelTitle = Unisciti al nostro canale ufficiale di Telegram |
|||
Uninstall = Disinstallare |
|||
'@ |
@ -1,72 +1,72 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = O script suporta somente Windows 10 x64 |
|||
UnsupportedOSBuild = O script suporta versões Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = A sessão PowerShell em funcionamento em um modo de linguagem limitada |
|||
LoggedInUserNotAdmin = O usuário logado não tem direitos de administrador |
|||
UnsupportedPowerShell = Você está tentando executar o script via PowerShell {0}.{1}. Execute o script na versão apropriada do PowerShell |
|||
UnsupportedISE = O guião não suporta a execução através do Windows PowerShell ISE |
|||
Win10TweakerWarning = Probabilmente il tuo sistema operativo è stato infettato tramite la backdoor Win 10 Tweaker |
|||
UnsupportedRelease = Nova versão encontrada |
|||
CustomizationWarning = \nVocê personalizou todas as funções no arquivo de predefinição Sophia.ps1 antes de executar o Sophia Script? |
|||
ControlledFolderAccessDisabled = Acesso controlado a pasta desativada |
|||
ScheduledTasks = Tarefas agendadas |
|||
WindowsFeaturesTitle = Recursos do Windows |
|||
OptionalFeaturesTitle = Recursos opcionais |
|||
EnableHardwareVT = Habilitar virtualização em UEFI |
|||
UserShellFolderNotEmpty = Alguns arquivos deixados na pasta "{0}". Movê-los manualmente para um novo local |
|||
RetrievingDrivesList = Recuperando lista de unidades... |
|||
DriveSelect = Selecione a unidade dentro da raiz da qual a pasta "{0}" será criada |
|||
CurrentUserFolderLocation = A localização actual da pasta "{0}": "{1}" |
|||
UserFolderRequest = Gostaria de alterar a localização da pasta "{0}"? |
|||
UserFolderSelect = Selecione uma pasta para a pasta "{0}" |
|||
UserDefaultFolder = Gostaria de alterar a localização da pasta "{0}" para o valor padrão? |
|||
GraphicsPerformanceTitle = Preferência de desempenho gráfico |
|||
GraphicsPerformanceRequest = Gostaria de definir a configuração de performance gráfica de um app de sua escolha para "alta performance"? |
|||
TaskNotificationTitle = Notificação |
|||
CleanupTaskNotificationTitle = Informação importante |
|||
CleanupTaskDescription = Limpando o Windows arquivos não utilizados e atualizações usando o aplicativo de limpeza aplicativo de limpeza embutido no disco |
|||
CleanupTaskNotificationEventTitle = Executar tarefa para limpar arquivos e atualizações não utilizados do Windows? |
|||
CleanupTaskNotificationEvent = Limpeza de janelas não vai demorar muito. Da próxima vez que esta notificação será exibida em 30 dias |
|||
CleanupTaskNotificationSnoozeInterval = Selecione um lembrete de intervalo |
|||
CleanupNotificationTaskDescription = Pop-up lembrete de notificação sobre a limpeza do Windows arquivos não utilizados e actualizações |
|||
SoftwareDistributionTaskNotificationEvent = O cache de atualização do Windows excluído com sucesso |
|||
TempTaskNotificationEvent = Os arquivos da pasta Temp limpos com sucesso |
|||
FolderTaskDescription = A limpeza da pasta "{0}" |
|||
EventViewerCustomViewName = Criação de processo |
|||
EventViewerCustomViewDescription = Criação de processos e eventos de auditoria de linha de comando |
|||
RestartWarning = Certifique-se de reiniciar o PC |
|||
ErrorsLine = Linha |
|||
ErrorsFile = Arquivo |
|||
ErrorsMessage = Erros/Avisos |
|||
Add = Adicionar |
|||
AllFilesFilter = Todos os arquivos (*.*)|*.* |
|||
Browse = Procurar |
|||
Change = Mudar |
|||
DialogBoxOpening = Exibindo a caixa de diálogo... |
|||
Disable = Desativar |
|||
Enable = Habilitar |
|||
EXEFilesFilter = *.exe|*.exe| Todos os arquivos (*.*)|*.* |
|||
FolderSelect = Escolha uma pasta |
|||
FilesWontBeMoved = Os arquivos não serão transferidos |
|||
FourHours = 4 horas |
|||
HalfHour = 30 minutos |
|||
Install = Instalar |
|||
Minute = 1 minuto |
|||
NoData = Nada à exibir |
|||
NoInternetConnection = Sem conexão à Internet |
|||
RestartFunction = Favor reiniciar a função "{0}" |
|||
NoResponse = Uma conexão não pôde ser estabelecida com {0} |
|||
No = Não |
|||
Yes = Sim |
|||
Open = Abrir |
|||
Patient = Por favor, espere... |
|||
Restore = Restaurar |
|||
Run = Executar |
|||
SelectAll = Selecionar tudo |
|||
Skip = Pular |
|||
Skipped = Ignorados |
|||
FileExplorerRestartPrompt = \nPor vezes, para que as alterações tenham efeito, o processo File Explorer tem de ser reiniciado |
|||
TelegramGroupTitle = Entre no grupo oficial do Telegram |
|||
TelegramChannelTitle = Entre no canal oficial do Telegram |
|||
Uninstall = Desinstalar |
|||
'@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = O script suporta somente Windows 10 x64 |
|||
UnsupportedOSBuild = O script suporta versões Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = A sessão PowerShell em funcionamento em um modo de linguagem limitada |
|||
LoggedInUserNotAdmin = O usuário logado não tem direitos de administrador |
|||
UnsupportedPowerShell = Você está tentando executar o script via PowerShell {0}.{1}. Execute o script na versão apropriada do PowerShell |
|||
UnsupportedISE = O guião não suporta a execução através do Windows PowerShell ISE |
|||
Win10TweakerWarning = Probabilmente il tuo sistema operativo è stato infettato tramite la backdoor Win 10 Tweaker |
|||
UnsupportedRelease = Nova versão encontrada |
|||
CustomizationWarning = \nVocê personalizou todas as funções no arquivo de predefinição Sophia.ps1 antes de executar o Sophia Script? |
|||
ControlledFolderAccessDisabled = Acesso controlado a pasta desativada |
|||
ScheduledTasks = Tarefas agendadas |
|||
WindowsFeaturesTitle = Recursos do Windows |
|||
OptionalFeaturesTitle = Recursos opcionais |
|||
EnableHardwareVT = Habilitar virtualização em UEFI |
|||
UserShellFolderNotEmpty = Alguns arquivos deixados na pasta "{0}". Movê-los manualmente para um novo local |
|||
RetrievingDrivesList = Recuperando lista de unidades... |
|||
DriveSelect = Selecione a unidade dentro da raiz da qual a pasta "{0}" será criada |
|||
CurrentUserFolderLocation = A localização actual da pasta "{0}": "{1}" |
|||
UserFolderRequest = Gostaria de alterar a localização da pasta "{0}"? |
|||
UserFolderSelect = Selecione uma pasta para a pasta "{0}" |
|||
UserDefaultFolder = Gostaria de alterar a localização da pasta "{0}" para o valor padrão? |
|||
GraphicsPerformanceTitle = Preferência de desempenho gráfico |
|||
GraphicsPerformanceRequest = Gostaria de definir a configuração de performance gráfica de um app de sua escolha para "alta performance"? |
|||
TaskNotificationTitle = Notificação |
|||
CleanupTaskNotificationTitle = Informação importante |
|||
CleanupTaskDescription = Limpando o Windows arquivos não utilizados e atualizações usando o aplicativo de limpeza aplicativo de limpeza embutido no disco |
|||
CleanupTaskNotificationEventTitle = Executar tarefa para limpar arquivos e atualizações não utilizados do Windows? |
|||
CleanupTaskNotificationEvent = Limpeza de janelas não vai demorar muito. Da próxima vez que esta notificação será exibida em 30 dias |
|||
CleanupTaskNotificationSnoozeInterval = Selecione um lembrete de intervalo |
|||
CleanupNotificationTaskDescription = Pop-up lembrete de notificação sobre a limpeza do Windows arquivos não utilizados e actualizações |
|||
SoftwareDistributionTaskNotificationEvent = O cache de atualização do Windows excluído com sucesso |
|||
TempTaskNotificationEvent = Os arquivos da pasta Temp limpos com sucesso |
|||
FolderTaskDescription = A limpeza da pasta "{0}" |
|||
EventViewerCustomViewName = Criação de processo |
|||
EventViewerCustomViewDescription = Criação de processos e eventos de auditoria de linha de comando |
|||
RestartWarning = Certifique-se de reiniciar o PC |
|||
ErrorsLine = Linha |
|||
ErrorsFile = Arquivo |
|||
ErrorsMessage = Erros/Avisos |
|||
Add = Adicionar |
|||
AllFilesFilter = Todos os arquivos (*.*)|*.* |
|||
Browse = Procurar |
|||
Change = Mudar |
|||
DialogBoxOpening = Exibindo a caixa de diálogo... |
|||
Disable = Desativar |
|||
Enable = Habilitar |
|||
EXEFilesFilter = *.exe|*.exe| Todos os arquivos (*.*)|*.* |
|||
FolderSelect = Escolha uma pasta |
|||
FilesWontBeMoved = Os arquivos não serão transferidos |
|||
FourHours = 4 horas |
|||
HalfHour = 30 minutos |
|||
Install = Instalar |
|||
Minute = 1 minuto |
|||
NoData = Nada à exibir |
|||
NoInternetConnection = Sem conexão à Internet |
|||
RestartFunction = Favor reiniciar a função "{0}" |
|||
NoResponse = Uma conexão não pôde ser estabelecida com {0} |
|||
No = Não |
|||
Yes = Sim |
|||
Open = Abrir |
|||
Patient = Por favor, espere... |
|||
Restore = Restaurar |
|||
Run = Executar |
|||
SelectAll = Selecionar tudo |
|||
Skip = Pular |
|||
Skipped = Ignorados |
|||
FileExplorerRestartPrompt = \nPor vezes, para que as alterações tenham efeito, o processo File Explorer tem de ser reiniciado |
|||
TelegramGroupTitle = Entre no grupo oficial do Telegram |
|||
TelegramChannelTitle = Entre no canal oficial do Telegram |
|||
Uninstall = Desinstalar |
|||
'@ |
@ -1,72 +1,72 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Скрипт поддерживает только Windows 10 x64 |
|||
UnsupportedOSBuild = Скрипт поддерживает только Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = Сессия PowerShell работает в ограниченном режиме |
|||
LoggedInUserNotAdmin = Текущий вошедший пользователь не обладает правами администратора |
|||
UnsupportedPowerShell = Вы пытаетесь запустить скрипт в PowerShell {0}.{1}. Запустите скрипт в соответствующей версии PowerShell |
|||
UnsupportedISE = Скрипт не поддерживает работу через Windows PowerShell ISE |
|||
Win10TweakerWarning = Ваша ОС, возможно, через бэкдор в Win 10 Tweaker была заражена трояном |
|||
UnsupportedRelease = Обнаружена новая версия |
|||
CustomizationWarning = \nВы настроили все функции в пресет-файле Sophia.ps1 перед запуском Sophia Script? |
|||
ControlledFolderAccessDisabled = Контролируемый доступ к папкам выключен |
|||
ScheduledTasks = Запланированные задания |
|||
WindowsFeaturesTitle = Компоненты Windows |
|||
OptionalFeaturesTitle = Дополнительные компоненты |
|||
EnableHardwareVT = Включите виртуализацию в UEFI |
|||
UserShellFolderNotEmpty = В папке "{0}" остались файлы. Переместите их вручную в новое расположение |
|||
RetrievingDrivesList = Получение списка дисков... |
|||
DriveSelect = Выберите диск, в корне которого будет создана папка "{0}" |
|||
CurrentUserFolderLocation = Текущее расположение папки "{0}": "{1}" |
|||
UserFolderRequest = Хотите изменить расположение папки "{0}"? |
|||
UserFolderSelect = Выберите папку для "{0}" |
|||
UserDefaultFolder = Хотите изменить расположение папки "{0}" на значение по умолчанию? |
|||
GraphicsPerformanceTitle = Настройка производительности графики |
|||
GraphicsPerformanceRequest = Установить для любого приложения по вашему выбору настройки производительности графики на "Высокая производительность"? |
|||
TaskNotificationTitle = Уведомление |
|||
CleanupTaskNotificationTitle = Важная информация |
|||
CleanupTaskDescription = Очистка неиспользуемых файлов и обновлений Windows, используя встроенную программу Очистка диска |
|||
CleanupTaskNotificationEventTitle = Запустить задачу по очистке неиспользуемых файлов и обновлений Windows? |
|||
CleanupTaskNotificationEvent = Очистка Windows не займет много времени. Следующий раз это уведомление появится через 30 дней |
|||
CleanupTaskNotificationSnoozeInterval = Выберите интервал повтора уведомления |
|||
CleanupNotificationTaskDescription = Всплывающее уведомление с напоминанием об очистке неиспользуемых файлов и обновлений Windows |
|||
SoftwareDistributionTaskNotificationEvent = Кэш обновлений Windows успешно удален |
|||
TempTaskNotificationEvent = Папка временных файлов успешно очищена |
|||
FolderTaskDescription = Очистка папки {0} |
|||
EventViewerCustomViewName = Создание процесса |
|||
EventViewerCustomViewDescription = События содания нового процесса и аудит командной строки |
|||
RestartWarning = Обязательно перезагрузите ваш ПК |
|||
ErrorsLine = Строка |
|||
ErrorsFile = Файл |
|||
ErrorsMessage = Ошибки/предупреждения |
|||
Add = Добавить |
|||
AllFilesFilter = Все файлы (*.*)|*.* |
|||
Browse = Обзор |
|||
Change = Изменить |
|||
DialogBoxOpening = Диалоговое окно открывается... |
|||
Disable = Отключить |
|||
Enable = Включить |
|||
EXEFilesFilter = *.exe|*.exe|Все файлы (*.*)|*.* |
|||
FolderSelect = Выберите папку |
|||
FilesWontBeMoved = Файлы не будут перенесены |
|||
FourHours = 4 часа |
|||
HalfHour = 30 минут |
|||
Install = Установить |
|||
Minute = 1 минута |
|||
NoData = Отсутствуют данные |
|||
NoInternetConnection = Отсутствует интернет-соединение |
|||
RestartFunction = Пожалуйста, повторно запустите функцию "{0}" |
|||
NoResponse = Невозможно установить соединение с {0} |
|||
No = Нет |
|||
Yes = Да |
|||
Open = Открыть |
|||
Patient = Пожалуйста, подождите... |
|||
Restore = Восстановить |
|||
Run = Запустить |
|||
SelectAll = Выбрать всё |
|||
Skip = Пропустить |
|||
Skipped = Пропущено |
|||
FileExplorerRestartPrompt = \nИногда для того, чтобы изменения вступили в силу, процесс проводника необходимо перезапустить |
|||
TelegramGroupTitle = Присоединяйтесь к нашей официальной группе в Telegram |
|||
TelegramChannelTitle = Присоединяйтесь к нашему официальному каналу в Telegram |
|||
Uninstall = Удалить |
|||
'@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Скрипт поддерживает только Windows 10 x64 |
|||
UnsupportedOSBuild = Скрипт поддерживает только Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = Сессия PowerShell работает в ограниченном режиме |
|||
LoggedInUserNotAdmin = Текущий вошедший пользователь не обладает правами администратора |
|||
UnsupportedPowerShell = Вы пытаетесь запустить скрипт в PowerShell {0}.{1}. Запустите скрипт в соответствующей версии PowerShell |
|||
UnsupportedISE = Скрипт не поддерживает работу через Windows PowerShell ISE |
|||
Win10TweakerWarning = Ваша ОС, возможно, через бэкдор в Win 10 Tweaker была заражена трояном |
|||
UnsupportedRelease = Обнаружена новая версия |
|||
CustomizationWarning = \nВы настроили все функции в пресет-файле Sophia.ps1 перед запуском Sophia Script? |
|||
ControlledFolderAccessDisabled = Контролируемый доступ к папкам выключен |
|||
ScheduledTasks = Запланированные задания |
|||
WindowsFeaturesTitle = Компоненты Windows |
|||
OptionalFeaturesTitle = Дополнительные компоненты |
|||
EnableHardwareVT = Включите виртуализацию в UEFI |
|||
UserShellFolderNotEmpty = В папке "{0}" остались файлы. Переместите их вручную в новое расположение |
|||
RetrievingDrivesList = Получение списка дисков... |
|||
DriveSelect = Выберите диск, в корне которого будет создана папка "{0}" |
|||
CurrentUserFolderLocation = Текущее расположение папки "{0}": "{1}" |
|||
UserFolderRequest = Хотите изменить расположение папки "{0}"? |
|||
UserFolderSelect = Выберите папку для "{0}" |
|||
UserDefaultFolder = Хотите изменить расположение папки "{0}" на значение по умолчанию? |
|||
GraphicsPerformanceTitle = Настройка производительности графики |
|||
GraphicsPerformanceRequest = Установить для любого приложения по вашему выбору настройки производительности графики на "Высокая производительность"? |
|||
TaskNotificationTitle = Уведомление |
|||
CleanupTaskNotificationTitle = Важная информация |
|||
CleanupTaskDescription = Очистка неиспользуемых файлов и обновлений Windows, используя встроенную программу Очистка диска |
|||
CleanupTaskNotificationEventTitle = Запустить задачу по очистке неиспользуемых файлов и обновлений Windows? |
|||
CleanupTaskNotificationEvent = Очистка Windows не займет много времени. Следующий раз это уведомление появится через 30 дней |
|||
CleanupTaskNotificationSnoozeInterval = Выберите интервал повтора уведомления |
|||
CleanupNotificationTaskDescription = Всплывающее уведомление с напоминанием об очистке неиспользуемых файлов и обновлений Windows |
|||
SoftwareDistributionTaskNotificationEvent = Кэш обновлений Windows успешно удален |
|||
TempTaskNotificationEvent = Папка временных файлов успешно очищена |
|||
FolderTaskDescription = Очистка папки {0} |
|||
EventViewerCustomViewName = Создание процесса |
|||
EventViewerCustomViewDescription = События содания нового процесса и аудит командной строки |
|||
RestartWarning = Обязательно перезагрузите ваш ПК |
|||
ErrorsLine = Строка |
|||
ErrorsFile = Файл |
|||
ErrorsMessage = Ошибки/предупреждения |
|||
Add = Добавить |
|||
AllFilesFilter = Все файлы (*.*)|*.* |
|||
Browse = Обзор |
|||
Change = Изменить |
|||
DialogBoxOpening = Диалоговое окно открывается... |
|||
Disable = Отключить |
|||
Enable = Включить |
|||
EXEFilesFilter = *.exe|*.exe|Все файлы (*.*)|*.* |
|||
FolderSelect = Выберите папку |
|||
FilesWontBeMoved = Файлы не будут перенесены |
|||
FourHours = 4 часа |
|||
HalfHour = 30 минут |
|||
Install = Установить |
|||
Minute = 1 минута |
|||
NoData = Отсутствуют данные |
|||
NoInternetConnection = Отсутствует интернет-соединение |
|||
RestartFunction = Пожалуйста, повторно запустите функцию "{0}" |
|||
NoResponse = Невозможно установить соединение с {0} |
|||
No = Нет |
|||
Yes = Да |
|||
Open = Открыть |
|||
Patient = Пожалуйста, подождите... |
|||
Restore = Восстановить |
|||
Run = Запустить |
|||
SelectAll = Выбрать всё |
|||
Skip = Пропустить |
|||
Skipped = Пропущено |
|||
FileExplorerRestartPrompt = \nИногда для того, чтобы изменения вступили в силу, процесс проводника необходимо перезапустить |
|||
TelegramGroupTitle = Присоединяйтесь к нашей официальной группе в Telegram |
|||
TelegramChannelTitle = Присоединяйтесь к нашему официальному каналу в Telegram |
|||
Uninstall = Удалить |
|||
'@ |
@ -1,72 +1,72 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Bu betik sadece Windows 10 x64 destekliyor |
|||
UnsupportedOSBuild = Bu betik sadece Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = Sınırlı bir dil modunda çalışan PowerShell oturumu |
|||
LoggedInUserNotAdmin = Oturum açan kullanıcının yönetici hakları yok |
|||
UnsupportedPowerShell = Komut dosyasını PowerShell {0}.{1} aracılığıyla çalıştırmaya çalışıyorsunuz. Komut dosyasını uygun PowerShell sürümünde çalıştırın |
|||
UnsupportedISE = Komut dosyası, Windows PowerShell ISE üzerinden çalıştırmayı desteklemiyor |
|||
Win10TweakerWarning = Muhtemelen işletim sisteminize Win 10 Tweaker arka kapısı yoluyla bulaştı |
|||
UnsupportedRelease = Yeni sürüm bulundu |
|||
CustomizationWarning = \nSophia Script'i çalıştırmadan önce Sophia.ps1 ön ayar dosyasındaki her işlevi özelleştirdiniz mi? |
|||
ControlledFolderAccessDisabled = Kontrollü klasör erişimi devre dışı bırakıldı |
|||
ScheduledTasks = Zamanlanan görevler |
|||
WindowsFeaturesTitle = Windows özellikleri |
|||
OptionalFeaturesTitle = İsteğe bağlı özellikler |
|||
EnableHardwareVT = UEFI'dan sanallaştırmayı aktifleştirin |
|||
UserShellFolderNotEmpty = "{0}" klasöründe bazı dosyalar kaldı. \nKendiniz yeni konuma taşıyın |
|||
RetrievingDrivesList = Sürücü listesi alınıyor... |
|||
DriveSelect = "{0}" klasörünün oluşturulacağı kök içindeki sürücüyü seçin |
|||
CurrentUserFolderLocation = Geçerli "{0}" klasör konumu: "{1}" |
|||
UserFolderRequest = "{0}" klasörünün yerini değiştirmek ister misiniz? |
|||
UserFolderSelect = "{0}" klasörü için bir klasör seçin |
|||
UserDefaultFolder = "{0}" klasörünün konumunu varsayılan değerle değiştirmek ister misiniz? |
|||
GraphicsPerformanceTitle = Grafik performans tercihi |
|||
GraphicsPerformanceRequest = Seçtiğiniz bir uygulamanın grafik performansı ayarını "Yüksek performans" olarak belirlemek ister misiniz? |
|||
TaskNotificationTitle = Bildirim |
|||
CleanupTaskNotificationTitle = Önemli Bilgi |
|||
CleanupTaskDescription = Kullanılmayan Windows dosyaları ve güncellemeleri yerleşik Disk Temizleme uygulaması ile temizleniyor |
|||
CleanupTaskNotificationEventTitle = Windows kullanılmayan dosyaları ve güncellemeleri temizlemek için görev çalıştırılsın mı? |
|||
CleanupTaskNotificationEvent = Windows temizliği uzun sürmeyecek. Bir dahaki sefer bildirim 30 gün içinde görünecek |
|||
CleanupTaskNotificationSnoozeInterval = Hatırlatma Aralığı Seçin |
|||
CleanupNotificationTaskDescription = Windows kullanılmayan dosyaları ve güncellemeleri temizleme hakkında açılır bildirim hatırlatıcısı |
|||
SoftwareDistributionTaskNotificationEvent = Windows güncelleme önbelleği başarıyla silindi |
|||
TempTaskNotificationEvent = Geçici dosyalar klasörü başarıyla temizlendi |
|||
FolderTaskDescription = "{0}" klasörü temizleniyor |
|||
EventViewerCustomViewName = Süreç Oluşturma |
|||
EventViewerCustomViewDescription = Süreç oluşturma ve komut satırı denetleme olayları |
|||
RestartWarning = Bilgisayarınızı yeniden başlattığınızdan emin olun |
|||
ErrorsLine = Satır |
|||
ErrorsFile = Dosya |
|||
ErrorsMessage = Hatalar/Uyarılar |
|||
Add = Ekle |
|||
AllFilesFilter = Tüm Dosyalar (*.*)|*.* |
|||
Browse = Gözat |
|||
Change = Değiştir |
|||
DialogBoxOpening = İletişim kutusu görüntüleniyor... |
|||
Disable = Devre dışı bırak |
|||
Enable = Aktif et |
|||
EXEFilesFilter = *.exe|*.exe|Tüm Dosyalar (*.*)|*.* |
|||
FolderSelect = Klasör seç |
|||
FilesWontBeMoved = Dosyalar taşınmayacak |
|||
FourHours = 4 Saat |
|||
HalfHour = 30 Dakika |
|||
Install = Yükle |
|||
Minute = 1 Dakika |
|||
NoData = Görüntülenecek bir şey yok |
|||
NoInternetConnection = İnternet bağlantısı yok |
|||
RestartFunction = Lütfen "{0}" işlevini yeniden çalıştırın |
|||
NoResponse = {0} ile bağlantı kurulamadı |
|||
No = Hayır |
|||
Yes = Evet |
|||
Open = Açık |
|||
Patient = Lütfen bekleyin... |
|||
Restore = Onar |
|||
Run = Başlat |
|||
SelectAll = Hepsini seç |
|||
Skip = Atla |
|||
Skipped = Atlandı |
|||
FileExplorerRestartPrompt = \nBazen değişikliklerin geçerli olması için Dosya Gezgini işleminin yeniden başlatılması gerekir |
|||
TelegramGroupTitle = Resmi Telegram grubumuza katılın |
|||
TelegramChannelTitle = Resmi Telegram kanalımıza katılın |
|||
Uninstall = Kaldır |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Bu betik sadece Windows 10 x64 destekliyor |
|||
UnsupportedOSBuild = Bu betik sadece Windows 10 1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = Sınırlı bir dil modunda çalışan PowerShell oturumu |
|||
LoggedInUserNotAdmin = Oturum açan kullanıcının yönetici hakları yok |
|||
UnsupportedPowerShell = Komut dosyasını PowerShell {0}.{1} aracılığıyla çalıştırmaya çalışıyorsunuz. Komut dosyasını uygun PowerShell sürümünde çalıştırın |
|||
UnsupportedISE = Komut dosyası, Windows PowerShell ISE üzerinden çalıştırmayı desteklemiyor |
|||
Win10TweakerWarning = Muhtemelen işletim sisteminize Win 10 Tweaker arka kapısı yoluyla bulaştı |
|||
UnsupportedRelease = Yeni sürüm bulundu |
|||
CustomizationWarning = \nSophia Script'i çalıştırmadan önce Sophia.ps1 ön ayar dosyasındaki her işlevi özelleştirdiniz mi? |
|||
ControlledFolderAccessDisabled = Kontrollü klasör erişimi devre dışı bırakıldı |
|||
ScheduledTasks = Zamanlanan görevler |
|||
WindowsFeaturesTitle = Windows özellikleri |
|||
OptionalFeaturesTitle = İsteğe bağlı özellikler |
|||
EnableHardwareVT = UEFI'dan sanallaştırmayı aktifleştirin |
|||
UserShellFolderNotEmpty = "{0}" klasöründe bazı dosyalar kaldı. \nKendiniz yeni konuma taşıyın |
|||
RetrievingDrivesList = Sürücü listesi alınıyor... |
|||
DriveSelect = "{0}" klasörünün oluşturulacağı kök içindeki sürücüyü seçin |
|||
CurrentUserFolderLocation = Geçerli "{0}" klasör konumu: "{1}" |
|||
UserFolderRequest = "{0}" klasörünün yerini değiştirmek ister misiniz? |
|||
UserFolderSelect = "{0}" klasörü için bir klasör seçin |
|||
UserDefaultFolder = "{0}" klasörünün konumunu varsayılan değerle değiştirmek ister misiniz? |
|||
GraphicsPerformanceTitle = Grafik performans tercihi |
|||
GraphicsPerformanceRequest = Seçtiğiniz bir uygulamanın grafik performansı ayarını "Yüksek performans" olarak belirlemek ister misiniz? |
|||
TaskNotificationTitle = Bildirim |
|||
CleanupTaskNotificationTitle = Önemli Bilgi |
|||
CleanupTaskDescription = Kullanılmayan Windows dosyaları ve güncellemeleri yerleşik Disk Temizleme uygulaması ile temizleniyor |
|||
CleanupTaskNotificationEventTitle = Windows kullanılmayan dosyaları ve güncellemeleri temizlemek için görev çalıştırılsın mı? |
|||
CleanupTaskNotificationEvent = Windows temizliği uzun sürmeyecek. Bir dahaki sefer bildirim 30 gün içinde görünecek |
|||
CleanupTaskNotificationSnoozeInterval = Hatırlatma Aralığı Seçin |
|||
CleanupNotificationTaskDescription = Windows kullanılmayan dosyaları ve güncellemeleri temizleme hakkında açılır bildirim hatırlatıcısı |
|||
SoftwareDistributionTaskNotificationEvent = Windows güncelleme önbelleği başarıyla silindi |
|||
TempTaskNotificationEvent = Geçici dosyalar klasörü başarıyla temizlendi |
|||
FolderTaskDescription = "{0}" klasörü temizleniyor |
|||
EventViewerCustomViewName = Süreç Oluşturma |
|||
EventViewerCustomViewDescription = Süreç oluşturma ve komut satırı denetleme olayları |
|||
RestartWarning = Bilgisayarınızı yeniden başlattığınızdan emin olun |
|||
ErrorsLine = Satır |
|||
ErrorsFile = Dosya |
|||
ErrorsMessage = Hatalar/Uyarılar |
|||
Add = Ekle |
|||
AllFilesFilter = Tüm Dosyalar (*.*)|*.* |
|||
Browse = Gözat |
|||
Change = Değiştir |
|||
DialogBoxOpening = İletişim kutusu görüntüleniyor... |
|||
Disable = Devre dışı bırak |
|||
Enable = Aktif et |
|||
EXEFilesFilter = *.exe|*.exe|Tüm Dosyalar (*.*)|*.* |
|||
FolderSelect = Klasör seç |
|||
FilesWontBeMoved = Dosyalar taşınmayacak |
|||
FourHours = 4 Saat |
|||
HalfHour = 30 Dakika |
|||
Install = Yükle |
|||
Minute = 1 Dakika |
|||
NoData = Görüntülenecek bir şey yok |
|||
NoInternetConnection = İnternet bağlantısı yok |
|||
RestartFunction = Lütfen "{0}" işlevini yeniden çalıştırın |
|||
NoResponse = {0} ile bağlantı kurulamadı |
|||
No = Hayır |
|||
Yes = Evet |
|||
Open = Açık |
|||
Patient = Lütfen bekleyin... |
|||
Restore = Onar |
|||
Run = Başlat |
|||
SelectAll = Hepsini seç |
|||
Skip = Atla |
|||
Skipped = Atlandı |
|||
FileExplorerRestartPrompt = \nBazen değişikliklerin geçerli olması için Dosya Gezgini işleminin yeniden başlatılması gerekir |
|||
TelegramGroupTitle = Resmi Telegram grubumuza katılın |
|||
TelegramChannelTitle = Resmi Telegram kanalımıza katılın |
|||
Uninstall = Kaldır |
|||
'@ |
@ -1,72 +1,72 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Скрипт підтримує тільки Windows 10 x64 |
|||
UnsupportedOSBuild = Скрипт підтримує тільки Windows 10 1809 версії Enterprise LTSC |
|||
UnsupportedLanguageMode = Сесія PowerShell працює в обмеженому режимі |
|||
LoggedInUserNotAdmin = Поточний увійшов користувач не володіє правами адміністратора |
|||
UnsupportedPowerShell = Ви намагаєтеся запустити скрипт в PowerShell {0}.{1}. Запустіть скрипт у відповідній версії PowerShell |
|||
UnsupportedISE = Скрипт не підтримує роботу через Windows PowerShell ISE |
|||
Win10TweakerWarning = Ваша ОС, можливо, через бекдор в Win 10 Tweaker заражена трояном |
|||
UnsupportedRelease = Виявлено нову версію |
|||
CustomizationWarning = \nВи налаштували всі функції в пресет-файлі Sophia.ps1 перед запуском Sophia Script? |
|||
ControlledFolderAccessDisabled = Контрольований доступ до папок вимкнений |
|||
ScheduledTasks = Заплановані задачі |
|||
WindowsFeaturesTitle = Компоненти Windows |
|||
OptionalFeaturesTitle = Додаткові компоненти |
|||
EnableHardwareVT = Увімкніть віртуалізацію в UEFI |
|||
UserShellFolderNotEmpty = У папці "{0}" залишились файли. Перемістіть їх вручну у нове розташування |
|||
RetrievingDrivesList = Отримання списку дисків... |
|||
DriveSelect = Виберіть диск, в корні якого буде створена папка для "{0}" |
|||
CurrentUserFolderLocation = Текуще розташування папок "{0}": "{1}" |
|||
UserFolderRequest = Хочете змінити розташування папки "{0}"? |
|||
UserFolderSelect = Виберіть папку для "{0}" |
|||
UserDefaultFolder = Хочете змінити розташування папки "{0}" на значення за замовчуванням? |
|||
GraphicsPerformanceTitle = Налаштування продуктивності графіки |
|||
GraphicsPerformanceRequest = Встановити для будь-якої програми за вашим вибором налаштування продуктивності графіки на "Висока продуктивність"? |
|||
TaskNotificationTitle = Cповіщення |
|||
CleanupTaskNotificationTitle = Важлива інформація |
|||
CleanupTaskDescription = Очищення зайвих файлів і оновлень Windows, використовуючи вбудовану програму очищення диска |
|||
CleanupTaskNotificationEventTitle = Запустити задачу по очищенню зайвих файлів і оновлень Windows? |
|||
CleanupTaskNotificationEvent = Очищення Windows не займе багато часу. Наступний раз це повідомлення з'явиться через 30 днів |
|||
CleanupTaskNotificationSnoozeInterval = Виберіть інтервал повтору повідомлення |
|||
CleanupNotificationTaskDescription = Спливаюче повідомлення про нагадуванні з очищення зайвих файлів і оновлень Windows |
|||
SoftwareDistributionTaskNotificationEvent = Кеш оновлень Windows успішно видалений |
|||
TempTaskNotificationEvent = Папка тимчасових файлів успішно очищена |
|||
FolderTaskDescription = Очищення папки "{0}" |
|||
EventViewerCustomViewName = Створення процесу |
|||
EventViewerCustomViewDescription = Події створення нового процесу і аудит командного рядка |
|||
RestartWarning = Обов'язково перезавантажте ваш ПК |
|||
ErrorsLine = Рядок |
|||
ErrorsFile = Файл |
|||
ErrorsMessage = Помилки/попередження |
|||
Add = Додати |
|||
AllFilesFilter = Усі файли (*.*)|*.* |
|||
Browse = Переглядати |
|||
Change = Змінити |
|||
DialogBoxOpening = Діалогове вікно відкривається... |
|||
Disable = Вимкнути |
|||
Enable = Увімкнути |
|||
EXEFilesFilter = *.exe|*.exe|Усі файли (*.*)|*.* |
|||
FolderSelect = Виберіть папку |
|||
FilesWontBeMoved = Файли не будуть перенесені |
|||
FourHours = 4 години |
|||
HalfHour = 30 хвилин |
|||
Install = Встановити |
|||
Minute = 1 хвилина |
|||
NoData = Відсутні дані |
|||
NoInternetConnection = Відсутнє інтернет-з'єднання |
|||
RestartFunction = Будь ласка, повторно запустіть функцію "{0}" |
|||
NoResponse = Не вдалося встановити зв’язок із {0} |
|||
No = Немає |
|||
Yes = Так |
|||
Open = Відкрити |
|||
Patient = Будь ласка, зачекайте... |
|||
Restore = Відновити |
|||
Run = Запустити |
|||
SelectAll = Вибрати все |
|||
Skip = Пропустити |
|||
Skipped = Пропущено |
|||
FileExplorerRestartPrompt = \nІноді для того, щоб зміни вступили в силу, процес провідника необхідно перезапустити |
|||
TelegramGroupTitle = Приєднуйтесь до нашої офіційної групи в Telegram |
|||
TelegramChannelTitle = Приєднуйтесь до нашого офіційного каналу в Telegram |
|||
Uninstall = Видалити |
|||
'@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Скрипт підтримує тільки Windows 10 x64 |
|||
UnsupportedOSBuild = Скрипт підтримує тільки Windows 10 1809 версії Enterprise LTSC |
|||
UnsupportedLanguageMode = Сесія PowerShell працює в обмеженому режимі |
|||
LoggedInUserNotAdmin = Поточний увійшов користувач не володіє правами адміністратора |
|||
UnsupportedPowerShell = Ви намагаєтеся запустити скрипт в PowerShell {0}.{1}. Запустіть скрипт у відповідній версії PowerShell |
|||
UnsupportedISE = Скрипт не підтримує роботу через Windows PowerShell ISE |
|||
Win10TweakerWarning = Ваша ОС, можливо, через бекдор в Win 10 Tweaker заражена трояном |
|||
UnsupportedRelease = Виявлено нову версію |
|||
CustomizationWarning = \nВи налаштували всі функції в пресет-файлі Sophia.ps1 перед запуском Sophia Script? |
|||
ControlledFolderAccessDisabled = Контрольований доступ до папок вимкнений |
|||
ScheduledTasks = Заплановані задачі |
|||
WindowsFeaturesTitle = Компоненти Windows |
|||
OptionalFeaturesTitle = Додаткові компоненти |
|||
EnableHardwareVT = Увімкніть віртуалізацію в UEFI |
|||
UserShellFolderNotEmpty = У папці "{0}" залишились файли. Перемістіть їх вручну у нове розташування |
|||
RetrievingDrivesList = Отримання списку дисків... |
|||
DriveSelect = Виберіть диск, в корні якого буде створена папка для "{0}" |
|||
CurrentUserFolderLocation = Текуще розташування папок "{0}": "{1}" |
|||
UserFolderRequest = Хочете змінити розташування папки "{0}"? |
|||
UserFolderSelect = Виберіть папку для "{0}" |
|||
UserDefaultFolder = Хочете змінити розташування папки "{0}" на значення за замовчуванням? |
|||
GraphicsPerformanceTitle = Налаштування продуктивності графіки |
|||
GraphicsPerformanceRequest = Встановити для будь-якої програми за вашим вибором налаштування продуктивності графіки на "Висока продуктивність"? |
|||
TaskNotificationTitle = Cповіщення |
|||
CleanupTaskNotificationTitle = Важлива інформація |
|||
CleanupTaskDescription = Очищення зайвих файлів і оновлень Windows, використовуючи вбудовану програму очищення диска |
|||
CleanupTaskNotificationEventTitle = Запустити задачу по очищенню зайвих файлів і оновлень Windows? |
|||
CleanupTaskNotificationEvent = Очищення Windows не займе багато часу. Наступний раз це повідомлення з'явиться через 30 днів |
|||
CleanupTaskNotificationSnoozeInterval = Виберіть інтервал повтору повідомлення |
|||
CleanupNotificationTaskDescription = Спливаюче повідомлення про нагадуванні з очищення зайвих файлів і оновлень Windows |
|||
SoftwareDistributionTaskNotificationEvent = Кеш оновлень Windows успішно видалений |
|||
TempTaskNotificationEvent = Папка тимчасових файлів успішно очищена |
|||
FolderTaskDescription = Очищення папки "{0}" |
|||
EventViewerCustomViewName = Створення процесу |
|||
EventViewerCustomViewDescription = Події створення нового процесу і аудит командного рядка |
|||
RestartWarning = Обов'язково перезавантажте ваш ПК |
|||
ErrorsLine = Рядок |
|||
ErrorsFile = Файл |
|||
ErrorsMessage = Помилки/попередження |
|||
Add = Додати |
|||
AllFilesFilter = Усі файли (*.*)|*.* |
|||
Browse = Переглядати |
|||
Change = Змінити |
|||
DialogBoxOpening = Діалогове вікно відкривається... |
|||
Disable = Вимкнути |
|||
Enable = Увімкнути |
|||
EXEFilesFilter = *.exe|*.exe|Усі файли (*.*)|*.* |
|||
FolderSelect = Виберіть папку |
|||
FilesWontBeMoved = Файли не будуть перенесені |
|||
FourHours = 4 години |
|||
HalfHour = 30 хвилин |
|||
Install = Встановити |
|||
Minute = 1 хвилина |
|||
NoData = Відсутні дані |
|||
NoInternetConnection = Відсутнє інтернет-з'єднання |
|||
RestartFunction = Будь ласка, повторно запустіть функцію "{0}" |
|||
NoResponse = Не вдалося встановити зв’язок із {0} |
|||
No = Немає |
|||
Yes = Так |
|||
Open = Відкрити |
|||
Patient = Будь ласка, зачекайте... |
|||
Restore = Відновити |
|||
Run = Запустити |
|||
SelectAll = Вибрати все |
|||
Skip = Пропустити |
|||
Skipped = Пропущено |
|||
FileExplorerRestartPrompt = \nІноді для того, щоб зміни вступили в силу, процес провідника необхідно перезапустити |
|||
TelegramGroupTitle = Приєднуйтесь до нашої офіційної групи в Telegram |
|||
TelegramChannelTitle = Приєднуйтесь до нашого офіційного каналу в Telegram |
|||
Uninstall = Видалити |
|||
'@ |
@ -1,72 +1,72 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = 该脚本仅支持Windows 10 x64 |
|||
UnsupportedOSBuild = 该脚本支持Windows 10版本1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = PowerShell会话在有限的语言模式下运行 |
|||
LoggedInUserNotAdmin = 登录的用户没有管理员的权利 |
|||
UnsupportedPowerShell = 你想通过PowerShell {0}.{1}运行脚本。在适当的PowerShell版本中运行该脚本 |
|||
UnsupportedISE = 该脚本不支持通过Windows PowerShell ISE运行 |
|||
Win10TweakerWarning = 可能你的操作系统是通过“Win 10 Tweaker”后门感染的 |
|||
UnsupportedRelease = 找到新版本 |
|||
CustomizationWarning = \n在运行Sophia Script之前,您是否已自定义Sophia.ps1预设文件中的每个函数? |
|||
ControlledFolderAccessDisabled = “受控文件夹访问”已禁用 |
|||
ScheduledTasks = 计划任务 |
|||
WindowsFeaturesTitle = Windows功能 |
|||
OptionalFeaturesTitle = 可选功能 |
|||
EnableHardwareVT = UEFI中开启虚拟化 |
|||
UserShellFolderNotEmpty = 一些文件留在了“{0}“文件夹。请手动将它们移到一个新位置 |
|||
RetrievingDrivesList = 取得驱动器列表…… |
|||
DriveSelect = 选择将在其根目录中创建“{0}“文件夹的驱动器 |
|||
CurrentUserFolderLocation = 当前"{0}"文件夹的位置:"{1}" |
|||
UserFolderRequest = 是否要更改“{0}“文件夹位置? |
|||
UserFolderSelect = 为“{0}”文件夹选择一个文件夹 |
|||
UserDefaultFolder = 您想将“{0}”文件夹的位置更改为默认值吗? |
|||
GraphicsPerformanceTitle = 图形性能偏好 |
|||
GraphicsPerformanceRequest = 是否将所选应用程序的图形性能设置设为"高性能"? |
|||
TaskNotificationTitle = 通知 |
|||
CleanupTaskNotificationTitle = 重要信息 |
|||
CleanupTaskDescription = 使用内置磁盘清理工具清理未使用的Windows文件和更新 |
|||
CleanupTaskNotificationEventTitle = 运行任务以清理Windows未使用的文件和更新? |
|||
CleanupTaskNotificationEvent = Windows清理不会花很长时间。下次通知将在30天内显示 |
|||
CleanupTaskNotificationSnoozeInterval = 选择提醒间隔 |
|||
CleanupNotificationTaskDescription = 关于清理Windows未使用的文件和更新的弹出通知提醒 |
|||
SoftwareDistributionTaskNotificationEvent = Windows更新缓存已成功删除 |
|||
TempTaskNotificationEvent = 临时文件文件夹已成功清理 |
|||
FolderTaskDescription = “{0}”文件夹清理 |
|||
EventViewerCustomViewName = 进程创建 |
|||
EventViewerCustomViewDescription = 进程创建和命令行审核事件 |
|||
RestartWarning = 确保重启电脑 |
|||
ErrorsLine = 行 |
|||
ErrorsFile = 文件 |
|||
ErrorsMessage = 错误/警告 |
|||
Add = 添加 |
|||
AllFilesFilter = 所有文件 (*.*)|*.* |
|||
Browse = 浏览 |
|||
Change = 更改 |
|||
DialogBoxOpening = 显示对话窗口…… |
|||
Disable = 禁用 |
|||
Enable = 启用 |
|||
EXEFilesFilter = *.exe|*.exe|所有文件 (*.*)|*.* |
|||
FolderSelect = 选择一个文件夹 |
|||
FilesWontBeMoved = 文件将不会被移动 |
|||
FourHours = 4个小时 |
|||
HalfHour = 30分钟 |
|||
Install = 安装 |
|||
Minute = 1分钟 |
|||
NoData = 无数据 |
|||
NoInternetConnection = 无网络连接 |
|||
RestartFunction = 请重新运行"{0}"函数 |
|||
NoResponse = 无法建立{0} |
|||
No = 不 |
|||
Yes = 是的 |
|||
Open = 打开 |
|||
Patient = 请等待…… |
|||
Restore = 恢复 |
|||
Run = 运行 |
|||
SelectAll = 全选 |
|||
Skip = 跳过 |
|||
Skipped = 已跳过 |
|||
FileExplorerRestartPrompt = \n有时,为了使更改生效,必须重新启动文件管理器进程 |
|||
TelegramGroupTitle = 加入我们的官方Telegram 群 |
|||
TelegramChannelTitle = 加入我们的官方Telegram 频道 |
|||
Uninstall = 卸载 |
|||
'@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = 该脚本仅支持Windows 10 x64 |
|||
UnsupportedOSBuild = 该脚本支持Windows 10版本1809 Enterprise LTSC |
|||
UnsupportedLanguageMode = PowerShell会话在有限的语言模式下运行 |
|||
LoggedInUserNotAdmin = 登录的用户没有管理员的权利 |
|||
UnsupportedPowerShell = 你想通过PowerShell {0}.{1}运行脚本。在适当的PowerShell版本中运行该脚本 |
|||
UnsupportedISE = 该脚本不支持通过Windows PowerShell ISE运行 |
|||
Win10TweakerWarning = 可能你的操作系统是通过“Win 10 Tweaker”后门感染的 |
|||
UnsupportedRelease = 找到新版本 |
|||
CustomizationWarning = \n在运行Sophia Script之前,您是否已自定义Sophia.ps1预设文件中的每个函数? |
|||
ControlledFolderAccessDisabled = “受控文件夹访问”已禁用 |
|||
ScheduledTasks = 计划任务 |
|||
WindowsFeaturesTitle = Windows功能 |
|||
OptionalFeaturesTitle = 可选功能 |
|||
EnableHardwareVT = UEFI中开启虚拟化 |
|||
UserShellFolderNotEmpty = 一些文件留在了“{0}“文件夹。请手动将它们移到一个新位置 |
|||
RetrievingDrivesList = 取得驱动器列表…… |
|||
DriveSelect = 选择将在其根目录中创建“{0}“文件夹的驱动器 |
|||
CurrentUserFolderLocation = 当前"{0}"文件夹的位置:"{1}" |
|||
UserFolderRequest = 是否要更改“{0}“文件夹位置? |
|||
UserFolderSelect = 为“{0}”文件夹选择一个文件夹 |
|||
UserDefaultFolder = 您想将“{0}”文件夹的位置更改为默认值吗? |
|||
GraphicsPerformanceTitle = 图形性能偏好 |
|||
GraphicsPerformanceRequest = 是否将所选应用程序的图形性能设置设为"高性能"? |
|||
TaskNotificationTitle = 通知 |
|||
CleanupTaskNotificationTitle = 重要信息 |
|||
CleanupTaskDescription = 使用内置磁盘清理工具清理未使用的Windows文件和更新 |
|||
CleanupTaskNotificationEventTitle = 运行任务以清理Windows未使用的文件和更新? |
|||
CleanupTaskNotificationEvent = Windows清理不会花很长时间。下次通知将在30天内显示 |
|||
CleanupTaskNotificationSnoozeInterval = 选择提醒间隔 |
|||
CleanupNotificationTaskDescription = 关于清理Windows未使用的文件和更新的弹出通知提醒 |
|||
SoftwareDistributionTaskNotificationEvent = Windows更新缓存已成功删除 |
|||
TempTaskNotificationEvent = 临时文件文件夹已成功清理 |
|||
FolderTaskDescription = “{0}”文件夹清理 |
|||
EventViewerCustomViewName = 进程创建 |
|||
EventViewerCustomViewDescription = 进程创建和命令行审核事件 |
|||
RestartWarning = 确保重启电脑 |
|||
ErrorsLine = 行 |
|||
ErrorsFile = 文件 |
|||
ErrorsMessage = 错误/警告 |
|||
Add = 添加 |
|||
AllFilesFilter = 所有文件 (*.*)|*.* |
|||
Browse = 浏览 |
|||
Change = 更改 |
|||
DialogBoxOpening = 显示对话窗口…… |
|||
Disable = 禁用 |
|||
Enable = 启用 |
|||
EXEFilesFilter = *.exe|*.exe|所有文件 (*.*)|*.* |
|||
FolderSelect = 选择一个文件夹 |
|||
FilesWontBeMoved = 文件将不会被移动 |
|||
FourHours = 4个小时 |
|||
HalfHour = 30分钟 |
|||
Install = 安装 |
|||
Minute = 1分钟 |
|||
NoData = 无数据 |
|||
NoInternetConnection = 无网络连接 |
|||
RestartFunction = 请重新运行"{0}"函数 |
|||
NoResponse = 无法建立{0} |
|||
No = 不 |
|||
Yes = 是的 |
|||
Open = 打开 |
|||
Patient = 请等待…… |
|||
Restore = 恢复 |
|||
Run = 运行 |
|||
SelectAll = 全选 |
|||
Skip = 跳过 |
|||
Skipped = 已跳过 |
|||
FileExplorerRestartPrompt = \n有时,为了使更改生效,必须重新启动文件管理器进程 |
|||
TelegramGroupTitle = 加入我们的官方Telegram 群 |
|||
TelegramChannelTitle = 加入我们的官方Telegram 频道 |
|||
Uninstall = 卸载 |
|||
'@ |
@ -1,20 +1,20 @@ |
|||
@{ |
|||
RootModule = '..\Module\Sophia.psm1' |
|||
ModuleVersion = '5.2.16' |
|||
GUID = 'a36a65ca-70f9-43df-856c-3048fc5e7f01' |
|||
Author = 'Dmitry "farag" Nefedov' |
|||
Copyright = '(c) 2014—2021 farag & Inestic. All rights reserved' |
|||
Description = 'Module for Windows fine-tuning and automating the routine tasks' |
|||
PowerShellVersion = '5.1' |
|||
ProcessorArchitecture = 'AMD64' |
|||
FunctionsToExport = '*' |
|||
|
|||
PrivateData = @{ |
|||
PSData = @{ |
|||
LicenseUri = 'https://github.com/farag2/Sophia-Script-for-Windows/blob/master/LICENSE' |
|||
ProjectUri = 'https://github.com/farag2/Sophia-Script-for-Windows' |
|||
IconUri = 'https://raw.githubusercontent.com/farag2/Sophia-Script-for-Windows/master/img/Sophia.png' |
|||
ReleaseNotes = 'https://github.com/farag2/Sophia-Script-for-Windows/blob/master/CHANGELOG.md' |
|||
} |
|||
} |
|||
} |
|||
@{ |
|||
RootModule = '..\Module\Sophia.psm1' |
|||
ModuleVersion = '5.2.16' |
|||
GUID = 'a36a65ca-70f9-43df-856c-3048fc5e7f01' |
|||
Author = 'Dmitry "farag" Nefedov' |
|||
Copyright = '(c) 2014—2021 farag & Inestic. All rights reserved' |
|||
Description = 'Module for Windows fine-tuning and automating the routine tasks' |
|||
PowerShellVersion = '5.1' |
|||
ProcessorArchitecture = 'AMD64' |
|||
FunctionsToExport = '*' |
|||
|
|||
PrivateData = @{ |
|||
PSData = @{ |
|||
LicenseUri = 'https://github.com/farag2/Sophia-Script-for-Windows/blob/master/LICENSE' |
|||
ProjectUri = 'https://github.com/farag2/Sophia-Script-for-Windows' |
|||
IconUri = 'https://raw.githubusercontent.com/farag2/Sophia-Script-for-Windows/master/img/Sophia.png' |
|||
ReleaseNotes = 'https://github.com/farag2/Sophia-Script-for-Windows/blob/master/CHANGELOG.md' |
|||
} |
|||
} |
|||
} |
File diff suppressed because it is too large
File diff suppressed because it is too large
@ -0,0 +1,134 @@ |
|||
<# |
|||
.SYNOPSIS |
|||
The TAB completion for functions and their arguments |
|||
|
|||
Version: v5.12.6 |
|||
Date: 21.11.2021 |
|||
|
|||
Copyright (c) 2014—2021 farag |
|||
Copyright (c) 2019—2021 farag & Inestic |
|||
|
|||
Thanks to all https://forum.ru-board.com members involved |
|||
|
|||
.DESCRIPTION |
|||
Dot source the script first: . .\Function.ps1 (with a dot at the beginning) |
|||
Start typing any characters contained in the function's name or its arguments, and press the TAB button |
|||
|
|||
.EXAMPLE |
|||
Sophia -Functions <tab> |
|||
Sophia -Functions temp<tab> |
|||
Sophia -Functions "DiagTrackService -Disable", "DiagnosticDataLevel -Minimal" |
|||
|
|||
.NOTES |
|||
Set execution policy to be able to run scripts only in the current PowerShell session: |
|||
Set-ExecutionPolicy -ExecutionPolicy Bypass -Scope Process -Force |
|||
|
|||
.NOTES |
|||
Separate functions with a comma |
|||
|
|||
.LINK |
|||
https://github.com/farag2/Sophia-Script-for-Windows |
|||
#> |
|||
|
|||
#Requires -RunAsAdministrator |
|||
#Requires -Version 5.1 |
|||
|
|||
function Sophia |
|||
{ |
|||
[CmdletBinding()] |
|||
param |
|||
( |
|||
[Parameter(Mandatory = $false)] |
|||
[string[]] |
|||
$Functions |
|||
) |
|||
|
|||
foreach ($Function in $Functions) |
|||
{ |
|||
Invoke-Expression -Command $Function |
|||
} |
|||
|
|||
# The "RefreshEnvironment" and "Errors" functions will be executed at the end |
|||
Invoke-Command -ScriptBlock {RefreshEnvironment; Errors} |
|||
} |
|||
|
|||
Clear-Host |
|||
|
|||
$Host.UI.RawUI.WindowTitle = "Sophia Script for Windows 10 v5.12.6 | Made with $([char]::ConvertFromUtf32(0x1F497)) of Windows | $([char]0x00A9) farag & Inestic, 2014$([char]0x2013)2021" |
|||
|
|||
Remove-Module -Name Sophia -Force -ErrorAction Ignore |
|||
Import-Module -Name $PSScriptRoot\Manifest\Sophia.psd1 -PassThru -Force |
|||
|
|||
Import-LocalizedData -BindingVariable Global:Localization -FileName Sophia -BaseDirectory $PSScriptRoot\Localizations |
|||
|
|||
# The mandatory checkings. Please, do not comment out this function |
|||
# Обязательные проверки. Пожалуйста, не комментируйте данную функцию |
|||
Checkings |
|||
|
|||
$Parameters = @{ |
|||
CommandName = "Sophia" |
|||
ParameterName = "Functions" |
|||
ScriptBlock = { |
|||
param |
|||
( |
|||
$commandName, |
|||
$parameterName, |
|||
$wordToComplete, |
|||
$commandAst, |
|||
$fakeBoundParameters |
|||
) |
|||
|
|||
# Get functions list with arguments to complete |
|||
$Commands = (Get-Module -Name Sophia).ExportedCommands.Keys |
|||
foreach ($Command in $Commands) |
|||
{ |
|||
$ParameterSets = (Get-Command -Name $Command).Parametersets.Parameters | Where-Object -FilterScript {$null -eq $_.Attributes.AliasNames} |
|||
|
|||
# If a module command is PinToStart |
|||
if ($Command -eq "PinToStart") |
|||
{ |
|||
# Get all command arguments, excluding defaults |
|||
foreach ($ParameterSet in $ParameterSets.Name) |
|||
{ |
|||
# If an argument is Tiles |
|||
if ($ParameterSet -eq "Tiles") |
|||
{ |
|||
$ValidValues = ((Get-Command -Name PinToStart).Parametersets.Parameters | Where-Object -FilterScript {$null -eq $_.Attributes.AliasNames}).Attributes.ValidValues |
|||
foreach ($ValidValue in $ValidValues) |
|||
{ |
|||
# The "PinToStart -Tiles <function>" construction |
|||
"PinToStart" + " " + "-" + $ParameterSet + " " + $ValidValue | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""} |
|||
} |
|||
|
|||
# The "PinToStart -Tiles <functions>" construction |
|||
"PinToStart" + " " + "-" + $ParameterSet + " " + ($ValidValues -join ", ") | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""} |
|||
} |
|||
|
|||
continue |
|||
} |
|||
} |
|||
|
|||
foreach ($ParameterSet in $ParameterSets.Name) |
|||
{ |
|||
# The "Function -Argument" construction |
|||
$Command + " " + "-" + $ParameterSet | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""} |
|||
|
|||
continue |
|||
} |
|||
|
|||
# Get functions list without arguments to complete |
|||
Get-Command -Name $Command | Where-Object -FilterScript {$null -eq $_.Parametersets.Parameters} | Where-Object -FilterScript {$_.Name -like "*$wordToComplete*"} |
|||
|
|||
continue |
|||
} |
|||
} |
|||
} |
|||
Register-ArgumentCompleter @Parameters |
|||
|
|||
Write-Information -MessageData "" -InformationAction Continue |
|||
Write-Verbose -Message "Sophia -Functions <tab>" -Verbose |
|||
Write-Verbose -Message "Sophia -Functions temp<tab>" -Verbose |
|||
Write-Verbose -Message "Sophia -Functions `"DiagTrackService -Disable`", `"DiagnosticDataLevel -Minimal`"" -Verbose |
|||
Write-Information -MessageData "" -InformationAction Continue |
|||
Write-Verbose -Message "UninstallUWPApps, `"PinToStart -UnpinAll`"" -Verbose |
|||
Write-Verbose -Message "`"Set-Association -ProgramPath ```"%ProgramFiles%\Notepad++\notepad++.exe```" -Extension .txt -Icon ```"%ProgramFiles%\Notepad++\notepad++.exe,0```"`"" -Verbose |
@ -0,0 +1,83 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Das Skript unterstützt nur Windows 10 x64 |
|||
UnsupportedOSBuild = Das Skript unterstützt Windows 10 2004/20H2/21H1/21H2-Versionen |
|||
UpdateWarning = Das kumulative Windows 10-Update wurde installiert: {0}. Unterstütztes kumulatives Update: 1151 und höher |
|||
UnsupportedLanguageMode = Die PowerShell-Sitzung wird in einem eingeschränkten Sprachmodus ausgeführt |
|||
LoggedInUserNotAdmin = Der angemeldete Benutzer hat keine Administratorrechte |
|||
UnsupportedPowerShell = Sie versuchen ein Skript über PowerShell {0}.{1} auszuführen. Das Skript in der entsprechenden PowerShell-Version ausführen |
|||
UnsupportedISE = Das Skript unterstützt nicht die Ausführung über Windows PowerShell ISE |
|||
Win10TweakerWarning = Wahrscheinlich wurde Ihr Betriebssystem über die Win 10 Tweaker-Hintertür infiziert |
|||
Windows10DebloaterWarning = Die Stabilität des Windows-Betriebssystems kann durch die Verwendung des Windows10Debloater PowerShell-Skripts von Sycnex beeinträchtigt worden sein. Installieren Sie vorsorglich das gesamte Betriebssystem neu |
|||
UnsupportedRelease = Neue Version gefunden |
|||
CustomizationWarning = \nHaben Sie alle Funktionen in der voreingestellten Datei Sophia.ps1 angepasst, bevor Sie Sophia Script ausführen? |
|||
ControlledFolderAccessDisabled = Kontrollierter Ordnerzugriff deaktiviert |
|||
ScheduledTasks = Geplante Aufgaben |
|||
OneDriveUninstalling = OneDrive deinstallieren… |
|||
OneDriveInstalling = OneDrive installieren… |
|||
OneDriveDownloading = OneDrive herunterladen… ~33 MB |
|||
OneDriveWarning = Die "{0}"-Funktion wird nur angewendet, wenn die Voreinstellung so konfiguriert ist, dass OneDrive entfernt wird, andernfalls wird die Backup-Funktionalität für die Ordner "Desktop" und "Bilder" in OneDrive unterbrochen |
|||
WindowsFeaturesTitle = Windows-Features |
|||
OptionalFeaturesTitle = Optionale Features |
|||
EnableHardwareVT = Virtualisierung in UEFI aktivieren |
|||
UserShellFolderNotEmpty = Im Ordner "{0}" befinden sich noch Dateien \nVerschieben Sie sie manuell an einen neuen Ort |
|||
RetrievingDrivesList = Laufwerksliste abrufen… |
|||
DriveSelect = Wählen Sie das Laufwerk aus, in dessen Stammverzeichnis der Ordner "{0}" erstellt werden soll |
|||
CurrentUserFolderLocation = Der aktuelle Speicherort des Ordners "{0}" lautet: "{1}" |
|||
UserFolderRequest = Möchten Sie den Speicherort des Ordners "{0}" ändern? |
|||
UserFolderSelect = Wählen Sie einen Ordner für den Ordner "{0}" |
|||
UserDefaultFolder = Möchten Sie den Speicherort des Ordners "{0}" auf den Standardwert ändern? |
|||
ReservedStorageIsInUse = Dieser Vorgang wird nicht unterstützt, wenn reservierter Speicher verwendet wird\nBitte führen Sie die Funktion "{0}" nach dem PC-Neustart erneut aus |
|||
ShortcutPinning = Die Verknüpfung "{0}" wird an Start angeheftet… |
|||
UninstallUWPForAll = Für alle Benutzer |
|||
UWPAppsTitle = UWP-Apps |
|||
HEVCDownloading = HEVC-Videoerweiterungen vom Gerätehersteller herunterladen… ~2,8 MB |
|||
GraphicsPerformanceTitle = Bevorzugte Grafikleistung |
|||
GraphicsPerformanceRequest = Möchten Sie die Einstellung der Grafikleistung einer App Ihrer Wahl auf "Hohe Leistung" einstellen? |
|||
TaskNotificationTitle = Benachrichtigung |
|||
CleanupTaskNotificationTitle = Wichtige Informationen |
|||
CleanupTaskDescription = Bereinigung von nicht verwendeten Windows-Dateien und Updates mit der integrierten Festplattenbereinigung |
|||
CleanupTaskNotificationEventTitle = Aufgabe zum Bereinigen nicht verwendeter Windows-Dateien und -Updates ausführen? |
|||
CleanupTaskNotificationEvent = Die Bereinigung von Windows wird nicht lange dauern. Das nächste Mal wird diese Benachrichtigung in 30 Tagen erscheinen |
|||
CleanupTaskNotificationSnoozeInterval = Ein Erinnerungsintervall auswählen |
|||
CleanupNotificationTaskDescription = Popup-Benachrichtigung zur Erinnerung an die Bereinigung von nicht verwendeten Windows-Dateien und Updates |
|||
SoftwareDistributionTaskNotificationEvent = Der Windows Update-Cache wurde erfolgreich gelöscht |
|||
TempTaskNotificationEvent = Der Ordner mit den temporären Dateien wurde erfolgreich bereinigt |
|||
FolderTaskDescription = Ordner "{0}" bereinigen |
|||
EventViewerCustomViewName = Prozesserstellung |
|||
EventViewerCustomViewDescription = Prozesserstellungen und Befehlszeilen-Auditing-Ereignisse |
|||
RestartWarning = Sicherstellen, dass Sie Ihren PC neu starten |
|||
ErrorsLine = Zeile |
|||
ErrorsFile = Datei |
|||
ErrorsMessage = Fehler/Warnungen |
|||
Add = Hinzufügen |
|||
AllFilesFilter = Alle Dateien (*.*)|*.* |
|||
Browse = Durchsuchen |
|||
Change = Ändern |
|||
DialogBoxOpening = Anzeigen des Dialogfensters… |
|||
Disable = Deaktivieren |
|||
Enable = Aktivieren |
|||
EXEFilesFilter = *.exe|*.exe|Alle Dateien (*.*)|*.* |
|||
FolderSelect = Einen Ordner auswählen |
|||
FilesWontBeMoved = Dateien werden nicht verschoben |
|||
FourHours = 4 Stunden |
|||
HalfHour = 30 Minuten |
|||
Install = Installieren |
|||
Minute = 1 Minute |
|||
NoData = Nichts anzuzeigen |
|||
NoInternetConnection = Keine Internetverbindung |
|||
RestartFunction = Bitte die Funktion "{0}" neustarten |
|||
NoResponse = Eine Verbindung mit {0} konnte nicht hergestellt werden |
|||
No = Nein |
|||
Yes = Ja |
|||
Open = Öffnen |
|||
Patient = Bitte warten… |
|||
Restore = Wiederherstellen |
|||
Run = Starten |
|||
SelectAll = Alle auswählen |
|||
Skip = Überspringen |
|||
Skipped = Übersprungen |
|||
FileExplorerRestartPrompt = \nManchmal muss der Datei-Explorer neu gestartet werden, damit die Änderungen wirksam werden |
|||
TelegramGroupTitle = Treten Sie unserer offiziellen Telegram-Gruppe bei |
|||
TelegramChannelTitle = Treten Sie unserem offiziellen Telegram-Kanal bei |
|||
Uninstall = Deinstallieren |
|||
'@ |
@ -0,0 +1,83 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = The script supports Windows 10 x64 only |
|||
UnsupportedOSBuild = The script supports Windows 10 2004/20H2/21H1/21H2 versions |
|||
UpdateWarning = Windows 10 cumulative update installed: {0}. Supported cumulative update: 1151 and higher |
|||
UnsupportedLanguageMode = The PowerShell session in running in a limited language mode |
|||
LoggedInUserNotAdmin = The logged-on user doesn't have admin rights |
|||
UnsupportedPowerShell = You're trying to run script via PowerShell {0}.{1}. Run the script in the appropriate PowerShell version |
|||
UnsupportedISE = The script doesn't support running via Windows PowerShell ISE |
|||
Win10TweakerWarning = Probably your OS was infected via the Win 10 Tweaker backdoor |
|||
Windows10DebloaterWarning = The Windows OS stability may have been compromised by using Sycnex's Windows10Debloater PowerShell script. Preventively, reinstall the entire OS |
|||
UnsupportedRelease = A new version found |
|||
CustomizationWarning = \nHave you customized every function in the Sophia.ps1 preset file before running Sophia Script? |
|||
ControlledFolderAccessDisabled = Controlled folder access disabled |
|||
ScheduledTasks = Scheduled tasks |
|||
OneDriveUninstalling = Uninstalling OneDrive... |
|||
OneDriveInstalling = Installing OneDrive... |
|||
OneDriveDownloading = Downloading OneDrive... ~33 MB |
|||
OneDriveWarning = The "{0}" function will be applied only if the preset is configured to remove OneDrive, otherwise the backup functionality for the "Desktop" and "Pictures" folders in OneDrive breaks |
|||
WindowsFeaturesTitle = Windows features |
|||
OptionalFeaturesTitle = Optional features |
|||
EnableHardwareVT = Enable Virtualization in UEFI |
|||
UserShellFolderNotEmpty = Some files left in the "{0}" folder. Move them manually to a new location |
|||
RetrievingDrivesList = Retrieving drives list... |
|||
DriveSelect = Select the drive within the root of which the "{0}" folder will be created |
|||
CurrentUserFolderLocation = The current "{0}" folder location: "{1}" |
|||
UserFolderRequest = Would you like to change the location of the "{0}" folder? |
|||
UserFolderSelect = Select a folder for the "{0}" folder |
|||
UserDefaultFolder = Would you like to change the location of the "{0}" folder to the default value? |
|||
ReservedStorageIsInUse = This operation is not supported when reserved storage is in use\nPlease re-run the "{0}" function again after PC restart |
|||
ShortcutPinning = The "{0}" shortcut is being pinned to Start... |
|||
UninstallUWPForAll = For all users |
|||
UWPAppsTitle = UWP apps |
|||
HEVCDownloading = Downloading HEVC Video Extensions from Device Manufacturer... ~2,8 MB |
|||
GraphicsPerformanceTitle = Graphics performance preference |
|||
GraphicsPerformanceRequest = Would you like to set the graphics performance setting of an app of your choice to "High performance"? |
|||
TaskNotificationTitle = Notification |
|||
CleanupTaskNotificationTitle = Important Information |
|||
CleanupTaskDescription = Cleaning up Windows unused files and updates using built-in Disk cleanup app |
|||
CleanupTaskNotificationEventTitle = Run task to clean up Windows unused files and updates? |
|||
CleanupTaskNotificationEvent = Windows cleanup won't take long. Next time this notification will appear in 30 days |
|||
CleanupTaskNotificationSnoozeInterval = Select a Reminder Interval |
|||
CleanupNotificationTaskDescription = Pop-up notification reminder about cleaning up Windows unused files and updates |
|||
SoftwareDistributionTaskNotificationEvent = The Windows update cache successfully deleted |
|||
TempTaskNotificationEvent = The temp files folder successfully cleaned up |
|||
FolderTaskDescription = The {0} folder cleanup |
|||
EventViewerCustomViewName = Process Creation |
|||
EventViewerCustomViewDescription = Process creation and command-line auditing events |
|||
RestartWarning = Make sure to restart your PC |
|||
ErrorsLine = Line |
|||
ErrorsFile = File |
|||
ErrorsMessage = Errors/Warnings |
|||
Add = Add |
|||
AllFilesFilter = All Files (*.*)|*.* |
|||
Browse = Browse |
|||
Change = Change |
|||
DialogBoxOpening = Displaying the dialog box... |
|||
Disable = Disable |
|||
Enable = Enable |
|||
EXEFilesFilter = *.exe|*.exe|All Files (*.*)|*.* |
|||
FolderSelect = Select a folder |
|||
FilesWontBeMoved = Files will not be moved |
|||
FourHours = 4 hours |
|||
HalfHour = 30 minutes |
|||
Install = Install |
|||
Minute = 1 minute |
|||
NoData = Nothing to display |
|||
NoInternetConnection = No Internet connection |
|||
RestartFunction = Please re-run the "{0}" function |
|||
NoResponse = A connection could not be established with {0} |
|||
No = No |
|||
Yes = Yes |
|||
Open = Open |
|||
Patient = Please wait... |
|||
Restore = Restore |
|||
Run = Run |
|||
SelectAll = Select all |
|||
Skip = Skip |
|||
Skipped = Skipped |
|||
FileExplorerRestartPrompt = \nSometimes in order for the changes to take effect the File Explorer process has to be restarted |
|||
TelegramGroupTitle = Join our official Telegram group |
|||
TelegramChannelTitle = Join our official Telegram channel |
|||
Uninstall = Uninstall |
|||
'@ |
@ -0,0 +1,83 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = El script sólo es compatible con Windows 10 x64 |
|||
UnsupportedOSBuild = El script es compatible con versión Windows 10 2004/20H2/21H1/21H2 |
|||
UpdateWarning = Actualización acumulativa de Windows 10 instalada: {0}. Actualización acumulativa soportada: 1151 y superior |
|||
UnsupportedLanguageMode = Sesión de PowerShell ejecutada en modo de lenguaje limitado |
|||
LoggedInUserNotAdmin = El usuario que inició sesión no tiene derechos de administrador |
|||
UnsupportedPowerShell = Estás intentando ejecutar el script a través de PowerShell {0}.{1}. Ejecute el script en la versión apropiada de PowerShell |
|||
UnsupportedISE = El script no es compatible con la ejecución a través de Windows PowerShell ISE |
|||
Win10TweakerWarning = Probablemente su sistema operativo fue infectado a través del backdoor Win 10 Tweaker |
|||
Windows10DebloaterWarning = La estabilidad del sistema operativo Windows puede haberse visto comprometida al utilizar el script PowerShell Windows10Debloater de Sycnex. De forma preventiva, reinstale todo el sistema operativo |
|||
UnsupportedRelease = Una nueva versión encontrada |
|||
CustomizationWarning = \n¿Ha personalizado todas las funciones del archivo predeterminado Sophia.ps1 antes de ejecutar Sophia Script? |
|||
ControlledFolderAccessDisabled = Acceso a la carpeta controlada deshabilitado |
|||
ScheduledTasks = Tareas programadas |
|||
OneDriveUninstalling = Desinstalar OneDrive... |
|||
OneDriveInstalling = Instalación de OneDrive... |
|||
OneDriveDownloading = Descargando OneDrive... ~33 MB |
|||
OneDriveWarning = La función "{0}" se aplicará sólo si el preajuste está configurado para eliminar OneDrive, de lo contrario la funcionalidad de copia de seguridad para las carpetas "Escritorio" e "Imágenes" en OneDrive se rompe |
|||
WindowsFeaturesTitle = Características de Windows |
|||
OptionalFeaturesTitle = Características opcionales |
|||
EnableHardwareVT = Habilitar la virtualización en UEFI |
|||
UserShellFolderNotEmpty = Algunos archivos quedan en la carpeta "{0}". Moverlos manualmente a una nueva ubicación |
|||
RetrievingDrivesList = Recuperando lista de unidades... |
|||
DriveSelect = Seleccione la unidad dentro de la raíz de la cual se creó la carpeta "{0}" |
|||
CurrentUserFolderLocation = La ubicación actual de la carpeta "{0}": "{1}" |
|||
UserFolderRequest = ¿Le gustaría cambiar la ubicación de la "{0}" carpeta? |
|||
UserFolderSelect = Seleccione una carpeta para la carpeta "{0}" |
|||
UserDefaultFolder = ¿Le gustaría cambiar la ubicación de la carpeta "{0}" para el valor por defecto? |
|||
ReservedStorageIsInUse = Esta operación no es compatible cuando el almacenamiento reservada está en uso\nPor favor, vuelva a ejecutar la función "{0}" después de reiniciar el PC |
|||
ShortcutPinning = El acceso directo "{0}" está siendo clavado en Start... |
|||
UninstallUWPForAll = Para todos los usuarios |
|||
UWPAppsTitle = Aplicaciones UWP |
|||
HEVCDownloading = Descargando HEVC Vídeo Extensiones del Fabricante del dispositivo... ~2,8 MB |
|||
GraphicsPerformanceTitle = Preferencia de rendimiento gráfico |
|||
GraphicsPerformanceRequest = ¿Le gustaría establecer la configuración de rendimiento gráfico de una aplicación de su elección a "alto rendimiento"? |
|||
TaskNotificationTitle = Notificación |
|||
CleanupTaskNotificationTitle = Información importante |
|||
CleanupTaskDescription = La limpieza de Windows los archivos no utilizados y actualizaciones utilizando una función de aplicación de limpieza de discos |
|||
CleanupTaskNotificationEventTitle = ¿Ejecutar la tarea de limpiar los archivos no utilizados y actualizaciones de Windows? |
|||
CleanupTaskNotificationEvent = Ventanas de limpieza no tomará mucho tiempo. La próxima vez que esta notificación aparecerá en 30 días |
|||
CleanupTaskNotificationSnoozeInterval = Seleccionar un recordatorio del intervalo |
|||
CleanupNotificationTaskDescription = Pop-up recordatorio de notificaciones sobre la limpieza de archivos no utilizados de Windows y actualizaciones |
|||
SoftwareDistributionTaskNotificationEvent = La caché de actualización de Windows eliminado correctamente |
|||
TempTaskNotificationEvent = Los archivos de la carpeta Temp limpiados con éxito |
|||
FolderTaskDescription = La limpieza de la carpeta "{0}" |
|||
EventViewerCustomViewName = Creación de proceso |
|||
EventViewerCustomViewDescription = Eventos de auditoría de línea de comandos y creación de procesos |
|||
RestartWarning = Asegúrese de reiniciar su PC |
|||
ErrorsLine = Línea |
|||
ErrorsFile = Archivo |
|||
ErrorsMessage = Errores/Advertencias |
|||
Add = Agregar |
|||
AllFilesFilter = Todos los archivos (*.*)|*.* |
|||
Browse = Examinar |
|||
Change = Cambio |
|||
DialogBoxOpening = Viendo el cuadro de diálogo... |
|||
Disable = Desactivar |
|||
Enable = Habilitar |
|||
EXEFilesFilter = *.exe|*.exe|Todos los Archivos (*.*)|*.* |
|||
FolderSelect = Seleccione una carpeta |
|||
FilesWontBeMoved = Los archivos no se transferirán |
|||
FourHours = 4 horas |
|||
HalfHour = 30 minutos |
|||
Install = Instalar |
|||
Minute = 1 minuto |
|||
NoData = Nada que mostrar |
|||
NoInternetConnection = No hay conexión a Internet |
|||
RestartFunction = Por favor, reinicie la función "{0}" |
|||
NoResponse = No se pudo establecer una conexión con {0} |
|||
No = No |
|||
Yes = Sí |
|||
Open = Abierta |
|||
Patient = Por favor espere... |
|||
Restore = Restaurar |
|||
Run = Iniciar |
|||
SelectAll = Seleccionar todo |
|||
Skip = Omitir |
|||
Skipped = Omitido |
|||
FileExplorerRestartPrompt = \nA veces, para que los cambios surtan efecto, hay que reiniciar el proceso del Explorador de archivos |
|||
TelegramGroupTitle = Únete a nuestro grupo oficial de Telegram |
|||
TelegramChannelTitle = Únete a nuestro canal oficial de Telegram |
|||
Uninstall = Desinstalar |
|||
'@ |
@ -0,0 +1,83 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Le script supporte uniquement Windows 10 x64 |
|||
UnsupportedOSBuild = Le script supporte les versions Windows 10 2004/20H2/21H1/21H2 |
|||
UpdateWarning = La mise à jour cumulative de Windows 10 est installée : {0}. Mise à jour cumulative prise en charge : 1151 et plus |
|||
UnsupportedLanguageMode = La session PowerShell s'exécute dans un mode de langue limité |
|||
LoggedInUserNotAdmin = L'utilisateur connecté n'a pas de droits d'administrateur |
|||
UnsupportedPowerShell = Vous essayez d'exécuter le script via PowerShell {0}.{1}. Exécutez le script dans la version appropriée de PowerShell |
|||
UnsupportedISE = Le script ne supporte pas l'exécution via Windows PowerShell ISE |
|||
Win10TweakerWarning = Votre système d'exploitation a probablement été infecté par la porte dérobée Win 10 Tweaker |
|||
Windows10DebloaterWarning = La stabilité de l'OS Windows peut avoir été compromise par l'utilisation du script PowerShell Windows10Debloater de Sycnex. De manière préventive, réinstallez l'ensemble de l'OS |
|||
UnsupportedRelease = Nouvelle version trouvée |
|||
CustomizationWarning = \nAvez-vous personnalisé chaque fonction du fichier de préréglage Sophia.ps1 avant d'exécuter Sophia Script? |
|||
ControlledFolderAccessDisabled = Contrôle d'accès aux dossiers désactivé |
|||
ScheduledTasks = Tâches planifiées |
|||
OneDriveUninstalling = Désinstalltion de OneDrive... |
|||
OneDriveInstalling = Installation de OneDrive... |
|||
OneDriveDownloading = Téléchargement de OneDrive... ~33 Mo |
|||
OneDriveWarning = La fonction "{0}" sera appliquée uniquement si le préréglage est configuré pour supprimer OneDrive, sinon la fonctionnalité de sauvegarde des dossiers "Desktop" et "Pictures" dans OneDrive s'interrompt. |
|||
WindowsFeaturesTitle = Fonctionnalités |
|||
OptionalFeaturesTitle = Fonctionnalités optionnelles |
|||
EnableHardwareVT = Activer la virtualisation dans UEFI |
|||
UserShellFolderNotEmpty = Certains fichiers laissés dans le dossier "{0}". Déplacer les manuellement vers un nouvel emplacement |
|||
RetrievingDrivesList = Récupération de la liste des lecteurs... |
|||
DriveSelect = Sélectionnez le disque à la racine dans lequel le dossier "{0}" sera créé. |
|||
CurrentUserFolderLocation = L'emplacement actuel du dossier "{0}": "{1}" |
|||
UserFolderRequest = Voulez vous changer où est placé le dossier "{0}" ? |
|||
UserFolderSelect = Sélectionnez un dossier pour le dossier "{0}" |
|||
UserDefaultFolder = Voulez vous changer où est placé le dossier "{0}" à sa valeur par défaut? |
|||
ReservedStorageIsInUse = Cette opération n'est pas suppportée le stockage réservé est en cours d'utilisation\nVeuillez réexécuter la fonction "{0}" après le redémarrage du PC |
|||
ShortcutPinning = Le raccourci "{0}" est épinglé sur Démarrer... |
|||
UninstallUWPForAll = Pour tous les utilisateurs |
|||
UWPAppsTitle = Applications UWP |
|||
HEVCDownloading = Téléchargement de Extensions vidéo HEVC du fabricant de l'appareil... ~2,8 MB |
|||
GraphicsPerformanceTitle = Préférence de performances graphiques |
|||
GraphicsPerformanceRequest = Souhaitez-vous définir le paramètre de performances graphiques d'une application de votre choix sur "Haute performance"? |
|||
TaskNotificationTitle = Notification |
|||
CleanupTaskNotificationTitle = Une information importante |
|||
CleanupTaskDescription = Nettoyage des fichiers Windows inutilisés et des mises à jour à l'aide de l'application intégrée pour le nettoyage de disque |
|||
CleanupTaskNotificationEventTitle = Exécuter la tâche pour nettoyer les fichiers et les mises à jour inutilisés de Windows? |
|||
CleanupTaskNotificationEvent = Le nettoyage de Windows ne prendra pas longtemps. Cette notification apparaîtra à nouveau dans 30 jours |
|||
CleanupTaskNotificationSnoozeInterval = Sélectionnez un intervalle de rappel |
|||
CleanupNotificationTaskDescription = Rappel de notification contextuelle sur le nettoyage des fichiers et des mises à jour inutilisés de Windows |
|||
SoftwareDistributionTaskNotificationEvent = Le cache de mise à jour Windows a bien été supprimé |
|||
TempTaskNotificationEvent = Le dossier des fichiers temporaires a été nettoyé avec succès |
|||
FolderTaskDescription = Nettoyage du dossier "{0}" |
|||
EventViewerCustomViewName = Création du processus |
|||
EventViewerCustomViewDescription = Audit des événements de création du processus et de ligne de commande |
|||
RestartWarning = Assurez-vous de redémarrer votre PC |
|||
ErrorsLine = Ligne |
|||
ErrorsFile = Fichier |
|||
ErrorsMessage = Erreurs/Avertissements |
|||
Add = Ajouter |
|||
AllFilesFilter = Tous les Fichiers (*.*)|*.* |
|||
Browse = Parcourir |
|||
Change = Changer |
|||
DialogBoxOpening = Afficher la boîte de dialogue... |
|||
Disable = Désactiver |
|||
Enable = Activer |
|||
EXEFilesFilter = *.exe|*.exe|Tous les Fichiers (*.*)|*.* |
|||
FolderSelect = Sélectionner un dossier |
|||
FilesWontBeMoved = Les fichiers ne seront pas déplacés |
|||
FourHours = 4 heures |
|||
HalfHour = 30 minutes |
|||
Install = Installer |
|||
Minute = 1 minute |
|||
NoData = Rien à afficher |
|||
NoInternetConnection = Pas de connexion Internet |
|||
RestartFunction = Veuillez redémarrer la fonction "{0}" |
|||
NoResponse = Une connexion n'a pas pu être établie avec {0} |
|||
No = Non |
|||
Yes = Oui |
|||
Open = Ouvert |
|||
Patient = Veuillez patienter... |
|||
Restore = Restaurer |
|||
Run = Démarrer |
|||
SelectAll = Tout sélectionner |
|||
Skip = Passer |
|||
Skipped = Passé |
|||
FileExplorerRestartPrompt = \nParfois, pour que les modifications soient prises en compte, il faut redémarrer l'Explorateur de fichiers |
|||
TelegramGroupTitle = Rejoignez notre groupe Telegram officiel |
|||
TelegramChannelTitle = Rejoignez notre canal Telegram officiel |
|||
Uninstall = Désinstaller |
|||
'@ |
@ -0,0 +1,83 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = A szkript csak a Windows 10 64 bites verziót támogatja |
|||
UnsupportedOSBuild = A szkript támogatja a Windows 10 2004/20H2/21H1/21H2 verziókat |
|||
UpdateWarning = A Windows 10 összesített frissítése telepítve: {0}. Támogatott kumulatív frissítés: 1151 és magasabb verziószámok |
|||
UnsupportedLanguageMode = A PowerShell munkamenet korlátozott nyelvi üzemmódban fut |
|||
LoggedInUserNotAdmin = A bejelentkezett felhasználó nem rendelkezik admin jogokkal |
|||
UnsupportedPowerShell = A PowerShell {0}.{1} segítségével próbálja futtatni a szkriptet. Futtassa a szkriptet a megfelelő PowerShell-verzióban |
|||
UnsupportedISE = A szkript nem támogatja a Windows PowerShell ISE futtatását |
|||
Win10TweakerWarning = Valószínűleg az operációs rendszerét a Win 10 Tweaker backdoor segítségével fertőzték meg |
|||
Windows10DebloaterWarning = A Windows operációs rendszer stabilitását veszélyeztethette a Sycnex Windows10Debloater PowerShell szkriptje. Megelőzésképpen telepítse újra a teljes operációs rendszert |
|||
UnsupportedRelease = Új verzió érhető el |
|||
CustomizationWarning = \nSzemélyre szabott minden opciót a Sophia.ps1 preset fájlban, mielőtt futtatni kívánja a Sophia szkriptet? |
|||
ControlledFolderAccessDisabled = Vezérelt mappához való hozzáférés kikapcsolva |
|||
ScheduledTasks = Ütemezett feladatok |
|||
OneDriveUninstalling = OneDrive eltávolítása... |
|||
OneDriveInstalling = OneDrive telepítése... |
|||
OneDriveDownloading = OneDrive letöltése... ~33 MB |
|||
OneDriveWarning = A "{0}" funkció csak akkor kerül alkalmazásra, ha az előbeállítás a OneDrive eltávolítására van beállítva, különben a OneDrive "Desktop" és "Pictures" mappáinak biztonsági mentési funkciója megszakad. |
|||
WindowsFeaturesTitle = Windows szolgáltatások |
|||
OptionalFeaturesTitle = Opcionális szolgáltatások |
|||
EnableHardwareVT = Virtualizáció engedélyezése UEFI-ben |
|||
UserShellFolderNotEmpty = Néhány fájl maradt a "{0}" könyvtárban. Kérem helyezze át ezeket egy új helyre |
|||
RetrievingDrivesList = A meghajtók listájának lekérése... |
|||
DriveSelect = Válassza ki a meghajtó jelét a gyökérkönyvtárban ahol a "{0}" könyvtár létre lesz hozva |
|||
CurrentUserFolderLocation = Az aktuális "{0}" mappa helye: "{1}" |
|||
UserFolderRequest = Kívánja megváltoztatni a "{0}" könyvtár helyét? |
|||
UserFolderSelect = Válasszon ki egy könyvtárat a "{0}" könyvtárhoz |
|||
UserDefaultFolder = Szeretné visszaállítani a "{0}" könyvtár helyét a gyári értékekre? |
|||
ReservedStorageIsInUse = Ez a művelet nem hajtható végre, amíg a fenntartott tárhely használatban van\nPonovno pokrenite funkciju "{0}" nakon ponovnog pokretanja računala |
|||
ShortcutPinning = A gyorsindító ikon "{0}" Startmenüre helyezése... |
|||
UninstallUWPForAll = Az összes felhasználó számára |
|||
UWPAppsTitle = UWP Alkalmazások |
|||
HEVCDownloading = A HEVC Videobővítmények letöltése a gyártói oldalról... ~2,8 MB |
|||
GraphicsPerformanceTitle = Grafikus teljesítmény tulajdonság |
|||
GraphicsPerformanceRequest = Szeretné megváltoztatni a grafikus teljesítmény beállítást az ön által kiválasztott alkalmazásban "Nagy teljesítményre"? |
|||
TaskNotificationTitle = Értesítés |
|||
CleanupTaskNotificationTitle = Fontos Információ |
|||
CleanupTaskDescription = A nem használt Windows fájlok és frissítések eltávolítása a beépített lemezkarbantartó alkalmazással |
|||
CleanupTaskNotificationEventTitle = Szeretné a nem használt fájlokat es frissitéseket eltávolítani? |
|||
CleanupTaskNotificationEvent = A Windows megtisztítása nem tart már sokáig. Legközelebb 30 nap múlva jelenik meg ez a figyelmeztetés |
|||
CleanupTaskNotificationSnoozeInterval = Válasszon ki egy emlékeztető időintervallumot |
|||
CleanupNotificationTaskDescription = Előugró emlékeztető figyelmeztetés a nem használt Windows fájlok és frissítések törléséről |
|||
SoftwareDistributionTaskNotificationEvent = A Windows frissités számára fenntartott ideiglenes tárhely sikeresen megtisztítva |
|||
TempTaskNotificationEvent = Az ideiglenes fájlok tárolására szolgáló könyvtár tisztítása sikeresen megtörtént |
|||
FolderTaskDescription = A {0} könyvtár tisztítása |
|||
EventViewerCustomViewName = Folyamatok |
|||
EventViewerCustomViewDescription = Folyamatok létrehozása és parancssor ellenőrző események |
|||
RestartWarning = Kérem ne felejtse el újraindítani a számítógépét |
|||
ErrorsLine = Sor |
|||
ErrorsFile = Fájl |
|||
ErrorsMessage = Hibák/Figyelmeztetések |
|||
Add = Hozzáadás |
|||
AllFilesFilter = Összes fájl (*.*)|*.* |
|||
Browse = Pregledavati |
|||
Change = Szerkesztés |
|||
DialogBoxOpening = Párbeszédablak megjelenítése... |
|||
Disable = Kikapcsolás |
|||
Enable = Engedélyezés |
|||
EXEFilesFilter = *.exe|*.exe|Minden fájl (*.*)|*.* |
|||
FolderSelect = Válasszon ki egy könyvtárat |
|||
FilesWontBeMoved = A fájlok nem lesznek áthelyezve |
|||
FourHours = 4 óra |
|||
HalfHour = 30 perc |
|||
Install = Telepítés |
|||
Minute = 1 perc |
|||
NoData = Nincs megjeleníthető információ |
|||
NoInternetConnection = Nincs internetkapcsolat |
|||
RestartFunction = Ponovo pokrenite funkciju "{0}" |
|||
NoResponse = Nem hozható létre kapcsolat a {0} weboldallal |
|||
No = Nem |
|||
Yes = Igen |
|||
Open = Megnyitás |
|||
Patient = Kérem várjon... |
|||
Restore = Visszaállítás |
|||
Run = Futtatás |
|||
SelectAll = Összes kijelölése |
|||
Skip = Átugrás |
|||
Skipped = Átugorva |
|||
FileExplorerRestartPrompt = \nNéha ahhoz, hogy a módosítások hatályba lépjenek, a File Explorer folyamatot újra kell indítani |
|||
TelegramGroupTitle = Pridružite se našoj službenoj grupi Telegram |
|||
TelegramChannelTitle = Pridružite se našem službenom kanalu Telegram |
|||
Uninstall = Eltávolít |
|||
'@ |
@ -0,0 +1,83 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Lo script supporta solo Windows 10 x64 |
|||
UnsupportedOSBuild = Lo script supporta Windows 10, 2004/20H2/21H1/21H2 versioni |
|||
UpdateWarning = Windows 10 cumulative update installato: {0}. Aggiornamento cumulativo supportato: 1151 e superiore |
|||
UnsupportedLanguageMode = La sessione PowerShell è in esecuzione in una modalità di lingua limitata |
|||
LoggedInUserNotAdmin = L'utente connesso non ha i diritti di amministratore |
|||
UnsupportedPowerShell = Stai cercando di eseguire lo script tramite PowerShell {0}.{1}. Esegui lo script nella versione di PowerShell appropriata |
|||
UnsupportedISE = Lo script non supporta l'esecuzione tramite Windows PowerShell ISE |
|||
Win10TweakerWarning = Probabilmente il tuo sistema operativo è stato infettato tramite la backdoor Win 10 Tweaker |
|||
Windows10DebloaterWarning = La stabilità del sistema operativo Windows potrebbe essere stata compromessa dall'utilizzo dello script PowerShell Windows10Debloater di Sycnex. Preventivamente, reinstallare l'intero sistema operativo |
|||
UnsupportedRelease = Nuova versione trovata |
|||
CustomizationWarning = \nSono state personalizzate tutte le funzioni nel file delle preimpostazioni Sophia.ps1 prima di eseguire Sophia Script? |
|||
ControlledFolderAccessDisabled = l'accesso alle cartelle controllata disattivata |
|||
ScheduledTasks = Attività pianificate |
|||
OneDriveUninstalling = Disinstalla OneDrive... |
|||
OneDriveInstalling = Installazione di OneDrive... |
|||
OneDriveDownloading = Download di OneDrive... ~33 MB |
|||
OneDriveWarning = La funzione "{0}" sarà applicata solo se il preset è configurato per rimuovere OneDrive, altrimenti la funzionalità di backup per le cartelle "Desktop" e "Pictures" in OneDrive si interrompe |
|||
WindowsFeaturesTitle = Funzionalità di Windows |
|||
OptionalFeaturesTitle = Caratteristiche opzionali |
|||
EnableHardwareVT = Abilita virtualizzazione in UEFI |
|||
UserShellFolderNotEmpty = Alcuni file lasciati nella cartella "{0}". li spostare manualmente in una nuova posizione |
|||
RetrievingDrivesList = Recupero lista unità... |
|||
DriveSelect = Selezionare l'unità all'interno della radice del quale verrà creato il "{0}" cartella |
|||
CurrentUserFolderLocation = La posizione attuale della cartella "{0}": "{1}" |
|||
UserFolderRequest = Volete cambiare la posizione del "{0}" cartella? |
|||
UserFolderSelect = Selezionare una cartella per la cartella "{0}" |
|||
UserDefaultFolder = Volete cambiare la posizione della cartella "{0}" al valore di default? |
|||
ReservedStorageIsInUse = Questa operazione non è supportata quando stoccaggio riservata è in uso\nSi prega di eseguire nuovamente la funzione "{0}" dopo il riavvio del PC |
|||
ShortcutPinning = Il collegamento "{0}" è stato bloccato per iniziare... |
|||
UninstallUWPForAll = Per tutti gli utenti |
|||
UWPAppsTitle = UWP Apps |
|||
HEVCDownloading = Il download HEVC Video estensioni da dispositivo Produttore... ~2,8 MB |
|||
GraphicsPerformanceTitle = Preferenza per le prestazioni grafiche |
|||
GraphicsPerformanceRequest = Volete impostare l'impostazione prestazioni grafiche di un app di vostra scelta per "performance High"? |
|||
TaskNotificationTitle = Notifica |
|||
CleanupTaskNotificationTitle = Informazioni importanti |
|||
CleanupTaskDescription = Pulizia di Windows i file inutilizzati e aggiornamenti utilizzando built-in Disk pulizia app |
|||
CleanupTaskNotificationEventTitle = Eseguire compito di ripulire i file inutilizzati e aggiornamenti di Windows? |
|||
CleanupTaskNotificationEvent = Di Windows pulizia non ci vorrà molto. La prossima volta che verrà visualizzata la notifica in 30 giorni |
|||
CleanupTaskNotificationSnoozeInterval = Selezionare un promemoria intervallo |
|||
CleanupNotificationTaskDescription = Pop-up promemoria notifica di pulizia di Windows file inutilizzati e aggiornamenti |
|||
SoftwareDistributionTaskNotificationEvent = La cache di aggiornamento di Windows cancellato con successo |
|||
TempTaskNotificationEvent = I file cartella Temp puliti con successo |
|||
FolderTaskDescription = La pulizia della cartella "{0}" |
|||
EventViewerCustomViewName = Creazione di processo |
|||
EventViewerCustomViewDescription = Creazione di processi ed eventi di controllo della riga di comando |
|||
RestartWarning = Assicurarsi di riavviare il PC |
|||
ErrorsLine = Linea |
|||
ErrorsFile = File |
|||
ErrorsMessage = Errori/avvisi |
|||
Add = Inserisci |
|||
AllFilesFilter = Tutti i file (*.*)|*.* |
|||
Browse = Sfogliare |
|||
Change = Modificare |
|||
DialogBoxOpening = Visualizzazione della finestra di dialogo... |
|||
Disable = Disattivare |
|||
Enable = Abilitare |
|||
EXEFilesFilter = *.exe|*.exe|Tutti i file (*.*)|*.* |
|||
FolderSelect = Selezionare una cartella |
|||
FilesWontBeMoved = I file non verranno trasferiti |
|||
FourHours = 4 ore |
|||
HalfHour = 30 minuti |
|||
Install = Installare |
|||
Minute = 1 minuto |
|||
NoData = Niente da esposizione |
|||
NoInternetConnection = Nessuna connessione Internet |
|||
RestartFunction = Si prega di riavviare la funzione "{0}" |
|||
NoResponse = Non è stato possibile stabilire una connessione con {0} |
|||
No = No |
|||
Yes = Sì |
|||
Open = Aperto |
|||
Patient = Attendere prego... |
|||
Restore = Ristabilire |
|||
Run = Eseguire |
|||
SelectAll = Seleziona tutto |
|||
Skip = Salta |
|||
Skipped = Saltato |
|||
FileExplorerRestartPrompt = \nA volte, affinché le modifiche abbiano effetto, il processo di File Explorer deve essere riavviato |
|||
TelegramGroupTitle = Unisciti al nostro gruppo ufficiale Telegram |
|||
TelegramChannelTitle = Unisciti al nostro canale ufficiale di Telegram |
|||
Uninstall = Disinstallare |
|||
'@ |
@ -0,0 +1,83 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = O script suporta somente Windows 10 x64 |
|||
UnsupportedOSBuild = O script suporta versões Windows 10 2004/20H2/21H1/21H2 |
|||
UpdateWarning = Atualização cumulativa do Windows 10 instalado: {0}. Actualização acumulada suportada: 1151 e superior |
|||
UnsupportedLanguageMode = A sessão PowerShell em funcionamento em um modo de linguagem limitada |
|||
LoggedInUserNotAdmin = O usuário logado não tem direitos de administrador |
|||
UnsupportedPowerShell = Você está tentando executar o script via PowerShell {0}.{1}. Execute o script na versão apropriada do PowerShell |
|||
UnsupportedISE = O guião não suporta a execução através do Windows PowerShell ISE |
|||
Win10TweakerWarning = Probabilmente il tuo sistema operativo è stato infettato tramite la backdoor Win 10 Tweaker |
|||
Windows10DebloaterWarning = A estabilidade do sistema operacional Windows pode ter sido comprometida pela utilização do script Windows10Debloater PowerShell da Sycnex. Preventivamente, reinstale todo o sistema operacional |
|||
UnsupportedRelease = Nova versão encontrada |
|||
CustomizationWarning = \nVocê personalizou todas as funções no arquivo de predefinição Sophia.ps1 antes de executar o Sophia Script? |
|||
ControlledFolderAccessDisabled = Acesso controlado a pasta desativada |
|||
ScheduledTasks = Tarefas agendadas |
|||
OneDriveUninstalling = Desinstalar OneDrive... |
|||
OneDriveInstalling = Instalar o OneDrive... |
|||
OneDriveDownloading = Baixando OneDrive... ~33 MB |
|||
OneDriveWarning = A função "{0}" será aplicada somente se a predefinição for configurada para remover o OneDrive, caso contrário a funcionalidade de backup para as pastas "Desktop" e "Pictures" no OneDrive quebra |
|||
WindowsFeaturesTitle = Recursos do Windows |
|||
OptionalFeaturesTitle = Recursos opcionais |
|||
EnableHardwareVT = Habilitar virtualização em UEFI |
|||
UserShellFolderNotEmpty = Alguns arquivos deixados na pasta "{0}". Movê-los manualmente para um novo local |
|||
RetrievingDrivesList = Recuperando lista de unidades... |
|||
DriveSelect = Selecione a unidade dentro da raiz da qual a pasta "{0}" será criada |
|||
CurrentUserFolderLocation = A localização actual da pasta "{0}": "{1}" |
|||
UserFolderRequest = Gostaria de alterar a localização da pasta "{0}"? |
|||
UserFolderSelect = Selecione uma pasta para a pasta "{0}" |
|||
UserDefaultFolder = Gostaria de alterar a localização da pasta "{0}" para o valor padrão? |
|||
ReservedStorageIsInUse = Esta operação não é suportada quando o armazenamento reservada está em uso\nFavor executar novamente a função "{0}" após o reinício do PC |
|||
ShortcutPinning = O atalho "{0}" está sendo fixado no Iniciar... |
|||
UninstallUWPForAll = Para todos os usuários... |
|||
UWPAppsTitle = Apps UWP |
|||
HEVCDownloading = Baixando HEVC Vídeo Extensões de Dispositivo Fabricante... ~ 2,8 MB |
|||
GraphicsPerformanceTitle = Preferência de desempenho gráfico |
|||
GraphicsPerformanceRequest = Gostaria de definir a configuração de performance gráfica de um app de sua escolha para "alta performance"? |
|||
TaskNotificationTitle = Notificação |
|||
CleanupTaskNotificationTitle = Informação importante |
|||
CleanupTaskDescription = Limpando o Windows arquivos não utilizados e atualizações usando o aplicativo de limpeza aplicativo de limpeza embutido no disco |
|||
CleanupTaskNotificationEventTitle = Executar tarefa para limpar arquivos e atualizações não utilizados do Windows? |
|||
CleanupTaskNotificationEvent = Limpeza de janelas não vai demorar muito. Da próxima vez que esta notificação será exibida em 30 dias |
|||
CleanupTaskNotificationSnoozeInterval = Selecione um lembrete de intervalo |
|||
CleanupNotificationTaskDescription = Pop-up lembrete de notificação sobre a limpeza do Windows arquivos não utilizados e actualizações |
|||
SoftwareDistributionTaskNotificationEvent = O cache de atualização do Windows excluído com sucesso |
|||
TempTaskNotificationEvent = Os arquivos da pasta Temp limpos com sucesso |
|||
FolderTaskDescription = A limpeza da pasta "{0}" |
|||
EventViewerCustomViewName = Criação de processo |
|||
EventViewerCustomViewDescription = Criação de processos e eventos de auditoria de linha de comando |
|||
RestartWarning = Certifique-se de reiniciar o PC |
|||
ErrorsLine = Linha |
|||
ErrorsFile = Arquivo |
|||
ErrorsMessage = Erros/Avisos |
|||
Add = Adicionar |
|||
AllFilesFilter = Todos os arquivos (*.*)|*.* |
|||
Browse = Procurar |
|||
Change = Mudar |
|||
DialogBoxOpening = Exibindo a caixa de diálogo... |
|||
Disable = Desativar |
|||
Enable = Habilitar |
|||
EXEFilesFilter = *.exe|*.exe| Todos os arquivos (*.*)|*.* |
|||
FolderSelect = Escolha uma pasta |
|||
FilesWontBeMoved = Os arquivos não serão transferidos |
|||
FourHours = 4 horas |
|||
HalfHour = 30 minutos |
|||
Install = Instalar |
|||
Minute = 1 minuto |
|||
NoData = Nada à exibir |
|||
NoInternetConnection = Sem conexão à Internet |
|||
RestartFunction = Favor reiniciar a função "{0}" |
|||
NoResponse = Uma conexão não pôde ser estabelecida com {0} |
|||
No = Não |
|||
Yes = Sim |
|||
Open = Abrir |
|||
Patient = Por favor, espere... |
|||
Restore = Restaurar |
|||
Run = Executar |
|||
SelectAll = Selecionar tudo |
|||
Skip = Pular |
|||
Skipped = Ignorados |
|||
FileExplorerRestartPrompt = \nPor vezes, para que as alterações tenham efeito, o processo File Explorer tem de ser reiniciado |
|||
TelegramGroupTitle = Entre no grupo oficial do Telegram |
|||
TelegramChannelTitle = Entre no canal oficial do Telegram |
|||
Uninstall = Desinstalar |
|||
'@ |
@ -0,0 +1,83 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Скрипт поддерживает только Windows 10 x64 |
|||
UnsupportedOSBuild = Скрипт поддерживает только Windows 10 версии 2004/20H2/21H1/21H2 |
|||
UpdateWarning = Установленный накопительный пакет обновления Windows 10: {0}. Поддерживаемый накопительный пакет обновления: 1151 и выше |
|||
UnsupportedLanguageMode = Сессия PowerShell работает в ограниченном режиме |
|||
LoggedInUserNotAdmin = Текущий вошедший пользователь не обладает правами администратора |
|||
UnsupportedPowerShell = Вы пытаетесь запустить скрипт в PowerShell {0}.{1}. Запустите скрипт в соответствующей версии PowerShell |
|||
UnsupportedISE = Скрипт не поддерживает работу через Windows PowerShell ISE |
|||
Win10TweakerWarning = Ваша ОС, возможно, через бэкдор в Win 10 Tweaker была заражена трояном |
|||
Windows10DebloaterWarning = Стабильность Вашей ОС могла быть нарушена использованием скрипта Windows10Debloater от Sycnex. В целях профилактики переустановите ОС |
|||
UnsupportedRelease = Обнаружена новая версия |
|||
CustomizationWarning = \nВы настроили все функции в пресет-файле Sophia.ps1 перед запуском Sophia Script? |
|||
ControlledFolderAccessDisabled = Контролируемый доступ к папкам выключен |
|||
ScheduledTasks = Запланированные задания |
|||
OneDriveUninstalling = Удаление OneDrive... |
|||
OneDriveInstalling = OneDrive устанавливается... |
|||
OneDriveDownloading = Скачивается OneDrive... ~33 МБ |
|||
OneDriveWarning = Функция "{0}" будет применена только в случае, если в пресете настроено удаление приложения OneDrive, иначе ломается функционал резервного копирования для папок "Рабочий стол" и "Изображения" в OneDrive |
|||
WindowsFeaturesTitle = Компоненты Windows |
|||
OptionalFeaturesTitle = Дополнительные компоненты |
|||
EnableHardwareVT = Включите виртуализацию в UEFI |
|||
UserShellFolderNotEmpty = В папке "{0}" остались файлы. Переместите их вручную в новое расположение |
|||
RetrievingDrivesList = Получение списка дисков... |
|||
DriveSelect = Выберите диск, в корне которого будет создана папка "{0}" |
|||
CurrentUserFolderLocation = Текущее расположение папки "{0}": "{1}" |
|||
UserFolderRequest = Хотите изменить расположение папки "{0}"? |
|||
UserFolderSelect = Выберите папку для "{0}" |
|||
UserDefaultFolder = Хотите изменить расположение папки "{0}" на значение по умолчанию? |
|||
ReservedStorageIsInUse = Операция не поддерживается, пока используется зарезервированное хранилище\nПожалуйста, повторно запустите функцию "{0}" после перезагрузки |
|||
ShortcutPinning = Ярлык "{0}" закрепляется на начальном экране... |
|||
UninstallUWPForAll = Для всех пользователей |
|||
UWPAppsTitle = UWP-приложения |
|||
HEVCDownloading = Скачивается расширения для видео HEVC от производителя устройства... ~2,8 МБ |
|||
GraphicsPerformanceTitle = Настройка производительности графики |
|||
GraphicsPerformanceRequest = Установить для любого приложения по вашему выбору настройки производительности графики на "Высокая производительность"? |
|||
TaskNotificationTitle = Уведомление |
|||
CleanupTaskNotificationTitle = Важная информация |
|||
CleanupTaskDescription = Очистка неиспользуемых файлов и обновлений Windows, используя встроенную программу Очистка диска |
|||
CleanupTaskNotificationEventTitle = Запустить задачу по очистке неиспользуемых файлов и обновлений Windows? |
|||
CleanupTaskNotificationEvent = Очистка Windows не займет много времени. Следующий раз это уведомление появится через 30 дней |
|||
CleanupTaskNotificationSnoozeInterval = Выберите интервал повтора уведомления |
|||
CleanupNotificationTaskDescription = Всплывающее уведомление с напоминанием об очистке неиспользуемых файлов и обновлений Windows |
|||
SoftwareDistributionTaskNotificationEvent = Кэш обновлений Windows успешно удален |
|||
TempTaskNotificationEvent = Папка временных файлов успешно очищена |
|||
FolderTaskDescription = Очистка папки {0} |
|||
EventViewerCustomViewName = Создание процесса |
|||
EventViewerCustomViewDescription = События содания нового процесса и аудит командной строки |
|||
RestartWarning = Обязательно перезагрузите ваш ПК |
|||
ErrorsLine = Строка |
|||
ErrorsFile = Файл |
|||
ErrorsMessage = Ошибки/предупреждения |
|||
Add = Добавить |
|||
AllFilesFilter = Все файлы (*.*)|*.* |
|||
Browse = Обзор |
|||
Change = Изменить |
|||
DialogBoxOpening = Диалоговое окно открывается... |
|||
Disable = Отключить |
|||
Enable = Включить |
|||
EXEFilesFilter = *.exe|*.exe|Все файлы (*.*)|*.* |
|||
FolderSelect = Выберите папку |
|||
FilesWontBeMoved = Файлы не будут перенесены |
|||
FourHours = 4 часа |
|||
HalfHour = 30 минут |
|||
Install = Установить |
|||
Minute = 1 минута |
|||
NoData = Отсутствуют данные |
|||
NoInternetConnection = Отсутствует интернет-соединение |
|||
RestartFunction = Пожалуйста, повторно запустите функцию "{0}" |
|||
NoResponse = Невозможно установить соединение с {0} |
|||
No = Нет |
|||
Yes = Да |
|||
Open = Открыть |
|||
Patient = Пожалуйста, подождите... |
|||
Restore = Восстановить |
|||
Run = Запустить |
|||
SelectAll = Выбрать всё |
|||
Skip = Пропустить |
|||
Skipped = Пропущено |
|||
FileExplorerRestartPrompt = \nИногда для того, чтобы изменения вступили в силу, процесс проводника необходимо перезапустить |
|||
TelegramGroupTitle = Присоединяйтесь к нашей официальной группе в Telegram |
|||
TelegramChannelTitle = Присоединяйтесь к нашему официальному каналу в Telegram |
|||
Uninstall = Удалить |
|||
'@ |
@ -0,0 +1,83 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Bu betik sadece Windows 10 x64 destekliyor |
|||
UnsupportedOSBuild = Komut dosyası, Windows 10 2004/20H2/21H1/21H2 sürümlerini destekler |
|||
UpdateWarning = Windows 10 toplu güncelleştirmesi yüklendi: {0}. Desteklenen toplu güncelleme: 1151 ve üstü |
|||
UnsupportedLanguageMode = Sınırlı bir dil modunda çalışan PowerShell oturumu |
|||
LoggedInUserNotAdmin = Oturum açan kullanıcının yönetici hakları yok |
|||
UnsupportedPowerShell = Komut dosyasını PowerShell {0}.{1} aracılığıyla çalıştırmaya çalışıyorsunuz. Komut dosyasını uygun PowerShell sürümünde çalıştırın |
|||
UnsupportedISE = Komut dosyası, Windows PowerShell ISE üzerinden çalıştırmayı desteklemiyor |
|||
Win10TweakerWarning = Muhtemelen işletim sisteminize Win 10 Tweaker arka kapısı yoluyla bulaştı |
|||
Windows10DebloaterWarning = Windows işletim sistemi kararlılığı, Sycnex'in Windows10Debloater PowerShell betiği kullanılarak tehlikeye atılmış olabilir. Önleyici olarak, tüm işletim sistemini yeniden yükleyin |
|||
UnsupportedRelease = Yeni sürüm bulundu |
|||
CustomizationWarning = \nSophia Script'i çalıştırmadan önce Sophia.ps1 ön ayar dosyasındaki her işlevi özelleştirdiniz mi? |
|||
ControlledFolderAccessDisabled = Kontrollü klasör erişimi devre dışı bırakıldı |
|||
ScheduledTasks = Zamanlanan görevler |
|||
OneDriveUninstalling = OneDrive kaldırılıyor... |
|||
OneDriveInstalling = OneDrive kuruluyor... |
|||
OneDriveDownloading = OneDrive indiriliyor... ~33 MB |
|||
OneDriveWarning = "{0}" işlevi yalnızca ön ayar OneDrive'ı kaldıracak şekilde yapılandırılırsa uygulanır, aksi takdirde OneDrive'daki "Masaüstü" ve "Resimler" klasörleri için yedekleme işlevi bozulur |
|||
WindowsFeaturesTitle = Características do Windows |
|||
OptionalFeaturesTitle = Opsiyonel özellikler |
|||
EnableHardwareVT = UEFI'dan sanallaştırmayı aktifleştirin |
|||
UserShellFolderNotEmpty = "{0}" klasöründe bazı dosyalar kaldı. \nKendiniz yeni konuma taşıyın |
|||
RetrievingDrivesList = Sürücü listesi alınıyor... |
|||
DriveSelect = "{0}" klasörünün oluşturulacağı kök içindeki sürücüyü seçin |
|||
CurrentUserFolderLocation = Geçerli "{0}" klasör konumu: "{1}" |
|||
UserFolderRequest = "{0}" klasörünün yerini değiştirmek ister misiniz? |
|||
UserFolderSelect = "{0}" klasörü için bir klasör seçin |
|||
UserDefaultFolder = "{0}" klasörünün konumunu varsayılan değerle değiştirmek ister misiniz? |
|||
ReservedStorageIsInUse = Ayrılmış depolama kullanımdayken bu işlem desteklenmez\nBilgisayar yeniden başlatıldıktan sonra lütfen "{0}" işlevini yeniden çalıştırın |
|||
ShortcutPinning = "{0}" kısayolu Başlangıç sekmesine sabitlendi... |
|||
UninstallUWPForAll = Bütün kullanıcılar için |
|||
UWPAppsTitle = UWP Uygulamaları |
|||
HEVCDownloading = "Cihaz Üreticisinden HEVC Video Uzantıları" İndiriliyor... ~2,8 MB |
|||
GraphicsPerformanceTitle = Grafik performans tercihi |
|||
GraphicsPerformanceRequest = Seçtiğiniz bir uygulamanın grafik performansı ayarını "Yüksek performans" olarak belirlemek ister misiniz? |
|||
TaskNotificationTitle = Bildirim |
|||
CleanupTaskNotificationTitle = Önemli Bilgi |
|||
CleanupTaskDescription = Kullanılmayan Windows dosyaları ve güncellemeleri yerleşik Disk Temizleme uygulaması ile temizleniyor |
|||
CleanupTaskNotificationEventTitle = Windows kullanılmayan dosyaları ve güncellemeleri temizlemek için görev çalıştırılsın mı? |
|||
CleanupTaskNotificationEvent = Windows temizliği uzun sürmeyecek. Bir dahaki sefer bildirim 30 gün içinde görünecek |
|||
CleanupTaskNotificationSnoozeInterval = Hatırlatma Aralığı Seçin |
|||
CleanupNotificationTaskDescription = Windows kullanılmayan dosyaları ve güncellemeleri temizleme hakkında açılır bildirim hatırlatıcısı |
|||
SoftwareDistributionTaskNotificationEvent = Windows güncelleme önbelleği başarıyla silindi |
|||
TempTaskNotificationEvent = Geçici dosyalar klasörü başarıyla temizlendi |
|||
FolderTaskDescription = "{0}" klasörü temizleniyor |
|||
EventViewerCustomViewName = Süreç Oluşturma |
|||
EventViewerCustomViewDescription = Süreç oluşturma ve komut satırı denetleme olayları |
|||
RestartWarning = Bilgisayarınızı yeniden başlattığınızdan emin olun |
|||
ErrorsLine = Satır |
|||
ErrorsFile = Dosya |
|||
ErrorsMessage = Hatalar/Uyarılar |
|||
Add = Ekle |
|||
AllFilesFilter = Tüm Dosyalar (*.*)|*.* |
|||
Browse = Gözat |
|||
Change = Değiştir |
|||
DialogBoxOpening = İletişim kutusu görüntüleniyor... |
|||
Disable = Devre dışı bırak |
|||
Enable = Aktif et |
|||
EXEFilesFilter = *.exe|*.exe|Tüm Dosyalar (*.*)|*.* |
|||
FolderSelect = Klasör seç |
|||
FilesWontBeMoved = Dosyalar taşınmayacak |
|||
FourHours = 4 Saat |
|||
HalfHour = 30 Dakika |
|||
Install = Yükle |
|||
Minute = 1 Dakika |
|||
NoData = Görüntülenecek bir şey yok |
|||
NoInternetConnection = İnternet bağlantısı yok |
|||
RestartFunction = Lütfen "{0}" işlevini yeniden çalıştırın |
|||
NoResponse = {0} ile bağlantı kurulamadı |
|||
No = Hayır |
|||
Yes = Evet |
|||
Open = Açık |
|||
Patient = Lütfen bekleyin... |
|||
Restore = Onar |
|||
Run = Başlat |
|||
SelectAll = Hepsini seç |
|||
Skip = Atla |
|||
Skipped = Atlandı |
|||
FileExplorerRestartPrompt = \nBazen değişikliklerin geçerli olması için Dosya Gezgini işleminin yeniden başlatılması gerekir |
|||
TelegramGroupTitle = Resmi Telegram grubumuza katılın |
|||
TelegramChannelTitle = Resmi Telegram kanalımıza katılın |
|||
Uninstall = Kaldır |
|||
'@ |
@ -0,0 +1,83 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = Скрипт підтримує тільки Windows 10 x64 |
|||
UnsupportedOSBuild = Скрипт підтримує тільки Windows 10 версії 2004/20H2/21H1/21H2 |
|||
UpdateWarning = Встановлений зведене оновлення Windows 10: {0}. Підтримуваний накопичувальний пакет оновлення: 1151 і вище |
|||
UnsupportedLanguageMode = Сесія PowerShell працює в обмеженому режимі |
|||
LoggedInUserNotAdmin = Поточний увійшов користувач не володіє правами адміністратора |
|||
UnsupportedPowerShell = Ви намагаєтеся запустити скрипт в PowerShell {0}.{1}. Запустіть скрипт у відповідній версії PowerShell |
|||
UnsupportedISE = Скрипт не підтримує роботу через Windows PowerShell ISE |
|||
Win10TweakerWarning = Ваша ОС, можливо, через бекдор в Win 10 Tweaker заражена трояном |
|||
Windows10DebloaterWarning = Стабільність вашої ОС могла бути порушена використанням скрипту Windows10Debloater від Sycnex. З метою профілактики перевстановіть ОС |
|||
UnsupportedRelease = Виявлено нову версію |
|||
CustomizationWarning = \nВи налаштували всі функції в пресет-файлі Sophia.ps1 перед запуском Sophia Script? |
|||
ControlledFolderAccessDisabled = Контрольований доступ до папок вимкнений |
|||
ScheduledTasks = Заплановані задачі |
|||
OneDriveUninstalling = Видалення OneDrive... |
|||
OneDriveInstalling = OneDrive встановлюється... |
|||
OneDriveDownloading = Завантажується OneDrive... ~33 МБ |
|||
OneDriveWarning = Функція "{0}" буде застосована тільки в разі, якщо в пресете налаштоване щоб видалити програму OneDrive, інакше ламається функціонал резервного копіювання для папок "Робочий стіл" і "Зображення" в OneDrive |
|||
WindowsFeaturesTitle = Компоненти Windows |
|||
OptionalFeaturesTitle = Додаткові компоненти |
|||
EnableHardwareVT = Увімкніть віртуалізацію в UEFI |
|||
UserShellFolderNotEmpty = У папці "{0}" залишились файли. Перемістіть їх вручну у нове розташування |
|||
RetrievingDrivesList = Отримання списку дисків... |
|||
DriveSelect = Виберіть диск, в корні якого буде створена папка для "{0}" |
|||
CurrentUserFolderLocation = Текуще розташування папок "{0}": "{1}" |
|||
UserFolderRequest = Хочете змінити розташування папки "{0}"? |
|||
UserFolderSelect = Виберіть папку для "{0}" |
|||
UserDefaultFolder = Хочете змінити розташування папки "{0}" на значення за замовчуванням? |
|||
ReservedStorageIsInUse = Операція не підтримується, поки використовується зарезервоване сховище\nБудь ласка, повторно запустіть функцію "{0}" після перезавантаження |
|||
ShortcutPinning = Ярлик "{0}" закріплюється на початковому екрані... |
|||
UninstallUWPForAll = Для всіх користувачів |
|||
UWPAppsTitle = Програми UWP |
|||
HEVCDownloading = Завантаження "Розширення відео HEVC від виробника пристрою"... ~2,8 МБ |
|||
GraphicsPerformanceTitle = Налаштування продуктивності графіки |
|||
GraphicsPerformanceRequest = Встановити для будь-якої програми за вашим вибором налаштування продуктивності графіки на "Висока продуктивність"? |
|||
TaskNotificationTitle = Cповіщення |
|||
CleanupTaskNotificationTitle = Важлива інформація |
|||
CleanupTaskDescription = Очищення зайвих файлів і оновлень Windows, використовуючи вбудовану програму очищення диска |
|||
CleanupTaskNotificationEventTitle = Запустити задачу по очищенню зайвих файлів і оновлень Windows? |
|||
CleanupTaskNotificationEvent = Очищення Windows не займе багато часу. Наступний раз це повідомлення з'явиться через 30 днів |
|||
CleanupTaskNotificationSnoozeInterval = Виберіть інтервал повтору повідомлення |
|||
CleanupNotificationTaskDescription = Спливаюче повідомлення про нагадуванні з очищення зайвих файлів і оновлень Windows |
|||
SoftwareDistributionTaskNotificationEvent = Кеш оновлень Windows успішно видалений |
|||
TempTaskNotificationEvent = Папка тимчасових файлів успішно очищена |
|||
FolderTaskDescription = Очищення папки "{0}" |
|||
EventViewerCustomViewName = Створення процесу |
|||
EventViewerCustomViewDescription = Події створення нового процесу і аудит командного рядка |
|||
RestartWarning = Обов'язково перезавантажте ваш ПК |
|||
ErrorsLine = Рядок |
|||
ErrorsFile = Файл |
|||
ErrorsMessage = Помилки/попередження |
|||
Add = Додати |
|||
AllFilesFilter = Усі файли (*.*)|*.* |
|||
Browse = Переглядати |
|||
Change = Змінити |
|||
DialogBoxOpening = Діалогове вікно відкривається... |
|||
Disable = Вимкнути |
|||
Enable = Увімкнути |
|||
EXEFilesFilter = *.exe|*.exe|Усі файли (*.*)|*.* |
|||
FolderSelect = Виберіть папку |
|||
FilesWontBeMoved = Файли не будуть перенесені |
|||
FourHours = 4 години |
|||
HalfHour = 30 хвилин |
|||
Install = Встановити |
|||
Minute = 1 хвилина |
|||
NoData = Відсутні дані |
|||
NoInternetConnection = Відсутнє інтернет-з'єднання |
|||
RestartFunction = Будь ласка, повторно запустіть функцію "{0}" |
|||
NoResponse = Не вдалося встановити зв’язок із {0} |
|||
No = Немає |
|||
Yes = Так |
|||
Open = Відкрити |
|||
Patient = Будь ласка, зачекайте... |
|||
Restore = Відновити |
|||
Run = Запустити |
|||
SelectAll = Вибрати все |
|||
Skip = Пропустити |
|||
Skipped = Пропущено |
|||
FileExplorerRestartPrompt = \nІноді для того, щоб зміни вступили в силу, процес провідника необхідно перезапустити |
|||
TelegramGroupTitle = Приєднуйтесь до нашої офіційної групи в Telegram |
|||
TelegramChannelTitle = Приєднуйтесь до нашого офіційного каналу в Telegram |
|||
Uninstall = Видалити |
|||
'@ |
@ -0,0 +1,83 @@ |
|||
ConvertFrom-StringData -StringData @' |
|||
UnsupportedOSBitness = 该脚本仅支持Windows 10 x64 |
|||
UnsupportedOSBuild = 该脚本支持Windows 10版本2004/20H2/21H1/21H2和更高版本 |
|||
UpdateWarning = 安装了Windows 10累积更新:{0}. 支持的累积更新:1151及以上 |
|||
UnsupportedLanguageMode = PowerShell会话在有限的语言模式下运行 |
|||
LoggedInUserNotAdmin = 登录的用户没有管理员的权利 |
|||
UnsupportedPowerShell = 你想通过PowerShell {0}.{1}运行脚本。在适当的PowerShell版本中运行该脚本 |
|||
UnsupportedISE = 该脚本不支持通过Windows PowerShell ISE运行 |
|||
Win10TweakerWarning = 可能你的操作系统是通过“Win 10 Tweaker”后门感染的 |
|||
Windows10DebloaterWarning = 使用Sycnex的Windows10Debloater PowerShell脚本,Windows操作系统的稳定性可能已经受到影响。预防性地,重新安装整个操作系统 |
|||
UnsupportedRelease = 找到新版本 |
|||
CustomizationWarning = \n在运行Sophia Script之前,您是否已自定义Sophia.ps1预设文件中的每个函数? |
|||
ControlledFolderAccessDisabled = “受控文件夹访问”已禁用 |
|||
ScheduledTasks = 计划任务 |
|||
OneDriveUninstalling = 卸载OneDrive…… |
|||
OneDriveInstalling = OneDrive正在安装…… |
|||
OneDriveDownloading = 正在下载OneDrive…… ~33 MB |
|||
OneDriveWarning = 只有当预设被配置为删除OneDrive时,才会应用"{0}"功能,否则OneDrive中的 "桌面 "和 "图片 "文件夹的备份功能就会中断。 |
|||
WindowsFeaturesTitle = Windows功能 |
|||
OptionalFeaturesTitle = 可选功能 |
|||
EnableHardwareVT = UEFI中开启虚拟化 |
|||
UserShellFolderNotEmpty = 一些文件留在了“{0}“文件夹。请手动将它们移到一个新位置 |
|||
RetrievingDrivesList = 取得驱动器列表…… |
|||
DriveSelect = 选择将在其根目录中创建“{0}“文件夹的驱动器 |
|||
CurrentUserFolderLocation = 当前"{0}"文件夹的位置:"{1}" |
|||
UserFolderRequest = 是否要更改“{0}“文件夹位置? |
|||
UserFolderSelect = 为“{0}”文件夹选择一个文件夹 |
|||
UserDefaultFolder = 您想将“{0}”文件夹的位置更改为默认值吗? |
|||
ReservedStorageIsInUse = 保留存储空间正在使用时不支持此操作\n请在电脑重启后重新运行"{0}"功能 |
|||
ShortcutPinning = “{0}“快捷方式将被固定到开始菜单…… |
|||
UninstallUWPForAll = 对于所有用户 |
|||
UWPAppsTitle = UWP应用 |
|||
HEVCDownloading = 下载”HEVC Video Extensions from Device Manufacturer”…… ~2,8 MB |
|||
GraphicsPerformanceTitle = 图形性能偏好 |
|||
GraphicsPerformanceRequest = 是否将所选应用程序的图形性能设置设为"高性能"? |
|||
TaskNotificationTitle = 通知 |
|||
CleanupTaskNotificationTitle = 重要信息 |
|||
CleanupTaskDescription = 使用内置磁盘清理工具清理未使用的Windows文件和更新 |
|||
CleanupTaskNotificationEventTitle = 运行任务以清理Windows未使用的文件和更新? |
|||
CleanupTaskNotificationEvent = Windows清理不会花很长时间。下次通知将在30天内显示 |
|||
CleanupTaskNotificationSnoozeInterval = 选择提醒间隔 |
|||
CleanupNotificationTaskDescription = 关于清理Windows未使用的文件和更新的弹出通知提醒 |
|||
SoftwareDistributionTaskNotificationEvent = Windows更新缓存已成功删除 |
|||
TempTaskNotificationEvent = 临时文件文件夹已成功清理 |
|||
FolderTaskDescription = “{0}”文件夹清理 |
|||
EventViewerCustomViewName = 进程创建 |
|||
EventViewerCustomViewDescription = 进程创建和命令行审核事件 |
|||
RestartWarning = 确保重启电脑 |
|||
ErrorsLine = 行 |
|||
ErrorsFile = 文件 |
|||
ErrorsMessage = 错误/警告 |
|||
Add = 添加 |
|||
AllFilesFilter = 所有文件 (*.*)|*.* |
|||
Browse = 浏览 |
|||
Change = 更改 |
|||
DialogBoxOpening = 显示对话窗口…… |
|||
Disable = 禁用 |
|||
Enable = 启用 |
|||
EXEFilesFilter = *.exe|*.exe|所有文件 (*.*)|*.* |
|||
FolderSelect = 选择一个文件夹 |
|||
FilesWontBeMoved = 文件将不会被移动 |
|||
FourHours = 4个小时 |
|||
HalfHour = 30分钟 |
|||
Install = 安装 |
|||
Minute = 1分钟 |
|||
NoData = 无数据 |
|||
NoInternetConnection = 无网络连接 |
|||
RestartFunction = 请重新运行"{0}"函数 |
|||
NoResponse = 无法建立{0} |
|||
No = 不 |
|||
Yes = 是的 |
|||
Open = 打开 |
|||
Patient = 请等待…… |
|||
Restore = 恢复 |
|||
Run = 运行 |
|||
SelectAll = 全选 |
|||
Skip = 跳过 |
|||
Skipped = 已跳过 |
|||
FileExplorerRestartPrompt = \n有时,为了使更改生效,必须重新启动文件管理器进程 |
|||
TelegramGroupTitle = 加入我们的官方Telegram 群 |
|||
TelegramChannelTitle = 加入我们的官方Telegram 频道 |
|||
Uninstall = 卸载 |
|||
'@ |
@ -0,0 +1,20 @@ |
|||
@{ |
|||
RootModule = '..\Module\Sophia.psm1' |
|||
ModuleVersion = '5.12.6' |
|||
GUID = '109cc881-c42b-45af-a74a-550781989d6a' |
|||
Author = 'Dmitry "farag" Nefedov' |
|||
Copyright = '(c) 2014—2021 farag & Inestic. All rights reserved' |
|||
Description = 'Module for Windows fine-tuning and automating the routine tasks' |
|||
PowerShellVersion = '5.1' |
|||
ProcessorArchitecture = 'AMD64' |
|||
FunctionsToExport = '*' |
|||
|
|||
PrivateData = @{ |
|||
PSData = @{ |
|||
LicenseUri = 'https://github.com/farag2/Sophia-Script-for-Windows/blob/master/LICENSE' |
|||
ProjectUri = 'https://github.com/farag2/Sophia-Script-for-Windows' |
|||
IconUri = 'https://raw.githubusercontent.com/farag2/Sophia-Script-for-Windows/master/img/Sophia.png' |
|||
ReleaseNotes = 'https://github.com/farag2/Sophia-Script-for-Windows/blob/master/CHANGELOG.md' |
|||
} |
|||
} |
|||
} |
File diff suppressed because it is too large
File diff suppressed because it is too large
Loading…
Reference in new issue