From 1604da8f2a180ed3631aff723ce42bdaf3f27e04 Mon Sep 17 00:00:00 2001 From: Dmitry Nefedov Date: Mon, 27 Sep 2021 21:40:02 +0300 Subject: [PATCH] =?UTF-8?q?=20LTSC=20=20=E2=80=94>=20Sophia=20Script=20for?= =?UTF-8?q?=20Windows=2010=20LTSC?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- .../Functions.ps1 | 218 +- .../Localizations/de-DE/Sophia.psd1 | 138 +- .../Localizations/en-US/Sophia.psd1 | 140 +- .../Localizations/es-ES/Sophia.psd1 | 140 +- .../Localizations/fr-FR/Sophia.psd1 | 140 +- .../Localizations/hu-HU/Sophia.psd1 | 140 +- .../Localizations/it-IT/Sophia.psd1 | 140 +- .../Localizations/pt-BR/Sophia.psd1 | 140 +- .../Localizations/ru-RU/Sophia.psd1 | 140 +- .../Localizations/tr-TR/Sophia.psd1 | 138 +- .../Localizations/uk-UA/Sophia.psd1 | 140 +- .../Localizations/zh-CN/Sophia.psd1 | 140 +- .../Manifest/Sophia.psd1 | 40 +- .../Module/Sophia.psm1 | 18334 ++++++++-------- .../Sophia.ps1 | 2170 +- 15 files changed, 11149 insertions(+), 11149 deletions(-) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Functions.ps1 (96%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Localizations/de-DE/Sophia.psd1 (98%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Localizations/en-US/Sophia.psd1 (98%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Localizations/es-ES/Sophia.psd1 (98%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Localizations/fr-FR/Sophia.psd1 (98%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Localizations/hu-HU/Sophia.psd1 (98%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Localizations/it-IT/Sophia.psd1 (98%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Localizations/pt-BR/Sophia.psd1 (98%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Localizations/ru-RU/Sophia.psd1 (99%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Localizations/tr-TR/Sophia.psd1 (98%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Localizations/uk-UA/Sophia.psd1 (99%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Localizations/zh-CN/Sophia.psd1 (98%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Manifest/Sophia.psd1 (97%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Module/Sophia.psm1 (96%) rename Sophia/{LTSC => Sophia Script for Windows 10 LTSC}/Sophia.ps1 (98%) diff --git a/Sophia/LTSC/Functions.ps1 b/Sophia/Sophia Script for Windows 10 LTSC/Functions.ps1 similarity index 96% rename from Sophia/LTSC/Functions.ps1 rename to Sophia/Sophia Script for Windows 10 LTSC/Functions.ps1 index d5f308eb..d64b1ba4 100644 --- a/Sophia/LTSC/Functions.ps1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Functions.ps1 @@ -1,109 +1,109 @@ -<# - .SYNOPSIS - The TAB completion for functions and their arguments - - Version: v5.2.13 - Date: 25.08.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 - Sophia -Functions temp - 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.13 | Made with $([char]::ConvertFromUtf32(0x1F497)) of Windows 10 | $([char]0x00A9) farag & Inestic, 2014–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 " -Verbose -Write-Verbose -Message "Sophia -Functions temp" -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.13 + Date: 25.08.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 + Sophia -Functions temp + 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.13 | Made with $([char]::ConvertFromUtf32(0x1F497)) of Windows 10 | $([char]0x00A9) farag & Inestic, 2014–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 " -Verbose +Write-Verbose -Message "Sophia -Functions temp" -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 diff --git a/Sophia/LTSC/Localizations/de-DE/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/de-DE/Sophia.psd1 similarity index 98% rename from Sophia/LTSC/Localizations/de-DE/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Localizations/de-DE/Sophia.psd1 index 34717bb3..ebae2f81 100644 --- a/Sophia/LTSC/Localizations/de-DE/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/de-DE/Sophia.psd1 @@ -1,70 +1,70 @@ -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 = Einige im Ordner "{0}" verbliebene Dateien \nVerschieben Sie sie manuell an einen neuen Ort -RetrievingDrivesList = Abrufen der Laufwerksliste... -DriveSelect = Wählen Sie das Laufwerk, in dessen Stammverzeichnis der "{0}"-Ordner erstellt werden soll -UserFolderRequest = Möchten Sie den Speicherort des "{0}"-Ordners ä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 Festplatten-Bereinigungsanwendung -CleanupTaskNotificationEventTitle = Aufgabe ausführen, um nicht verwendete Windows-Dateien und -Updates zu bereinigen? -CleanupTaskNotificationEvent = Die Windows-Bereinigung dauert nicht lange. Das nächste Mal wird die Benachrichtigung in 30 Tagen angezeigt -CleanupTaskNotificationSnoozeInterval = Wählen Sie ein Erinnerungsintervall -CleanupNotificationTaskDescription = Bereinigung ungenutzter Windows-Dateien und -Updates mit der integrierten Festplatten-Bereinigungsanwendung -SoftwareDistributionTaskNotificationEvent = Der Windows Update-Cache 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 = Durchsuche -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 -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 = Einige im Ordner "{0}" verbliebene Dateien \nVerschieben Sie sie manuell an einen neuen Ort +RetrievingDrivesList = Abrufen der Laufwerksliste... +DriveSelect = Wählen Sie das Laufwerk, in dessen Stammverzeichnis der "{0}"-Ordner erstellt werden soll +UserFolderRequest = Möchten Sie den Speicherort des "{0}"-Ordners ä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 Festplatten-Bereinigungsanwendung +CleanupTaskNotificationEventTitle = Aufgabe ausführen, um nicht verwendete Windows-Dateien und -Updates zu bereinigen? +CleanupTaskNotificationEvent = Die Windows-Bereinigung dauert nicht lange. Das nächste Mal wird die Benachrichtigung in 30 Tagen angezeigt +CleanupTaskNotificationSnoozeInterval = Wählen Sie ein Erinnerungsintervall +CleanupNotificationTaskDescription = Bereinigung ungenutzter Windows-Dateien und -Updates mit der integrierten Festplatten-Bereinigungsanwendung +SoftwareDistributionTaskNotificationEvent = Der Windows Update-Cache 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 = Durchsuche +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 +TelegramGroupTitle = Treten Sie unserer offiziellen Telegram-Gruppe bei +TelegramChannelTitle = Treten Sie unserem offiziellen Telegram-Kanal bei +Uninstall = Deinstallieren '@ \ No newline at end of file diff --git a/Sophia/LTSC/Localizations/en-US/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/en-US/Sophia.psd1 similarity index 98% rename from Sophia/LTSC/Localizations/en-US/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Localizations/en-US/Sophia.psd1 index e8b4b798..104d1651 100644 --- a/Sophia/LTSC/Localizations/en-US/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/en-US/Sophia.psd1 @@ -1,70 +1,70 @@ -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 -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 -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 +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 +TelegramGroupTitle = Join our official Telegram group +TelegramChannelTitle = Join our official Telegram channel +Uninstall = Uninstall +'@ diff --git a/Sophia/LTSC/Localizations/es-ES/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/es-ES/Sophia.psd1 similarity index 98% rename from Sophia/LTSC/Localizations/es-ES/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Localizations/es-ES/Sophia.psd1 index c2b6ca94..b23008ad 100644 --- a/Sophia/LTSC/Localizations/es-ES/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/es-ES/Sophia.psd1 @@ -1,70 +1,70 @@ -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}" -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 -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}" +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 +TelegramGroupTitle = Únete a nuestro grupo oficial de Telegram +TelegramChannelTitle = Únete a nuestro canal oficial de Telegram +Uninstall = Desinstalar +'@ diff --git a/Sophia/LTSC/Localizations/fr-FR/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/fr-FR/Sophia.psd1 similarity index 98% rename from Sophia/LTSC/Localizations/fr-FR/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Localizations/fr-FR/Sophia.psd1 index b6080276..e030ca89 100644 --- a/Sophia/LTSC/Localizations/fr-FR/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/fr-FR/Sophia.psd1 @@ -1,70 +1,70 @@ -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éé. -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 = Notificacion -CleanupTaskNotificationTitle = Une information important -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. La prochaine fois que la notification apparaîtra 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é -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éé. +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 = Notificacion +CleanupTaskNotificationTitle = Une information important +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. La prochaine fois que la notification apparaîtra 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é +TelegramGroupTitle = Rejoignez notre groupe Telegram officiel +TelegramChannelTitle = Rejoignez notre canal Telegram officiel +Uninstall = Désinstaller +'@ diff --git a/Sophia/LTSC/Localizations/hu-HU/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/hu-HU/Sophia.psd1 similarity index 98% rename from Sophia/LTSC/Localizations/hu-HU/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Localizations/hu-HU/Sophia.psd1 index 0ef027ac..29649602 100644 --- a/Sophia/LTSC/Localizations/hu-HU/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/hu-HU/Sophia.psd1 @@ -1,70 +1,70 @@ -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 szkriptet a PowerShell 7 segítségével próbálja futtatni. 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 -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 -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 szkriptet a PowerShell 7 segítségével próbálja futtatni. 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 +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 +TelegramGroupTitle = Pridružite se našoj službenoj grupi Telegram +TelegramChannelTitle = Pridružite se našem službenom kanalu Telegram +Uninstall = Eltávolít +'@ diff --git a/Sophia/LTSC/Localizations/it-IT/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/it-IT/Sophia.psd1 similarity index 98% rename from Sophia/LTSC/Localizations/it-IT/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Localizations/it-IT/Sophia.psd1 index 3d5c0964..d06fea90 100644 --- a/Sophia/LTSC/Localizations/it-IT/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/it-IT/Sophia.psd1 @@ -1,70 +1,70 @@ -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 -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 -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 +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 +TelegramGroupTitle = Unisciti al nostro gruppo ufficiale Telegram +TelegramChannelTitle = Unisciti al nostro canale ufficiale di Telegram +Uninstall = Disinstallare +'@ diff --git a/Sophia/LTSC/Localizations/pt-BR/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/pt-BR/Sophia.psd1 similarity index 98% rename from Sophia/LTSC/Localizations/pt-BR/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Localizations/pt-BR/Sophia.psd1 index 3fb96829..83c4f289 100644 --- a/Sophia/LTSC/Localizations/pt-BR/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/pt-BR/Sophia.psd1 @@ -1,70 +1,70 @@ -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 -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 -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 +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 +TelegramGroupTitle = Entre no grupo oficial do Telegram +TelegramChannelTitle = Entre no canal oficial do Telegram +Uninstall = Desinstalar +'@ diff --git a/Sophia/LTSC/Localizations/ru-RU/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/ru-RU/Sophia.psd1 similarity index 99% rename from Sophia/LTSC/Localizations/ru-RU/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Localizations/ru-RU/Sophia.psd1 index 03bc0153..3003f634 100644 --- a/Sophia/LTSC/Localizations/ru-RU/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/ru-RU/Sophia.psd1 @@ -1,70 +1,70 @@ -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}" -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 = Пропущено -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}" +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 = Пропущено +TelegramGroupTitle = Присоединяйтесь к нашей официальной группе в Telegram +TelegramChannelTitle = Присоединяйтесь к нашему официальному каналу в Telegram +Uninstall = Удалить +'@ diff --git a/Sophia/LTSC/Localizations/tr-TR/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/tr-TR/Sophia.psd1 similarity index 98% rename from Sophia/LTSC/Localizations/tr-TR/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Localizations/tr-TR/Sophia.psd1 index 93a81c65..23b79d9e 100644 --- a/Sophia/LTSC/Localizations/tr-TR/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/tr-TR/Sophia.psd1 @@ -1,70 +1,70 @@ -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 7 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 -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ı -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 7 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 +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ı +TelegramGroupTitle = Resmi Telegram grubumuza katılın +TelegramChannelTitle = Resmi Telegram kanalımıza katılın +Uninstall = Kaldır '@ \ No newline at end of file diff --git a/Sophia/LTSC/Localizations/uk-UA/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/uk-UA/Sophia.psd1 similarity index 99% rename from Sophia/LTSC/Localizations/uk-UA/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Localizations/uk-UA/Sophia.psd1 index 307517ce..cab9aa3e 100644 --- a/Sophia/LTSC/Localizations/uk-UA/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/uk-UA/Sophia.psd1 @@ -1,70 +1,70 @@ -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}" -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 = Пропущено -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}" +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 = Пропущено +TelegramGroupTitle = Приєднуйтесь до нашої офіційної групи Telegram +TelegramChannelTitle = Приєднуйтесь до нашого офіційного каналу в Telegram +Uninstall = Видалити +'@ diff --git a/Sophia/LTSC/Localizations/zh-CN/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/zh-CN/Sophia.psd1 similarity index 98% rename from Sophia/LTSC/Localizations/zh-CN/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Localizations/zh-CN/Sophia.psd1 index af8cad72..1d999e8b 100644 --- a/Sophia/LTSC/Localizations/zh-CN/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Localizations/zh-CN/Sophia.psd1 @@ -1,70 +1,70 @@ -ConvertFrom-StringData -StringData @' -UnsupportedOSBitness = 该脚本仅支持Windows 10 x64 -UnsupportedOSBuild = 该脚本支持Windows 10版本1809 Enterprise LTSC -UnsupportedLanguageMode = PowerShell会话在有限的语言模式下运行 -LoggedInUserNotAdmin = 登录的用户没有管理员的权利 -UnsupportedPowerShell = 你想通过PowerShell {0}运行脚本。在适当的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}“文件夹的驱动器 -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 = 已跳过 -TelegramGroupTitle = 加入我们的官方Telegram 群 -TelegramChannelTitle = 加入我们的官方Telegram 频道 -Uninstall = 卸载 -'@ +ConvertFrom-StringData -StringData @' +UnsupportedOSBitness = 该脚本仅支持Windows 10 x64 +UnsupportedOSBuild = 该脚本支持Windows 10版本1809 Enterprise LTSC +UnsupportedLanguageMode = PowerShell会话在有限的语言模式下运行 +LoggedInUserNotAdmin = 登录的用户没有管理员的权利 +UnsupportedPowerShell = 你想通过PowerShell {0}运行脚本。在适当的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}“文件夹的驱动器 +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 = 已跳过 +TelegramGroupTitle = 加入我们的官方Telegram 群 +TelegramChannelTitle = 加入我们的官方Telegram 频道 +Uninstall = 卸载 +'@ diff --git a/Sophia/LTSC/Manifest/Sophia.psd1 b/Sophia/Sophia Script for Windows 10 LTSC/Manifest/Sophia.psd1 similarity index 97% rename from Sophia/LTSC/Manifest/Sophia.psd1 rename to Sophia/Sophia Script for Windows 10 LTSC/Manifest/Sophia.psd1 index e48e837e..1c78a91b 100644 --- a/Sophia/LTSC/Manifest/Sophia.psd1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Manifest/Sophia.psd1 @@ -1,20 +1,20 @@ -@{ - RootModule = '..\Module\Sophia.psm1' - ModuleVersion = '5.2.14' - 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.14' + 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' + } + } +} diff --git a/Sophia/LTSC/Module/Sophia.psm1 b/Sophia/Sophia Script for Windows 10 LTSC/Module/Sophia.psm1 similarity index 96% rename from Sophia/LTSC/Module/Sophia.psm1 rename to Sophia/Sophia Script for Windows 10 LTSC/Module/Sophia.psm1 index ed9cb193..9e3a63a9 100644 --- a/Sophia/LTSC/Module/Sophia.psm1 +++ b/Sophia/Sophia Script for Windows 10 LTSC/Module/Sophia.psm1 @@ -1,9167 +1,9167 @@ -<# - .SYNOPSIS - Sophia Script is a PowerShell module for Windows 10 & Windows 11 fine-tuning and automating the routine tasks - - Version: v5.2.14 - Date: 19.09.2021 - - Copyright (c) 2014–2021 farag - Copyright (c) 2019–2021 farag & Inestic - - Thanks to all https://forum.ru-board.com members involved - - .NOTES - Running the script is best done on a fresh install because running it on wrong tweaked system may result in errors occurring - - .NOTES - Supported Windows 10 version - Version: 1809 - Build: 17763 - Edition: Enterprise LTSC - Architecture: x64 - - .NOTES - Set execution policy to be able to run scripts only in the current PowerShell session: - Set-ExecutionPolicy -ExecutionPolicy Bypass -Scope Process -Force - - .LINK GitHub link - https://github.com/farag2/Sophia-Script-for-Windows - - .LINK Telegram channel & group - https://t.me/sophianews - https://t.me/sophia_chat - - .NOTES - https://forum.ru-board.com/topic.cgi?forum=62&topic=30617#15 - https://habr.com/company/skillfactory/blog/553800/ - https://forums.mydigitallife.net/threads/powershell-windows-10-sophia-script.81675/ - https://www.reddit.com/r/PowerShell/comments/go2n5v/powershell_script_setup_windows_10/ - - .LINK Authors - https://github.com/farag2 - https://github.com/Inestic -#> - -#region Checkings -function Checkings -{ - param - ( - [Parameter(Mandatory = $false)] - [switch] - $Warning - ) - - Set-StrictMode -Version Latest - - # Сlear the $Error variable - $Global:Error.Clear() - - # Detect the OS bitness - switch ([System.Environment]::Is64BitOperatingSystem) - { - $false - { - Write-Warning -Message $Localization.UnsupportedOSBitness - exit - } - } - - # Detect the OS build version - switch ((Get-CimInstance -ClassName Win32_OperatingSystem).BuildNumber -eq 17763) - { - $false - { - Write-Warning -Message $Localization.UnsupportedOSBuild - exit - } - } - - # Check the language mode - switch ($ExecutionContext.SessionState.LanguageMode -ne "FullLanguage") - { - $true - { - Write-Warning -Message $Localization.UnsupportedLanguageMode - - Start-Process -FilePath "https://docs.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_language_modes" - - exit - } - } - - # Check whether the logged-in user is an admin - $CurrentUserName = (Get-Process -Id $PID -IncludeUserName).UserName | Split-Path -Leaf - $CurrentSessionId = (Get-Process -Id $PID -IncludeUserName).SessionId - $LoginUserName = (Get-Process -IncludeUserName -ErrorAction SilentlyContinue | Where-Object -FilterScript {($_.ProcessName -eq "explorer") -and ($_.SessionId -eq $CurrentSessionId)}).UserName | Select-Object -First 1 | Split-Path -Leaf - - switch ($CurrentUserName -ne $LoginUserName) - { - $true - { - Write-Warning -Message $Localization.LoggedInUserNotAdmin - exit - } - } - - # Check whether the script was run via PowerShell 5.1 - if ($PSVersionTable.PSVersion.Major -ne 5) - { - Write-Warning -Message ($Localization.UnsupportedPowerShell -f $PSVersionTable.PSVersion.Major, $PSVersionTable.PSVersion.Minor) - exit - } - - # Check whether the script was run via PowerShell ISE - if ($Host.Name -match "ISE") - { - Write-Warning -Message $Localization.UnsupportedISE - exit - } - - # Check whether the OS was infected by Win 10 Tweaker - if (Test-Path -Path "HKCU:\Software\Win 10 Tweaker") - { - Write-Warning -Message $Localization.Win10TweakerWarning - - Start-Process -FilePath "https://youtu.be/na93MS-1EkM" - Start-Process -FilePath "https://pikabu.ru/story/byekdor_v_win_10_tweaker_ili_sovremennyie_metodyi_borbyi_s_piratstvom_8227558" - - exit - } - - # Check if the current module version is the latest one - try - { - [Net.ServicePointManager]::SecurityProtocol = [Net.SecurityProtocolType]::Tls12 - - # https://github.com/farag2/Sophia-Script-for-Windows/blob/master/sophia_script_versions.json - $LatestRelease = (Invoke-RestMethod -Uri "https://raw.githubusercontent.com/farag2/Sophia-Script-for-Windows/master/sophia_script_versions.json" -UseBasicParsing).Sophia_Script_Windows_10_LTSC - $CurrentRelease = (Get-Module -Name Sophia).Version.ToString() - switch ([System.Version]$LatestRelease -gt [System.Version]$CurrentRelease) - { - $true - { - Write-Warning -Message $Localization.UnsupportedRelease - - Start-Sleep -Seconds 5 - - Start-Process -FilePath "https://github.com/farag2/Sophia-Script-for-Windows/releases/latest" - exit - } - } - } - catch [System.Net.WebException] - { - Write-Warning -Message ($Localization.NoResponse -f "https://github.com/farag2/Sophia-Script-for-Windows") - Write-Error -Message ($Localization.NoResponse -f "https://github.com/farag2/Sophia-Script-for-Windows") -ErrorAction SilentlyContinue - } - - # Unblock all files in the script folder by removing the Zone.Identifier alternate data stream with a value of "3" - Get-ChildItem -Path $PSScriptRoot\..\ -File -Recurse -Force | Unblock-File - - # Display a warning message about whether a user has customized the preset file - if ($Warning) - { - $Title = "" - $Message = $Localization.CustomizationWarning - $Yes = $Localization.Yes - $No = $Localization.No - $Options = "&$No", "&$Yes" - $DefaultChoice = 0 - $Result = $Host.UI.PromptForChoice($Title, $Message, $Options, $DefaultChoice) - - switch ($Result) - { - "0" - { - Invoke-Item -Path $PSScriptRoot\..\Sophia.ps1 - - Start-Sleep -Seconds 5 - - Start-Process -FilePath "https://github.com/farag2/Sophia-Script-for-Windows#how-to-use" - exit - } - "1" - { - continue - } - } - } - - # Turn off Controlled folder access to let the script proceed - switch ((Get-MpPreference).EnableControlledFolderAccess) - { - "1" - { - Write-Warning -Message $Localization.ControlledFolderAccessDisabled - - $Script:ControlledFolderAccess = $true - Set-MpPreference -EnableControlledFolderAccess Disabled - - # Open "Ransomware protection" page - Start-Process -FilePath windowsdefender://RansomwareProtection - } - "0" - { - $Script:ControlledFolderAccess = $false - } - } -} -#endregion Checkings - -#region Protection -# Enable script logging. The log will be being recorded into the script root folder -# To stop logging just close the console or type "Stop-Transcript" -function Logging -{ - $TrascriptFilename = "Log-$((Get-Date).ToString("dd.MM.yyyy-HH-mm"))" - Start-Transcript -Path $PSScriptRoot\..\$TrascriptFilename.txt -Force -} - -# Create a restore point for the system drive -function CreateRestorePoint -{ - $SystemDriveUniqueID = (Get-Volume | Where-Object -FilterScript {$_.DriveLetter -eq "$($env:SystemDrive[0])"}).UniqueID - $SystemProtection = ((Get-ItemProperty -Path "HKLM:\SOFTWARE\Microsoft\Windows NT\CurrentVersion\SPP\Clients" -ErrorAction Ignore)."{09F7EDC5-294E-4180-AF6A-FB0E6A0E9513}") | Where-Object -FilterScript {$_ -match [regex]::Escape($SystemDriveUniqueID)} - - $ComputerRestorePoint = $false - - switch ($null -eq $SystemProtection) - { - $true - { - $ComputerRestorePoint = $true - Enable-ComputerRestore -Drive $env:SystemDrive - } - } - - # Never skip creating a restore point - New-ItemProperty -Path "HKLM:\SOFTWARE\Microsoft\Windows NT\CurrentVersion\SystemRestore" -Name SystemRestorePointCreationFrequency -PropertyType DWord -Value 0 -Force - - Checkpoint-Computer -Description "Sophia Script for Windows 10" -RestorePointType MODIFY_SETTINGS - - # Revert the System Restore checkpoint creation frequency to 1440 minutes - New-ItemProperty -Path "HKLM:\SOFTWARE\Microsoft\Windows NT\CurrentVersion\SystemRestore" -Name SystemRestorePointCreationFrequency -PropertyType DWord -Value 1440 -Force - - # Turn off System Protection for the system drive if it was turned off before without deleting the existing restore points - if ($ComputerRestorePoint) - { - Disable-ComputerRestore -Drive $env:SystemDrive - } -} -#endregion Protection - -#region Privacy & Telemetry -<# - .SYNOPSIS - The Connected User Experiences and Telemetry (DiagTrack) service - - .PARAMETER Disable - Disable the Connected User Experiences and Telemetry (DiagTrack) service, and block connection for the Unified Telemetry Client Outbound Traffic - - .PARAMETER Enable - Enable the Connected User Experiences and Telemetry (DiagTrack) service, and allow connection for the Unified Telemetry Client Outbound Traffic - - .EXAMPLE - DiagTrackService -Disable - - .EXAMPLE - DiagTrackService -Enable - - .NOTES - Current user -#> -function DiagTrackService -{ - param - ( - [Parameter( - Mandatory = $true, - ParameterSetName = "Disable" - )] - [switch] - $Disable, - - [Parameter( - Mandatory = $true, - ParameterSetName = "Enable" - )] - [switch] - $Enable - ) - - switch ($PSCmdlet.ParameterSetName) - { - "Disable" - { - # Connected User Experiences and Telemetry - Get-Service -Name DiagTrack | Stop-Service -Force - Get-Service -Name DiagTrack | Set-Service -StartupType Disabled - - # Block connection for the Unified Telemetry Client Outbound Traffic - Get-NetFirewallRule -Group DiagTrack | Set-NetFirewallRule -Enabled False -Action Block - } - "Enable" - { - # Connected User Experiences and Telemetry - Get-Service -Name DiagTrack | Set-Service -StartupType Automatic - Get-Service -Name DiagTrack | Start-Service - - # Allow connection for the Unified Telemetry Client Outbound Traffic - Get-NetFirewallRule -Group DiagTrack | Set-NetFirewallRule -Enabled True -Action Allow - } - } -} - -<# - .SYNOPSIS - Diagnostic data - - .PARAMETER Minimal - Set the diagnostic data collection to minimum - - .PARAMETER Default - Set the diagnostic data collection to default - - .EXAMPLE - DiagnosticDataLevel -Minimal - - .EXAMPLE - DiagnosticDataLevel -Default - - .NOTES - Machine-wide -#> -function DiagnosticDataLevel -{ - param - ( - [Parameter( - Mandatory = $true, - ParameterSetName = "Minimal" - )] - [switch] - $Minimal, - - [Parameter( - Mandatory = $true, - ParameterSetName = "Default" - )] - [switch] - $Default - ) - - switch ($PSCmdlet.ParameterSetName) - { - "Minimal" - { - # Security level - New-ItemProperty -Path HKLM:\SOFTWARE\Microsoft\Windows\CurrentVersion\Policies\DataCollection -Name AllowTelemetry -PropertyType DWord -Value 0 -Force - New-ItemProperty -Path HKLM:\SOFTWARE\Microsoft\Windows\CurrentVersion\Policies\DataCollection -Name MaxTelemetryAllowed -PropertyType DWord -Value 1 -Force - - New-ItemProperty -Path HKCU:\SOFTWARE\Microsoft\Windows\CurrentVersion\Diagnostics\DiagTrack -Name ShowedToastAtLevel -PropertyType DWord -Value 1 -Force - } - "Default" - { - # Full level - New-ItemProperty -Path HKLM:\SOFTWARE\Microsoft\Windows\CurrentVersion\Policies\DataCollection -Name AllowTelemetry -PropertyType DWord -Value 3 -Force - New-ItemProperty -Path HKLM:\SOFTWARE\Microsoft\Windows\CurrentVersion\Policies\DataCollection -Name MaxTelemetryAllowed -PropertyType DWord -Value 3 -Force - - New-ItemProperty -Path HKCU:\SOFTWARE\Microsoft\Windows\CurrentVersion\Diagnostics\DiagTrack -Name ShowedToastAtLevel -PropertyType DWord -Value 3 -Force - } - } -} - -<# - .SYNOPSIS - Windows Error Reporting - - .PARAMETER Disable - Turn off Windows Error Reporting - - .PARAMETER Enable - Turn on Windows Error Reporting - - .EXAMPLE - ErrorReporting -Disable - - .EXAMPLE - ErrorReporting -Enable - - .NOTES - Current user -#> -function ErrorReporting -{ - param - ( - [Parameter( - Mandatory = $true, - ParameterSetName = "Disable" - )] - [switch] - $Disable, - - [Parameter( - Mandatory = $true, - ParameterSetName = "Enable" - )] - [switch] - $Enable - ) - - switch ($PSCmdlet.ParameterSetName) - { - "Disable" - { - if ((Get-WindowsEdition -Online).Edition -notmatch "Core") - { - Get-ScheduledTask -TaskName QueueReporting | Disable-ScheduledTask - New-ItemProperty -Path "HKCU:\SOFTWARE\Microsoft\Windows\Windows Error Reporting" -Name Disabled -PropertyType DWord -Value 1 -Force - } - - Get-Service -Name WerSvc | Stop-Service -Force - Get-Service -Name WerSvc | Set-Service -StartupType Disabled - } - "Enable" - { - Get-ScheduledTask -TaskName QueueReporting | Enable-ScheduledTask - Remove-ItemProperty -Path "HKCU:\SOFTWARE\Microsoft\Windows\Windows Error Reporting" -Name Disabled -Force -ErrorAction Ignore - - Get-Service -Name WerSvc | Set-Service -StartupType Manual - Get-Service -Name WerSvc | Start-Service - } - } -} - -<# - .SYNOPSIS - The feedback frequency - - .PARAMETER Never - Change the feedback frequency to "Never" - - .PARAMETER Automatically - Change feedback frequency to "Automatically" - - .EXAMPLE - FeedbackFrequency -Never - - .EXAMPLE - FeedbackFrequency -Automatically - - .NOTES - Current user -#> -function FeedbackFrequency -{ - param - ( - [Parameter( - Mandatory = $true, - ParameterSetName = "Never" - )] - [switch] - $Never, - - [Parameter( - Mandatory = $true, - ParameterSetName = "Automatically" - )] - [switch] - $Automatically - ) - - switch ($PSCmdlet.ParameterSetName) - { - "Never" - { - if (-not (Test-Path -Path HKCU:\SOFTWARE\Microsoft\Siuf\Rules)) - { - New-Item -Path HKCU:\SOFTWARE\Microsoft\Siuf\Rules -Force - } - New-ItemProperty -Path HKCU:\SOFTWARE\Microsoft\Siuf\Rules -Name NumberOfSIUFInPeriod -PropertyType DWord -Value 0 -Force - } - "Automatically" - { - Remove-Item -Path HKCU:\SOFTWARE\Microsoft\Siuf\Rules -Force -ErrorAction SilentlyContinue - } - } -} - -<# - .SYNOPSIS - The diagnostics tracking scheduled tasks - - .PARAMETER Disable - Turn off the diagnostics tracking scheduled tasks - - .PARAMETER Enable - Turn on the diagnostics tracking scheduled tasks - - .EXAMPLE - ScheduledTasks -Disable - - .EXAMPLE - ScheduledTasks -Enable - - .NOTES - A pop-up dialog box lets a user select tasks - - .NOTES - Current user -#> -function ScheduledTasks -{ - param - ( - [Parameter( - Mandatory = $true, - ParameterSetName = "Disable" - )] - [switch] - $Disable, - - [Parameter( - Mandatory = $true, - ParameterSetName = "Enable" - )] - [switch] - $Enable - ) - - Add-Type -AssemblyName PresentationCore, PresentationFramework - - #region Variables - # Initialize an array list to store the selected scheduled tasks - $SelectedTasks = New-Object -TypeName System.Collections.ArrayList($null) - - # The following tasks will have their checkboxes checked - [string[]]$CheckedScheduledTasks = @( - # Collects program telemetry information if opted-in to the Microsoft Customer Experience Improvement Program - # Сбор телеметрических данных программы при участии в программе улучшения качества ПО - "ProgramDataUpdater", - - # This task collects and uploads autochk SQM data if opted-in to the Microsoft Customer Experience Improvement Program - # Эта задача собирает и загружает данные SQM при участии в программе улучшения качества программного обеспечения - "Proxy", - - # If the user has consented to participate in the Windows Customer Experience Improvement Program, this job collects and sends usage data to Microsoft - # Если пользователь изъявил желание участвовать в программе по улучшению качества программного обеспечения Windows, эта задача будет собирать и отправлять сведения о работе программного обеспечения в Майкрософт - "Consolidator", - - # The USB CEIP (Customer Experience Improvement Program) task collects Universal Serial Bus related statistics and information about your machine and sends it to the Windows Device Connectivity engineering group at Microsoft - # При выполнении задачи программы улучшения качества ПО шины USB (USB CEIP) осуществляется сбор статистических данных об использовании универсальной последовательной шины USB и с ведений о компьютере, которые направляются инженерной группе Майкрософт по вопросам подключения устройств в Windows - "UsbCeip", - - # The Windows Disk Diagnostic reports general disk and system information to Microsoft for users participating in the Customer Experience Program - # Для пользователей, участвующих в программе контроля качества программного обеспечения, служба диагностики дисков Windows предоставляет общие сведения о дисках и системе в корпорацию Майкрософт - "Microsoft-Windows-DiskDiagnosticDataCollector", - - # This task shows various Map related toasts - # Эта задача показывает различные тосты (всплывающие уведомления) приложения "Карты" - "MapsToastTask", - - # This task checks for updates to maps which you have downloaded for offline use - # Эта задача проверяет наличие обновлений для карт, загруженных для автономного использования - "MapsUpdateTask", - - # Initializes Family Safety monitoring and enforcement - # Инициализация контроля и применения правил семейной безопасности - "FamilySafetyMonitor", - - # Synchronizes the latest settings with the Microsoft family features service - # Синхронизирует последние параметры со службой функций семьи учетных записей Майкрософт - "FamilySafetyRefreshTask", - - # XblGameSave Standby Task - "XblGameSaveTask" - ) - - # Check if device has a camera - $DeviceHasCamera = Get-CimInstance -ClassName Win32_PnPEntity | Where-Object -FilterScript {(($_.PNPClass -eq "Camera") -or ($_.PNPClass -eq "Image")) -and ($_.Service -ne "StillCam")} - if (-not $DeviceHasCamera) - { - # Windows Hello - $CheckedScheduledTasks += "FODCleanupTask" - } - #endregion Variables - - #region XAML Markup - # The section defines the design of the upcoming dialog box - [xml]$XAML = ' - - - - - - - - - - - - - - - - - - -