Browse Source

05.10.2021 v5.12.4

pull/264/head
Dmitry Nefedov 4 years ago
committed by GitHub
parent
commit
df94f191b2
No known key found for this signature in database GPG Key ID: 4AEE18F83AFDEB23
  1. 354
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Functions.ps1
  2. 163
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/de-DE/Sophia.psd1
  3. 163
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/en-US/Sophia.psd1
  4. 163
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/es-ES/Sophia.psd1
  5. 163
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/fr-FR/Sophia.psd1
  6. 163
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/hu-HU/Sophia.psd1
  7. 163
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/it-IT/Sophia.psd1
  8. 163
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/pt-BR/Sophia.psd1
  9. 163
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/ru-RU/Sophia.psd1
  10. 163
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/tr-TR/Sophia.psd1
  11. 163
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/uk-UA/Sophia.psd1
  12. 163
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/zh-CN/Sophia.psd1
  13. 40
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Manifest/Sophia.psd1
  14. 25095
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Module/Sophia.psm1
  15. 2768
      Sophia Script/Sophia Script for Windows 10 PowerShell 7/Sophia.ps1

354
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Functions.ps1

@ -1,177 +1,177 @@
<# <#
.SYNOPSIS .SYNOPSIS
The TAB completion for functions and their arguments The TAB completion for functions and their arguments
Version: v5.12.3 Version: v5.12.4
Date: 19.09.2021 Date: 05.10.2021
Copyright (c) 20142021 farag Copyright (c) 20142021 farag
Copyright (c) 20192021 farag & Inestic Copyright (c) 20192021 farag & Inestic
Thanks to all https://forum.ru-board.com members involved Thanks to all https://forum.ru-board.com members involved
.DESCRIPTION .DESCRIPTION
Dot source the script first: . .\Function.ps1 (with a dot at the beginning) 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 Start typing any characters contained in the function's name or its arguments, and press the TAB button
.EXAMPLE .EXAMPLE
Sophia -Functions <tab> Sophia -Functions <tab>
Sophia -Functions temp<tab> Sophia -Functions temp<tab>
Sophia -Functions "DiagTrackService -Disable", "DiagnosticDataLevel -Minimal", UninstallUWPApps Sophia -Functions "DiagTrackService -Disable", "DiagnosticDataLevel -Minimal", UninstallUWPApps
.NOTES .NOTES
Set execution policy to be able to run scripts only in the current PowerShell session: Set execution policy to be able to run scripts only in the current PowerShell session:
Set-ExecutionPolicy -ExecutionPolicy Bypass -Scope Process -Force Set-ExecutionPolicy -ExecutionPolicy Bypass -Scope Process -Force
.NOTES .NOTES
Separate functions with a comma Separate functions with a comma
.LINK .LINK
https://github.com/farag2/Sophia-Script-for-Windows https://github.com/farag2/Sophia-Script-for-Windows
#> #>
#Requires -RunAsAdministrator #Requires -RunAsAdministrator
#Requires -Version 7.1 #Requires -Version 7.1
function Sophia function Sophia
{ {
[CmdletBinding()] [CmdletBinding()]
param param
( (
[Parameter(Mandatory = $false)] [Parameter(Mandatory = $false)]
[string[]] [string[]]
$Functions $Functions
) )
foreach ($Function in $Functions) foreach ($Function in $Functions)
{ {
Invoke-Expression -Command $Function Invoke-Expression -Command $Function
} }
# The "RefreshEnvironment" and "Errors" functions will be executed at the end # The "RefreshEnvironment" and "Errors" functions will be executed at the end
Invoke-Command -ScriptBlock {RefreshEnvironment; Errors} Invoke-Command -ScriptBlock {RefreshEnvironment; Errors}
} }
Clear-Host Clear-Host
$Host.UI.RawUI.WindowTitle = "Sophia Script for Windows 10 v5.12.3 (PowerShell 7) | Made with $([char]::ConvertFromUtf32(0x1F497)) of Windows | $([char]0x00A9) farag & Inestic, 2014–2021" $Host.UI.RawUI.WindowTitle = "Sophia Script for Windows 10 v5.12.4 (PowerShell 7) | Made with $([char]::ConvertFromUtf32(0x1F497)) of Windows | $([char]0x00A9) farag & Inestic, 2014–2021"
Remove-Module -Name Sophia -Force -ErrorAction Ignore Remove-Module -Name Sophia -Force -ErrorAction Ignore
Import-Module -Name $PSScriptRoot\Manifest\Sophia.psd1 -PassThru -Force Import-Module -Name $PSScriptRoot\Manifest\Sophia.psd1 -PassThru -Force
Import-LocalizedData -BindingVariable Global:Localization -FileName Sophia -BaseDirectory $PSScriptRoot\Localizations Import-LocalizedData -BindingVariable Global:Localization -FileName Sophia -BaseDirectory $PSScriptRoot\Localizations
# The mandatory checkings. Please, do not comment out this function # The mandatory checkings. Please, do not comment out this function
# Обязательные проверки. Пожалуйста, не комментируйте данную функцию # Обязательные проверки. Пожалуйста, не комментируйте данную функцию
Checkings Checkings
$Parameters = @{ $Parameters = @{
CommandName = "Sophia" CommandName = "Sophia"
ParameterName = "Functions" ParameterName = "Functions"
ScriptBlock = { ScriptBlock = {
param param
( (
$commandName, $commandName,
$parameterName, $parameterName,
$wordToComplete, $wordToComplete,
$commandAst, $commandAst,
$fakeBoundParameters $fakeBoundParameters
) )
# Get functions list with arguments to complete # Get functions list with arguments to complete
$Commands = (Get-Module -Name Sophia).ExportedCommands.Keys $Commands = (Get-Module -Name Sophia).ExportedCommands.Keys
foreach ($Command in $Commands) foreach ($Command in $Commands)
{ {
$ParameterSets = (Get-Command -Name $Command).Parametersets.Parameters | Where-Object -FilterScript {$null -eq $_.Attributes.AliasNames} $ParameterSets = (Get-Command -Name $Command).Parametersets.Parameters | Where-Object -FilterScript {$null -eq $_.Attributes.AliasNames}
# If a module command is PinToStart # If a module command is PinToStart
if ($Command -eq "PinToStart") if ($Command -eq "PinToStart")
{ {
# Get all command arguments, excluding defaults # Get all command arguments, excluding defaults
foreach ($ParameterSet in $ParameterSets.Name) foreach ($ParameterSet in $ParameterSets.Name)
{ {
# If an argument is Tiles # If an argument is Tiles
if ($ParameterSet -eq "Tiles") if ($ParameterSet -eq "Tiles")
{ {
$ValidValues = ((Get-Command -Name PinToStart).Parametersets.Parameters | Where-Object -FilterScript {$null -eq $_.Attributes.AliasNames}).Attributes.ValidValues $ValidValues = ((Get-Command -Name PinToStart).Parametersets.Parameters | Where-Object -FilterScript {$null -eq $_.Attributes.AliasNames}).Attributes.ValidValues
foreach ($ValidValue in $ValidValues) foreach ($ValidValue in $ValidValues)
{ {
# The "PinToStart -Tiles <function>" construction # The "PinToStart -Tiles <function>" construction
"PinToStart" + " " + "-" + $ParameterSet + " " + $ValidValue | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""} "PinToStart" + " " + "-" + $ParameterSet + " " + $ValidValue | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""}
} }
# The "PinToStart -Tiles <functions>" construction # The "PinToStart -Tiles <functions>" construction
"PinToStart" + " " + "-" + $ParameterSet + " " + ($ValidValues -join ", ") | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""} "PinToStart" + " " + "-" + $ParameterSet + " " + ($ValidValues -join ", ") | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""}
} }
continue continue
} }
} }
# If a module command is UnpinTaskbarShortcuts # If a module command is UnpinTaskbarShortcuts
if ($Command -eq "UnpinTaskbarShortcuts") if ($Command -eq "UnpinTaskbarShortcuts")
{ {
# Get all command arguments, excluding defaults # Get all command arguments, excluding defaults
foreach ($ParameterSet in $ParameterSets.Name) foreach ($ParameterSet in $ParameterSets.Name)
{ {
# If an argument is Shortcuts # If an argument is Shortcuts
if ($ParameterSet -eq "Shortcuts") if ($ParameterSet -eq "Shortcuts")
{ {
$ValidValues = ((Get-Command -Name UnpinTaskbarShortcuts).Parametersets.Parameters | Where-Object -FilterScript {$null -eq $_.Attributes.AliasNames}).Attributes.ValidValues $ValidValues = ((Get-Command -Name UnpinTaskbarShortcuts).Parametersets.Parameters | Where-Object -FilterScript {$null -eq $_.Attributes.AliasNames}).Attributes.ValidValues
foreach ($ValidValue in $ValidValues) foreach ($ValidValue in $ValidValues)
{ {
# The "UnpinTaskbarShortcuts -Shortcuts <function>" construction # The "UnpinTaskbarShortcuts -Shortcuts <function>" construction
"UnpinTaskbarShortcuts" + " " + "-" + $ParameterSet + " " + $ValidValue | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""} "UnpinTaskbarShortcuts" + " " + "-" + $ParameterSet + " " + $ValidValue | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""}
} }
# The "UnpinTaskbarShortcuts -Shortcuts <functions>" construction # The "UnpinTaskbarShortcuts -Shortcuts <functions>" construction
"UnpinTaskbarShortcuts" + " " + "-" + $ParameterSet + " " + ($ValidValues -join ", ") | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""} "UnpinTaskbarShortcuts" + " " + "-" + $ParameterSet + " " + ($ValidValues -join ", ") | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""}
} }
continue continue
} }
} }
# If a module command is UninstallUWPApps # If a module command is UninstallUWPApps
if ($Command -eq "UninstallUWPApps") if ($Command -eq "UninstallUWPApps")
{ {
(Get-Command -Name $Command).Name | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} (Get-Command -Name $Command).Name | Where-Object -FilterScript {$_ -like "*$wordToComplete*"}
# Get all command arguments, excluding defaults # Get all command arguments, excluding defaults
foreach ($ParameterSet in $ParameterSets.Name) foreach ($ParameterSet in $ParameterSets.Name)
{ {
# If an argument is ForAllUsers # If an argument is ForAllUsers
if ($ParameterSet -eq "ForAllUsers") if ($ParameterSet -eq "ForAllUsers")
{ {
# The "UninstallUWPApps -ForAllUsers" construction # The "UninstallUWPApps -ForAllUsers" construction
"UninstallUWPApps" + " " + "-" + $ParameterSet | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""} "UninstallUWPApps" + " " + "-" + $ParameterSet | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""}
} }
continue continue
} }
} }
foreach ($ParameterSet in $ParameterSets.Name) foreach ($ParameterSet in $ParameterSets.Name)
{ {
# The "Function -Argument" construction # The "Function -Argument" construction
$Command + " " + "-" + $ParameterSet | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""} $Command + " " + "-" + $ParameterSet | Where-Object -FilterScript {$_ -like "*$wordToComplete*"} | ForEach-Object -Process {"`"$_`""}
continue continue
} }
# Get functions list without arguments to complete # Get functions list without arguments to complete
Get-Command -Name $Command | Where-Object -FilterScript {$null -eq $_.Parametersets.Parameters} | Where-Object -FilterScript {$_.Name -like "*$wordToComplete*"} Get-Command -Name $Command | Where-Object -FilterScript {$null -eq $_.Parametersets.Parameters} | Where-Object -FilterScript {$_.Name -like "*$wordToComplete*"}
continue continue
} }
} }
} }
Register-ArgumentCompleter @Parameters Register-ArgumentCompleter @Parameters
Write-Information -MessageData "" -InformationAction Continue Write-Information -MessageData "" -InformationAction Continue
Write-Verbose -Message "Sophia -Functions <tab>" -Verbose Write-Verbose -Message "Sophia -Functions <tab>" -Verbose
Write-Verbose -Message "Sophia -Functions temp<tab>" -Verbose Write-Verbose -Message "Sophia -Functions temp<tab>" -Verbose
Write-Verbose -Message "Sophia -Functions `"DiagTrackService -Disable`", `"DiagnosticDataLevel -Minimal`", UninstallUWPApps" -Verbose Write-Verbose -Message "Sophia -Functions `"DiagTrackService -Disable`", `"DiagnosticDataLevel -Minimal`", UninstallUWPApps" -Verbose
Write-Information -MessageData "" -InformationAction Continue Write-Information -MessageData "" -InformationAction Continue
Write-Verbose -Message "UninstallUWPApps, `"PinToStart -UnpinAll`"" -Verbose Write-Verbose -Message "UninstallUWPApps, `"PinToStart -UnpinAll`"" -Verbose
Write-Verbose -Message "`"Set-Association -ProgramPath ```"%ProgramFiles%\Notepad++\notepad++.exe```" -Extension .txt -Icon ```"%ProgramFiles%\Notepad++\notepad++.exe,0```"`"" -Verbose Write-Verbose -Message "`"Set-Association -ProgramPath ```"%ProgramFiles%\Notepad++\notepad++.exe```" -Extension .txt -Icon ```"%ProgramFiles%\Notepad++\notepad++.exe,0```"`"" -Verbose

163
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/de-DE/Sophia.psd1

@ -1,81 +1,82 @@
ConvertFrom-StringData -StringData @' ConvertFrom-StringData -StringData @'
UnsupportedOSBitness = Das Skript unterstützt nur Windows 10 x64 UnsupportedOSBitness = Das Skript unterstützt nur Windows 10 x64
UnsupportedOSBuild = Das Skript unterstützt Windows 10 2004/20H2/21H1/21H2-Versionen UnsupportedOSBuild = Das Skript unterstützt Windows 10 2004/20H2/21H1/21H2-Versionen
UpdateWarning = Das kumulative Windows 10-Update wurde installiert: {0}. Unterstütztes kumulatives Update: 1151 und höher UpdateWarning = Das kumulative Windows 10-Update wurde installiert: {0}. Unterstütztes kumulatives Update: 1151 und höher
UnsupportedLanguageMode = Die PowerShell-Sitzung wird in einem eingeschränkten Sprachmodus ausgeführt UnsupportedLanguageMode = Die PowerShell-Sitzung wird in einem eingeschränkten Sprachmodus ausgeführt
LoggedInUserNotAdmin = Der angemeldete Benutzer hat keine Administratorrechte 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 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 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 Win10TweakerWarning = Wahrscheinlich wurde Ihr Betriebssystem über die Win 10 Tweaker-Hintertür infiziert
PowerShellLibraries = Im Ordner "Libraries" befinden sich keine Dateien. Bitte laden Sie das Archiv erneut herunter PowerShellLibraries = Im Ordner "Libraries" befinden sich keine Dateien. Bitte laden Sie das Archiv erneut herunter
UnsupportedRelease = Neue Version gefunden UnsupportedRelease = Neue Version gefunden
CustomizationWarning = \nHaben Sie alle Funktionen in der voreingestellten Datei Sophia.ps1 angepasst, bevor Sie Sophia Script ausführen? CustomizationWarning = \nHaben Sie alle Funktionen in der voreingestellten Datei Sophia.ps1 angepasst, bevor Sie Sophia Script ausführen?
ControlledFolderAccessDisabled = Kontrollierter Ordnerzugriff deaktiviert ControlledFolderAccessDisabled = Kontrollierter Ordnerzugriff deaktiviert
ScheduledTasks = Geplante Aufgaben ScheduledTasks = Geplante Aufgaben
OneDriveUninstalling = Deinstalliere OneDrive... OneDriveUninstalling = Deinstalliere OneDrive...
OneDriveInstalling = Installieren von OneDrive... OneDriveInstalling = Installieren von OneDrive...
OneDriveDownloading = OneDrive herunterladen... ~33 MB OneDriveDownloading = OneDrive herunterladen... ~33 MB
WindowsFeaturesTitle = Windows-Features WindowsFeaturesTitle = Windows-Features
OptionalFeaturesTitle = Optionale Features OptionalFeaturesTitle = Optionale Features
EnableHardwareVT = Virtualisierung in UEFI aktivieren EnableHardwareVT = Virtualisierung in UEFI aktivieren
UserShellFolderNotEmpty = Im Ordner "{0}" befinden sich noch Dateien \nVerschieben Sie sie manuell an einen neuen Ort UserShellFolderNotEmpty = Im Ordner "{0}" befinden sich noch Dateien \nVerschieben Sie sie manuell an einen neuen Ort
RetrievingDrivesList = Abrufen der Laufwerksliste... RetrievingDrivesList = Abrufen der Laufwerksliste...
DriveSelect = Wählen Sie das Laufwerk aus, in dessen Stammverzeichnis der Ordner "{0}" erstellt werden soll DriveSelect = Wählen Sie das Laufwerk aus, in dessen Stammverzeichnis der Ordner "{0}" erstellt werden soll
CurrentUserFolderLocation = Der aktuelle Speicherort des Ordners "{0}" lautet: "{1}" CurrentUserFolderLocation = Der aktuelle Speicherort des Ordners "{0}" lautet: "{1}"
UserFolderRequest = Möchten Sie den Speicherort des Ordners "{0}" ändern? UserFolderRequest = Möchten Sie den Speicherort des Ordners "{0}" ändern?
UserFolderSelect = Wählen Sie einen Ordner für den Ordner "{0}" UserFolderSelect = Wählen Sie einen Ordner für den Ordner "{0}"
UserDefaultFolder = Möchten Sie den Speicherort des Ordners "{0}" auf den Standardwert ändern? UserDefaultFolder = Möchten Sie den Speicherort des Ordners "{0}" auf den Standardwert ändern?
ReservedStorageIsInUse = Dieser Vorgang wird nicht unterstützt, wenn reservierter Speicher verwendet wird\nBitte führen Sie die Funktion "{0}" nach dem PC-Neustart erneut aus ReservedStorageIsInUse = Dieser Vorgang wird nicht unterstützt, wenn reservierter Speicher verwendet wird\nBitte führen Sie die Funktion "{0}" nach dem PC-Neustart erneut aus
ShortcutPinning = Die Verknüpfung "{0}" wird an Start angeheftet... ShortcutPinning = Die Verknüpfung "{0}" wird an Start angeheftet...
UninstallUWPForAll = Für alle Benutzer UninstallUWPForAll = Für alle Benutzer
UWPAppsTitle = UWP-Apps UWPAppsTitle = UWP-Apps
HEVCDownloading = Herunterladen von HEVC-Videoerweiterungen vom Gerätehersteller... ~2,8 MB HEVCDownloading = Herunterladen von HEVC-Videoerweiterungen vom Gerätehersteller... ~2,8 MB
GraphicsPerformanceTitle = Bevorzugte Grafikleistung GraphicsPerformanceTitle = Bevorzugte Grafikleistung
GraphicsPerformanceRequest = Möchten Sie die Einstellung der Grafikleistung einer App Ihrer Wahl auf "Hohe Leistung" setzen? GraphicsPerformanceRequest = Möchten Sie die Einstellung der Grafikleistung einer App Ihrer Wahl auf "Hohe Leistung" setzen?
TaskNotificationTitle = Benachrichtigung TaskNotificationTitle = Benachrichtigung
CleanupTaskNotificationTitle = Wichtige informationen CleanupTaskNotificationTitle = Wichtige informationen
CleanupTaskDescription = Bereinigung ungenutzter Windows-Dateien und -Updates mit der integrierten Datenträgerbereinigung CleanupTaskDescription = Bereinigung ungenutzter Windows-Dateien und -Updates mit der integrierten Datenträgerbereinigung
CleanupTaskNotificationEventTitle = Aufgabe ausführen, um nicht verwendete Windows-Dateien und -Updates zu bereinigen? CleanupTaskNotificationEventTitle = Aufgabe ausführen, um nicht verwendete Windows-Dateien und -Updates zu bereinigen?
CleanupTaskNotificationEvent = Die Datenträgerbereinigung dauert nicht lange. Das nächste Mal wird die Benachrichtigung in 30 Tagen angezeigt CleanupTaskNotificationEvent = Die Datenträgerbereinigung dauert nicht lange. Das nächste Mal wird die Benachrichtigung in 30 Tagen angezeigt
CleanupTaskNotificationSnoozeInterval = Wählen Sie einen Erinnerungsintervall CleanupTaskNotificationSnoozeInterval = Wählen Sie einen Erinnerungsintervall
CleanupNotificationTaskDescription = Bereinigung ungenutzter Windows-Dateien und -Updates mit der integrierten Datenträgerbereinigung CleanupNotificationTaskDescription = Bereinigung ungenutzter Windows-Dateien und -Updates mit der integrierten Datenträgerbereinigung
SoftwareDistributionTaskNotificationEvent = Der Cache von Windows Update wurde erfolgreich gelöscht SoftwareDistributionTaskNotificationEvent = Der Cache von Windows Update wurde erfolgreich gelöscht
TempTaskNotificationEvent = Der Ordner mit den temporären Dateien wurde erfolgreich bereinigt TempTaskNotificationEvent = Der Ordner mit den temporären Dateien wurde erfolgreich bereinigt
FolderTaskDescription = Die Bereinigung des Ordners "{0}" FolderTaskDescription = Die Bereinigung des Ordners "{0}"
EventViewerCustomViewName = Prozess-Erstellung EventViewerCustomViewName = Prozess-Erstellung
EventViewerCustomViewDescription = Ereignisse zur Prozesserstellung und Befehlszeilen-Auditierung EventViewerCustomViewDescription = Ereignisse zur Prozesserstellung und Befehlszeilen-Auditierung
RestartWarning = Achten Sie darauf, Ihren PC neu zu starten RestartWarning = Achten Sie darauf, Ihren PC neu zu starten
ErrorsLine = Zeile ErrorsLine = Zeile
ErrorsFile = Datei ErrorsFile = Datei
ErrorsMessage = Fehler/Warnungen ErrorsMessage = Fehler/Warnungen
Add = Hinzufügen Add = Hinzufügen
AllFilesFilter = Alle Dateien (*.*)|*.* AllFilesFilter = Alle Dateien (*.*)|*.*
Browse = Durchsuche Browse = Durchsuchen
Change = Ändern Change = Ändern
DialogBoxOpening = Anzeigen des Dialogfensters... DialogBoxOpening = Anzeigen des Dialogfensters...
Disable = Deaktivieren Disable = Deaktivieren
Enable = Aktivieren Enable = Aktivieren
EXEFilesFilter = *.exe|*.exe|Alle Dateien (*.*)|*.* EXEFilesFilter = *.exe|*.exe|Alle Dateien (*.*)|*.*
FolderSelect = Wählen Sie einen Ordner aus FolderSelect = Wählen Sie einen Ordner aus
FilesWontBeMoved = Dateien werden nicht verschoben FilesWontBeMoved = Dateien werden nicht verschoben
FourHours = 4 Stunden FourHours = 4 Stunden
HalfHour = 30 Minuten HalfHour = 30 Minuten
Install = Installieren Install = Installieren
Minute = 1 Minute Minute = 1 Minute
NoData = Nichts anzuzeigen NoData = Nichts anzuzeigen
NoInternetConnection = Keine Internetverbindung NoInternetConnection = Keine Internetverbindung
RestartFunction = Bitte starten Sie die Funktion "{0}" neu RestartFunction = Bitte starten Sie die Funktion "{0}" neu
NoResponse = Eine Verbindung mit {0} konnte nicht hergestellt werden NoResponse = Eine Verbindung mit {0} konnte nicht hergestellt werden
No = Nein No = Nein
Yes = Ja Yes = Ja
Open = Öffnen Open = Öffnen
Patient = Bitte Warten... Patient = Bitte Warten...
Restore = Wiederherstellen Restore = Wiederherstellen
Run = Starten Run = Starten
SelectAll = Wählen Sie Alle SelectAll = Wählen Sie Alle
Skip = Überspringen Skip = Überspringen
Skipped = Übersprungen Skipped = Übersprungen
TelegramGroupTitle = Treten Sie unserer offiziellen Telegram-Gruppe bei FileExplorerRestartPrompt = Manchmal muss der Datei-Explorer neu gestartet werden, damit die Änderungen wirksam werden
TelegramChannelTitle = Treten Sie unserem offiziellen Telegram-Kanal bei TelegramGroupTitle = Treten Sie unserer offiziellen Telegram-Gruppe bei
Uninstall = Deinstallieren TelegramChannelTitle = Treten Sie unserem offiziellen Telegram-Kanal bei
'@ Uninstall = Deinstallieren
'@

163
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/en-US/Sophia.psd1

@ -1,81 +1,82 @@
ConvertFrom-StringData -StringData @' ConvertFrom-StringData -StringData @'
UnsupportedOSBitness = The script supports Windows 10 x64 only UnsupportedOSBitness = The script supports Windows 10 x64 only
UnsupportedOSBuild = The script supports Windows 10 2004/20H2/21H1/21H2 versions UnsupportedOSBuild = The script supports Windows 10 2004/20H2/21H1/21H2 versions
UpdateWarning = Windows 10 cumulative update installed: {0}. Supported cumulative update: 1151 and higher UpdateWarning = Windows 10 cumulative update installed: {0}. Supported cumulative update: 1151 and higher
UnsupportedLanguageMode = The PowerShell session in running in a limited language mode UnsupportedLanguageMode = The PowerShell session in running in a limited language mode
LoggedInUserNotAdmin = The logged-on user doesn't have admin rights 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 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 UnsupportedISE = The script doesn't support running via Windows PowerShell ISE
Win10TweakerWarning = Probably your OS was infected via the Win 10 Tweaker backdoor Win10TweakerWarning = Probably your OS was infected via the Win 10 Tweaker backdoor
PowerShellLibraries = There are no files in the Libraries folder. Please, re-download the archive PowerShellLibraries = There are no files in the Libraries folder. Please, re-download the archive
UnsupportedRelease = A new version found UnsupportedRelease = A new version found
CustomizationWarning = \nHave you customized every function in the Sophia.ps1 preset file before running Sophia Script? CustomizationWarning = \nHave you customized every function in the Sophia.ps1 preset file before running Sophia Script?
ControlledFolderAccessDisabled = Controlled folder access disabled ControlledFolderAccessDisabled = Controlled folder access disabled
ScheduledTasks = Scheduled tasks ScheduledTasks = Scheduled tasks
OneDriveUninstalling = Uninstalling OneDrive... OneDriveUninstalling = Uninstalling OneDrive...
OneDriveInstalling = Installing OneDrive... OneDriveInstalling = Installing OneDrive...
OneDriveDownloading = Downloading OneDrive... ~33 MB OneDriveDownloading = Downloading OneDrive... ~33 MB
WindowsFeaturesTitle = Windows features WindowsFeaturesTitle = Windows features
OptionalFeaturesTitle = Optional features OptionalFeaturesTitle = Optional features
EnableHardwareVT = Enable Virtualization in UEFI EnableHardwareVT = Enable Virtualization in UEFI
UserShellFolderNotEmpty = Some files left in the "{0}" folder. Move them manually to a new location UserShellFolderNotEmpty = Some files left in the "{0}" folder. Move them manually to a new location
RetrievingDrivesList = Retrieving drives list... RetrievingDrivesList = Retrieving drives list...
DriveSelect = Select the drive within the root of which the "{0}" folder will be created DriveSelect = Select the drive within the root of which the "{0}" folder will be created
CurrentUserFolderLocation = The current "{0}" folder location: "{1}" CurrentUserFolderLocation = The current "{0}" folder location: "{1}"
UserFolderRequest = Would you like to change the location of the "{0}" folder? UserFolderRequest = Would you like to change the location of the "{0}" folder?
UserFolderSelect = Select a folder for 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? UserDefaultFolder = Would you like to change the location of the "{0}" folder to the default value?
ReservedStorageIsInUse = This operation is not supported when reserved storage is in use\nPlease re-run the "{0}" function again after PC restart ReservedStorageIsInUse = This operation is not supported when reserved storage is in use\nPlease re-run the "{0}" function again after PC restart
ShortcutPinning = The "{0}" shortcut is being pinned to Start... ShortcutPinning = The "{0}" shortcut is being pinned to Start...
UninstallUWPForAll = For all users UninstallUWPForAll = For all users
UWPAppsTitle = UWP apps UWPAppsTitle = UWP apps
HEVCDownloading = Downloading HEVC Video Extensions from Device Manufacturer... ~2,8 MB HEVCDownloading = Downloading HEVC Video Extensions from Device Manufacturer... ~2,8 MB
GraphicsPerformanceTitle = Graphics performance preference GraphicsPerformanceTitle = Graphics performance preference
GraphicsPerformanceRequest = Would you like to set the graphics performance setting of an app of your choice to "High performance"? GraphicsPerformanceRequest = Would you like to set the graphics performance setting of an app of your choice to "High performance"?
TaskNotificationTitle = Notification TaskNotificationTitle = Notification
CleanupTaskNotificationTitle = Important Information CleanupTaskNotificationTitle = Important Information
CleanupTaskDescription = Cleaning up Windows unused files and updates using built-in Disk cleanup app 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? 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 CleanupTaskNotificationEvent = Windows cleanup won't take long. Next time this notification will appear in 30 days
CleanupTaskNotificationSnoozeInterval = Select a Reminder Interval CleanupTaskNotificationSnoozeInterval = Select a Reminder Interval
CleanupNotificationTaskDescription = Pop-up notification reminder about cleaning up Windows unused files and updates CleanupNotificationTaskDescription = Pop-up notification reminder about cleaning up Windows unused files and updates
SoftwareDistributionTaskNotificationEvent = The Windows update cache successfully deleted SoftwareDistributionTaskNotificationEvent = The Windows update cache successfully deleted
TempTaskNotificationEvent = The temp files folder successfully cleaned up TempTaskNotificationEvent = The temp files folder successfully cleaned up
FolderTaskDescription = The {0} folder cleanup FolderTaskDescription = The {0} folder cleanup
EventViewerCustomViewName = Process Creation EventViewerCustomViewName = Process Creation
EventViewerCustomViewDescription = Process creation and command-line auditing events EventViewerCustomViewDescription = Process creation and command-line auditing events
RestartWarning = Make sure to restart your PC RestartWarning = Make sure to restart your PC
ErrorsLine = Line ErrorsLine = Line
ErrorsFile = File ErrorsFile = File
ErrorsMessage = Errors/Warnings ErrorsMessage = Errors/Warnings
Add = Add Add = Add
AllFilesFilter = All Files (*.*)|*.* AllFilesFilter = All Files (*.*)|*.*
Browse = Browse Browse = Browse
Change = Change Change = Change
DialogBoxOpening = Displaying the dialog box... DialogBoxOpening = Displaying the dialog box...
Disable = Disable Disable = Disable
Enable = Enable Enable = Enable
EXEFilesFilter = *.exe|*.exe|All Files (*.*)|*.* EXEFilesFilter = *.exe|*.exe|All Files (*.*)|*.*
FolderSelect = Select a folder FolderSelect = Select a folder
FilesWontBeMoved = Files will not be moved FilesWontBeMoved = Files will not be moved
FourHours = 4 hours FourHours = 4 hours
HalfHour = 30 minutes HalfHour = 30 minutes
Install = Install Install = Install
Minute = 1 minute Minute = 1 minute
NoData = Nothing to display NoData = Nothing to display
NoInternetConnection = No Internet connection NoInternetConnection = No Internet connection
RestartFunction = Please re-run the "{0}" function RestartFunction = Please re-run the "{0}" function
NoResponse = A connection could not be established with {0} NoResponse = A connection could not be established with {0}
No = No No = No
Yes = Yes Yes = Yes
Open = Open Open = Open
Patient = Please wait... Patient = Please wait...
Restore = Restore Restore = Restore
Run = Run Run = Run
SelectAll = Select all SelectAll = Select all
Skip = Skip Skip = Skip
Skipped = Skipped Skipped = Skipped
TelegramGroupTitle = Join our official Telegram group FileExplorerRestartPrompt = Sometimes in order for the changes to take effect the File Explorer process has to be restarted
TelegramChannelTitle = Join our official Telegram channel TelegramGroupTitle = Join our official Telegram group
Uninstall = Uninstall TelegramChannelTitle = Join our official Telegram channel
'@ Uninstall = Uninstall
'@

163
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/es-ES/Sophia.psd1

@ -1,81 +1,82 @@
ConvertFrom-StringData -StringData @' ConvertFrom-StringData -StringData @'
UnsupportedOSBitness = El script sólo es compatible con Windows 10 x64 UnsupportedOSBitness = El script sólo es compatible con Windows 10 x64
UnsupportedOSBuild = El script es compatible con versión Windows 10 2004/20H2/21H1/21H2 UnsupportedOSBuild = El script es compatible con versión Windows 10 2004/20H2/21H1/21H2
UpdateWarning = Actualización acumulativa de Windows 10 instalada: {0}. Actualización acumulativa soportada: 1151 y superior UpdateWarning = Actualización acumulativa de Windows 10 instalada: {0}. Actualización acumulativa soportada: 1151 y superior
UnsupportedLanguageMode = Sesión de PowerShell ejecutada en modo de lenguaje limitado UnsupportedLanguageMode = Sesión de PowerShell ejecutada en modo de lenguaje limitado
LoggedInUserNotAdmin = El usuario que inició sesión no tiene derechos de administrador 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 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 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 Win10TweakerWarning = Probablemente su sistema operativo fue infectado a través del backdoor Win 10 Tweaker
PowerShellLibraries = No hay archivos en la carpeta Bibliotecas. Por favor, vuelva a descargar el archivo PowerShellLibraries = No hay archivos en la carpeta Bibliotecas. Por favor, vuelva a descargar el archivo
UnsupportedRelease = Una nueva versión encontrada UnsupportedRelease = Una nueva versión encontrada
CustomizationWarning = \n¿Ha personalizado todas las funciones del archivo predeterminado Sophia.ps1 antes de ejecutar Sophia Script? CustomizationWarning = \n¿Ha personalizado todas las funciones del archivo predeterminado Sophia.ps1 antes de ejecutar Sophia Script?
ControlledFolderAccessDisabled = Acceso a la carpeta controlada deshabilitado ControlledFolderAccessDisabled = Acceso a la carpeta controlada deshabilitado
ScheduledTasks = Tareas programadas ScheduledTasks = Tareas programadas
OneDriveUninstalling = Desinstalar OneDrive... OneDriveUninstalling = Desinstalar OneDrive...
OneDriveInstalling = Instalación de OneDrive... OneDriveInstalling = Instalación de OneDrive...
OneDriveDownloading = Descargando OneDrive... ~33 MB OneDriveDownloading = Descargando OneDrive... ~33 MB
WindowsFeaturesTitle = Características de Windows WindowsFeaturesTitle = Características de Windows
OptionalFeaturesTitle = Características opcionales OptionalFeaturesTitle = Características opcionales
EnableHardwareVT = Habilitar la virtualización en UEFI EnableHardwareVT = Habilitar la virtualización en UEFI
UserShellFolderNotEmpty = Algunos archivos quedan en la carpeta "{0}". Moverlos manualmente a una nueva ubicación UserShellFolderNotEmpty = Algunos archivos quedan en la carpeta "{0}". Moverlos manualmente a una nueva ubicación
RetrievingDrivesList = Recuperando lista de unidades... RetrievingDrivesList = Recuperando lista de unidades...
DriveSelect = Seleccione la unidad dentro de la raíz de la cual se creó la carpeta "{0}" DriveSelect = Seleccione la unidad dentro de la raíz de la cual se creó la carpeta "{0}"
CurrentUserFolderLocation = La ubicación actual de la carpeta "{0}": "{1}" CurrentUserFolderLocation = La ubicación actual de la carpeta "{0}": "{1}"
UserFolderRequest = ¿Le gustaría cambiar la ubicación de la "{0}" carpeta? UserFolderRequest = ¿Le gustaría cambiar la ubicación de la "{0}" carpeta?
UserFolderSelect = Seleccione una carpeta para la carpeta "{0}" 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? UserDefaultFolder = ¿Le gustaría cambiar la ubicación de la carpeta "{0}" para el valor por defecto?
ReservedStorageIsInUse = Esta operación no es compatible cuando el almacenamiento reservada está en uso\nPor favor, vuelva a ejecutar la función "{0}" después de reiniciar el PC ReservedStorageIsInUse = Esta operación no es compatible cuando el almacenamiento reservada está en uso\nPor favor, vuelva a ejecutar la función "{0}" después de reiniciar el PC
ShortcutPinning = El acceso directo "{0}" está siendo clavado en Start... ShortcutPinning = El acceso directo "{0}" está siendo clavado en Start...
UninstallUWPForAll = Para todos los usuarios UninstallUWPForAll = Para todos los usuarios
UWPAppsTitle = Aplicaciones UWP UWPAppsTitle = Aplicaciones UWP
HEVCDownloading = Descargando HEVC Vídeo Extensiones del Fabricante del dispositivo... ~2,8 MB HEVCDownloading = Descargando HEVC Vídeo Extensiones del Fabricante del dispositivo... ~2,8 MB
GraphicsPerformanceTitle = Preferencia de rendimiento gráfico 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"? 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 TaskNotificationTitle = Notificación
CleanupTaskNotificationTitle = Información importante 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 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? 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 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 CleanupTaskNotificationSnoozeInterval = Seleccionar un recordatorio del intervalo
CleanupNotificationTaskDescription = Pop-up recordatorio de notificaciones sobre la limpieza de archivos no utilizados de Windows y actualizaciones 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 SoftwareDistributionTaskNotificationEvent = La caché de actualización de Windows eliminado correctamente
TempTaskNotificationEvent = Los archivos de la carpeta Temp limpiados con éxito TempTaskNotificationEvent = Los archivos de la carpeta Temp limpiados con éxito
FolderTaskDescription = La limpieza de la carpeta "{0}" FolderTaskDescription = La limpieza de la carpeta "{0}"
EventViewerCustomViewName = Creación de proceso EventViewerCustomViewName = Creación de proceso
EventViewerCustomViewDescription = Eventos de auditoría de línea de comandos y creación de procesos EventViewerCustomViewDescription = Eventos de auditoría de línea de comandos y creación de procesos
RestartWarning = Asegúrese de reiniciar su PC RestartWarning = Asegúrese de reiniciar su PC
ErrorsLine = Línea ErrorsLine = Línea
ErrorsFile = Archivo ErrorsFile = Archivo
ErrorsMessage = Errores/Advertencias ErrorsMessage = Errores/Advertencias
Add = Agregar Add = Agregar
AllFilesFilter = Todos los archivos (*.*)|*.* AllFilesFilter = Todos los archivos (*.*)|*.*
Browse = Examinar Browse = Examinar
Change = Cambio Change = Cambio
DialogBoxOpening = Viendo el cuadro de diálogo... DialogBoxOpening = Viendo el cuadro de diálogo...
Disable = Desactivar Disable = Desactivar
Enable = Habilitar Enable = Habilitar
EXEFilesFilter = *.exe|*.exe|Todos los Archivos (*.*)|*.* EXEFilesFilter = *.exe|*.exe|Todos los Archivos (*.*)|*.*
FolderSelect = Seleccione una carpeta FolderSelect = Seleccione una carpeta
FilesWontBeMoved = Los archivos no se transferirán FilesWontBeMoved = Los archivos no se transferirán
FourHours = 4 horas FourHours = 4 horas
HalfHour = 30 minutos HalfHour = 30 minutos
Install = Instalar Install = Instalar
Minute = 1 minuto Minute = 1 minuto
NoData = Nada que mostrar NoData = Nada que mostrar
NoInternetConnection = No hay conexión a Internet NoInternetConnection = No hay conexión a Internet
RestartFunction = Por favor, reinicie la función "{0}" RestartFunction = Por favor, reinicie la función "{0}"
NoResponse = No se pudo establecer una conexión con {0} NoResponse = No se pudo establecer una conexión con {0}
No = No No = No
Yes = Yes =
Open = Abierta Open = Abierta
Patient = Por favor espere... Patient = Por favor espere...
Restore = Restaurar Restore = Restaurar
Run = Iniciar Run = Iniciar
SelectAll = Seleccionar todo SelectAll = Seleccionar todo
Skip = Omitir Skip = Omitir
Skipped = Omitido Skipped = Omitido
TelegramGroupTitle = Únete a nuestro grupo oficial de Telegram FileExplorerRestartPrompt = A veces, para que los cambios surtan efecto, hay que reiniciar el proceso del Explorador de archivos
TelegramChannelTitle = Únete a nuestro canal oficial de Telegram TelegramGroupTitle = Únete a nuestro grupo oficial de Telegram
Uninstall = Desinstalar TelegramChannelTitle = Únete a nuestro canal oficial de Telegram
'@ Uninstall = Desinstalar
'@

163
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/fr-FR/Sophia.psd1

@ -1,81 +1,82 @@
ConvertFrom-StringData -StringData @' ConvertFrom-StringData -StringData @'
UnsupportedOSBitness = Le script supporte uniquement Windows 10 x64 UnsupportedOSBitness = Le script supporte uniquement Windows 10 x64
UnsupportedOSBuild = Le script supporte les versions Windows 10 2004/20H2/21H1/21H2 UnsupportedOSBuild = Le script supporte les versions Windows 10 2004/20H2/21H1/21H2
UpdateWarning = La mise à jour cumulative de Windows 10 est installée : {0}. Mise à jour cumulative prise en charge : 1151 et plus UpdateWarning = La mise à jour cumulative de Windows 10 est installée : {0}. Mise à jour cumulative prise en charge : 1151 et plus
UnsupportedLanguageMode = La session PowerShell s'exécute dans un mode de langue limité UnsupportedLanguageMode = La session PowerShell s'exécute dans un mode de langue limité
LoggedInUserNotAdmin = L'utilisateur connecté n'a pas de droits d'administrateur 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 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 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 Win10TweakerWarning = Votre système d'exploitation a probablement été infecté par la porte dérobée Win 10 Tweaker
PowerShellLibraries = Il n'y a pas de fichiers dans le dossier Bibliothèques. Veuillez retélécharger l'archive PowerShellLibraries = Il n'y a pas de fichiers dans le dossier Bibliothèques. Veuillez retélécharger l'archive
UnsupportedRelease = Nouvelle version trouvée 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? 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é ControlledFolderAccessDisabled = Contrôle d'accès aux dossiers désactivé
ScheduledTasks = Tâches planifiées ScheduledTasks = Tâches planifiées
OneDriveUninstalling = Désinstalltion de OneDrive... OneDriveUninstalling = Désinstalltion de OneDrive...
OneDriveInstalling = Installation de OneDrive... OneDriveInstalling = Installation de OneDrive...
OneDriveDownloading = Téléchargement de OneDrive... ~33 Mo OneDriveDownloading = Téléchargement de OneDrive... ~33 Mo
WindowsFeaturesTitle = Fonctionnalités WindowsFeaturesTitle = Fonctionnalités
OptionalFeaturesTitle = Fonctionnalités optionnelles OptionalFeaturesTitle = Fonctionnalités optionnelles
EnableHardwareVT = Activer la virtualisation dans UEFI EnableHardwareVT = Activer la virtualisation dans UEFI
UserShellFolderNotEmpty = Certains fichiers laissés dans le dossier "{0}". Déplacer les manuellement vers un nouvel emplacement 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... RetrievingDrivesList = Récupération de la liste des lecteurs...
DriveSelect = Sélectionnez le disque à la racine dans lequel le dossier "{0}" sera créé. DriveSelect = Sélectionnez le disque à la racine dans lequel le dossier "{0}" sera créé.
CurrentUserFolderLocation = L'emplacement actuel du dossier "{0}": "{1}" CurrentUserFolderLocation = L'emplacement actuel du dossier "{0}": "{1}"
UserFolderRequest = Voulez vous changer est placé le dossier "{0}" ? UserFolderRequest = Voulez vous changer est placé le dossier "{0}" ?
UserFolderSelect = Sélectionnez un dossier pour le dossier "{0}" UserFolderSelect = Sélectionnez un dossier pour le dossier "{0}"
UserDefaultFolder = Voulez vous changer est placé le dossier "{0}" à sa valeur par défaut? UserDefaultFolder = Voulez vous changer est placé le dossier "{0}" à sa valeur par défaut?
ReservedStorageIsInUse = Cette opération n'est pas suppportée le stockage réservé est en cours d'utilisation\nVeuillez réexécuter la fonction "{0}" après le redémarrage du PC ReservedStorageIsInUse = Cette opération n'est pas suppportée le stockage réservé est en cours d'utilisation\nVeuillez réexécuter la fonction "{0}" après le redémarrage du PC
ShortcutPinning = Le raccourci "{0}" est épinglé sur Démarrer... ShortcutPinning = Le raccourci "{0}" est épinglé sur Démarrer...
UninstallUWPForAll = Pour tous les utilisateurs UninstallUWPForAll = Pour tous les utilisateurs
UWPAppsTitle = Applications UWP UWPAppsTitle = Applications UWP
HEVCDownloading = Téléchargement de Extensions vidéo HEVC du fabricant de l'appareil... ~2,8 MB HEVCDownloading = Téléchargement de Extensions vidéo HEVC du fabricant de l'appareil... ~2,8 MB
GraphicsPerformanceTitle = Préférence de performances graphiques 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"? GraphicsPerformanceRequest = Souhaitez-vous définir le paramètre de performances graphiques d'une application de votre choix sur "Haute performance"?
TaskNotificationTitle = Notificacion TaskNotificationTitle = Notificacion
CleanupTaskNotificationTitle = Une information important 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 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? 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 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 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 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é SoftwareDistributionTaskNotificationEvent = Le cache de mise à jour Windows a bien été supprimé
TempTaskNotificationEvent = Le dossier des fichiers temporaires a été nettoyé avec succès TempTaskNotificationEvent = Le dossier des fichiers temporaires a été nettoyé avec succès
FolderTaskDescription = Nettoyage du dossier "{0}" FolderTaskDescription = Nettoyage du dossier "{0}"
EventViewerCustomViewName = Création du processus EventViewerCustomViewName = Création du processus
EventViewerCustomViewDescription = Audit des événements de création du processus et de ligne de commande EventViewerCustomViewDescription = Audit des événements de création du processus et de ligne de commande
RestartWarning = Assurez-vous de redémarrer votre PC RestartWarning = Assurez-vous de redémarrer votre PC
ErrorsLine = Ligne ErrorsLine = Ligne
ErrorsFile = Fichier ErrorsFile = Fichier
ErrorsMessage = Erreurs/Avertissements ErrorsMessage = Erreurs/Avertissements
Add = Ajouter Add = Ajouter
AllFilesFilter = Tous les Fichiers (*.*)|*.* AllFilesFilter = Tous les Fichiers (*.*)|*.*
Browse = Parcourir Browse = Parcourir
Change = Changer Change = Changer
DialogBoxOpening = Afficher la boîte de dialogue... DialogBoxOpening = Afficher la boîte de dialogue...
Disable = Désactiver Disable = Désactiver
Enable = Activer Enable = Activer
EXEFilesFilter = *.exe|*.exe|Tous les Fichiers (*.*)|*.* EXEFilesFilter = *.exe|*.exe|Tous les Fichiers (*.*)|*.*
FolderSelect = Sélectionner un dossier FolderSelect = Sélectionner un dossier
FilesWontBeMoved = Les fichiers ne seront pas déplacés FilesWontBeMoved = Les fichiers ne seront pas déplacés
FourHours = 4 heures FourHours = 4 heures
HalfHour = 30 minutes HalfHour = 30 minutes
Install = Installer Install = Installer
Minute = 1 minute Minute = 1 minute
NoData = Rien à afficher NoData = Rien à afficher
NoInternetConnection = Pas de connexion Internet NoInternetConnection = Pas de connexion Internet
RestartFunction = Veuillez redémarrer la fonction "{0}" RestartFunction = Veuillez redémarrer la fonction "{0}"
NoResponse = Une connexion n'a pas pu être établie avec {0} NoResponse = Une connexion n'a pas pu être établie avec {0}
No = Non No = Non
Yes = Oui Yes = Oui
Open = Ouvert Open = Ouvert
Patient = Veuillez patienter... Patient = Veuillez patienter...
Restore = Restaurer Restore = Restaurer
Run = Démarrer Run = Démarrer
SelectAll = Tout sélectionner SelectAll = Tout sélectionner
Skip = Passer Skip = Passer
Skipped = Passé Skipped = Passé
TelegramGroupTitle = Rejoignez notre groupe Telegram officiel FileExplorerRestartPrompt = Parfois, pour que les modifications soient prises en compte, il faut redémarrer l'Explorateur de fichiers
TelegramChannelTitle = Rejoignez notre canal Telegram officiel TelegramGroupTitle = Rejoignez notre groupe Telegram officiel
Uninstall = Désinstaller TelegramChannelTitle = Rejoignez notre canal Telegram officiel
'@ Uninstall = Désinstaller
'@

163
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/hu-HU/Sophia.psd1

@ -1,81 +1,82 @@
ConvertFrom-StringData -StringData @' ConvertFrom-StringData -StringData @'
UnsupportedOSBitness = A szkript csak a Windows 10 64 bites verziót támogatja UnsupportedOSBitness = A szkript csak a Windows 10 64 bites verziót támogatja
UnsupportedOSBuild = A szkript támogatja a Windows 10 2004/20H2/21H1/21H2 verziókat UnsupportedOSBuild = A szkript támogatja a Windows 10 2004/20H2/21H1/21H2 verziókat
UpdateWarning = A Windows 10 összesített frissítése telepítve: {0}. Támogatott kumulatív frissítés: 1151 és magasabb verziószámok UpdateWarning = A Windows 10 összesített frissítése telepítve: {0}. Támogatott kumulatív frissítés: 1151 és magasabb verziószámok
UnsupportedLanguageMode = A PowerShell munkamenet korlátozott nyelvi üzemmódban fut UnsupportedLanguageMode = A PowerShell munkamenet korlátozott nyelvi üzemmódban fut
LoggedInUserNotAdmin = A bejelentkezett felhasználó nem rendelkezik admin jogokkal LoggedInUserNotAdmin = A bejelentkezett felhasználó nem rendelkezik admin jogokkal
UnsupportedPowerShell = A PowerShell {0}.{1} segítségével próbálja futtatni a szkriptet. Futtassa a szkriptet a megfelelő PowerShell-verzióban UnsupportedPowerShell = A PowerShell {0}.{1} segítségével próbálja futtatni a szkriptet. Futtassa a szkriptet a megfelelő PowerShell-verzióban
UnsupportedISE = A szkript nem támogatja a Windows PowerShell ISE futtatását 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 Win10TweakerWarning = Valószínűleg az operációs rendszerét a Win 10 Tweaker backdoor segítségével fertőzték meg
PowerShellLibraries = A Libraries mappában nincsenek fájlok. Kérjük, töltse le újra az archívumot PowerShellLibraries = A Libraries mappában nincsenek fájlok. Kérjük, töltse le újra az archívumot
UnsupportedRelease = Új verzió érhető el 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? 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 ControlledFolderAccessDisabled = Vezérelt mappához való hozzáférés kikapcsolva
ScheduledTasks = Ütemezett feladatok ScheduledTasks = Ütemezett feladatok
OneDriveUninstalling = OneDrive eltávolítása... OneDriveUninstalling = OneDrive eltávolítása...
OneDriveInstalling = OneDrive telepítése... OneDriveInstalling = OneDrive telepítése...
OneDriveDownloading = OneDrive letöltése... ~33 MB OneDriveDownloading = OneDrive letöltése... ~33 MB
WindowsFeaturesTitle = Windows szolgáltatások WindowsFeaturesTitle = Windows szolgáltatások
OptionalFeaturesTitle = Opcionális szolgáltatások OptionalFeaturesTitle = Opcionális szolgáltatások
EnableHardwareVT = Virtualizáció engedélyezése UEFI-ben 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 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... 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 DriveSelect = Válassza ki a meghajtó jelét a gyökérkönyvtárban ahol a "{0}" könyvtár létre lesz hozva
CurrentUserFolderLocation = Az aktuális "{0}" mappa helye: "{1}" CurrentUserFolderLocation = Az aktuális "{0}" mappa helye: "{1}"
UserFolderRequest = Kívánja megváltoztatni a "{0}" könyvtár helyét? 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 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? UserDefaultFolder = Szeretné visszaállítani a "{0}" könyvtár helyét a gyári értékekre?
ReservedStorageIsInUse = Ez a művelet nem hajtható végre, amíg a fenntartott tárhely használatban van\nPonovno pokrenite funkciju "{0}" nakon ponovnog pokretanja računala ReservedStorageIsInUse = Ez a művelet nem hajtható végre, amíg a fenntartott tárhely használatban van\nPonovno pokrenite funkciju "{0}" nakon ponovnog pokretanja računala
ShortcutPinning = A gyorsindító ikon "{0}" Startmenüre helyezése... ShortcutPinning = A gyorsindító ikon "{0}" Startmenüre helyezése...
UninstallUWPForAll = Az összes felhasználó számára UninstallUWPForAll = Az összes felhasználó számára
UWPAppsTitle = UWP Alkalmazások UWPAppsTitle = UWP Alkalmazások
HEVCDownloading = A HEVC Videobővítmények letöltése a gyártói oldalról... ~2,8 MB HEVCDownloading = A HEVC Videobővítmények letöltése a gyártói oldalról... ~2,8 MB
GraphicsPerformanceTitle = Grafikus teljesítmény tulajdonság 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"? 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 TaskNotificationTitle = Értesítés
CleanupTaskNotificationTitle = Fontos Információ 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 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? 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 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 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 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 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 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 FolderTaskDescription = A {0} könyvtár tisztítása
EventViewerCustomViewName = Folyamatok EventViewerCustomViewName = Folyamatok
EventViewerCustomViewDescription = Folyamatok létrehozása és parancssor ellenőrző események 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 RestartWarning = Kérem ne felejtse el újraindítani a számítógépét
ErrorsLine = Sor ErrorsLine = Sor
ErrorsFile = Fájl ErrorsFile = Fájl
ErrorsMessage = Hibák/Figyelmeztetések ErrorsMessage = Hibák/Figyelmeztetések
Add = Hozzáadás Add = Hozzáadás
AllFilesFilter = Összes fájl (*.*)|*.* AllFilesFilter = Összes fájl (*.*)|*.*
Browse = Pregledavati Browse = Pregledavati
Change = Szerkesztés Change = Szerkesztés
DialogBoxOpening = Párbeszédablak megjelenítése... DialogBoxOpening = Párbeszédablak megjelenítése...
Disable = Kikapcsolás Disable = Kikapcsolás
Enable = Engedélyezés Enable = Engedélyezés
EXEFilesFilter = *.exe|*.exe|Minden fájl (*.*)|*.* EXEFilesFilter = *.exe|*.exe|Minden fájl (*.*)|*.*
FolderSelect = Válasszon ki egy könyvtárat FolderSelect = Válasszon ki egy könyvtárat
FilesWontBeMoved = A fájlok nem lesznek áthelyezve FilesWontBeMoved = A fájlok nem lesznek áthelyezve
FourHours = 4 óra FourHours = 4 óra
HalfHour = 30 perc HalfHour = 30 perc
Install = Telepítés Install = Telepítés
Minute = 1 perc Minute = 1 perc
NoData = Nincs megjeleníthető információ NoData = Nincs megjeleníthető információ
NoInternetConnection = Nincs internetkapcsolat NoInternetConnection = Nincs internetkapcsolat
RestartFunction = Ponovo pokrenite funkciju "{0}" RestartFunction = Ponovo pokrenite funkciju "{0}"
NoResponse = Nem hozható létre kapcsolat a {0} weboldallal NoResponse = Nem hozható létre kapcsolat a {0} weboldallal
No = Nem No = Nem
Yes = Igen Yes = Igen
Open = Megnyitás Open = Megnyitás
Patient = Kérem várjon... Patient = Kérem várjon...
Restore = Visszaállítás Restore = Visszaállítás
Run = Futtatás Run = Futtatás
SelectAll = Összes kijelölése SelectAll = Összes kijelölése
Skip = Átugrás Skip = Átugrás
Skipped = Átugorva Skipped = Átugorva
TelegramGroupTitle = Pridružite se našoj službenoj grupi Telegram FileExplorerRestartPrompt = Néha ahhoz, hogy a módosítások hatályba lépjenek, a File Explorer folyamatot újra kell indítani
TelegramChannelTitle = Pridružite se našem službenom kanalu Telegram TelegramGroupTitle = Pridružite se našoj službenoj grupi Telegram
Uninstall = Eltávolít TelegramChannelTitle = Pridružite se našem službenom kanalu Telegram
'@ Uninstall = Eltávolít
'@

163
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/it-IT/Sophia.psd1

@ -1,81 +1,82 @@
ConvertFrom-StringData -StringData @' ConvertFrom-StringData -StringData @'
UnsupportedOSBitness = Lo script supporta solo Windows 10 x64 UnsupportedOSBitness = Lo script supporta solo Windows 10 x64
UnsupportedOSBuild = Lo script supporta Windows 10, 2004/20H2/21H1/21H2 versioni UnsupportedOSBuild = Lo script supporta Windows 10, 2004/20H2/21H1/21H2 versioni
UpdateWarning = Windows 10 cumulative update installato: {0}. Aggiornamento cumulativo supportato: 1151 e superiore UpdateWarning = Windows 10 cumulative update installato: {0}. Aggiornamento cumulativo supportato: 1151 e superiore
UnsupportedLanguageMode = La sessione PowerShell è in esecuzione in una modalità di lingua limitata UnsupportedLanguageMode = La sessione PowerShell è in esecuzione in una modalità di lingua limitata
LoggedInUserNotAdmin = L'utente connesso non ha i diritti di amministratore 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 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 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 Win10TweakerWarning = Probabilmente il tuo sistema operativo è stato infettato tramite la backdoor Win 10 Tweaker
PowerShellLibraries = Non ci sono file nella cartella Libraries. Per favore, scarica di nuovo l'archivio PowerShellLibraries = Non ci sono file nella cartella Libraries. Per favore, scarica di nuovo l'archivio
UnsupportedRelease = Nuova versione trovata UnsupportedRelease = Nuova versione trovata
CustomizationWarning = \nSono state personalizzate tutte le funzioni nel file delle preimpostazioni Sophia.ps1 prima di eseguire Sophia Script? 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 ControlledFolderAccessDisabled = l'accesso alle cartelle controllata disattivata
ScheduledTasks = Attività pianificate ScheduledTasks = Attività pianificate
OneDriveUninstalling = Disinstalla OneDrive... OneDriveUninstalling = Disinstalla OneDrive...
OneDriveInstalling = Installazione di OneDrive... OneDriveInstalling = Installazione di OneDrive...
OneDriveDownloading = Download di OneDrive... ~33 MB OneDriveDownloading = Download di OneDrive... ~33 MB
WindowsFeaturesTitle = Funzionalità di Windows WindowsFeaturesTitle = Funzionalità di Windows
OptionalFeaturesTitle = Caratteristiche opzionali OptionalFeaturesTitle = Caratteristiche opzionali
EnableHardwareVT = Abilita virtualizzazione in UEFI EnableHardwareVT = Abilita virtualizzazione in UEFI
UserShellFolderNotEmpty = Alcuni file lasciati nella cartella "{0}". li spostare manualmente in una nuova posizione UserShellFolderNotEmpty = Alcuni file lasciati nella cartella "{0}". li spostare manualmente in una nuova posizione
RetrievingDrivesList = Recupero lista unità... RetrievingDrivesList = Recupero lista unità...
DriveSelect = Selezionare l'unità all'interno della radice del quale verrà creato il "{0}" cartella DriveSelect = Selezionare l'unità all'interno della radice del quale verrà creato il "{0}" cartella
CurrentUserFolderLocation = La posizione attuale della cartella "{0}": "{1}" CurrentUserFolderLocation = La posizione attuale della cartella "{0}": "{1}"
UserFolderRequest = Volete cambiare la posizione del "{0}" cartella? UserFolderRequest = Volete cambiare la posizione del "{0}" cartella?
UserFolderSelect = Selezionare una cartella per la cartella "{0}" UserFolderSelect = Selezionare una cartella per la cartella "{0}"
UserDefaultFolder = Volete cambiare la posizione della cartella "{0}" al valore di default? UserDefaultFolder = Volete cambiare la posizione della cartella "{0}" al valore di default?
ReservedStorageIsInUse = Questa operazione non è supportata quando stoccaggio riservata è in uso\nSi prega di eseguire nuovamente la funzione "{0}" dopo il riavvio del PC ReservedStorageIsInUse = Questa operazione non è supportata quando stoccaggio riservata è in uso\nSi prega di eseguire nuovamente la funzione "{0}" dopo il riavvio del PC
ShortcutPinning = Il collegamento "{0}" è stato bloccato per iniziare... ShortcutPinning = Il collegamento "{0}" è stato bloccato per iniziare...
UninstallUWPForAll = Per tutti gli utenti UninstallUWPForAll = Per tutti gli utenti
UWPAppsTitle = UWP Apps UWPAppsTitle = UWP Apps
HEVCDownloading = Il download HEVC Video estensioni da dispositivo Produttore... ~2,8 MB HEVCDownloading = Il download HEVC Video estensioni da dispositivo Produttore... ~2,8 MB
GraphicsPerformanceTitle = Preferenza per le prestazioni grafiche GraphicsPerformanceTitle = Preferenza per le prestazioni grafiche
GraphicsPerformanceRequest = Volete impostare l'impostazione prestazioni grafiche di un app di vostra scelta per "performance High"? GraphicsPerformanceRequest = Volete impostare l'impostazione prestazioni grafiche di un app di vostra scelta per "performance High"?
TaskNotificationTitle = Notifica TaskNotificationTitle = Notifica
CleanupTaskNotificationTitle = Informazioni importanti CleanupTaskNotificationTitle = Informazioni importanti
CleanupTaskDescription = Pulizia di Windows i file inutilizzati e aggiornamenti utilizzando built-in Disk pulizia app 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? 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 CleanupTaskNotificationEvent = Di Windows pulizia non ci vorrà molto. La prossima volta che verrà visualizzata la notifica in 30 giorni
CleanupTaskNotificationSnoozeInterval = Selezionare un promemoria intervallo CleanupTaskNotificationSnoozeInterval = Selezionare un promemoria intervallo
CleanupNotificationTaskDescription = Pop-up promemoria notifica di pulizia di Windows file inutilizzati e aggiornamenti CleanupNotificationTaskDescription = Pop-up promemoria notifica di pulizia di Windows file inutilizzati e aggiornamenti
SoftwareDistributionTaskNotificationEvent = La cache di aggiornamento di Windows cancellato con successo SoftwareDistributionTaskNotificationEvent = La cache di aggiornamento di Windows cancellato con successo
TempTaskNotificationEvent = I file cartella Temp puliti con successo TempTaskNotificationEvent = I file cartella Temp puliti con successo
FolderTaskDescription = La pulizia della cartella "{0}" FolderTaskDescription = La pulizia della cartella "{0}"
EventViewerCustomViewName = Creazione di processo EventViewerCustomViewName = Creazione di processo
EventViewerCustomViewDescription = Creazione di processi ed eventi di controllo della riga di comando EventViewerCustomViewDescription = Creazione di processi ed eventi di controllo della riga di comando
RestartWarning = Assicurarsi di riavviare il PC RestartWarning = Assicurarsi di riavviare il PC
ErrorsLine = Linea ErrorsLine = Linea
ErrorsFile = File ErrorsFile = File
ErrorsMessage = Errori/avvisi ErrorsMessage = Errori/avvisi
Add = Inserisci Add = Inserisci
AllFilesFilter = Tutti i file (*.*)|*.* AllFilesFilter = Tutti i file (*.*)|*.*
Browse = Sfogliare Browse = Sfogliare
Change = Modificare Change = Modificare
DialogBoxOpening = Visualizzazione della finestra di dialogo... DialogBoxOpening = Visualizzazione della finestra di dialogo...
Disable = Disattivare Disable = Disattivare
Enable = Abilitare Enable = Abilitare
EXEFilesFilter = *.exe|*.exe|Tutti i file (*.*)|*.* EXEFilesFilter = *.exe|*.exe|Tutti i file (*.*)|*.*
FolderSelect = Selezionare una cartella FolderSelect = Selezionare una cartella
FilesWontBeMoved = I file non verranno trasferiti FilesWontBeMoved = I file non verranno trasferiti
FourHours = 4 ore FourHours = 4 ore
HalfHour = 30 minuti HalfHour = 30 minuti
Install = Installare Install = Installare
Minute = 1 minuto Minute = 1 minuto
NoData = Niente da esposizione NoData = Niente da esposizione
NoInternetConnection = Nessuna connessione Internet NoInternetConnection = Nessuna connessione Internet
RestartFunction = Si prega di riavviare la funzione "{0}" RestartFunction = Si prega di riavviare la funzione "{0}"
NoResponse = Non è stato possibile stabilire una connessione con {0} NoResponse = Non è stato possibile stabilire una connessione con {0}
No = No No = No
Yes = Yes =
Open = Aperto Open = Aperto
Patient = Attendere prego... Patient = Attendere prego...
Restore = Ristabilire Restore = Ristabilire
Run = Eseguire Run = Eseguire
SelectAll = Seleziona tutto SelectAll = Seleziona tutto
Skip = Salta Skip = Salta
Skipped = Saltato Skipped = Saltato
TelegramGroupTitle = Unisciti al nostro gruppo ufficiale Telegram FileExplorerRestartPrompt = A volte, affinché le modifiche abbiano effetto, il processo di File Explorer deve essere riavviato
TelegramChannelTitle = Unisciti al nostro canale ufficiale di Telegram TelegramGroupTitle = Unisciti al nostro gruppo ufficiale Telegram
Uninstall = Disinstallare TelegramChannelTitle = Unisciti al nostro canale ufficiale di Telegram
'@ Uninstall = Disinstallare
'@

163
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/pt-BR/Sophia.psd1

@ -1,81 +1,82 @@
ConvertFrom-StringData -StringData @' ConvertFrom-StringData -StringData @'
UnsupportedOSBitness = O script suporta somente Windows 10 x64 UnsupportedOSBitness = O script suporta somente Windows 10 x64
UnsupportedOSBuild = O script suporta versões Windows 10 2004/20H2/21H1/21H2 UnsupportedOSBuild = O script suporta versões Windows 10 2004/20H2/21H1/21H2
UpdateWarning = Atualização cumulativa do Windows 10 instalado: {0}. Actualização acumulada suportada: 1151 e superior UpdateWarning = Atualização cumulativa do Windows 10 instalado: {0}. Actualização acumulada suportada: 1151 e superior
UnsupportedLanguageMode = A sessão PowerShell em funcionamento em um modo de linguagem limitada UnsupportedLanguageMode = A sessão PowerShell em funcionamento em um modo de linguagem limitada
LoggedInUserNotAdmin = O usuário logado não tem direitos de administrador 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 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 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 Win10TweakerWarning = Probabilmente il tuo sistema operativo è stato infettato tramite la backdoor Win 10 Tweaker
PowerShellLibraries = Não existem ficheiros na pasta Bibliotecas. Por favor, volte a descarregar o arquivo PowerShellLibraries = Não existem ficheiros na pasta Bibliotecas. Por favor, volte a descarregar o arquivo
UnsupportedRelease = Nova versão encontrada 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? 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 ControlledFolderAccessDisabled = Acesso controlado a pasta desativada
ScheduledTasks = Tarefas agendadas ScheduledTasks = Tarefas agendadas
OneDriveUninstalling = Desinstalar OneDrive... OneDriveUninstalling = Desinstalar OneDrive...
OneDriveInstalling = Instalar o OneDrive... OneDriveInstalling = Instalar o OneDrive...
OneDriveDownloading = Baixando OneDrive... ~33 MB OneDriveDownloading = Baixando OneDrive... ~33 MB
WindowsFeaturesTitle = Recursos do Windows WindowsFeaturesTitle = Recursos do Windows
OptionalFeaturesTitle = Recursos opcionais OptionalFeaturesTitle = Recursos opcionais
EnableHardwareVT = Habilitar virtualização em UEFI EnableHardwareVT = Habilitar virtualização em UEFI
UserShellFolderNotEmpty = Alguns arquivos deixados na pasta "{0}". Movê-los manualmente para um novo local UserShellFolderNotEmpty = Alguns arquivos deixados na pasta "{0}". Movê-los manualmente para um novo local
RetrievingDrivesList = Recuperando lista de unidades... RetrievingDrivesList = Recuperando lista de unidades...
DriveSelect = Selecione a unidade dentro da raiz da qual a pasta "{0}" será criada DriveSelect = Selecione a unidade dentro da raiz da qual a pasta "{0}" será criada
CurrentUserFolderLocation = A localização actual da pasta "{0}": "{1}" CurrentUserFolderLocation = A localização actual da pasta "{0}": "{1}"
UserFolderRequest = Gostaria de alterar a localização da pasta "{0}"? UserFolderRequest = Gostaria de alterar a localização da pasta "{0}"?
UserFolderSelect = Selecione uma pasta para a 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? UserDefaultFolder = Gostaria de alterar a localização da pasta "{0}" para o valor padrão?
ReservedStorageIsInUse = Esta operação não é suportada quando o armazenamento reservada está em uso\nFavor executar novamente a função "{0}" após o reinício do PC ReservedStorageIsInUse = Esta operação não é suportada quando o armazenamento reservada está em uso\nFavor executar novamente a função "{0}" após o reinício do PC
ShortcutPinning = O atalho "{0}" está sendo fixado no Iniciar... ShortcutPinning = O atalho "{0}" está sendo fixado no Iniciar...
UninstallUWPForAll = Para todos os usuários... UninstallUWPForAll = Para todos os usuários...
UWPAppsTitle = Apps UWP UWPAppsTitle = Apps UWP
HEVCDownloading = Baixando HEVC Vídeo Extensões de Dispositivo Fabricante... ~ 2,8 MB HEVCDownloading = Baixando HEVC Vídeo Extensões de Dispositivo Fabricante... ~ 2,8 MB
GraphicsPerformanceTitle = Preferência de desempenho gráfico 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"? GraphicsPerformanceRequest = Gostaria de definir a configuração de performance gráfica de um app de sua escolha para "alta performance"?
TaskNotificationTitle = Notificação TaskNotificationTitle = Notificação
CleanupTaskNotificationTitle = Informação importante 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 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? 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 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 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 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 SoftwareDistributionTaskNotificationEvent = O cache de atualização do Windows excluído com sucesso
TempTaskNotificationEvent = Os arquivos da pasta Temp limpos com sucesso TempTaskNotificationEvent = Os arquivos da pasta Temp limpos com sucesso
FolderTaskDescription = A limpeza da pasta "{0}" FolderTaskDescription = A limpeza da pasta "{0}"
EventViewerCustomViewName = Criação de processo EventViewerCustomViewName = Criação de processo
EventViewerCustomViewDescription = Criação de processos e eventos de auditoria de linha de comando EventViewerCustomViewDescription = Criação de processos e eventos de auditoria de linha de comando
RestartWarning = Certifique-se de reiniciar o PC RestartWarning = Certifique-se de reiniciar o PC
ErrorsLine = Linha ErrorsLine = Linha
ErrorsFile = Arquivo ErrorsFile = Arquivo
ErrorsMessage = Erros/Avisos ErrorsMessage = Erros/Avisos
Add = Adicionar Add = Adicionar
AllFilesFilter = Todos os arquivos (*.*)|*.* AllFilesFilter = Todos os arquivos (*.*)|*.*
Browse = Procurar Browse = Procurar
Change = Mudar Change = Mudar
DialogBoxOpening = Exibindo a caixa de diálogo... DialogBoxOpening = Exibindo a caixa de diálogo...
Disable = Desativar Disable = Desativar
Enable = Habilitar Enable = Habilitar
EXEFilesFilter = *.exe|*.exe| Todos os arquivos (*.*)|*.* EXEFilesFilter = *.exe|*.exe| Todos os arquivos (*.*)|*.*
FolderSelect = Escolha uma pasta FolderSelect = Escolha uma pasta
FilesWontBeMoved = Os arquivos não serão transferidos FilesWontBeMoved = Os arquivos não serão transferidos
FourHours = 4 horas FourHours = 4 horas
HalfHour = 30 minutos HalfHour = 30 minutos
Install = Instalar Install = Instalar
Minute = 1 minuto Minute = 1 minuto
NoData = Nada à exibir NoData = Nada à exibir
NoInternetConnection = Sem conexão à Internet NoInternetConnection = Sem conexão à Internet
RestartFunction = Favor reiniciar a função "{0}" RestartFunction = Favor reiniciar a função "{0}"
NoResponse = Uma conexão não pôde ser estabelecida com {0} NoResponse = Uma conexão não pôde ser estabelecida com {0}
No = Não No = Não
Yes = Sim Yes = Sim
Open = Abrir Open = Abrir
Patient = Por favor, espere... Patient = Por favor, espere...
Restore = Restaurar Restore = Restaurar
Run = Executar Run = Executar
SelectAll = Selecionar tudo SelectAll = Selecionar tudo
Skip = Pular Skip = Pular
Skipped = Ignorados Skipped = Ignorados
TelegramGroupTitle = Entre no grupo oficial do Telegram FileExplorerRestartPrompt = Por vezes, para que as alterações tenham efeito, o processo File Explorer tem de ser reiniciado
TelegramChannelTitle = Entre no canal oficial do Telegram TelegramGroupTitle = Entre no grupo oficial do Telegram
Uninstall = Desinstalar TelegramChannelTitle = Entre no canal oficial do Telegram
'@ Uninstall = Desinstalar
'@

163
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/ru-RU/Sophia.psd1

@ -1,81 +1,82 @@
ConvertFrom-StringData -StringData @' ConvertFrom-StringData -StringData @'
UnsupportedOSBitness = Скрипт поддерживает только Windows 10 x64 UnsupportedOSBitness = Скрипт поддерживает только Windows 10 x64
UnsupportedOSBuild = Скрипт поддерживает только Windows 10 версии 2004/20H2/21H1/21H2 UnsupportedOSBuild = Скрипт поддерживает только Windows 10 версии 2004/20H2/21H1/21H2
UpdateWarning = Установленный накопительный пакет обновления Windows 10: {0}. Поддерживаемый накопительный пакет обновления: 1151 и выше UpdateWarning = Установленный накопительный пакет обновления Windows 10: {0}. Поддерживаемый накопительный пакет обновления: 1151 и выше
UnsupportedLanguageMode = Сессия PowerShell работает в ограниченном режиме UnsupportedLanguageMode = Сессия PowerShell работает в ограниченном режиме
LoggedInUserNotAdmin = Текущий вошедший пользователь не обладает правами администратора LoggedInUserNotAdmin = Текущий вошедший пользователь не обладает правами администратора
UnsupportedPowerShell = Вы пытаетесь запустить скрипт в PowerShell {0}.{1}. Запустите скрипт в соответствующей версии PowerShell UnsupportedPowerShell = Вы пытаетесь запустить скрипт в PowerShell {0}.{1}. Запустите скрипт в соответствующей версии PowerShell
UnsupportedISE = Скрипт не поддерживает работу через Windows PowerShell ISE UnsupportedISE = Скрипт не поддерживает работу через Windows PowerShell ISE
Win10TweakerWarning = Ваша ОС, возможно, через бэкдор в Win 10 Tweaker была заражена трояном Win10TweakerWarning = Ваша ОС, возможно, через бэкдор в Win 10 Tweaker была заражена трояном
PowerShellLibraries = В папке Libraries отсутствутствуют файлы. Пожалуйста, перекачайте архив PowerShellLibraries = В папке Libraries отсутствутствуют файлы. Пожалуйста, перекачайте архив
UnsupportedRelease = Обнаружена новая версия UnsupportedRelease = Обнаружена новая версия
CustomizationWarning = \nВы настроили все функции в пресет-файле Sophia.ps1 перед запуском Sophia Script? CustomizationWarning = \nВы настроили все функции в пресет-файле Sophia.ps1 перед запуском Sophia Script?
ControlledFolderAccessDisabled = Контролируемый доступ к папкам выключен ControlledFolderAccessDisabled = Контролируемый доступ к папкам выключен
ScheduledTasks = Запланированные задания ScheduledTasks = Запланированные задания
OneDriveUninstalling = Удаление OneDrive... OneDriveUninstalling = Удаление OneDrive...
OneDriveInstalling = OneDrive устанавливается... OneDriveInstalling = OneDrive устанавливается...
OneDriveDownloading = Скачивается OneDrive... ~33 МБ OneDriveDownloading = Скачивается OneDrive... ~33 МБ
WindowsFeaturesTitle = Компоненты Windows WindowsFeaturesTitle = Компоненты Windows
OptionalFeaturesTitle = Дополнительные компоненты OptionalFeaturesTitle = Дополнительные компоненты
EnableHardwareVT = Включите виртуализацию в UEFI EnableHardwareVT = Включите виртуализацию в UEFI
UserShellFolderNotEmpty = В папке "{0}" остались файлы. Переместите их вручную в новое расположение UserShellFolderNotEmpty = В папке "{0}" остались файлы. Переместите их вручную в новое расположение
RetrievingDrivesList = Получение списка дисков... RetrievingDrivesList = Получение списка дисков...
DriveSelect = Выберите диск, в корне которого будет создана папка "{0}" DriveSelect = Выберите диск, в корне которого будет создана папка "{0}"
CurrentUserFolderLocation = Текущее расположение папки "{0}": "{1}" CurrentUserFolderLocation = Текущее расположение папки "{0}": "{1}"
UserFolderRequest = Хотите изменить расположение папки "{0}"? UserFolderRequest = Хотите изменить расположение папки "{0}"?
UserFolderSelect = Выберите папку для "{0}" UserFolderSelect = Выберите папку для "{0}"
UserDefaultFolder = Хотите изменить расположение папки "{0}" на значение по умолчанию? UserDefaultFolder = Хотите изменить расположение папки "{0}" на значение по умолчанию?
ReservedStorageIsInUse = Операция не поддерживается, пока используется зарезервированное хранилище\nПожалуйста, повторно запустите функцию "{0}" после перезагрузки ReservedStorageIsInUse = Операция не поддерживается, пока используется зарезервированное хранилище\nПожалуйста, повторно запустите функцию "{0}" после перезагрузки
ShortcutPinning = Ярлык "{0}" закрепляется на начальном экране... ShortcutPinning = Ярлык "{0}" закрепляется на начальном экране...
UninstallUWPForAll = Для всех пользователей UninstallUWPForAll = Для всех пользователей
UWPAppsTitle = UWP-приложения UWPAppsTitle = UWP-приложения
HEVCDownloading = Скачивается расширения для видео HEVC от производителя устройства... ~2,8 МБ HEVCDownloading = Скачивается расширения для видео HEVC от производителя устройства... ~2,8 МБ
GraphicsPerformanceTitle = Настройка производительности графики GraphicsPerformanceTitle = Настройка производительности графики
GraphicsPerformanceRequest = Установить для любого приложения по вашему выбору настройки производительности графики на "Высокая производительность"? GraphicsPerformanceRequest = Установить для любого приложения по вашему выбору настройки производительности графики на "Высокая производительность"?
TaskNotificationTitle = Уведомление TaskNotificationTitle = Уведомление
CleanupTaskNotificationTitle = Важная информация CleanupTaskNotificationTitle = Важная информация
CleanupTaskDescription = Очистка неиспользуемых файлов и обновлений Windows, используя встроенную программу Очистка диска CleanupTaskDescription = Очистка неиспользуемых файлов и обновлений Windows, используя встроенную программу Очистка диска
CleanupTaskNotificationEventTitle = Запустить задачу по очистке неиспользуемых файлов и обновлений Windows? CleanupTaskNotificationEventTitle = Запустить задачу по очистке неиспользуемых файлов и обновлений Windows?
CleanupTaskNotificationEvent = Очистка Windows не займет много времени. Следующий раз это уведомление появится через 30 дней CleanupTaskNotificationEvent = Очистка Windows не займет много времени. Следующий раз это уведомление появится через 30 дней
CleanupTaskNotificationSnoozeInterval = Выберите интервал повтора уведомления CleanupTaskNotificationSnoozeInterval = Выберите интервал повтора уведомления
CleanupNotificationTaskDescription = Всплывающее уведомление с напоминанием об очистке неиспользуемых файлов и обновлений Windows CleanupNotificationTaskDescription = Всплывающее уведомление с напоминанием об очистке неиспользуемых файлов и обновлений Windows
SoftwareDistributionTaskNotificationEvent = Кэш обновлений Windows успешно удален SoftwareDistributionTaskNotificationEvent = Кэш обновлений Windows успешно удален
TempTaskNotificationEvent = Папка временных файлов успешно очищена TempTaskNotificationEvent = Папка временных файлов успешно очищена
FolderTaskDescription = Очистка папки {0} FolderTaskDescription = Очистка папки {0}
EventViewerCustomViewName = Создание процесса EventViewerCustomViewName = Создание процесса
EventViewerCustomViewDescription = События содания нового процесса и аудит командной строки EventViewerCustomViewDescription = События содания нового процесса и аудит командной строки
RestartWarning = Обязательно перезагрузите ваш ПК RestartWarning = Обязательно перезагрузите ваш ПК
ErrorsLine = Строка ErrorsLine = Строка
ErrorsFile = Файл ErrorsFile = Файл
ErrorsMessage = Ошибки/предупреждения ErrorsMessage = Ошибки/предупреждения
Add = Добавить Add = Добавить
AllFilesFilter = Все файлы (*.*)|*.* AllFilesFilter = Все файлы (*.*)|*.*
Browse = Обзор Browse = Обзор
Change = Изменить Change = Изменить
DialogBoxOpening = Диалоговое окно открывается... DialogBoxOpening = Диалоговое окно открывается...
Disable = Отключить Disable = Отключить
Enable = Включить Enable = Включить
EXEFilesFilter = *.exe|*.exe|Все файлы (*.*)|*.* EXEFilesFilter = *.exe|*.exe|Все файлы (*.*)|*.*
FolderSelect = Выберите папку FolderSelect = Выберите папку
FilesWontBeMoved = Файлы не будут перенесены FilesWontBeMoved = Файлы не будут перенесены
FourHours = 4 часа FourHours = 4 часа
HalfHour = 30 минут HalfHour = 30 минут
Install = Установить Install = Установить
Minute = 1 минута Minute = 1 минута
NoData = Отсутствуют данные NoData = Отсутствуют данные
NoInternetConnection = Отсутствует интернет-соединение NoInternetConnection = Отсутствует интернет-соединение
RestartFunction = Пожалуйста, повторно запустите функцию "{0}" RestartFunction = Пожалуйста, повторно запустите функцию "{0}"
NoResponse = Невозможно установить соединение с {0} NoResponse = Невозможно установить соединение с {0}
No = Нет No = Нет
Yes = Да Yes = Да
Open = Открыть Open = Открыть
Patient = Пожалуйста, подождите... Patient = Пожалуйста, подождите...
Restore = Восстановить Restore = Восстановить
Run = Запустить Run = Запустить
SelectAll = Выбрать всё SelectAll = Выбрать всё
Skip = Пропустить Skip = Пропустить
Skipped = Пропущено Skipped = Пропущено
TelegramGroupTitle = Присоединяйтесь к нашей официальной группе в Telegram FileExplorerRestartPrompt = Иногда для того, чтобы изменения вступили в силу, процесс проводника необходимо перезапустить
TelegramChannelTitle = Присоединяйтесь к нашему официальному каналу в Telegram TelegramGroupTitle = Присоединяйтесь к нашей официальной группе в Telegram
Uninstall = Удалить TelegramChannelTitle = Присоединяйтесь к нашему официальному каналу в Telegram
'@ Uninstall = Удалить
'@

163
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/tr-TR/Sophia.psd1

@ -1,81 +1,82 @@
ConvertFrom-StringData -StringData @' ConvertFrom-StringData -StringData @'
UnsupportedOSBitness = Bu betik sadece Windows 10 x64 destekliyor UnsupportedOSBitness = Bu betik sadece Windows 10 x64 destekliyor
UnsupportedOSBuild = Komut dosyası, Windows 10 2004/20H2/21H1/21H2 sürümlerini destekler UnsupportedOSBuild = Komut dosyası, Windows 10 2004/20H2/21H1/21H2 sürümlerini destekler
UpdateWarning = Windows 10 toplu güncelleştirmesi yüklendi: {0}. Desteklenen toplu güncelleme: 1151 ve üstü UpdateWarning = Windows 10 toplu güncelleştirmesi yüklendi: {0}. Desteklenen toplu güncelleme: 1151 ve üstü
UnsupportedLanguageMode = Sınırlı bir dil modunda çalışan PowerShell oturumu UnsupportedLanguageMode = Sınırlı bir dil modunda çalışan PowerShell oturumu
LoggedInUserNotAdmin = Oturum açan kullanıcının yönetici hakları yok LoggedInUserNotAdmin = Oturum açan kullanıcının yönetici hakları yok
UnsupportedPowerShell = Komut dosyasını PowerShell {0}.{1} aracılığıyla çalıştırmaya çalışıyorsunuz. Komut dosyasını uygun PowerShell sürümünde çalıştırın UnsupportedPowerShell = Komut dosyasını PowerShell {0}.{1} aracılığıyla çalıştırmaya çalışıyorsunuz. Komut dosyasını uygun PowerShell sürümünde çalıştırın
UnsupportedISE = Komut dosyası, Windows PowerShell ISE üzerinden çalıştırmayı desteklemiyor 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ı Win10TweakerWarning = Muhtemelen işletim sisteminize Win 10 Tweaker arka kapısı yoluyla bulaştı
PowerShellLibraries = Kitaplıklar klasöründe dosya yok. Lütfen arşivi yeniden indirin PowerShellLibraries = Kitaplıklar klasöründe dosya yok. Lütfen arşivi yeniden indirin
UnsupportedRelease = Yeni sürüm bulundu 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? 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ı ControlledFolderAccessDisabled = Kontrollü klasör erişimi devre dışı bırakıldı
ScheduledTasks = Zamanlanan görevler ScheduledTasks = Zamanlanan görevler
OneDriveUninstalling = OneDrive kaldırılıyor... OneDriveUninstalling = OneDrive kaldırılıyor...
OneDriveInstalling = OneDrive kuruluyor... OneDriveInstalling = OneDrive kuruluyor...
OneDriveDownloading = OneDrive indiriliyor... ~33 MB OneDriveDownloading = OneDrive indiriliyor... ~33 MB
WindowsFeaturesTitle = Windows özellikleri WindowsFeaturesTitle = Windows özellikleri
OptionalFeaturesTitle = İsteğe bağlı özellikler OptionalFeaturesTitle = İsteğe bağlı özellikler
EnableHardwareVT = UEFI'dan sanallaştırmayı aktifleştirin EnableHardwareVT = UEFI'dan sanallaştırmayı aktifleştirin
UserShellFolderNotEmpty = "{0}" klasöründe bazı dosyalar kaldı. \nKendiniz yeni konuma taşıyın UserShellFolderNotEmpty = "{0}" klasöründe bazı dosyalar kaldı. \nKendiniz yeni konuma taşıyın
RetrievingDrivesList = Sürücü listesi alınıyor... 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 DriveSelect = "{0}" klasörünün oluşturulacağı kök içindeki sürücüyü seçin
CurrentUserFolderLocation = Geçerli "{0}" klasör konumu: "{1}" CurrentUserFolderLocation = Geçerli "{0}" klasör konumu: "{1}"
UserFolderRequest = "{0}" klasörünün yerini değiştirmek ister misiniz? UserFolderRequest = "{0}" klasörünün yerini değiştirmek ister misiniz?
UserFolderSelect = "{0}" klasörü için bir klasör seçin 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? UserDefaultFolder = "{0}" klasörünün konumunu varsayılan değerle değiştirmek ister misiniz?
ReservedStorageIsInUse = Ayrılmış depolama kullanımdayken bu işlem desteklenmez\nBilgisayar yeniden başlatıldıktan sonra lütfen "{0}" işlevini yeniden çalıştırın ReservedStorageIsInUse = Ayrılmış depolama kullanımdayken bu işlem desteklenmez\nBilgisayar yeniden başlatıldıktan sonra lütfen "{0}" işlevini yeniden çalıştırın
ShortcutPinning = "{0}" kısayolu Başlangıç sekmesine sabitlendi... ShortcutPinning = "{0}" kısayolu Başlangıç sekmesine sabitlendi...
UninstallUWPForAll = Bütün kullanıcılar için UninstallUWPForAll = Bütün kullanıcılar için
UWPAppsTitle = UWP Uygulamaları UWPAppsTitle = UWP Uygulamaları
HEVCDownloading = "Cihaz Üreticisinden HEVC Video Uzantıları" İndiriliyor... ~2,8 MB HEVCDownloading = "Cihaz Üreticisinden HEVC Video Uzantıları" İndiriliyor... ~2,8 MB
GraphicsPerformanceTitle = Grafik performans tercihi GraphicsPerformanceTitle = Grafik performans tercihi
GraphicsPerformanceRequest = Seçtiğiniz bir uygulamanın grafik performansı ayarını "Yüksek performans" olarak belirlemek ister misiniz? GraphicsPerformanceRequest = Seçtiğiniz bir uygulamanın grafik performansı ayarını "Yüksek performans" olarak belirlemek ister misiniz?
TaskNotificationTitle = Bildirim TaskNotificationTitle = Bildirim
CleanupTaskNotificationTitle = Önemli Bilgi CleanupTaskNotificationTitle = Önemli Bilgi
CleanupTaskDescription = Kullanılmayan Windows dosyaları ve güncellemeleri yerleşik Disk Temizleme uygulaması ile temizleniyor 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 ? CleanupTaskNotificationEventTitle = Windows kullanılmayan dosyaları ve güncellemeleri temizlemek için görev çalıştırılsın ?
CleanupTaskNotificationEvent = Windows temizliği uzun sürmeyecek. Bir dahaki sefer bildirim 30 gün içinde görünecek 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 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ı 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 SoftwareDistributionTaskNotificationEvent = Windows güncelleme önbelleği başarıyla silindi
TempTaskNotificationEvent = Geçici dosyalar klasörü başarıyla temizlendi TempTaskNotificationEvent = Geçici dosyalar klasörü başarıyla temizlendi
FolderTaskDescription = "{0}" klasörü temizleniyor FolderTaskDescription = "{0}" klasörü temizleniyor
EventViewerCustomViewName = Süreç Oluşturma EventViewerCustomViewName = Süreç Oluşturma
EventViewerCustomViewDescription = Süreç oluşturma ve komut satırı denetleme olayları EventViewerCustomViewDescription = Süreç oluşturma ve komut satırı denetleme olayları
RestartWarning = Bilgisayarınızı yeniden başlattığınızdan emin olun RestartWarning = Bilgisayarınızı yeniden başlattığınızdan emin olun
ErrorsLine = Satır ErrorsLine = Satır
ErrorsFile = Dosya ErrorsFile = Dosya
ErrorsMessage = Hatalar/Uyarılar ErrorsMessage = Hatalar/Uyarılar
Add = Ekle Add = Ekle
AllFilesFilter = Tüm Dosyalar (*.*)|*.* AllFilesFilter = Tüm Dosyalar (*.*)|*.*
Browse = Gözat Browse = Gözat
Change = Değiştir Change = Değiştir
DialogBoxOpening = İletişim kutusu görüntüleniyor... DialogBoxOpening = İletişim kutusu görüntüleniyor...
Disable = Devre dışı bırak Disable = Devre dışı bırak
Enable = Aktif et Enable = Aktif et
EXEFilesFilter = *.exe|*.exe|Tüm Dosyalar (*.*)|*.* EXEFilesFilter = *.exe|*.exe|Tüm Dosyalar (*.*)|*.*
FolderSelect = Klasör seç FolderSelect = Klasör seç
FilesWontBeMoved = Dosyalar taşınmayacak FilesWontBeMoved = Dosyalar taşınmayacak
FourHours = 4 Saat FourHours = 4 Saat
HalfHour = 30 Dakika HalfHour = 30 Dakika
Install = Yükle Install = Yükle
Minute = 1 Dakika Minute = 1 Dakika
NoData = Görüntülenecek bir şey yok NoData = Görüntülenecek bir şey yok
NoInternetConnection = İnternet bağlantısı yok NoInternetConnection = İnternet bağlantısı yok
RestartFunction = Lütfen "{0}" işlevini yeniden çalıştırın RestartFunction = Lütfen "{0}" işlevini yeniden çalıştırın
NoResponse = {0} ile bağlantı kurulamadı NoResponse = {0} ile bağlantı kurulamadı
No = Hayır No = Hayır
Yes = Evet Yes = Evet
Open = Açık Open = Açık
Patient = Lütfen bekleyin... Patient = Lütfen bekleyin...
Restore = Onar Restore = Onar
Run = Başlat Run = Başlat
SelectAll = Hepsini seç SelectAll = Hepsini seç
Skip = Atla Skip = Atla
Skipped = Atlandı Skipped = Atlandı
TelegramGroupTitle = Resmi Telegram grubumuza katılın FileExplorerRestartPrompt = Bazen değişikliklerin geçerli olması için Dosya Gezgini işleminin yeniden başlatılması gerekir
TelegramChannelTitle = Resmi Telegram kanalımıza katılın TelegramGroupTitle = Resmi Telegram grubumuza katılın
Uninstall = Kaldır TelegramChannelTitle = Resmi Telegram kanalımıza katılın
'@ Uninstall = Kaldır
'@

163
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/uk-UA/Sophia.psd1

@ -1,81 +1,82 @@
ConvertFrom-StringData -StringData @' ConvertFrom-StringData -StringData @'
UnsupportedOSBitness = Скрипт підтримує тільки Windows 10 x64 UnsupportedOSBitness = Скрипт підтримує тільки Windows 10 x64
UnsupportedOSBuild = Скрипт підтримує тільки Windows 10 версії 2004/20H2/21H1/21H2 UnsupportedOSBuild = Скрипт підтримує тільки Windows 10 версії 2004/20H2/21H1/21H2
UpdateWarning = Встановлений зведене оновлення Windows 10: {0}. Підтримуваний накопичувальний пакет оновлення: 1151 і вище UpdateWarning = Встановлений зведене оновлення Windows 10: {0}. Підтримуваний накопичувальний пакет оновлення: 1151 і вище
UnsupportedLanguageMode = Сесія PowerShell працює в обмеженому режимі UnsupportedLanguageMode = Сесія PowerShell працює в обмеженому режимі
LoggedInUserNotAdmin = Поточний увійшов користувач не володіє правами адміністратора LoggedInUserNotAdmin = Поточний увійшов користувач не володіє правами адміністратора
UnsupportedPowerShell = Ви намагаєтеся запустити скрипт в PowerShell {0}.{1}. Запустіть скрипт у відповідній версії PowerShell UnsupportedPowerShell = Ви намагаєтеся запустити скрипт в PowerShell {0}.{1}. Запустіть скрипт у відповідній версії PowerShell
UnsupportedISE = Скрипт не підтримує роботу через Windows PowerShell ISE UnsupportedISE = Скрипт не підтримує роботу через Windows PowerShell ISE
Win10TweakerWarning = Ваша ОС, можливо, через бекдор в Win 10 Tweaker заражена трояном Win10TweakerWarning = Ваша ОС, можливо, через бекдор в Win 10 Tweaker заражена трояном
PowerShellLibraries = У папці «Бібліотеки» немає файлів. Будь ласка, повторно завантажте архів PowerShellLibraries = У папці «Бібліотеки» немає файлів. Будь ласка, повторно завантажте архів
UnsupportedRelease = Виявлено нову версію UnsupportedRelease = Виявлено нову версію
CustomizationWarning = \nВи налаштували всі функції в пресет-файлі Sophia.ps1 перед запуском Sophia Script? CustomizationWarning = \nВи налаштували всі функції в пресет-файлі Sophia.ps1 перед запуском Sophia Script?
ControlledFolderAccessDisabled = Контрольований доступ до папок вимкнений ControlledFolderAccessDisabled = Контрольований доступ до папок вимкнений
ScheduledTasks = Заплановані задачі ScheduledTasks = Заплановані задачі
OneDriveUninstalling = Видалення OneDrive... OneDriveUninstalling = Видалення OneDrive...
OneDriveInstalling = OneDrive встановлюється... OneDriveInstalling = OneDrive встановлюється...
OneDriveDownloading = Завантажується OneDrive... ~33 МБ OneDriveDownloading = Завантажується OneDrive... ~33 МБ
WindowsFeaturesTitle = Компоненти Windows WindowsFeaturesTitle = Компоненти Windows
OptionalFeaturesTitle = Додаткові компоненти OptionalFeaturesTitle = Додаткові компоненти
EnableHardwareVT = Увімкніть віртуалізацію в UEFI EnableHardwareVT = Увімкніть віртуалізацію в UEFI
UserShellFolderNotEmpty = У папці "{0}" залишились файли. Перемістіть їх вручну у нове розташування UserShellFolderNotEmpty = У папці "{0}" залишились файли. Перемістіть їх вручну у нове розташування
RetrievingDrivesList = Отримання списку дисків... RetrievingDrivesList = Отримання списку дисків...
DriveSelect = Виберіть диск, в корні якого буде створена папка для "{0}" DriveSelect = Виберіть диск, в корні якого буде створена папка для "{0}"
CurrentUserFolderLocation = Текуще розташування папок "{0}": "{1}" CurrentUserFolderLocation = Текуще розташування папок "{0}": "{1}"
UserFolderRequest = Хочете змінити розташування папки "{0}"? UserFolderRequest = Хочете змінити розташування папки "{0}"?
UserFolderSelect = Виберіть папку для "{0}" UserFolderSelect = Виберіть папку для "{0}"
UserDefaultFolder = Хочете змінити розташування папки "{0}" на значення за замовчуванням? UserDefaultFolder = Хочете змінити розташування папки "{0}" на значення за замовчуванням?
ReservedStorageIsInUse = Операція не підтримується, поки використовується зарезервоване сховище\nБудь ласка, повторно запустіть функцію "{0}" після перезавантаження ReservedStorageIsInUse = Операція не підтримується, поки використовується зарезервоване сховище\nБудь ласка, повторно запустіть функцію "{0}" після перезавантаження
ShortcutPinning = Ярлик "{0}" закріплюється на початковому екрані... ShortcutPinning = Ярлик "{0}" закріплюється на початковому екрані...
UninstallUWPForAll = Для всіх користувачів UninstallUWPForAll = Для всіх користувачів
UWPAppsTitle = Програми UWP UWPAppsTitle = Програми UWP
HEVCDownloading = Завантаження "Розширення відео HEVC від виробника пристрою"... ~2,8 МБ HEVCDownloading = Завантаження "Розширення відео HEVC від виробника пристрою"... ~2,8 МБ
GraphicsPerformanceTitle = Налаштування продуктивності графіки GraphicsPerformanceTitle = Налаштування продуктивності графіки
GraphicsPerformanceRequest = Встановити для будь-якої програми за вашим вибором налаштування продуктивності графіки на "Висока продуктивність"? GraphicsPerformanceRequest = Встановити для будь-якої програми за вашим вибором налаштування продуктивності графіки на "Висока продуктивність"?
TaskNotificationTitle = Cповіщення TaskNotificationTitle = Cповіщення
CleanupTaskNotificationTitle = Важлива інформація CleanupTaskNotificationTitle = Важлива інформація
CleanupTaskDescription = Очищення зайвих файлів і оновлень Windows, використовуючи вбудовану програму очищення диска CleanupTaskDescription = Очищення зайвих файлів і оновлень Windows, використовуючи вбудовану програму очищення диска
CleanupTaskNotificationEventTitle = Запустити задачу по очищенню зайвих файлів і оновлень Windows? CleanupTaskNotificationEventTitle = Запустити задачу по очищенню зайвих файлів і оновлень Windows?
CleanupTaskNotificationEvent = Очищення Windows не займе багато часу. Наступний раз це повідомлення з'явиться через 30 днів CleanupTaskNotificationEvent = Очищення Windows не займе багато часу. Наступний раз це повідомлення з'явиться через 30 днів
CleanupTaskNotificationSnoozeInterval = Виберіть інтервал повтору повідомлення CleanupTaskNotificationSnoozeInterval = Виберіть інтервал повтору повідомлення
CleanupNotificationTaskDescription = Спливаюче повідомлення про нагадуванні з очищення зайвих файлів і оновлень Windows CleanupNotificationTaskDescription = Спливаюче повідомлення про нагадуванні з очищення зайвих файлів і оновлень Windows
SoftwareDistributionTaskNotificationEvent = Кеш оновлень Windows успішно видалений SoftwareDistributionTaskNotificationEvent = Кеш оновлень Windows успішно видалений
TempTaskNotificationEvent = Папка тимчасових файлів успішно очищена TempTaskNotificationEvent = Папка тимчасових файлів успішно очищена
FolderTaskDescription = Очищення папки "{0}" FolderTaskDescription = Очищення папки "{0}"
EventViewerCustomViewName = Створення процесу EventViewerCustomViewName = Створення процесу
EventViewerCustomViewDescription = Події створення нового процесу і аудит командного рядка EventViewerCustomViewDescription = Події створення нового процесу і аудит командного рядка
RestartWarning = Обов'язково перезавантажте ваш ПК RestartWarning = Обов'язково перезавантажте ваш ПК
ErrorsLine = Рядок ErrorsLine = Рядок
ErrorsFile = Файл ErrorsFile = Файл
ErrorsMessage = Помилки/попередження ErrorsMessage = Помилки/попередження
Add = Додати Add = Додати
AllFilesFilter = Усі файли (*.*)|*.* AllFilesFilter = Усі файли (*.*)|*.*
Browse = Переглядати Browse = Переглядати
Change = Змінити Change = Змінити
DialogBoxOpening = Діалогове вікно відкривається... DialogBoxOpening = Діалогове вікно відкривається...
Disable = Вимкнути Disable = Вимкнути
Enable = Увімкнути Enable = Увімкнути
EXEFilesFilter = *.exe|*.exe|Усі файли (*.*)|*.* EXEFilesFilter = *.exe|*.exe|Усі файли (*.*)|*.*
FolderSelect = Виберіть папку FolderSelect = Виберіть папку
FilesWontBeMoved = Файли не будуть перенесені FilesWontBeMoved = Файли не будуть перенесені
FourHours = 4 години FourHours = 4 години
HalfHour = 30 хвилин HalfHour = 30 хвилин
Install = Встановити Install = Встановити
Minute = 1 хвилина Minute = 1 хвилина
NoData = Відсутні дані NoData = Відсутні дані
NoInternetConnection = Відсутнє інтернет-з'єднання NoInternetConnection = Відсутнє інтернет-з'єднання
RestartFunction = Будь ласка, повторно запустіть функцію "{0}" RestartFunction = Будь ласка, повторно запустіть функцію "{0}"
NoResponse = Не вдалося встановити звязок із {0} NoResponse = Не вдалося встановити звязок із {0}
No = Немає No = Немає
Yes = Так Yes = Так
Open = Відкрити Open = Відкрити
Patient = Будь ласка, зачекайте... Patient = Будь ласка, зачекайте...
Restore = Відновити Restore = Відновити
Run = Запустити Run = Запустити
SelectAll = Вибрати все SelectAll = Вибрати все
Skip = Пропустити Skip = Пропустити
Skipped = Пропущено Skipped = Пропущено
TelegramGroupTitle = Приєднуйтесь до нашої офіційної групи Telegram FileExplorerRestartPrompt = Іноді для того, щоб зміни вступили в силу, процес провідника необхідно перезапустити
TelegramChannelTitle = Приєднуйтесь до нашого офіційного каналу в Telegram TelegramGroupTitle = Приєднуйтесь до нашої офіційної групи в Telegram
Uninstall = Видалити TelegramChannelTitle = Приєднуйтесь до нашого офіційного каналу в Telegram
'@ Uninstall = Видалити
'@

163
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Localizations/zh-CN/Sophia.psd1

@ -1,81 +1,82 @@
ConvertFrom-StringData -StringData @' ConvertFrom-StringData -StringData @'
UnsupportedOSBitness = 该脚本仅支持Windows 10 x64 UnsupportedOSBitness = 该脚本仅支持Windows 10 x64
UnsupportedOSBuild = 该脚本支持Windows 10版本2004/20H2/21H1/21H2和更高版本 UnsupportedOSBuild = 该脚本支持Windows 10版本2004/20H2/21H1/21H2和更高版本
UpdateWarning = 安装了Windows 10累积更新{0}. 支持的累积更新1151及以上 UpdateWarning = 安装了Windows 10累积更新{0}. 支持的累积更新1151及以上
UnsupportedLanguageMode = PowerShell会话在有限的语言模式下运行 UnsupportedLanguageMode = PowerShell会话在有限的语言模式下运行
LoggedInUserNotAdmin = 登录的用户没有管理员的权利 LoggedInUserNotAdmin = 登录的用户没有管理员的权利
UnsupportedPowerShell = 你想通过PowerShell {0}.{1}运行脚本在适当的PowerShell版本中运行该脚本 UnsupportedPowerShell = 你想通过PowerShell {0}.{1}运行脚本在适当的PowerShell版本中运行该脚本
UnsupportedISE = 该脚本不支持通过Windows PowerShell ISE运行 UnsupportedISE = 该脚本不支持通过Windows PowerShell ISE运行
Win10TweakerWarning = 可能你的操作系统是通过Win 10 Tweaker后门感染的 Win10TweakerWarning = 可能你的操作系统是通过Win 10 Tweaker后门感染的
PowerShellLibraries = Libraries文件夹中没有文件请重新下载该档案 PowerShellLibraries = Libraries文件夹中没有文件请重新下载该档案
UnsupportedRelease = 找到新版本 UnsupportedRelease = 找到新版本
CustomizationWarning = \n在运行Sophia Script之前您是否已自定义Sophia.ps1预设文件中的每个函数 CustomizationWarning = \n在运行Sophia Script之前您是否已自定义Sophia.ps1预设文件中的每个函数
ControlledFolderAccessDisabled = 受控文件夹访问已禁用 ControlledFolderAccessDisabled = 受控文件夹访问已禁用
ScheduledTasks = 计划任务 ScheduledTasks = 计划任务
OneDriveUninstalling = 卸载OneDrive OneDriveUninstalling = 卸载OneDrive
OneDriveInstalling = OneDrive正在安装 OneDriveInstalling = OneDrive正在安装
OneDriveDownloading = 正在下载OneDrive ~33 MB OneDriveDownloading = 正在下载OneDrive ~33 MB
WindowsFeaturesTitle = Windows功能 WindowsFeaturesTitle = Windows功能
OptionalFeaturesTitle = 可选功能 OptionalFeaturesTitle = 可选功能
EnableHardwareVT = UEFI中开启虚拟化 EnableHardwareVT = UEFI中开启虚拟化
UserShellFolderNotEmpty = 一些文件留在了{0}文件夹请手动将它们移到一个新位置 UserShellFolderNotEmpty = 一些文件留在了{0}文件夹请手动将它们移到一个新位置
RetrievingDrivesList = 取得驱动器列表 RetrievingDrivesList = 取得驱动器列表
DriveSelect = 选择将在其根目录中创建{0}文件夹的驱动器 DriveSelect = 选择将在其根目录中创建{0}文件夹的驱动器
CurrentUserFolderLocation = 当前"{0}"文件夹的位置:"{1}" CurrentUserFolderLocation = 当前"{0}"文件夹的位置:"{1}"
UserFolderRequest = 是否要更改{0}文件夹位置 UserFolderRequest = 是否要更改{0}文件夹位置
UserFolderSelect = {0}文件夹选择一个文件夹 UserFolderSelect = {0}文件夹选择一个文件夹
UserDefaultFolder = 您想将{0}文件夹的位置更改为默认值吗 UserDefaultFolder = 您想将{0}文件夹的位置更改为默认值吗
ReservedStorageIsInUse = 保留存储空间正在使用时不支持此操作\n请在电脑重启后重新运行"{0}"功能 ReservedStorageIsInUse = 保留存储空间正在使用时不支持此操作\n请在电脑重启后重新运行"{0}"功能
ShortcutPinning = {0}快捷方式将被固定到开始菜单 ShortcutPinning = {0}快捷方式将被固定到开始菜单
UninstallUWPForAll = 对于所有用户 UninstallUWPForAll = 对于所有用户
UWPAppsTitle = UWP应用 UWPAppsTitle = UWP应用
HEVCDownloading = 下载HEVC Video Extensions from Device Manufacturer ~2,8 MB HEVCDownloading = 下载HEVC Video Extensions from Device Manufacturer ~2,8 MB
GraphicsPerformanceTitle = 图形性能偏好 GraphicsPerformanceTitle = 图形性能偏好
GraphicsPerformanceRequest = 是否将所选应用程序的图形性能设置设为"高性能" GraphicsPerformanceRequest = 是否将所选应用程序的图形性能设置设为"高性能"
TaskNotificationTitle = 通知 TaskNotificationTitle = 通知
CleanupTaskNotificationTitle = 重要信息 CleanupTaskNotificationTitle = 重要信息
CleanupTaskDescription = 使用内置磁盘清理工具清理未使用的Windows文件和更新 CleanupTaskDescription = 使用内置磁盘清理工具清理未使用的Windows文件和更新
CleanupTaskNotificationEventTitle = 运行任务以清理Windows未使用的文件和更新 CleanupTaskNotificationEventTitle = 运行任务以清理Windows未使用的文件和更新
CleanupTaskNotificationEvent = Windows清理不会花很长时间下次通知将在30天内显示 CleanupTaskNotificationEvent = Windows清理不会花很长时间下次通知将在30天内显示
CleanupTaskNotificationSnoozeInterval = 选择提醒间隔 CleanupTaskNotificationSnoozeInterval = 选择提醒间隔
CleanupNotificationTaskDescription = 关于清理Windows未使用的文件和更新的弹出通知提醒 CleanupNotificationTaskDescription = 关于清理Windows未使用的文件和更新的弹出通知提醒
SoftwareDistributionTaskNotificationEvent = Windows更新缓存已成功删除 SoftwareDistributionTaskNotificationEvent = Windows更新缓存已成功删除
TempTaskNotificationEvent = 临时文件文件夹已成功清理 TempTaskNotificationEvent = 临时文件文件夹已成功清理
FolderTaskDescription = {0}文件夹清理 FolderTaskDescription = {0}文件夹清理
EventViewerCustomViewName = 进程创建 EventViewerCustomViewName = 进程创建
EventViewerCustomViewDescription = 进程创建和命令行审核事件 EventViewerCustomViewDescription = 进程创建和命令行审核事件
RestartWarning = 确保重启电脑 RestartWarning = 确保重启电脑
ErrorsLine = ErrorsLine =
ErrorsFile = 文件 ErrorsFile = 文件
ErrorsMessage = 错误/警告 ErrorsMessage = 错误/警告
Add = 添加 Add = 添加
AllFilesFilter = 所有文件 (*.*)|*.* AllFilesFilter = 所有文件 (*.*)|*.*
Browse = 浏览 Browse = 浏览
Change = 更改 Change = 更改
DialogBoxOpening = 显示对话窗口 DialogBoxOpening = 显示对话窗口
Disable = 禁用 Disable = 禁用
Enable = 启用 Enable = 启用
EXEFilesFilter = *.exe|*.exe|所有文件 (*.*)|*.* EXEFilesFilter = *.exe|*.exe|所有文件 (*.*)|*.*
FolderSelect = 选择一个文件夹 FolderSelect = 选择一个文件夹
FilesWontBeMoved = 文件将不会被移动 FilesWontBeMoved = 文件将不会被移动
FourHours = 4个小时 FourHours = 4个小时
HalfHour = 30分钟 HalfHour = 30分钟
Install = 安装 Install = 安装
Minute = 1分钟 Minute = 1分钟
NoData = 无数据 NoData = 无数据
NoInternetConnection = 无网络连接 NoInternetConnection = 无网络连接
RestartFunction = 请重新运行"{0}"函数 RestartFunction = 请重新运行"{0}"函数
NoResponse = 无法建立{0} NoResponse = 无法建立{0}
No = No =
Yes = 是的 Yes = 是的
Open = 打开 Open = 打开
Patient = 请等待 Patient = 请等待
Restore = 恢复 Restore = 恢复
Run = 运行 Run = 运行
SelectAll = 全选 SelectAll = 全选
Skip = 跳过 Skip = 跳过
Skipped = 已跳过 Skipped = 已跳过
TelegramGroupTitle = 加入我们的官方Telegram FileExplorerRestartPrompt = 有时为了使更改生效必须重新启动文件管理器进程
TelegramChannelTitle = 加入我们的官方Telegram 频道 TelegramGroupTitle = 加入我们的官方Telegram
Uninstall = 卸载 TelegramChannelTitle = 加入我们的官方Telegram 频道
'@ Uninstall = 卸载
'@

40
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Manifest/Sophia.psd1

@ -1,20 +1,20 @@
@{ @{
RootModule = '..\Module\Sophia.psm1' RootModule = '..\Module\Sophia.psm1'
ModuleVersion = '5.12.3' ModuleVersion = '5.12.4'
GUID = 'aa0b47a7-1770-4b5d-8c9f-cc6c505bcc7a' GUID = 'aa0b47a7-1770-4b5d-8c9f-cc6c505bcc7a'
Author = 'Dmitry "farag" Nefedov' Author = 'Dmitry "farag" Nefedov'
Copyright = '(c) 2014–2021 farag & Inestic. All rights reserved' Copyright = '(c) 2014–2021 farag & Inestic. All rights reserved'
Description = 'Module for Windows fine-tuning and automating the routine tasks' Description = 'Module for Windows fine-tuning and automating the routine tasks'
PowerShellVersion = '7.1' PowerShellVersion = '7.1'
ProcessorArchitecture = 'AMD64' ProcessorArchitecture = 'AMD64'
FunctionsToExport = '*' FunctionsToExport = '*'
PrivateData = @{ PrivateData = @{
PSData = @{ PSData = @{
LicenseUri = 'https://github.com/farag2/Sophia-Script-for-Windows/blob/master/LICENSE' LicenseUri = 'https://github.com/farag2/Sophia-Script-for-Windows/blob/master/LICENSE'
ProjectUri = 'https://github.com/farag2/Sophia-Script-for-Windows' ProjectUri = 'https://github.com/farag2/Sophia-Script-for-Windows'
IconUri = 'https://raw.githubusercontent.com/farag2/Sophia-Script-for-Windows/master/img/Sophia.png' 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' ReleaseNotes = 'https://github.com/farag2/Sophia-Script-for-Windows/blob/master/CHANGELOG.md'
} }
} }
} }

25095
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Module/Sophia.psm1

File diff suppressed because it is too large

2768
Sophia Script/Sophia Script for Windows 10 PowerShell 7/Sophia.ps1

File diff suppressed because it is too large
Loading…
Cancel
Save