diff --git a/eng/pipelines/templates/Build_and_UnitTest.yml b/eng/pipelines/templates/Build_and_UnitTest.yml index 959d670d498..7b73bde0e55 100644 --- a/eng/pipelines/templates/Build_and_UnitTest.yml +++ b/eng/pipelines/templates/Build_and_UnitTest.yml @@ -88,14 +88,14 @@ steps: } - task: MSBuild@1 - displayName: "Restore for VS2019" + displayName: "Restore" inputs: solution: "build\\build.proj" configuration: "$(BuildConfiguration)" msbuildArguments: "/MaxCPUCount /ConsoleLoggerParameters:Verbosity=Minimal;Summary;ForceNoAlign /t:RestoreVS /p:BuildNumber=$(BuildNumber) /p:BuildRTM=$(BuildRTM) /v:m /p:IncludeApex=true /bl:$(Build.StagingDirectory)\\binlog\\01.Restore.binlog" - task: MSBuild@1 - displayName: "Build for VS2019" + displayName: "Build" inputs: solution: "build\\build.proj" configuration: "$(BuildConfiguration)" @@ -109,11 +109,18 @@ steps: msbuildArguments: "/t:AfterBuild /bl:$(Build.StagingDirectory)\\binlog\\03.Localize.binlog" - task: MSBuild@1 - displayName: "Build Final NuGet.exe (via ILMerge)" + displayName: "Build NuGet.exe Localized" inputs: solution: "src\\NuGet.Clients\\NuGet.CommandLine\\NuGet.CommandLine.csproj" configuration: "$(BuildConfiguration)" - msbuildArguments: "/t:ILMergeNuGetExe /p:ExpectedLocalizedArtifactCount=$(LocalizedLanguageCount) /bl:$(Build.StagingDirectory)\\binlog\\04.ILMergeNuGetExe.binlog" + msbuildArguments: "/t:Build /p:SkipILMergeOfNuGetExe=true /bl:$(Build.StagingDirectory)\\binlog\\04.BuildNuGetExe.binlog" + +- task: MSBuild@1 + displayName: "ILMerge NuGet.exe" + inputs: + solution: "src\\NuGet.Clients\\NuGet.CommandLine\\NuGet.CommandLine.csproj" + configuration: "$(BuildConfiguration)" + msbuildArguments: "/t:ILMergeNuGetExe /bl:$(Build.StagingDirectory)\\binlog\\05.ILMergeNuGetExe.binlog" - task: MSBuild@1 displayName: "Publish NuGet.exe (ILMerged) into NuGet.CommandLine.Test (Mac tests use this)" diff --git a/eng/pipelines/templates/pipeline.yml b/eng/pipelines/templates/pipeline.yml index d41a0e73975..6a28fe124d0 100644 --- a/eng/pipelines/templates/pipeline.yml +++ b/eng/pipelines/templates/pipeline.yml @@ -1,3 +1,4 @@ + parameters: - name: isOfficialBuild type: boolean @@ -93,7 +94,6 @@ stages: VsTargetChannel: $[stageDependencies.Initialize.Initialize_Build.outputs['updatebuildnumber.VsTargetChannel']] VsTargetMajorVersion: $[stageDependencies.Initialize.Initialize_Build.outputs['updatebuildnumber.VsTargetMajorVersion']] SDKVersionForBuild: $[stageDependencies.Initialize.Initialize_Build.outputs['getSDKVersionForBuild.SDKVersionForBuild']] - LocalizedLanguageCount: "13" BuildRTM: "false" SemanticVersion: $[stageDependencies.Initialize.GetSemanticVersion.outputs['setsemanticversion.SemanticVersion']] pool: @@ -115,7 +115,6 @@ stages: VsTargetChannel: $[stageDependencies.Initialize.Initialize_Build.outputs['updatebuildnumber.VsTargetChannel']] VsTargetMajorVersion: $[stageDependencies.Initialize.Initialize_Build.outputs['updatebuildnumber.VsTargetMajorVersion']] SDKVersionForBuild: $[stageDependencies.Initialize.Initialize_Build.outputs['getSDKVersionForBuild.SDKVersionForBuild']] - LocalizedLanguageCount: "13" BuildRTM: "true" pool: name: VSEngSS-MicroBuild2022-1ES diff --git a/src/NuGet.Clients/NuGet.CommandLine/Common/LocalizedResourceManager.cs b/src/NuGet.Clients/NuGet.CommandLine/Common/LocalizedResourceManager.cs index b41d8059c14..41553c85d8e 100644 --- a/src/NuGet.Clients/NuGet.CommandLine/Common/LocalizedResourceManager.cs +++ b/src/NuGet.Clients/NuGet.CommandLine/Common/LocalizedResourceManager.cs @@ -1,28 +1,52 @@ +// Copyright (c) .NET Foundation. All rights reserved. +// Licensed under the Apache License, Version 2.0. See License.txt in the project root for license information. + +using System; using System.Globalization; using System.Resources; using System.Threading; namespace NuGet.CommandLine { + /// + /// A wrapper for string resources located at NuGetResources.resx + /// internal static class LocalizedResourceManager { private static readonly ResourceManager _resourceManager = new ResourceManager("NuGet.CommandLine.NuGetResources", typeof(LocalizedResourceManager).Assembly); public static string GetString(string resourceName) { - var culture = GetLanguageName(); - return _resourceManager.GetString(resourceName + '_' + culture, CultureInfo.InvariantCulture) ?? - _resourceManager.GetString(resourceName, CultureInfo.InvariantCulture); + return GetString(resourceName, _resourceManager); } - [System.Diagnostics.CodeAnalysis.SuppressMessage("Microsoft.Globalization", "CA1308:NormalizeStringsToUppercase", Justification = "the convention is to used lower case letter for language name.")] - /// - /// Returns the 3 letter language name used to locate localized resources. - /// - /// the 3 letter language name used to locate localized resources. - public static string GetLanguageName() + internal static string GetString(string resourceName, ResourceManager resourceManager) { - var culture = Thread.CurrentThread.CurrentUICulture; + if (string.IsNullOrEmpty(resourceName)) + { + throw new ArgumentException(NuGetResources.ArgumentNullOrEmpty, nameof(resourceName)); + } + if (resourceManager == null) + { + throw new ArgumentNullException(nameof(resourceManager)); + } + + string localizedString = resourceManager.GetString(resourceName, Thread.CurrentThread.CurrentUICulture); + if (localizedString == null) // can be empty if .resx has an empty string + { + // Fallback on existing method + CultureInfo neutralCulture = GetNeutralCulture(Thread.CurrentThread.CurrentUICulture); + string languageName = GetLanguageName(neutralCulture); + return resourceManager.GetString(resourceName + '_' + languageName, CultureInfo.InvariantCulture) ?? + resourceManager.GetString(resourceName, CultureInfo.InvariantCulture); + } + + return localizedString; + } + + internal static CultureInfo GetNeutralCulture(CultureInfo inputCulture) + { + CultureInfo culture = inputCulture; while (!culture.IsNeutralCulture) { if (culture.Parent == culture) @@ -33,7 +57,10 @@ public static string GetLanguageName() culture = culture.Parent; } - return culture.ThreeLetterWindowsLanguageName.ToLowerInvariant(); + return culture; } + + [System.Diagnostics.CodeAnalysis.SuppressMessage("Microsoft.Globalization", "CA1308:NormalizeStringsToUppercase", Justification = "the convention is to used lower case letter for language name.")] + private static string GetLanguageName(CultureInfo culture) => culture.ThreeLetterWindowsLanguageName.ToLowerInvariant(); } } diff --git a/src/NuGet.Clients/NuGet.CommandLine/Common/ResourceHelper.cs b/src/NuGet.Clients/NuGet.CommandLine/Common/ResourceHelper.cs index db46a6e81c3..39bafe2495a 100644 --- a/src/NuGet.Clients/NuGet.CommandLine/Common/ResourceHelper.cs +++ b/src/NuGet.Clients/NuGet.CommandLine/Common/ResourceHelper.cs @@ -1,3 +1,6 @@ +// Copyright (c) .NET Foundation. All rights reserved. +// Licensed under the Apache License, Version 2.0. See License.txt in the project root for license information. + using System; using System.Collections.Generic; using System.Globalization; @@ -17,6 +20,10 @@ public static string GetLocalizedString(Type resourceType, string resourceNames) { throw new ArgumentNullException(nameof(resourceType)); } + if (string.IsNullOrEmpty(resourceNames)) + { + throw new ArgumentException("Cannot be null or empty", nameof(resourceNames)); + } if (_cachedManagers == null) { @@ -47,9 +54,7 @@ public static string GetLocalizedString(Type resourceType, string resourceNames) var builder = new StringBuilder(); foreach (var resource in resourceNames.Split(';')) { - var culture = LocalizedResourceManager.GetLanguageName(); - string value = resourceManager.GetString(resource + '_' + culture, CultureInfo.InvariantCulture) ?? - resourceManager.GetString(resource, CultureInfo.InvariantCulture); + string value = LocalizedResourceManager.GetString(resource, resourceManager); if (String.IsNullOrEmpty(value)) { throw new InvalidOperationException( diff --git a/src/NuGet.Clients/NuGet.CommandLine/GlobalSuppressions.cs b/src/NuGet.Clients/NuGet.CommandLine/GlobalSuppressions.cs index 10b1d9a574f..63de58f3003 100644 --- a/src/NuGet.Clients/NuGet.CommandLine/GlobalSuppressions.cs +++ b/src/NuGet.Clients/NuGet.CommandLine/GlobalSuppressions.cs @@ -47,7 +47,6 @@ [assembly: SuppressMessage("Build", "CA1822:Member FindDependency does not access instance data and can be marked as static (Shared in VisualBasic)", Justification = "", Scope = "member", Target = "~M:NuGet.CommandLine.ProjectFactory.FindDependency(NuGet.Packaging.Core.PackageIdentity,System.Collections.Generic.IEnumerable{System.Tuple{NuGet.Packaging.PackageReaderBase,NuGet.Packaging.Core.PackageDependency}})~System.Boolean")] [assembly: SuppressMessage("Build", "CA1062:In externally visible method 'string ProjectFactory.InitializeProperties(IPackageMetadata metadata)', validate parameter 'metadata' is non-null before using it. If appropriate, throw an ArgumentNullException when the argument is null or add a Code Contract precondition asserting non-null argument.", Justification = "", Scope = "member", Target = "~M:NuGet.CommandLine.ProjectFactory.InitializeProperties(NuGet.Packaging.IPackageMetadata)~System.String")] [assembly: SuppressMessage("Build", "CA1062:In externally visible method 'IProjectFactory ProjectFactory.ProjectCreator(PackArgs packArgs, string path)', validate parameter 'packArgs' is non-null before using it. If appropriate, throw an ArgumentNullException when the argument is null or add a Code Contract precondition asserting non-null argument.", Justification = "", Scope = "member", Target = "~M:NuGet.CommandLine.ProjectFactory.ProjectCreator(NuGet.Commands.PackArgs,System.String)~NuGet.Commands.IProjectFactory")] -[assembly: SuppressMessage("Build", "CA1062:In externally visible method 'string ResourceHelper.GetLocalizedString(Type resourceType, string resourceNames)', validate parameter 'resourceNames' is non-null before using it. If appropriate, throw an ArgumentNullException when the argument is null or add a Code Contract precondition asserting non-null argument.", Justification = "", Scope = "member", Target = "~M:NuGet.CommandLine.ResourceHelper.GetLocalizedString(System.Type,System.String)~System.String")] [assembly: SuppressMessage("Build", "CA1822:Member GetPackageReferenceFile does not access instance data and can be marked as static (Shared in VisualBasic)", Justification = "", Scope = "member", Target = "~M:NuGet.CommandLine.RestoreCommand.GetPackageReferenceFile(System.String)~System.String")] [assembly: SuppressMessage("Build", "CA1307:The behavior of 'string.Equals(string, string)' could vary based on the current user's locale settings. Replace this call in 'NuGet.CommandLine.RestoreCommand.IsPackagesConfig(string)' with a call to 'string.Equals(string, string, System.StringComparison)'.", Justification = "", Scope = "member", Target = "~M:NuGet.CommandLine.RestoreCommand.IsPackagesConfig(System.String)~System.Boolean")] [assembly: SuppressMessage("Build", "CA1031:Modify 'GetNuGetVersion' to catch a more specific allowed exception type, or rethrow the exception.", Justification = "", Scope = "member", Target = "~M:NuGet.CommandLine.SelfUpdater.GetNuGetVersion(System.Reflection.Assembly)~NuGet.Versioning.NuGetVersion")] diff --git a/src/NuGet.Clients/NuGet.CommandLine/NuGet.CommandLine.csproj b/src/NuGet.Clients/NuGet.CommandLine/NuGet.CommandLine.csproj index 994270c7d11..27e3be3119b 100644 --- a/src/NuGet.Clients/NuGet.CommandLine/NuGet.CommandLine.csproj +++ b/src/NuGet.Clients/NuGet.CommandLine/NuGet.CommandLine.csproj @@ -1,4 +1,4 @@ - + true @@ -84,6 +84,8 @@ True NuGetResources.resx + + @@ -99,9 +101,8 @@ $(ArtifactsDirectory)$(VsixOutputDirName)\NuGet.exe + - - @@ -112,21 +113,13 @@ - - - 0 - - - $(ILMergeExePath) /lib:$(OutputPath) /out:$(PathToMergedNuGetExe) @(MergeAllowDup -> '/allowdup:%(Identity)', ' ') /log:$(OutputPath)IlMergeLog.txt $(IlmergeCommand) /delaysign /keyfile:$(MS_PFX_PATH) - - $(IlmergeCommand) $(PathToBuiltNuGetExe) @(BuildArtifacts->'%(filename)%(extension)', ' ') @(LocalizedArtifacts->'%(fullpath)', ' ') + $(IlmergeCommand) $(PathToBuiltNuGetExe) @(BuildArtifacts->'%(fullpath)', ' ') @@ -143,7 +136,7 @@ - + diff --git a/src/NuGet.Clients/NuGet.CommandLine/NuGetCommand.Designer.cs b/src/NuGet.Clients/NuGet.CommandLine/NuGetCommand.Designer.cs index 9a8c81971f4..e595237e1c2 100644 --- a/src/NuGet.Clients/NuGet.CommandLine/NuGetCommand.Designer.cs +++ b/src/NuGet.Clients/NuGet.CommandLine/NuGetCommand.Designer.cs @@ -233,14310 +233,1843 @@ internal static string CommandApiKey { } /// - /// Looks up a localized string similar to 服务器的 API 密钥。. + /// Looks up a localized string similar to Download directly without populating any caches with metadata or binaries.. /// - internal static string CommandApiKey_chs { + internal static string CommandDirectDownload { get { - return ResourceManager.GetString("CommandApiKey_chs", resourceCulture); + return ResourceManager.GetString("CommandDirectDownload", resourceCulture); } } /// - /// Looks up a localized string similar to 伺服器的 API 索引鍵。. + /// Looks up a localized string similar to Disable parallel processing of packages for this command.. /// - internal static string CommandApiKey_cht { + internal static string CommandDisableParallelProcessing { get { - return ResourceManager.GetString("CommandApiKey_cht", resourceCulture); + return ResourceManager.GetString("CommandDisableParallelProcessing", resourceCulture); } } /// - /// Looks up a localized string similar to Klíč API pro server. + /// Looks up a localized string similar to A list of package sources to use as fallbacks for this command.. /// - internal static string CommandApiKey_csy { + internal static string CommandFallbackSourceDescription { get { - return ResourceManager.GetString("CommandApiKey_csy", resourceCulture); + return ResourceManager.GetString("CommandFallbackSourceDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Der API-Schlüssel für den Server.. + /// Looks up a localized string similar to Invalid value provided for '{0}'. For a list of accepted values, please visit https://docs.nuget.org/docs/reference/command-line-reference. /// - internal static string CommandApiKey_deu { + internal static string CommandInvalidArgumentException { get { - return ResourceManager.GetString("CommandApiKey_deu", resourceCulture); + return ResourceManager.GetString("CommandInvalidArgumentException", resourceCulture); } } /// - /// Looks up a localized string similar to Clave API para el servidor.. + /// Looks up a localized string similar to Specifies the path of MSBuild to be used with this command. This command will takes precedence over MSbuildVersion, nuget will always pick MSbuild from this specified path.. /// - internal static string CommandApiKey_esp { + internal static string CommandMSBuildPath { get { - return ResourceManager.GetString("CommandApiKey_esp", resourceCulture); + return ResourceManager.GetString("CommandMSBuildPath", resourceCulture); } } /// - /// Looks up a localized string similar to La Clé API dédiée au serveur.. + /// Looks up a localized string similar to Specifies the version of MSBuild to be used with this command. Supported values are 4, 12, 14, 15.1, 15.3, 15.4, 15.5, 15.6, 15.7, 15.8, 15.9, 16.0. By default the MSBuild in your path is picked, otherwise it defaults to the highest installed version of MSBuild.. /// - internal static string CommandApiKey_fra { + internal static string CommandMSBuildVersion { get { - return ResourceManager.GetString("CommandApiKey_fra", resourceCulture); + return ResourceManager.GetString("CommandMSBuildVersion", resourceCulture); } } /// - /// Looks up a localized string similar to API key per il server.. + /// Looks up a localized string similar to Disable using the machine cache as the first package source.. /// - internal static string CommandApiKey_ita { + internal static string CommandNoCache { get { - return ResourceManager.GetString("CommandApiKey_ita", resourceCulture); + return ResourceManager.GetString("CommandNoCache", resourceCulture); } } /// - /// Looks up a localized string similar to サーバーの API キー。. + /// Looks up a localized string similar to Does not append "api/v2/packages" to the source URL.. /// - internal static string CommandApiKey_jpn { + internal static string CommandNoServiceEndpointDescription { get { - return ResourceManager.GetString("CommandApiKey_jpn", resourceCulture); + return ResourceManager.GetString("CommandNoServiceEndpointDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 서버에 대한 API 키입니다.. + /// Looks up a localized string similar to Specifies types of files to save after package installation: nuspec, nupkg, nuspec;nupkg.. /// - internal static string CommandApiKey_kor { + internal static string CommandPackageSaveMode { get { - return ResourceManager.GetString("CommandApiKey_kor", resourceCulture); + return ResourceManager.GetString("CommandPackageSaveMode", resourceCulture); } } /// - /// Looks up a localized string similar to Klucz interfejsu API dla serwera.. + /// Looks up a localized string similar to A list of packages sources to use for this command.. /// - internal static string CommandApiKey_plk { + internal static string CommandSourceDescription { get { - return ResourceManager.GetString("CommandApiKey_plk", resourceCulture); + return ResourceManager.GetString("CommandSourceDescription", resourceCulture); } } /// - /// Looks up a localized string similar to A chave de API para o servidor.. + /// Looks up a localized string similar to Returns the config value as a path. This option is ignored when -Set is specified.. /// - internal static string CommandApiKey_ptb { + internal static string ConfigCommandAsPathDesc { get { - return ResourceManager.GetString("CommandApiKey_ptb", resourceCulture); + return ResourceManager.GetString("ConfigCommandAsPathDesc", resourceCulture); } } /// - /// Looks up a localized string similar to Ключ API для сервера.. + /// Looks up a localized string similar to Gets or sets NuGet config values.. /// - internal static string CommandApiKey_rus { + internal static string ConfigCommandDesc { get { - return ResourceManager.GetString("CommandApiKey_rus", resourceCulture); + return ResourceManager.GetString("ConfigCommandDesc", resourceCulture); } } /// - /// Looks up a localized string similar to Sunucu için API anahtarı.. + /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user + ///nuget config HTTP_PROXY. /// - internal static string CommandApiKey_trk { + internal static string ConfigCommandExamples { get { - return ResourceManager.GetString("CommandApiKey_trk", resourceCulture); + return ResourceManager.GetString("ConfigCommandExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Download directly without populating any caches with metadata or binaries.. + /// Looks up a localized string similar to One on more key-value pairs to be set in config.. /// - internal static string CommandDirectDownload { + internal static string ConfigCommandSetDesc { get { - return ResourceManager.GetString("CommandDirectDownload", resourceCulture); + return ResourceManager.GetString("ConfigCommandSetDesc", resourceCulture); } } /// - /// Looks up a localized string similar to Disable parallel processing of packages for this command.. + /// Looks up a localized string similar to <-Set name=value | name>. /// - internal static string CommandDisableParallelProcessing { + internal static string ConfigCommandSummary { get { - return ResourceManager.GetString("CommandDisableParallelProcessing", resourceCulture); + return ResourceManager.GetString("ConfigCommandSummary", resourceCulture); } } /// - /// Looks up a localized string similar to 禁止为此命令并行处理程序包。. + /// Looks up a localized string similar to NuGet's default configuration is obtained by loading %AppData%\NuGet\NuGet.config, then loading any nuget.config or .nuget\nuget.config starting from root of drive and ending in current directory.. /// - internal static string CommandDisableParallelProcessing_chs { + internal static string DefaultConfigDescription { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_chs", resourceCulture); + return ResourceManager.GetString("DefaultConfigDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 停用此項目的套件平行處理. + /// Looks up a localized string similar to Deletes a package from the server.. /// - internal static string CommandDisableParallelProcessing_cht { + internal static string DeleteCommandDescription { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_cht", resourceCulture); + return ResourceManager.GetString("DeleteCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Zakáže pro tento příkaz paralelní zpracování balíčků.. + /// Looks up a localized string similar to Do not prompt when deleting.. /// - internal static string CommandDisableParallelProcessing_csy { + internal static string DeleteCommandNoPromptDescription { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_csy", resourceCulture); + return ResourceManager.GetString("DeleteCommandNoPromptDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Deaktivieren paralleler Verarbeitung von Pakten für diesen Befehl.. + /// Looks up a localized string similar to Package source (URL, UNC/folder path or package source name) to delete from. Defaults to DefaultPushSource if specified in NuGet.Config.. /// - internal static string CommandDisableParallelProcessing_deu { + internal static string DeleteCommandSourceDescription { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_deu", resourceCulture); + return ResourceManager.GetString("DeleteCommandSourceDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Deshabilitar el procesamiento paralelo de paquetes para este comando.. + /// Looks up a localized string similar to Specify the Id and version of the package to delete from the server.. /// - internal static string CommandDisableParallelProcessing_esp { + internal static string DeleteCommandUsageDescription { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_esp", resourceCulture); + return ResourceManager.GetString("DeleteCommandUsageDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Désactive le traitement parallèle des packages pour cette commande.. + /// Looks up a localized string similar to nuget delete MyPackage 1.0 + /// + ///nuget delete MyPackage 1.0 -NoPrompt. /// - internal static string CommandDisableParallelProcessing_fra { + internal static string DeleteCommandUsageExamples { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_fra", resourceCulture); + return ResourceManager.GetString("DeleteCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Disabilitare l'elaborazione parallela dei pacchetti per questo comando.. + /// Looks up a localized string similar to <package Id> <package version> [API Key] [options]. /// - internal static string CommandDisableParallelProcessing_ita { + internal static string DeleteCommandUsageSummary { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_ita", resourceCulture); + return ResourceManager.GetString("DeleteCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to このコマンドのために、パッケージの並列処理を無効にします。. + /// Looks up a localized string similar to If provided, a package added to offline feed is also expanded.. /// - internal static string CommandDisableParallelProcessing_jpn { + internal static string ExpandDescription { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_jpn", resourceCulture); + return ResourceManager.GetString("ExpandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 이 명령에 대한 패키지 병렬 처리를 사용하지 않도록 설정합니다.. + /// Looks up a localized string similar to Forces all dependencies to be resolved even if the last restore was successful. This is equivalent to deleting project.assets.json. (Does not apply to packages.config). /// - internal static string CommandDisableParallelProcessing_kor { + internal static string ForceRestoreCommand { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_kor", resourceCulture); + return ResourceManager.GetString("ForceRestoreCommand", resourceCulture); } } /// - /// Looks up a localized string similar to Wyłącz równoległe przetwarzanie pakietów dla tego polecenia.. + /// Looks up a localized string similar to alias: {0}. /// - internal static string CommandDisableParallelProcessing_plk { + internal static string HelpCommand_Alias { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_plk", resourceCulture); + return ResourceManager.GetString("HelpCommand_Alias", resourceCulture); } } /// - /// Looks up a localized string similar to Desativar processamento paralelo de pacotes para esse comando.. + /// Looks up a localized string similar to ({0}). /// - internal static string CommandDisableParallelProcessing_ptb { + internal static string HelpCommand_AltText { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_ptb", resourceCulture); + return ResourceManager.GetString("HelpCommand_AltText", resourceCulture); } } /// - /// Looks up a localized string similar to Отключает параллельную обработку пакетов для этой команды.. + /// Looks up a localized string similar to Available commands:. /// - internal static string CommandDisableParallelProcessing_rus { + internal static string HelpCommand_AvailableCommands { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_rus", resourceCulture); + return ResourceManager.GetString("HelpCommand_AvailableCommands", resourceCulture); } } /// - /// Looks up a localized string similar to Bu komut için paketlerin paralel işlenmesini devre dışı bırak.. + /// Looks up a localized string similar to examples:. /// - internal static string CommandDisableParallelProcessing_trk { + internal static string HelpCommand_Examples { get { - return ResourceManager.GetString("CommandDisableParallelProcessing_trk", resourceCulture); + return ResourceManager.GetString("HelpCommand_Examples", resourceCulture); } } /// - /// Looks up a localized string similar to A list of package sources to use as fallbacks for this command.. + /// Looks up a localized string similar to options:. /// - internal static string CommandFallbackSourceDescription { + internal static string HelpCommand_Options { get { - return ResourceManager.GetString("CommandFallbackSourceDescription", resourceCulture); + return ResourceManager.GetString("HelpCommand_Options", resourceCulture); } } /// - /// Looks up a localized string similar to Invalid value provided for '{0}'. For a list of accepted values, please visit https://docs.nuget.org/docs/reference/command-line-reference. + /// Looks up a localized string similar to Type '{0} help <command>' for help on a specific command.. /// - internal static string CommandInvalidArgumentException { + internal static string HelpCommand_Suggestion { get { - return ResourceManager.GetString("CommandInvalidArgumentException", resourceCulture); + return ResourceManager.GetString("HelpCommand_Suggestion", resourceCulture); } } /// - /// Looks up a localized string similar to Specifies the path of MSBuild to be used with this command. This command will takes precedence over MSbuildVersion, nuget will always pick MSbuild from this specified path.. + /// Looks up a localized string similar to {0} Command. /// - internal static string CommandMSBuildPath { + internal static string HelpCommand_Title { get { - return ResourceManager.GetString("CommandMSBuildPath", resourceCulture); + return ResourceManager.GetString("HelpCommand_Title", resourceCulture); } } /// - /// Looks up a localized string similar to Specifies the version of MSBuild to be used with this command. Supported values are 4, 12, 14, 15.1, 15.3, 15.4, 15.5, 15.6, 15.7, 15.8, 15.9, 16.0. By default the MSBuild in your path is picked, otherwise it defaults to the highest installed version of MSBuild.. + /// Looks up a localized string similar to usage: {0} <command> [args] [options]. /// - internal static string CommandMSBuildVersion { + internal static string HelpCommand_Usage { get { - return ResourceManager.GetString("CommandMSBuildVersion", resourceCulture); + return ResourceManager.GetString("HelpCommand_Usage", resourceCulture); } } /// - /// Looks up a localized string similar to Disable using the machine cache as the first package source.. + /// Looks up a localized string similar to usage: {0} {1} {2}. /// - internal static string CommandNoCache { + internal static string HelpCommand_UsageDetail { get { - return ResourceManager.GetString("CommandNoCache", resourceCulture); + return ResourceManager.GetString("HelpCommand_UsageDetail", resourceCulture); } } /// - /// Looks up a localized string similar to 禁止使用计算机缓存作为第一个程序包源。. + /// Looks up a localized string similar to Print detailed help for all available commands.. /// - internal static string CommandNoCache_chs { + internal static string HelpCommandAll { get { - return ResourceManager.GetString("CommandNoCache_chs", resourceCulture); + return ResourceManager.GetString("HelpCommandAll", resourceCulture); } } /// - /// Looks up a localized string similar to 停用使用機器快取做為第一個套件. + /// Looks up a localized string similar to Displays general help information and help information about other commands.. /// - internal static string CommandNoCache_cht { + internal static string HelpCommandDescription { get { - return ResourceManager.GetString("CommandNoCache_cht", resourceCulture); + return ResourceManager.GetString("HelpCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Zakáže použití mezipaměti počítače jako prvního zdroje balíčků.. + /// Looks up a localized string similar to Print detailed all help in markdown format.. /// - internal static string CommandNoCache_csy { + internal static string HelpCommandMarkdown { get { - return ResourceManager.GetString("CommandNoCache_csy", resourceCulture); + return ResourceManager.GetString("HelpCommandMarkdown", resourceCulture); } } /// - /// Looks up a localized string similar to Deaktivieren der Verwendung des Computercaches als erste Paketquelle.. + /// Looks up a localized string similar to Pass a command name to display help information for that command.. /// - internal static string CommandNoCache_deu { + internal static string HelpCommandUsageDescription { get { - return ResourceManager.GetString("CommandNoCache_deu", resourceCulture); + return ResourceManager.GetString("HelpCommandUsageDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Deshabilitar el uso de la caché del equipo como primer origen del paquete.. + /// Looks up a localized string similar to nuget help + /// + ///nuget help push + /// + ///nuget ? + /// + ///nuget push -?. /// - internal static string CommandNoCache_esp { + internal static string HelpCommandUsageExamples { get { - return ResourceManager.GetString("CommandNoCache_esp", resourceCulture); + return ResourceManager.GetString("HelpCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Désactivez l'utilisation du cache de l'ordinateur comme première source de package.. + /// Looks up a localized string similar to [command]. /// - internal static string CommandNoCache_fra { + internal static string HelpCommandUsageSummary { get { - return ResourceManager.GetString("CommandNoCache_fra", resourceCulture); + return ResourceManager.GetString("HelpCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to Disabilitare utilizzando la cache del computer come prima origine pacchetto.. + /// Looks up a localized string similar to Adds all the packages from the <srcPackageSourcePath> to the hierarchical <destPackageSourcePath>. http feeds are not supported. For more info, goto https://docs.nuget.org/consume/command-line-reference#init-command.. /// - internal static string CommandNoCache_ita { + internal static string InitCommandDescription { get { - return ResourceManager.GetString("CommandNoCache_ita", resourceCulture); + return ResourceManager.GetString("InitCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 最初のパッケージ ソースとしてマシン キャッシュを使用して無効にします。. + /// Looks up a localized string similar to Specify the path to source package source to be copied from and the path to the destination package source to be copied to.. /// - internal static string CommandNoCache_jpn { + internal static string InitCommandUsageDescription { get { - return ResourceManager.GetString("CommandNoCache_jpn", resourceCulture); + return ResourceManager.GetString("InitCommandUsageDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 시스템 캐시를 첫 번째 패키지 소스로 사용하지 않도록 설정합니다.. + /// Looks up a localized string similar to nuget init c:\foo c:\bar + /// + ///nuget init \\foo\packages \\bar\packages. /// - internal static string CommandNoCache_kor { + internal static string InitCommandUsageExamples { get { - return ResourceManager.GetString("CommandNoCache_kor", resourceCulture); + return ResourceManager.GetString("InitCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Wyłącz, używając pamięci podręcznej komputera jako pierwszego źródła pakietu.. + /// Looks up a localized string similar to <srcPackageSourcePath> <destPackageSourcePath> [options]. /// - internal static string CommandNoCache_plk { + internal static string InitCommandUsageSummary { get { - return ResourceManager.GetString("CommandNoCache_plk", resourceCulture); + return ResourceManager.GetString("InitCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to Desativar usando o cache da máquina como a primeira origem de pacotes.. + /// Looks up a localized string similar to Overrides the default dependency resolution behavior.. /// - internal static string CommandNoCache_ptb { + internal static string InstallCommandDependencyVersion { get { - return ResourceManager.GetString("CommandNoCache_ptb", resourceCulture); + return ResourceManager.GetString("InstallCommandDependencyVersion", resourceCulture); } } /// - /// Looks up a localized string similar to Отключает использование кэша компьютера в качестве первого источника пакетов.. + /// Looks up a localized string similar to Installs a package using the specified sources. If no sources are specified, all sources defined in the NuGet configuration file are used. If the configuration file specifies no sources, uses the default NuGet feed.. /// - internal static string CommandNoCache_rus { + internal static string InstallCommandDescription { get { - return ResourceManager.GetString("CommandNoCache_rus", resourceCulture); + return ResourceManager.GetString("InstallCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Makine önbelleğini ilk paket kaynağı olarak kullanarak devre dışı bırakın.. + /// Looks up a localized string similar to If set, the destination folder will contain only the package name, not the version number. /// - internal static string CommandNoCache_trk { + internal static string InstallCommandExcludeVersionDescription { get { - return ResourceManager.GetString("CommandNoCache_trk", resourceCulture); + return ResourceManager.GetString("InstallCommandExcludeVersionDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Does not append "api/v2/packages" to the source URL.. + /// Looks up a localized string similar to Target framework used for selecting dependencies. Defaults to 'Any' if not specified.. /// - internal static string CommandNoServiceEndpointDescription { + internal static string InstallCommandFrameworkDescription { get { - return ResourceManager.GetString("CommandNoServiceEndpointDescription", resourceCulture); + return ResourceManager.GetString("InstallCommandFrameworkDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Specifies types of files to save after package installation: nuspec, nupkg, nuspec;nupkg.. + /// Looks up a localized string similar to Specifies the directory in which packages will be installed. If none specified, uses the current directory.. /// - internal static string CommandPackageSaveMode { + internal static string InstallCommandOutputDirDescription { get { - return ResourceManager.GetString("CommandPackageSaveMode", resourceCulture); + return ResourceManager.GetString("InstallCommandOutputDirDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 指定要在安装程序包后保存的文件类型: nuspec、nupkg、nuspec;nupkg。. + /// Looks up a localized string similar to Allows prerelease packages to be installed. This flag is not required when restoring packages by installing from packages.config.. /// - internal static string CommandPackageSaveMode_chs { + internal static string InstallCommandPrerelease { get { - return ResourceManager.GetString("CommandPackageSaveMode_chs", resourceCulture); + return ResourceManager.GetString("InstallCommandPrerelease", resourceCulture); } } /// - /// Looks up a localized string similar to 指定套件安裝之後要儲存的檔案類型: nuspec, nupkg, nuspec;nupkg。. + /// Looks up a localized string similar to Checks if package restore consent is granted before installing a package.. /// - internal static string CommandPackageSaveMode_cht { + internal static string InstallCommandRequireConsent { get { - return ResourceManager.GetString("CommandPackageSaveMode_cht", resourceCulture); + return ResourceManager.GetString("InstallCommandRequireConsent", resourceCulture); } } /// - /// Looks up a localized string similar to Určuje typy souborů, které se mají po instalaci balíčku uložit: nuspec, nupkg, nuspec;nupkg.. + /// Looks up a localized string similar to Solution root for package restore.. /// - internal static string CommandPackageSaveMode_csy { + internal static string InstallCommandSolutionDirectory { get { - return ResourceManager.GetString("CommandPackageSaveMode_csy", resourceCulture); + return ResourceManager.GetString("InstallCommandSolutionDirectory", resourceCulture); } } /// - /// Looks up a localized string similar to Angeben von Dateitypen, die nach der Paketinstallation gespeichert werden sollen: nuspec, nupkg, nuspec;nupkg.. + /// Looks up a localized string similar to Specify the id and optionally the version of the package to install. If a path to a packages.config file is used instead of an id, all the packages it contains are installed.. /// - internal static string CommandPackageSaveMode_deu { + internal static string InstallCommandUsageDescription { get { - return ResourceManager.GetString("CommandPackageSaveMode_deu", resourceCulture); + return ResourceManager.GetString("InstallCommandUsageDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Especifica los tipos de archivo que se guardarán después de la instalación del paquete: nuspec, nupkg, nuspec;nupkg.. + /// Looks up a localized string similar to nuget install elmah + /// + ///nuget install packages.config + /// + ///nuget install ninject -o c:\foo. /// - internal static string CommandPackageSaveMode_esp { + internal static string InstallCommandUsageExamples { get { - return ResourceManager.GetString("CommandPackageSaveMode_esp", resourceCulture); + return ResourceManager.GetString("InstallCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Spécifie les types de fichiers à enregistrer après l'installation du package : nuspec, nupkg, nuspec, nupkg.. + /// Looks up a localized string similar to packageId|pathToPackagesConfig [options]. /// - internal static string CommandPackageSaveMode_fra { + internal static string InstallCommandUsageSummary { get { - return ResourceManager.GetString("CommandPackageSaveMode_fra", resourceCulture); + return ResourceManager.GetString("InstallCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to Specifica i tipi di file per il salvataggio dopo l'installazione del pacchetto: nuspec, nupkg, nuspec;nupkg.. + /// Looks up a localized string similar to The version of the package to install.. /// - internal static string CommandPackageSaveMode_ita { + internal static string InstallCommandVersionDescription { get { - return ResourceManager.GetString("CommandPackageSaveMode_ita", resourceCulture); + return ResourceManager.GetString("InstallCommandVersionDescription", resourceCulture); } } /// - /// Looks up a localized string similar to パッケージのインストール後に保存するファイルの種類を指定します: nuspec、nupkg、nuspec;nupkg。. + /// Looks up a localized string similar to List all versions of a package. By default, only the latest package version is displayed.. /// - internal static string CommandPackageSaveMode_jpn { + internal static string ListCommandAllVersionsDescription { get { - return ResourceManager.GetString("CommandPackageSaveMode_jpn", resourceCulture); + return ResourceManager.GetString("ListCommandAllVersionsDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 패키지 설치 후에 저장할 파일 형식을 지정합니다. nuspec, nupkg, nuspec;nupkg.. + /// Looks up a localized string similar to Displays a list of packages from a given source. If no sources are specified, all sources defined in %AppData%\NuGet\NuGet.config are used. If NuGet.config specifies no sources, uses the default NuGet feed.. /// - internal static string CommandPackageSaveMode_kor { + internal static string ListCommandDescription { get { - return ResourceManager.GetString("CommandPackageSaveMode_kor", resourceCulture); + return ResourceManager.GetString("ListCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Określa typy plików do zapisania po zainstalowaniu pakietów: nuspec, nupkg, nuspec, nupkg.. + /// Looks up a localized string similar to Allow unlisted packages to be shown.. /// - internal static string CommandPackageSaveMode_plk { + internal static string ListCommandIncludeDelisted { get { - return ResourceManager.GetString("CommandPackageSaveMode_plk", resourceCulture); + return ResourceManager.GetString("ListCommandIncludeDelisted", resourceCulture); } } /// - /// Looks up a localized string similar to Especifica tipos de arquivos para salvar após instalação de pacote: nuspec, nupkg, nuspec;nupkg.. + /// Looks up a localized string similar to Allow prerelease packages to be shown.. /// - internal static string CommandPackageSaveMode_ptb { + internal static string ListCommandPrerelease { get { - return ResourceManager.GetString("CommandPackageSaveMode_ptb", resourceCulture); + return ResourceManager.GetString("ListCommandPrerelease", resourceCulture); } } /// - /// Looks up a localized string similar to Задает типы файлов, сохраняемых после установки пакета: nuspec, nupkg, nuspec, nupkg.. + /// Looks up a localized string similar to A list of packages sources to search.. /// - internal static string CommandPackageSaveMode_rus { + internal static string ListCommandSourceDescription { get { - return ResourceManager.GetString("CommandPackageSaveMode_rus", resourceCulture); + return ResourceManager.GetString("ListCommandSourceDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Paket kurulumundan sonra kaydedilecek dosya türlerini belirtir: nuspec, nupkg, nuspec;nupkg. + /// Looks up a localized string similar to Specify optional search terms.. /// - internal static string CommandPackageSaveMode_trk { + internal static string ListCommandUsageDescription { get { - return ResourceManager.GetString("CommandPackageSaveMode_trk", resourceCulture); + return ResourceManager.GetString("ListCommandUsageDescription", resourceCulture); } } /// - /// Looks up a localized string similar to A list of packages sources to use for this command.. + /// Looks up a localized string similar to nuget list + /// + ///nuget list -verbose -allversions. /// - internal static string CommandSourceDescription { + internal static string ListCommandUsageExamples { get { - return ResourceManager.GetString("CommandSourceDescription", resourceCulture); + return ResourceManager.GetString("ListCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to 要用于此命令的程序包源列表。. + /// Looks up a localized string similar to [search terms] [options]. /// - internal static string CommandSourceDescription_chs { + internal static string ListCommandUsageSummary { get { - return ResourceManager.GetString("CommandSourceDescription_chs", resourceCulture); + return ResourceManager.GetString("ListCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to 此命令使用的套件來源清單。. + /// Looks up a localized string similar to Displays a detailed list of information for each package.. /// - internal static string CommandSourceDescription_cht { + internal static string ListCommandVerboseListDescription { get { - return ResourceManager.GetString("CommandSourceDescription_cht", resourceCulture); + return ResourceManager.GetString("ListCommandVerboseListDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Seznam zdrojů balíčků použitých tímto příkazem. + /// Looks up a localized string similar to Clear the selected local resources or cache location(s).. /// - internal static string CommandSourceDescription_csy { + internal static string LocalsCommandClearDescription { get { - return ResourceManager.GetString("CommandSourceDescription_csy", resourceCulture); + return ResourceManager.GetString("LocalsCommandClearDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Eine Liste der Paketquellen, die für diesen Befehl verwendet werden sollen.. + /// Looks up a localized string similar to Clears or lists local NuGet resources such as http requests cache, temp cache or machine-wide global packages folder.. /// - internal static string CommandSourceDescription_deu { + internal static string LocalsCommandDescription { get { - return ResourceManager.GetString("CommandSourceDescription_deu", resourceCulture); + return ResourceManager.GetString("LocalsCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Lista de orígenes de paquetes para usar para este comando.. + /// Looks up a localized string similar to nuget locals all -clear + /// + ///nuget locals http-cache -clear + /// + ///nuget locals temp -list + /// + ///nuget locals global-packages -list. /// - internal static string CommandSourceDescription_esp { + internal static string LocalsCommandExamples { get { - return ResourceManager.GetString("CommandSourceDescription_esp", resourceCulture); + return ResourceManager.GetString("LocalsCommandExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Liste de sources de packages à utiliser pour cette commande.. + /// Looks up a localized string similar to List the selected local resources or cache location(s).. /// - internal static string CommandSourceDescription_fra { + internal static string LocalsCommandListDescription { get { - return ResourceManager.GetString("CommandSourceDescription_fra", resourceCulture); + return ResourceManager.GetString("LocalsCommandListDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Elenco di origini pacchetti da utilizzare per questo comando.. + /// Looks up a localized string similar to <all | http-cache | global-packages | temp | plugins-cache> [-clear | -list]. /// - internal static string CommandSourceDescription_ita { + internal static string LocalsCommandSummary { get { - return ResourceManager.GetString("CommandSourceDescription_ita", resourceCulture); + return ResourceManager.GetString("LocalsCommandSummary", resourceCulture); } } /// - /// Looks up a localized string similar to このコマンドで使用するパッケージ ソースの一覧。. + /// Looks up a localized string similar to The NuGet configuration file. If specified, only the settings from this file will be used. If not specified, the hierarchy of configuration files from the current directory will be used. To learn more about NuGet configuration go to https://docs.microsoft.com/en-us/nuget/consume-packages/configuring-nuget-behavior.. /// - internal static string CommandSourceDescription_jpn { + internal static string Option_ConfigFile { get { - return ResourceManager.GetString("CommandSourceDescription_jpn", resourceCulture); + return ResourceManager.GetString("Option_ConfigFile", resourceCulture); } } /// - /// Looks up a localized string similar to 이 명령에 사용할 패키지 소스 목록입니다.. + /// Looks up a localized string similar to Forces the application to run using an invariant, English-based culture.. /// - internal static string CommandSourceDescription_kor { + internal static string Option_ForceEnglishOutput { get { - return ResourceManager.GetString("CommandSourceDescription_kor", resourceCulture); + return ResourceManager.GetString("Option_ForceEnglishOutput", resourceCulture); } } /// - /// Looks up a localized string similar to Lista źródeł pakietów do użycia na potrzeby tego polecenia.. + /// Looks up a localized string similar to Show command help and usage information.. /// - internal static string CommandSourceDescription_plk { + internal static string Option_Help { get { - return ResourceManager.GetString("CommandSourceDescription_plk", resourceCulture); + return ResourceManager.GetString("Option_Help", resourceCulture); } } /// - /// Looks up a localized string similar to Uma lista de origens de pacotes para usar para esse comando.. + /// Looks up a localized string similar to Do not prompt for user input or confirmations.. /// - internal static string CommandSourceDescription_ptb { + internal static string Option_NonInteractive { get { - return ResourceManager.GetString("CommandSourceDescription_ptb", resourceCulture); + return ResourceManager.GetString("Option_NonInteractive", resourceCulture); } } /// - /// Looks up a localized string similar to Список источников пакетов, используемых для этой команды.. + /// Looks up a localized string similar to Display this amount of details in the output: normal, quiet, detailed.. /// - internal static string CommandSourceDescription_rus { + internal static string Option_Verbosity { get { - return ResourceManager.GetString("CommandSourceDescription_rus", resourceCulture); + return ResourceManager.GetString("Option_Verbosity", resourceCulture); } } /// - /// Looks up a localized string similar to Bu komut için kullanılacak paket kaynaklarının listesi.. + /// Looks up a localized string similar to The base path of the files defined in the nuspec file.. /// - internal static string CommandSourceDescription_trk { + internal static string PackageCommandBasePathDescription { get { - return ResourceManager.GetString("CommandSourceDescription_trk", resourceCulture); + return ResourceManager.GetString("PackageCommandBasePathDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Returns the config value as a path. This option is ignored when -Set is specified.. + /// Looks up a localized string similar to Determines if the project should be built before building the package.. /// - internal static string ConfigCommandAsPathDesc { + internal static string PackageCommandBuildDescription { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc", resourceCulture); + return ResourceManager.GetString("PackageCommandBuildDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 返回配置值作为路径。指定 -Set 时,将忽略此选项。. + /// Looks up a localized string similar to Specify the configuration file for the pack command.. /// - internal static string ConfigCommandAsPathDesc_chs { + internal static string PackageCommandConfigFile { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_chs", resourceCulture); + return ResourceManager.GetString("PackageCommandConfigFile", resourceCulture); } } /// - /// Looks up a localized string similar to 傳回設定值為路徑。此選項在指定 -Set 時會忽略。. + /// Looks up a localized string similar to Creates a NuGet package based on the specified nuspec or project file.. /// - internal static string ConfigCommandAsPathDesc_cht { + internal static string PackageCommandDescription { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_cht", resourceCulture); + return ResourceManager.GetString("PackageCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Vrátí konfigurační hodnotu jako cestu. Při zadání argumentu -Set je tato možnost ignorována.. + /// Looks up a localized string similar to Specify if the command should create a deterministic package. Multiple invocations of the pack command will create the exact same package.. /// - internal static string ConfigCommandAsPathDesc_csy { + internal static string PackageCommandDeterministic { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_csy", resourceCulture); + return ResourceManager.GetString("PackageCommandDeterministic", resourceCulture); } } /// - /// Looks up a localized string similar to Gibt den Konfigurationswert als Pfad zurück. Diese Option wird ignoriert, wenn "-Set" angegeben wird.. + /// Looks up a localized string similar to Specifies one or more wildcard patterns to exclude when creating a package.. /// - internal static string ConfigCommandAsPathDesc_deu { + internal static string PackageCommandExcludeDescription { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_deu", resourceCulture); + return ResourceManager.GetString("PackageCommandExcludeDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Devuelve el valor de configuración como ruta de acceso. Esta opción se ignora cuando se especifica -Set.. + /// Looks up a localized string similar to Prevent inclusion of empty directories when building the package.. /// - internal static string ConfigCommandAsPathDesc_esp { + internal static string PackageCommandExcludeEmptyDirectories { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_esp", resourceCulture); + return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories", resourceCulture); } } /// - /// Looks up a localized string similar to Retourne la valeur de configuration en tant que chemin d'accès. Cette option est ignorée lorsque -Set est spécifié.. + /// Looks up a localized string similar to Include referenced projects either as dependencies or as part of the package.. /// - internal static string ConfigCommandAsPathDesc_fra { + internal static string PackageCommandIncludeReferencedProjects { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_fra", resourceCulture); + return ResourceManager.GetString("PackageCommandIncludeReferencedProjects", resourceCulture); } } /// - /// Looks up a localized string similar to Ritorna al valore config come path. Questa opzione è ignorata quando -Set è specificato.. + /// Looks up a localized string similar to Specify if the command should prepare the package output directory to support share as feed.. /// - internal static string ConfigCommandAsPathDesc_ita { + internal static string PackageCommandInstallPackageToOutputPath { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_ita", resourceCulture); + return ResourceManager.GetString("PackageCommandInstallPackageToOutputPath", resourceCulture); } } /// - /// Looks up a localized string similar to パスとして構成値を返します。-Set を指定すると、このオプションは無視されます。. + /// Looks up a localized string similar to Set the minClientVersion attribute for the created package.. /// - internal static string ConfigCommandAsPathDesc_jpn { + internal static string PackageCommandMinClientVersion { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_jpn", resourceCulture); + return ResourceManager.GetString("PackageCommandMinClientVersion", resourceCulture); } } /// - /// Looks up a localized string similar to config 값을 경로로 반환합니다. -Set가 지정된 경우 이 옵션은 무시됩니다.. + /// Looks up a localized string similar to Prevent default exclusion of NuGet package files and files and folders starting with a dot e.g. .svn.. /// - internal static string ConfigCommandAsPathDesc_kor { + internal static string PackageCommandNoDefaultExcludes { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_kor", resourceCulture); + return ResourceManager.GetString("PackageCommandNoDefaultExcludes", resourceCulture); } } /// - /// Looks up a localized string similar to Zwraca wartość konfiguracji jako ścieżkę. Ta opcja jest ignorowana, gdy jest określona opcja -Set.. + /// Looks up a localized string similar to Specify if the command should not run package analysis after building the package.. /// - internal static string ConfigCommandAsPathDesc_plk { + internal static string PackageCommandNoRunAnalysis { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_plk", resourceCulture); + return ResourceManager.GetString("PackageCommandNoRunAnalysis", resourceCulture); } } /// - /// Looks up a localized string similar to Retorna o valor de configuração como um caminho. Esta opção é ignorada quando -Set é especificado.. + /// Looks up a localized string similar to Specifies the directory for the created NuGet package file. If not specified, uses the current directory.. /// - internal static string ConfigCommandAsPathDesc_ptb { + internal static string PackageCommandOutputDirDescription { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_ptb", resourceCulture); + return ResourceManager.GetString("PackageCommandOutputDirDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Возвращает значение конфигурации как путь. Этот параметр пропускается, если указан параметр -Set.. + /// Looks up a localized string similar to Specify if the command should prepare the package output name without the version.. /// - internal static string ConfigCommandAsPathDesc_rus { + internal static string PackageCommandOutputFileNamesWithoutVersion { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_rus", resourceCulture); + return ResourceManager.GetString("PackageCommandOutputFileNamesWithoutVersion", resourceCulture); } } /// - /// Looks up a localized string similar to Yapılandırma değerini yol olarak döndürür. -Set belirtildiğinde bu seçenek yok sayılır.. + /// Looks up a localized string similar to Specifies the packages folder.. /// - internal static string ConfigCommandAsPathDesc_trk { + internal static string PackageCommandPackagesDirectory { get { - return ResourceManager.GetString("ConfigCommandAsPathDesc_trk", resourceCulture); + return ResourceManager.GetString("PackageCommandPackagesDirectory", resourceCulture); } } /// - /// Looks up a localized string similar to Gets or sets NuGet config values.. + /// Looks up a localized string similar to Provides the ability to specify a semicolon ";" delimited list of properties when creating a package.. /// - internal static string ConfigCommandDesc { + internal static string PackageCommandPropertiesDescription { get { - return ResourceManager.GetString("ConfigCommandDesc", resourceCulture); + return ResourceManager.GetString("PackageCommandPropertiesDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 获取或设置 NuGet 配置值。. + /// Looks up a localized string similar to Specifies the solution directory.. /// - internal static string ConfigCommandDesc_chs { + internal static string PackageCommandSolutionDirectory { get { - return ResourceManager.GetString("ConfigCommandDesc_chs", resourceCulture); + return ResourceManager.GetString("PackageCommandSolutionDirectory", resourceCulture); } } /// - /// Looks up a localized string similar to 取得或設定 NuGet 設定值。. + /// Looks up a localized string similar to Appends a pre-release suffix to the internally generated version number.. /// - internal static string ConfigCommandDesc_cht { + internal static string PackageCommandSuffixDescription { get { - return ResourceManager.GetString("ConfigCommandDesc_cht", resourceCulture); + return ResourceManager.GetString("PackageCommandSuffixDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Získá nebo nastaví konfigurační hodnoty NuGet.. + /// Looks up a localized string similar to When creating a symbols package, allows to choose between the 'snupkg' and 'symbols.nupkg' format.. /// - internal static string ConfigCommandDesc_csy { + internal static string PackageCommandSymbolPackageFormat { get { - return ResourceManager.GetString("ConfigCommandDesc_csy", resourceCulture); + return ResourceManager.GetString("PackageCommandSymbolPackageFormat", resourceCulture); } } /// - /// Looks up a localized string similar to Ruft NuGet-Konfigurationswerte ab oder legt sie fest.. + /// Looks up a localized string similar to Determines if a package containing sources and symbols should be created. When specified with a nuspec, creates a regular NuGet package file and the corresponding symbols package.. /// - internal static string ConfigCommandDesc_deu { + internal static string PackageCommandSymbolsDescription { get { - return ResourceManager.GetString("ConfigCommandDesc_deu", resourceCulture); + return ResourceManager.GetString("PackageCommandSymbolsDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Obtiene o establece valores de configuración de NuGet.. + /// Looks up a localized string similar to Determines if the output files of the project should be in the tool folder. . /// - internal static string ConfigCommandDesc_esp { + internal static string PackageCommandToolDescription { get { - return ResourceManager.GetString("ConfigCommandDesc_esp", resourceCulture); + return ResourceManager.GetString("PackageCommandToolDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Obtient ou définit les valeurs de configuration NuGet.. + /// Looks up a localized string similar to Specify the location of the nuspec or project file to create a package.. /// - internal static string ConfigCommandDesc_fra { + internal static string PackageCommandUsageDescription { get { - return ResourceManager.GetString("ConfigCommandDesc_fra", resourceCulture); + return ResourceManager.GetString("PackageCommandUsageDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Ottenere o impostare valori config NuGet.. + /// Looks up a localized string similar to <nuspec | project> [options]. /// - internal static string ConfigCommandDesc_ita { + internal static string PackageCommandUsageSummary { get { - return ResourceManager.GetString("ConfigCommandDesc_ita", resourceCulture); + return ResourceManager.GetString("PackageCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to NuGet 構成値を取得または設定します。. + /// Looks up a localized string similar to Shows verbose output for package building.. /// - internal static string ConfigCommandDesc_jpn { + internal static string PackageCommandVerboseDescription { get { - return ResourceManager.GetString("ConfigCommandDesc_jpn", resourceCulture); + return ResourceManager.GetString("PackageCommandVerboseDescription", resourceCulture); } } /// - /// Looks up a localized string similar to NuGet config 값을 가져오거나 설정합니다.. + /// Looks up a localized string similar to Overrides the version number from the nuspec file.. /// - internal static string ConfigCommandDesc_kor { + internal static string PackageCommandVersionDescription { get { - return ResourceManager.GetString("ConfigCommandDesc_kor", resourceCulture); + return ResourceManager.GetString("PackageCommandVersionDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Pobiera lub ustawia wartości konfiguracji pakietu NuGet.. + /// Looks up a localized string similar to nuget pack + /// + ///nuget pack foo.nuspec + /// + ///nuget pack foo.csproj + /// + ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release + /// + ///nuget pack foo.nuspec -Version 2.1.0. /// - internal static string ConfigCommandDesc_plk { + internal static string PackCommandUsageExamples { get { - return ResourceManager.GetString("ConfigCommandDesc_plk", resourceCulture); + return ResourceManager.GetString("PackCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Obtém ou define os valores de configuração NuGet.. + /// Looks up a localized string similar to Pushes a package to the server and publishes it.. /// - internal static string ConfigCommandDesc_ptb { + internal static string PushCommandDescription { get { - return ResourceManager.GetString("ConfigCommandDesc_ptb", resourceCulture); + return ResourceManager.GetString("PushCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Получает или задает значения конфигурации NuGet.. + /// Looks up a localized string similar to Disable buffering when pushing to an HTTP(S) server to decrease memory usage. Note that when this option is enabled, integrated windows authentication might not work.. /// - internal static string ConfigCommandDesc_rus { + internal static string PushCommandDisableBufferingDescription { get { - return ResourceManager.GetString("ConfigCommandDesc_rus", resourceCulture); + return ResourceManager.GetString("PushCommandDisableBufferingDescription", resourceCulture); } } /// - /// Looks up a localized string similar to NuGet yapılandırma değerlerini alır veya ayarlar.. + /// Looks up a localized string similar to If a symbols package exists, it will not be pushed to a symbol server.. /// - internal static string ConfigCommandDesc_trk { + internal static string PushCommandNoSymbolsDescription { get { - return ResourceManager.GetString("ConfigCommandDesc_trk", resourceCulture); + return ResourceManager.GetString("PushCommandNoSymbolsDescription", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to If a package and version already exists, skip it and continue with the next package in the push, if any.. /// - internal static string ConfigCommandExamples { + internal static string PushCommandSkipDuplicateDescription { get { - return ResourceManager.GetString("ConfigCommandExamples", resourceCulture); + return ResourceManager.GetString("PushCommandSkipDuplicateDescription", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to Package source (URL, UNC/folder path or package source name) to push to. Defaults to DefaultPushSource if specified in NuGet.Config.. /// - internal static string ConfigCommandExamples_chs { + internal static string PushCommandSourceDescription { get { - return ResourceManager.GetString("ConfigCommandExamples_chs", resourceCulture); + return ResourceManager.GetString("PushCommandSourceDescription", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to Symbol server URL to push to.. /// - internal static string ConfigCommandExamples_cht { + internal static string PushCommandSymbolSourceDescription { get { - return ResourceManager.GetString("ConfigCommandExamples_cht", resourceCulture); + return ResourceManager.GetString("PushCommandSymbolSourceDescription", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to Timeout for pushing to a server in seconds. Defaults to 300 seconds (5 minutes).. /// - internal static string ConfigCommandExamples_csy { + internal static string PushCommandTimeoutDescription { get { - return ResourceManager.GetString("ConfigCommandExamples_csy", resourceCulture); + return ResourceManager.GetString("PushCommandTimeoutDescription", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to Specify the path to the package and your API key to push the package to the server.. /// - internal static string ConfigCommandExamples_deu { + internal static string PushCommandUsageDescription { get { - return ResourceManager.GetString("ConfigCommandExamples_deu", resourceCulture); + return ResourceManager.GetString("PushCommandUsageDescription", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a + /// + ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ + /// + ///nuget push foo.nupkg + /// + ///nuget push foo.nupkg.symbols + /// + ///nuget push foo.nupkg -Timeout 360. /// - internal static string ConfigCommandExamples_esp { + internal static string PushCommandUsageExamples { get { - return ResourceManager.GetString("ConfigCommandExamples_esp", resourceCulture); + return ResourceManager.GetString("PushCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to <package path> [API key] [options]. /// - internal static string ConfigCommandExamples_fra { + internal static string PushCommandUsageSummary { get { - return ResourceManager.GetString("ConfigCommandExamples_fra", resourceCulture); + return ResourceManager.GetString("PushCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to Restores NuGet packages.. /// - internal static string ConfigCommandExamples_ita { + internal static string RestoreCommandDescription { get { - return ResourceManager.GetString("ConfigCommandExamples_ita", resourceCulture); + return ResourceManager.GetString("RestoreCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to Forces restore to reevaluate all dependencies even if a lock file already exists.. /// - internal static string ConfigCommandExamples_jpn { + internal static string RestoreCommandForceEvaluate { get { - return ResourceManager.GetString("ConfigCommandExamples_jpn", resourceCulture); + return ResourceManager.GetString("RestoreCommandForceEvaluate", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to Don't allow updating project lock file.. /// - internal static string ConfigCommandExamples_kor { + internal static string RestoreCommandLockedMode { get { - return ResourceManager.GetString("ConfigCommandExamples_kor", resourceCulture); + return ResourceManager.GetString("RestoreCommandLockedMode", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to Output location where project lock file is written. By default, this is 'PROJECT_ROOT\packages.lock.json'.. /// - internal static string ConfigCommandExamples_plk { + internal static string RestoreCommandLockFilePath { get { - return ResourceManager.GetString("ConfigCommandExamples_plk", resourceCulture); + return ResourceManager.GetString("RestoreCommandLockFilePath", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to Timeout in seconds for resolving project to project references.. /// - internal static string ConfigCommandExamples_ptb { + internal static string RestoreCommandP2PTimeOut { get { - return ResourceManager.GetString("ConfigCommandExamples_ptb", resourceCulture); + return ResourceManager.GetString("RestoreCommandP2PTimeOut", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to Specifies the packages folder.. /// - internal static string ConfigCommandExamples_rus { + internal static string RestoreCommandPackagesDirectory { get { - return ResourceManager.GetString("ConfigCommandExamples_rus", resourceCulture); + return ResourceManager.GetString("RestoreCommandPackagesDirectory", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user - ///nuget config HTTP_PROXY. + /// Looks up a localized string similar to Restore all referenced projects for UWP and NETCore projects. This does not include packages.config projects.. /// - internal static string ConfigCommandExamples_trk { + internal static string RestoreCommandRecursive { get { - return ResourceManager.GetString("ConfigCommandExamples_trk", resourceCulture); + return ResourceManager.GetString("RestoreCommandRecursive", resourceCulture); } } /// - /// Looks up a localized string similar to One on more key-value pairs to be set in config.. + /// Looks up a localized string similar to Checks if package restore consent is granted before installing a package.. /// - internal static string ConfigCommandSetDesc { + internal static string RestoreCommandRequireConsent { get { - return ResourceManager.GetString("ConfigCommandSetDesc", resourceCulture); + return ResourceManager.GetString("RestoreCommandRequireConsent", resourceCulture); } } /// - /// Looks up a localized string similar to 要在配置中设置的一个或多个键值对。. + /// Looks up a localized string similar to Specifies the solution directory. Not valid when restoring packages for a solution.. /// - internal static string ConfigCommandSetDesc_chs { + internal static string RestoreCommandSolutionDirectory { get { - return ResourceManager.GetString("ConfigCommandSetDesc_chs", resourceCulture); + return ResourceManager.GetString("RestoreCommandSolutionDirectory", resourceCulture); } } /// - /// Looks up a localized string similar to 要在設定中設定的一或多個索引鍵/值組。. + /// Looks up a localized string similar to If a solution is specified, this command restores NuGet packages that are installed in the solution and in projects contained in the solution. Otherwise, the command restores packages listed in the specified packages.config file, Microsoft Build project, or project.json file.. /// - internal static string ConfigCommandSetDesc_cht { + internal static string RestoreCommandUsageDescription { get { - return ResourceManager.GetString("ConfigCommandSetDesc_cht", resourceCulture); + return ResourceManager.GetString("RestoreCommandUsageDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Jedna nebo více dvojic klíč/hodnota, které mají být nastaveny v konfiguračním souboru. + /// Looks up a localized string similar to nuget restore MySolution.sln. /// - internal static string ConfigCommandSetDesc_csy { + internal static string RestoreCommandUsageExamples { get { - return ResourceManager.GetString("ConfigCommandSetDesc_csy", resourceCulture); + return ResourceManager.GetString("RestoreCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Mindestens ein Schlüssel-Wert-Paar, das in der Konfiguration festgelegt wird.. + /// Looks up a localized string similar to [<solution> | <packages.config file> | <Microsoft Build project>] [options]. /// - internal static string ConfigCommandSetDesc_deu { + internal static string RestoreCommandUsageSummary { get { - return ResourceManager.GetString("ConfigCommandSetDesc_deu", resourceCulture); + return ResourceManager.GetString("RestoreCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to Se deben establecer uno o más pares clave-valor en configuración.. + /// Looks up a localized string similar to Enables project lock file to be generated and used with restore.. /// - internal static string ConfigCommandSetDesc_esp { + internal static string RestoreCommandUseLockFile { get { - return ResourceManager.GetString("ConfigCommandSetDesc_esp", resourceCulture); + return ResourceManager.GetString("RestoreCommandUseLockFile", resourceCulture); } } /// - /// Looks up a localized string similar to Une ou plusieurs paires clé-valeur doivent être configurées lors de la configuration.. + /// Looks up a localized string similar to Searches a given source using the query string provided. If no sources are specified, all sources defined in %AppData%\NuGet\NuGet.config are used.. /// - internal static string ConfigCommandSetDesc_fra { + internal static string SearchCommandDescription { get { - return ResourceManager.GetString("ConfigCommandSetDesc_fra", resourceCulture); + return ResourceManager.GetString("SearchCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Impostare una o pi+u coppie di valore -key in config.. + /// Looks up a localized string similar to Include prerelease packages.. /// - internal static string ConfigCommandSetDesc_ita { + internal static string SearchCommandPreRelease { get { - return ResourceManager.GetString("ConfigCommandSetDesc_ita", resourceCulture); + return ResourceManager.GetString("SearchCommandPreRelease", resourceCulture); } } /// - /// Looks up a localized string similar to 構成で設定される 1 つまたは複数のキー値ペア. + /// Looks up a localized string similar to The package source to search. You can pass multiple -Source options to search multiple package sources.. /// - internal static string ConfigCommandSetDesc_jpn { + internal static string SearchCommandSourceDescription { get { - return ResourceManager.GetString("ConfigCommandSetDesc_jpn", resourceCulture); + return ResourceManager.GetString("SearchCommandSourceDescription", resourceCulture); } } /// - /// Looks up a localized string similar to config에서 설정되는 하나 이상의 키-값 쌍입니다.. + /// Looks up a localized string similar to The number of results to return. The default value is 20.. /// - internal static string ConfigCommandSetDesc_kor { + internal static string SearchCommandTake { get { - return ResourceManager.GetString("ConfigCommandSetDesc_kor", resourceCulture); + return ResourceManager.GetString("SearchCommandTake", resourceCulture); } } /// - /// Looks up a localized string similar to W konfiguracji należy ustawić co najmniej jedną parę klucz-wartość.. + /// Looks up a localized string similar to Specify search terms.. /// - internal static string ConfigCommandSetDesc_plk { + internal static string SearchCommandUsageDescription { get { - return ResourceManager.GetString("ConfigCommandSetDesc_plk", resourceCulture); + return ResourceManager.GetString("SearchCommandUsageDescription", resourceCulture); } } /// - /// Looks up a localized string similar to nuget config HTTP_PROXY ". + /// Looks up a localized string similar to nuget search foo + /// + ///nuget search foo -Verbosity detailed + /// + ///nuget search foo -PreRelease -Take 5. /// - internal static string ConfigCommandSetDesc_ptb { + internal static string SearchCommandUsageExamples { get { - return ResourceManager.GetString("ConfigCommandSetDesc_ptb", resourceCulture); + return ResourceManager.GetString("SearchCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Одна или несколько пар ключ-значение, задаваемых в конфигурации.. + /// Looks up a localized string similar to [search terms] [options]. /// - internal static string ConfigCommandSetDesc_rus { + internal static string SearchCommandUsageSummary { get { - return ResourceManager.GetString("ConfigCommandSetDesc_rus", resourceCulture); + return ResourceManager.GetString("SearchCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to Yapılandırmada ayarlanacak bir veya daha fazla anahtar-değer çifti var.. + /// Looks up a localized string similar to Saves an API key for a given server URL. When no URL is provided API key is saved for the NuGet gallery.. /// - internal static string ConfigCommandSetDesc_trk { + internal static string SetApiKeyCommandDescription { get { - return ResourceManager.GetString("ConfigCommandSetDesc_trk", resourceCulture); + return ResourceManager.GetString("SetApiKeyCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to Server URL where the API key is valid.. /// - internal static string ConfigCommandSummary { + internal static string SetApiKeyCommandSourceDescription { get { - return ResourceManager.GetString("ConfigCommandSummary", resourceCulture); + return ResourceManager.GetString("SetApiKeyCommandSourceDescription", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. - /// - internal static string ConfigCommandSummary_chs { - get { - return ResourceManager.GetString("ConfigCommandSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to Specify the API key to save and an optional URL to the server that provided the API key.. /// - internal static string ConfigCommandSummary_cht { + internal static string SetApiKeyCommandUsageDescription { get { - return ResourceManager.GetString("ConfigCommandSummary_cht", resourceCulture); + return ResourceManager.GetString("SetApiKeyCommandUsageDescription", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a + /// + ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. /// - internal static string ConfigCommandSummary_csy { + internal static string SetApiKeyCommandUsageExamples { get { - return ResourceManager.GetString("ConfigCommandSummary_csy", resourceCulture); + return ResourceManager.GetString("SetApiKeyCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to <API key> [options]. /// - internal static string ConfigCommandSummary_deu { + internal static string SetApiKeyCommandUsageSummary { get { - return ResourceManager.GetString("ConfigCommandSummary_deu", resourceCulture); + return ResourceManager.GetString("SetApiKeyCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to SHA-1 fingerprint of the certificate used to search a local certificate store for the certificate. + ///The certificate store can be specified by -CertificateStoreName and -CertificateStoreLocation options.. /// - internal static string ConfigCommandSummary_esp { + internal static string SignCommandCertificateFingerprintDescription { get { - return ResourceManager.GetString("ConfigCommandSummary_esp", resourceCulture); + return ResourceManager.GetString("SignCommandCertificateFingerprintDescription", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to Password for the certificate, if needed. + ///This option can be used to specify the password for the certificate. If no password is provided, the command will prompt for a password at run time, unless the -NonInteractive option is passed.. /// - internal static string ConfigCommandSummary_fra { + internal static string SignCommandCertificatePasswordDescription { get { - return ResourceManager.GetString("ConfigCommandSummary_fra", resourceCulture); + return ResourceManager.GetString("SignCommandCertificatePasswordDescription", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to File path to the certificate to be used while signing the package.. /// - internal static string ConfigCommandSummary_ita { + internal static string SignCommandCertificatePathDescription { get { - return ResourceManager.GetString("ConfigCommandSummary_ita", resourceCulture); + return ResourceManager.GetString("SignCommandCertificatePathDescription", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to Name of the X.509 certificate store use to search for the certificate. Defaults to "CurrentUser", the X.509 certificate store used by the current user. + ///This option should be used when specifying the certificate via -CertificateSubjectName or -CertificateFingerprint options.. /// - internal static string ConfigCommandSummary_jpn { + internal static string SignCommandCertificateStoreLocationDescription { get { - return ResourceManager.GetString("ConfigCommandSummary_jpn", resourceCulture); + return ResourceManager.GetString("SignCommandCertificateStoreLocationDescription", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to Name of the X.509 certificate store to use to search for the certificate. Defaults to "My", the X.509 certificate store for personal certificates. + ///This option should be used when specifying the certificate via -CertificateSubjectName or -CertificateFingerprint options.. /// - internal static string ConfigCommandSummary_kor { + internal static string SignCommandCertificateStoreNameDescription { get { - return ResourceManager.GetString("ConfigCommandSummary_kor", resourceCulture); + return ResourceManager.GetString("SignCommandCertificateStoreNameDescription", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to Subject name of the certificate used to search a local certificate store for the certificate. + ///The search is a case-insensitive string comparison using the supplied value, which will find all certificates with the subject name containing that string, regardless of other subject values. + ///The certificate store can be specified by -CertificateStoreName and -CertificateStoreLocation options.. /// - internal static string ConfigCommandSummary_plk { + internal static string SignCommandCertificateSubjectNameDescription { get { - return ResourceManager.GetString("ConfigCommandSummary_plk", resourceCulture); + return ResourceManager.GetString("SignCommandCertificateSubjectNameDescription", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to Signs a NuGet package with the specified certificate.. /// - internal static string ConfigCommandSummary_ptb { + internal static string SignCommandDescription { get { - return ResourceManager.GetString("ConfigCommandSummary_ptb", resourceCulture); + return ResourceManager.GetString("SignCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to nuget sign MyPackage.nupkg -CertificatePath C:\certificate.pfx + ///nuget sign MyPackage.nupkg -CertificatePath \\path\to\certificate.pfx + ///nuget sign MyPackage.nupkg -CertificateFingerprint certificate_fingerprint -OutputDirectory .\signed\. /// - internal static string ConfigCommandSummary_rus { + internal static string SignCommandExamples { get { - return ResourceManager.GetString("ConfigCommandSummary_rus", resourceCulture); + return ResourceManager.GetString("SignCommandExamples", resourceCulture); } } /// - /// Looks up a localized string similar to <-Set name=value | name>. + /// Looks up a localized string similar to Hash algorithm to be used to sign the package. Defaults to SHA256.. /// - internal static string ConfigCommandSummary_trk { + internal static string SignCommandHashAlgorithmDescription { get { - return ResourceManager.GetString("ConfigCommandSummary_trk", resourceCulture); + return ResourceManager.GetString("SignCommandHashAlgorithmDescription", resourceCulture); } } /// - /// Looks up a localized string similar to NuGet's default configuration is obtained by loading %AppData%\NuGet\NuGet.config, then loading any nuget.config or .nuget\nuget.config starting from root of drive and ending in current directory.. + /// Looks up a localized string similar to No value provided for '{0}', which is needed when using the '{1}' option. For a list of accepted values, please visit https://docs.nuget.org/docs/reference/command-line-reference. /// - internal static string DefaultConfigDescription { + internal static string SignCommandMissingArgumentException { get { - return ResourceManager.GetString("DefaultConfigDescription", resourceCulture); + return ResourceManager.GetString("SignCommandMissingArgumentException", resourceCulture); } } /// - /// Looks up a localized string similar to 通过加载 %AppData%\NuGet\NuGet.config,然后加载从驱动器的根目录开始到当前目录为止的任何 nuget.config 或 .nuget\nuget.config 来获取 NuGet 的默认配置。. + /// Looks up a localized string similar to Multiple options were used to specify a certificate. For a list of accepted ways to provide a certificate, please visit https://docs.nuget.org/docs/reference/command-line-reference. /// - internal static string DefaultConfigDescription_chs { + internal static string SignCommandMultipleCertificateException { get { - return ResourceManager.GetString("DefaultConfigDescription_chs", resourceCulture); + return ResourceManager.GetString("SignCommandMultipleCertificateException", resourceCulture); } } /// - /// Looks up a localized string similar to NuGet 的預設設定可載入 %AppData%\NuGet\NuGet.config 以取得,接著載入任何從磁碟根啟動且在目前目錄中結束的 nuget.config 或 .nuget\nuget.config。. + /// Looks up a localized string similar to No value provided for '{0}'. For a list of accepted values, please visit https://docs.nuget.org/docs/reference/command-line-reference. /// - internal static string DefaultConfigDescription_cht { + internal static string SignCommandNoArgumentException { get { - return ResourceManager.GetString("DefaultConfigDescription_cht", resourceCulture); + return ResourceManager.GetString("SignCommandNoArgumentException", resourceCulture); } } /// - /// Looks up a localized string similar to Výchozí konfigurace NuGet se získá načtením souboru %AppData%\NuGet\NuGet.config a následným načtením všech souborů nuget.config nebo .nuget\nuget.config, počínaje kořenovým adresářem jednotky a konče aktuálním adresářem.. + /// Looks up a localized string similar to No certificate was provided. For a list of accepted ways to provide a certificate, please visit https://docs.nuget.org/docs/reference/command-line-reference. /// - internal static string DefaultConfigDescription_csy { + internal static string SignCommandNoCertificateException { get { - return ResourceManager.GetString("DefaultConfigDescription_csy", resourceCulture); + return ResourceManager.GetString("SignCommandNoCertificateException", resourceCulture); } } /// - /// Looks up a localized string similar to Die Standardkonfiguration von NuGet wird durch Laden von "%AppData%\NuGet\NuGet.config" und anschließendes Laden von "nuget.config" oder ".nuget\nuget.config" mit Start im Stamm des Laufwerks und Ende im aktuellen Verzeichnis abgerufen.. + /// Looks up a localized string similar to No package was provided. For a list of accepted ways to provide a package, please visit https://docs.nuget.org/docs/reference/command-line-reference. /// - internal static string DefaultConfigDescription_deu { + internal static string SignCommandNoPackageException { get { - return ResourceManager.GetString("DefaultConfigDescription_deu", resourceCulture); + return ResourceManager.GetString("SignCommandNoPackageException", resourceCulture); } } /// - /// Looks up a localized string similar to La configuración predeterminada de NuGet se obtiene cargando %AppData%\NuGet\NuGet.config y, a continuación, cualquier nuget.config o .nuget\nuget.config empezando desde la raíz de la unidad hasta el directorio actual.. + /// Looks up a localized string similar to The '-Timestamper' option was not provided. The signed package will not be timestamped. To learn more about this option, please visit https://docs.nuget.org/docs/reference/command-line-reference. /// - internal static string DefaultConfigDescription_esp { + internal static string SignCommandNoTimestamperWarning { get { - return ResourceManager.GetString("DefaultConfigDescription_esp", resourceCulture); + return ResourceManager.GetString("SignCommandNoTimestamperWarning", resourceCulture); } } /// - /// Looks up a localized string similar to La configuration NuGet par défaut est obtenue en chargeant %AppData%\NuGet\NuGet.config, puis en chargeant nuget.config ou .nuget\nuget.config commençant à la racine du lecteur et terminant dans le répertoire actuel.. + /// Looks up a localized string similar to Directory where the signed package should be saved. By default the original package is overwritten by the signed package.. /// - internal static string DefaultConfigDescription_fra { + internal static string SignCommandOutputDirectoryDescription { get { - return ResourceManager.GetString("DefaultConfigDescription_fra", resourceCulture); + return ResourceManager.GetString("SignCommandOutputDirectoryDescription", resourceCulture); } } /// - /// Looks up a localized string similar to La configurazione di default di NuGet si ottiene caricando %AppData%\NuGet\NuGet.config, poi caricando qualsiasi nuget.config o .nuget\nuget.config a partire dal root del drive e terminando nell'attuale directory.. + /// Looks up a localized string similar to Switch to indicate if the current signature should be overwritten. By default the command will fail if the package already has a signature.. /// - internal static string DefaultConfigDescription_ita { + internal static string SignCommandOverwriteDescription { get { - return ResourceManager.GetString("DefaultConfigDescription_ita", resourceCulture); + return ResourceManager.GetString("SignCommandOverwriteDescription", resourceCulture); } } /// - /// Looks up a localized string similar to NuGet の既定の構成を取得するには、%AppData%\NuGet\NuGet.config を読み込み、ドライブのルートから現在のディレクトリの間にあるすべての nuget.config または .nuget\nuget.config を読み込みます。. + /// Looks up a localized string similar to Signs a NuGet package.. /// - internal static string DefaultConfigDescription_jpn { + internal static string SignCommandSummary { get { - return ResourceManager.GetString("DefaultConfigDescription_jpn", resourceCulture); + return ResourceManager.GetString("SignCommandSummary", resourceCulture); } } /// - /// Looks up a localized string similar to %AppData%\NuGet\NuGet.config를 로드한 후 드라이브 루트에서 현재 디렉터리까지의 nuget.config 또는 .nuget\nuget.config를 로드하여 NuGet의 기본 구성을 가져옵니다.. + /// Looks up a localized string similar to URL to an RFC 3161 timestamping server.. /// - internal static string DefaultConfigDescription_kor { + internal static string SignCommandTimestamperDescription { get { - return ResourceManager.GetString("DefaultConfigDescription_kor", resourceCulture); + return ResourceManager.GetString("SignCommandTimestamperDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Domyślna konfiguracja pakietu NuGet jest uzyskiwana przez załadowanie pliku %AppData%\NuGet\NuGet.config, a następnie załadowanie dowolnego pliku nuget.config lub .nuget\nuget.config, zaczynając od folderu głównego dysku i kończąc w katalogu bieżącym.\n. + /// Looks up a localized string similar to Hash algorithm to be used by the RFC 3161 timestamp server. Defaults to SHA256.. /// - internal static string DefaultConfigDescription_plk { + internal static string SignCommandTimestampHashAlgorithmDescription { get { - return ResourceManager.GetString("DefaultConfigDescription_plk", resourceCulture); + return ResourceManager.GetString("SignCommandTimestampHashAlgorithmDescription", resourceCulture); } } /// - /// Looks up a localized string similar to A configuração padrão do NuGet é obtida ao carregar %AppData%\NuGet\NuGet.config, e depois ao carrear qualquer nuget.config ou .nuget\nuget.config começando pela raiz da unidade e terminando no diretório atual.. + /// Looks up a localized string similar to Signs a NuGet package.. /// - internal static string DefaultConfigDescription_ptb { + internal static string SignCommandUsageDescription { get { - return ResourceManager.GetString("DefaultConfigDescription_ptb", resourceCulture); + return ResourceManager.GetString("SignCommandUsageDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Чтобы получить используемую по умолчанию конфигурацию NuGet, следует загрузить файл %AppData%\NuGet\NuGet.config, а затем загрузить все файлы nuget.config или .nuget\nuget.config, начиная с корня диска и заканчивая текущим каталогом.. + /// Looks up a localized string similar to nuget sign MyPackage.nupkg -Timestamper https://foo.bar + /// + ///nuget sign .\..\MyPackage.nupkg -Timestamper https://foo.bar -OutputDirectory .\..\Signed + ///. /// - internal static string DefaultConfigDescription_rus { + internal static string SignCommandUsageExamples { get { - return ResourceManager.GetString("DefaultConfigDescription_rus", resourceCulture); + return ResourceManager.GetString("SignCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Varsayılan NuGet yapılandırması %AppData%\NuGet\NuGet.config yüklenerek, ardından sürücü kökünden başlanıp geçerli dizinde sonlandırılarak tüm nuget.config ve .nuget\nuget.config öğeleri yüklenerek edinildi.. + /// Looks up a localized string similar to <package_path> -Timestamper <timestamp_server_url> [-CertificatePath <certificate_path> | [ -CertificateStoreName <certificate_store_name> -CertificateStoreLocation <certificate_store_location> [-CertificateSubjectName <certificate_subject_name> | -CertificateFingerprint <certificate_fingerprint>]]] [options]. /// - internal static string DefaultConfigDescription_trk { + internal static string SignCommandUsageSummary { get { - return ResourceManager.GetString("DefaultConfigDescription_trk", resourceCulture); + return ResourceManager.GetString("SignCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to Deletes a package from the server.. + /// Looks up a localized string similar to Provides the ability to manage list of sources located in NuGet.config files.. /// - internal static string DeleteCommandDescription { + internal static string SourcesCommandDescription { get { - return ResourceManager.GetString("DeleteCommandDescription", resourceCulture); + return ResourceManager.GetString("SourcesCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 从服务器中删除程序包。. + /// Looks up a localized string similar to Applies to the list action. Accepts two values: Detailed (the default) and Short.. /// - internal static string DeleteCommandDescription_chs { + internal static string SourcesCommandFormatDescription { get { - return ResourceManager.GetString("DeleteCommandDescription_chs", resourceCulture); + return ResourceManager.GetString("SourcesCommandFormatDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 從伺服器刪除封裝。. + /// Looks up a localized string similar to Name of the source.. /// - internal static string DeleteCommandDescription_cht { + internal static string SourcesCommandNameDescription { get { - return ResourceManager.GetString("DeleteCommandDescription_cht", resourceCulture); + return ResourceManager.GetString("SourcesCommandNameDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Odstraní balíček ze serveru.. + /// Looks up a localized string similar to Password to be used when connecting to an authenticated source.. /// - internal static string DeleteCommandDescription_csy { + internal static string SourcesCommandPasswordDescription { get { - return ResourceManager.GetString("DeleteCommandDescription_csy", resourceCulture); + return ResourceManager.GetString("SourcesCommandPasswordDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Löscht ein Paket vom Server.. + /// Looks up a localized string similar to Path to the package(s) source.. /// - internal static string DeleteCommandDescription_deu { + internal static string SourcesCommandSourceDescription { get { - return ResourceManager.GetString("DeleteCommandDescription_deu", resourceCulture); + return ResourceManager.GetString("SourcesCommandSourceDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Elimina un paquete del servidor.. + /// Looks up a localized string similar to Enables storing portable package source credentials by disabling password encryption.. /// - internal static string DeleteCommandDescription_esp { + internal static string SourcesCommandStorePasswordInClearTextDescription { get { - return ResourceManager.GetString("DeleteCommandDescription_esp", resourceCulture); + return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Supprime un package du serveur.. + /// Looks up a localized string similar to Make a source a trusted repository for repository signature verification.. /// - internal static string DeleteCommandDescription_fra { + internal static string SourcesCommandTrustDescription { get { - return ResourceManager.GetString("DeleteCommandDescription_fra", resourceCulture); + return ResourceManager.GetString("SourcesCommandTrustDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Cancellare un pacchetto dal server.. + /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [name] -Source [source]. /// - internal static string DeleteCommandDescription_ita { + internal static string SourcesCommandUsageSummary { get { - return ResourceManager.GetString("DeleteCommandDescription_ita", resourceCulture); + return ResourceManager.GetString("SourcesCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to サーバーからパッケージを削除します。. + /// Looks up a localized string similar to Username to be used when connecting to an authenticated source.. /// - internal static string DeleteCommandDescription_jpn { + internal static string SourcesCommandUserNameDescription { get { - return ResourceManager.GetString("DeleteCommandDescription_jpn", resourceCulture); + return ResourceManager.GetString("SourcesCommandUserNameDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 서버에서 패키지를 삭제합니다.. + /// Looks up a localized string similar to Comma-separated list of valid authentication types for this source. By default, all authentication types are valid. Example: basic,negotiate. /// - internal static string DeleteCommandDescription_kor { + internal static string SourcesCommandValidAuthenticationTypesDescription { get { - return ResourceManager.GetString("DeleteCommandDescription_kor", resourceCulture); + return ResourceManager.GetString("SourcesCommandValidAuthenticationTypesDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Usuwa pakiet z serwera.. + /// Looks up a localized string similar to Assembly to use for metadata.. /// - internal static string DeleteCommandDescription_plk { + internal static string SpecCommandAssemblyPathDescription { get { - return ResourceManager.GetString("DeleteCommandDescription_plk", resourceCulture); + return ResourceManager.GetString("SpecCommandAssemblyPathDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Exclui um pacote do servidor.. + /// Looks up a localized string similar to Generates a nuspec for a new package. If this command is run in the same folder as a project file (.csproj, .vbproj, .fsproj), it will create a tokenized nuspec file.. /// - internal static string DeleteCommandDescription_ptb { + internal static string SpecCommandDescription { get { - return ResourceManager.GetString("DeleteCommandDescription_ptb", resourceCulture); + return ResourceManager.GetString("SpecCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Удаляет пакет с сервера.. + /// Looks up a localized string similar to Overwrite nuspec file if it exists.. /// - internal static string DeleteCommandDescription_rus { + internal static string SpecCommandForceDescription { get { - return ResourceManager.GetString("DeleteCommandDescription_rus", resourceCulture); + return ResourceManager.GetString("SpecCommandForceDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Paketi sürücüden siler.. + /// Looks up a localized string similar to nuget spec + /// + ///nuget spec MyPackage + /// + ///nuget spec -a MyAssembly.dll. /// - internal static string DeleteCommandDescription_trk { + internal static string SpecCommandUsageExamples { get { - return ResourceManager.GetString("DeleteCommandDescription_trk", resourceCulture); + return ResourceManager.GetString("SpecCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Do not prompt when deleting.. + /// Looks up a localized string similar to [package id]. /// - internal static string DeleteCommandNoPromptDescription { + internal static string SpecCommandUsageSummary { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription", resourceCulture); + return ResourceManager.GetString("SpecCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to 删除时不提示。. + /// Looks up a localized string similar to The API key for the symbol server.. /// - internal static string DeleteCommandNoPromptDescription_chs { + internal static string SymbolApiKey { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_chs", resourceCulture); + return ResourceManager.GetString("SymbolApiKey", resourceCulture); } } /// - /// Looks up a localized string similar to 刪除時請勿提示。. + /// Looks up a localized string similar to Set allowUntrustedRoot to true for the trusted signer's certificate to be added.. /// - internal static string DeleteCommandNoPromptDescription_cht { + internal static string TrustedSignersCommandAllowUntrustedRootDescription { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_cht", resourceCulture); + return ResourceManager.GetString("TrustedSignersCommandAllowUntrustedRootDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Při odstraňování nezobrazovat výzvu. + /// Looks up a localized string similar to Add the author signature of the package as a trusted author.. /// - internal static string DeleteCommandNoPromptDescription_csy { + internal static string TrustedSignersCommandAuthorDescription { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_csy", resourceCulture); + return ResourceManager.GetString("TrustedSignersCommandAuthorDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Keine Eingabeaufforderung beim Löschvorgang.. + /// Looks up a localized string similar to Fingerprint of the certificate to trust.. /// - internal static string DeleteCommandNoPromptDescription_deu { + internal static string TrustedSignersCommandCertificateFingerprintDescription { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_deu", resourceCulture); + return ResourceManager.GetString("TrustedSignersCommandCertificateFingerprintDescription", resourceCulture); } } /// - /// Looks up a localized string similar to No pedir confirmación al eliminarlo.. + /// Looks up a localized string similar to Provides the ability to manage the list of trusted signers.. /// - internal static string DeleteCommandNoPromptDescription_esp { + internal static string TrustedSignersCommandDescription { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_esp", resourceCulture); + return ResourceManager.GetString("TrustedSignersCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to N'affichez pas d'invites lors des suppressions.. + /// Looks up a localized string similar to Hash algorithm used to calculate the certificate fingerprint. Defaults to SHA256.. /// - internal static string DeleteCommandNoPromptDescription_fra { + internal static string TrustedSignersCommandFingerprintAlgorithmDescription { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_fra", resourceCulture); + return ResourceManager.GetString("TrustedSignersCommandFingerprintAlgorithmDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Non richiedere quando si cancella.. + /// Looks up a localized string similar to Name of the trusted signer.. /// - internal static string DeleteCommandNoPromptDescription_ita { + internal static string TrustedSignersCommandNameDescription { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_ita", resourceCulture); + return ResourceManager.GetString("TrustedSignersCommandNameDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 削除時にプロンプトを表示しません。. + /// Looks up a localized string similar to List of owners allowed for a package signed with the trusted repository.. /// - internal static string DeleteCommandNoPromptDescription_jpn { + internal static string TrustedSignersCommandOwnersDescription { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_jpn", resourceCulture); + return ResourceManager.GetString("TrustedSignersCommandOwnersDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 삭제 시 메시지를 표시하지 않습니다.. + /// Looks up a localized string similar to Add the repository signature or countersignature of the package as a trusted repository.. /// - internal static string DeleteCommandNoPromptDescription_kor { + internal static string TrustedSignersCommandRepositoryDescription { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_kor", resourceCulture); + return ResourceManager.GetString("TrustedSignersCommandRepositoryDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Bez monitów podczas usuwania.. + /// Looks up a localized string similar to Service index for a repository to be trusted.. /// - internal static string DeleteCommandNoPromptDescription_plk { + internal static string TrustedSignersCommandServiceIndexDescription { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_plk", resourceCulture); + return ResourceManager.GetString("TrustedSignersCommandServiceIndexDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Não avise ao excluir.. + /// Looks up a localized string similar to nuget trusted-signers + /// + ///nuget trusted-signers Add -Name existingSource + /// + ///nuget trusted-signers Add -Name trustedRepo -ServiceIndex https://trustedRepo.test/v3ServiceIndex + /// + ///nuget trusted-signers Add -Name author1 -CertificateFingerprint CE40881FF5F0AD3E58965DA20A9F571EF1651A56933748E1BF1C99E537C4E039 -FingerprintAlgorithm SHA256 + /// + ///nuget trusted-signers Add -Repository .\..\MyRepositorySignedPackage.nupkg -Name TrustedRepo + /// + ///nuget trusted-signers Remove -Name TrustedRepo. /// - internal static string DeleteCommandNoPromptDescription_ptb { + internal static string TrustedSignersCommandUsageExamples { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_ptb", resourceCulture); + return ResourceManager.GetString("TrustedSignersCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to Перед удалением запрос не отображается.. + /// Looks up a localized string similar to <List|Add|Remove|Sync> [options]. /// - internal static string DeleteCommandNoPromptDescription_rus { + internal static string TrustedSignersCommandUsageSummary { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_rus", resourceCulture); + return ResourceManager.GetString("TrustedSignersCommandUsageSummary", resourceCulture); } } /// - /// Looks up a localized string similar to Silerken sorma.. + /// Looks up a localized string similar to Overrides the default dependency resolution behavior.. /// - internal static string DeleteCommandNoPromptDescription_trk { + internal static string UpdateCommandDependencyVersion { get { - return ResourceManager.GetString("DeleteCommandNoPromptDescription_trk", resourceCulture); + return ResourceManager.GetString("UpdateCommandDependencyVersion", resourceCulture); } } /// - /// Looks up a localized string similar to Package source (URL, UNC/folder path or package source name) to delete from. Defaults to DefaultPushSource if specified in NuGet.Config.. + /// Looks up a localized string similar to Update packages to latest available versions. This command also updates NuGet.exe itself.. /// - internal static string DeleteCommandSourceDescription { + internal static string UpdateCommandDescription { get { - return ResourceManager.GetString("DeleteCommandSourceDescription", resourceCulture); + return ResourceManager.GetString("UpdateCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to 指定服务器 URL。. + /// Looks up a localized string similar to Set default action when a file from a package already exists in the target project. Set to Overwrite to always overwrite files. Set to Ignore to skip files. If not specified, it will prompt for each conflicting file.. /// - internal static string DeleteCommandSourceDescription_chs { + internal static string UpdateCommandFileConflictAction { get { - return ResourceManager.GetString("DeleteCommandSourceDescription_chs", resourceCulture); + return ResourceManager.GetString("UpdateCommandFileConflictAction", resourceCulture); } } /// - /// Looks up a localized string similar to 指定伺服器 URL。. + /// Looks up a localized string similar to Package ids to update.. /// - internal static string DeleteCommandSourceDescription_cht { + internal static string UpdateCommandIdDescription { get { - return ResourceManager.GetString("DeleteCommandSourceDescription_cht", resourceCulture); + return ResourceManager.GetString("UpdateCommandIdDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Určuje adresu URL serveru.. + /// Looks up a localized string similar to Allows updating to prerelease versions. This flag is not required when updating prerelease packages that are already installed.. /// - internal static string DeleteCommandSourceDescription_csy { + internal static string UpdateCommandPrerelease { get { - return ResourceManager.GetString("DeleteCommandSourceDescription_csy", resourceCulture); + return ResourceManager.GetString("UpdateCommandPrerelease", resourceCulture); } } /// - /// Looks up a localized string similar to Gibt die Server-URL an.. + /// Looks up a localized string similar to Path to the local packages folder (location where packages are installed).. /// - internal static string DeleteCommandSourceDescription_deu { + internal static string UpdateCommandRepositoryPathDescription { get { - return ResourceManager.GetString("DeleteCommandSourceDescription_deu", resourceCulture); + return ResourceManager.GetString("UpdateCommandRepositoryPathDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Especifica la URL del servidor.. + /// Looks up a localized string similar to Looks for updates with the highest version available within the same major and minor version as the installed package.. /// - internal static string DeleteCommandSourceDescription_esp { + internal static string UpdateCommandSafeDescription { get { - return ResourceManager.GetString("DeleteCommandSourceDescription_esp", resourceCulture); + return ResourceManager.GetString("UpdateCommandSafeDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Spécifie l'URL du serveur.. + /// Looks up a localized string similar to Update the running NuGet.exe to the newest version available from the server.. /// - internal static string DeleteCommandSourceDescription_fra { + internal static string UpdateCommandSelfDescription { get { - return ResourceManager.GetString("DeleteCommandSourceDescription_fra", resourceCulture); + return ResourceManager.GetString("UpdateCommandSelfDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Specifica il server URL.. + /// Looks up a localized string similar to A list of package sources to search for updates.. /// - internal static string DeleteCommandSourceDescription_ita { + internal static string UpdateCommandSourceDescription { get { - return ResourceManager.GetString("DeleteCommandSourceDescription_ita", resourceCulture); + return ResourceManager.GetString("UpdateCommandSourceDescription", resourceCulture); } } /// - /// Looks up a localized string similar to サーバーの URL を指定します。. + /// Looks up a localized string similar to nuget update + /// + ///nuget update -Safe + /// + ///nuget update -Self. /// - internal static string DeleteCommandSourceDescription_jpn { + internal static string UpdateCommandUsageExamples { get { - return ResourceManager.GetString("DeleteCommandSourceDescription_jpn", resourceCulture); + return ResourceManager.GetString("UpdateCommandUsageExamples", resourceCulture); } } /// - /// Looks up a localized string similar to 서버 URL을 지정합니다.. + /// Looks up a localized string similar to Show verbose output while updating.. /// - internal static string DeleteCommandSourceDescription_kor { - get { - return ResourceManager.GetString("DeleteCommandSourceDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa adres URL serwera.. - /// - internal static string DeleteCommandSourceDescription_plk { - get { - return ResourceManager.GetString("DeleteCommandSourceDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica o URL do servidor.. - /// - internal static string DeleteCommandSourceDescription_ptb { - get { - return ResourceManager.GetString("DeleteCommandSourceDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Указывает URL-адрес сервера.. - /// - internal static string DeleteCommandSourceDescription_rus { - get { - return ResourceManager.GetString("DeleteCommandSourceDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sunucu URL'sini belirtir.. - /// - internal static string DeleteCommandSourceDescription_trk { - get { - return ResourceManager.GetString("DeleteCommandSourceDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify the Id and version of the package to delete from the server.. - /// - internal static string DeleteCommandUsageDescription { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定要从服务器中删除的程序包的 ID 和版本。. - /// - internal static string DeleteCommandUsageDescription_chs { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定要從伺服器刪除的封裝 ID 和版本。. - /// - internal static string DeleteCommandUsageDescription_cht { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zadejte ID a verzi balíčku, který má být odstraněn ze serveru.. - /// - internal static string DeleteCommandUsageDescription_csy { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Geben Sie die ID und die Version des Pakets an, das vom Server gelöscht werden soll.. - /// - internal static string DeleteCommandUsageDescription_deu { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especificar el id. y la versión del paquete para eliminarlo del servidor.. - /// - internal static string DeleteCommandUsageDescription_esp { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifiez l'ID et la version du package à supprimer du serveur.. - /// - internal static string DeleteCommandUsageDescription_fra { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specificare Id e versione del pacchetto da cancellare dal server.. - /// - internal static string DeleteCommandUsageDescription_ita { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to サーバーから削除するパッケージの ID とパッケージを指定します。. - /// - internal static string DeleteCommandUsageDescription_jpn { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 서버에서 삭제할 패키지의 ID 및 버전을 지정합니다.. - /// - internal static string DeleteCommandUsageDescription_kor { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określ identyfikator i wersję pakietu, który chcesz usunąć z serwera.. - /// - internal static string DeleteCommandUsageDescription_plk { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifique a ID e a versão do pacote a excluir do servidor.. - /// - internal static string DeleteCommandUsageDescription_ptb { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Укажите идентификатор и версию пакета, чтобы удалить его с сервера.. - /// - internal static string DeleteCommandUsageDescription_rus { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sunucudan silinecek paketin kimliğini ve sürümünü belirtin.. - /// - internal static string DeleteCommandUsageDescription_trk { - get { - return ResourceManager.GetString("DeleteCommandUsageDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_chs { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_cht { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_csy { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_deu { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_esp { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_fra { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_ita { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_jpn { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_kor { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_plk { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_ptb { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_rus { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget delete MyPackage 1.0 - /// - ///nuget delete MyPackage 1.0 -NoPrompt. - /// - internal static string DeleteCommandUsageExamples_trk { - get { - return ResourceManager.GetString("DeleteCommandUsageExamples_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <package Id> <package version> [API Key] [options]. - /// - internal static string DeleteCommandUsageSummary { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <程序包 ID> <程序包版本> [API 密钥] [选项]. - /// - internal static string DeleteCommandUsageSummary_chs { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <package Id> <package version> [API 索引鍵] [選項]. - /// - internal static string DeleteCommandUsageSummary_cht { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <ID balíčku> <verze balíčku> [klíč API] [možnosti]. - /// - internal static string DeleteCommandUsageSummary_csy { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <Paket-ID> <Paketversion> [API-Schlüssel] [Optionen]. - /// - internal static string DeleteCommandUsageSummary_deu { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <id. del paquete> <versión del paquete> [clave API] [opciones]. - /// - internal static string DeleteCommandUsageSummary_esp { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <package Id> <package version> [@@@Clé API] [@@@options]. - /// - internal static string DeleteCommandUsageSummary_fra { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <package Id> <package version> [API Key] [options]. - /// - internal static string DeleteCommandUsageSummary_ita { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <package Id> <package version> [API Key] [options]. - /// - internal static string DeleteCommandUsageSummary_jpn { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <패키지 ID> <패키지 버전> [API 키] [옵션]. - /// - internal static string DeleteCommandUsageSummary_kor { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <identyfikator pakietu> <wersja pakietu> [klucz interfejsu API] [opcje]. - /// - internal static string DeleteCommandUsageSummary_plk { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <Id do pacote> <versão do pacote> [Chave de API] [opções]. - /// - internal static string DeleteCommandUsageSummary_ptb { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <идентификатор пакета> <версия пакета> [ключ API] [параметры]. - /// - internal static string DeleteCommandUsageSummary_rus { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <paket kimliği> <paket sürümü> [API Anahtarı] [seçenekler]. - /// - internal static string DeleteCommandUsageSummary_trk { - get { - return ResourceManager.GetString("DeleteCommandUsageSummary_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to If provided, a package added to offline feed is also expanded.. - /// - internal static string ExpandDescription { - get { - return ResourceManager.GetString("ExpandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Forces all dependencies to be resolved even if the last restore was successful. This is equivalent to deleting project.assets.json. (Does not apply to packages.config). - /// - internal static string ForceRestoreCommand { - get { - return ResourceManager.GetString("ForceRestoreCommand", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to alias: {0}. - /// - internal static string HelpCommand_Alias { - get { - return ResourceManager.GetString("HelpCommand_Alias", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ({0}). - /// - internal static string HelpCommand_AltText { - get { - return ResourceManager.GetString("HelpCommand_AltText", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Available commands:. - /// - internal static string HelpCommand_AvailableCommands { - get { - return ResourceManager.GetString("HelpCommand_AvailableCommands", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to examples:. - /// - internal static string HelpCommand_Examples { - get { - return ResourceManager.GetString("HelpCommand_Examples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to options:. - /// - internal static string HelpCommand_Options { - get { - return ResourceManager.GetString("HelpCommand_Options", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Type '{0} help <command>' for help on a specific command.. - /// - internal static string HelpCommand_Suggestion { - get { - return ResourceManager.GetString("HelpCommand_Suggestion", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} Command. - /// - internal static string HelpCommand_Title { - get { - return ResourceManager.GetString("HelpCommand_Title", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to usage: {0} <command> [args] [options]. - /// - internal static string HelpCommand_Usage { - get { - return ResourceManager.GetString("HelpCommand_Usage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to usage: {0} {1} {2}. - /// - internal static string HelpCommand_UsageDetail { - get { - return ResourceManager.GetString("HelpCommand_UsageDetail", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Print detailed help for all available commands.. - /// - internal static string HelpCommandAll { - get { - return ResourceManager.GetString("HelpCommandAll", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 打印所有可用命令的详细帮助。. - /// - internal static string HelpCommandAll_chs { - get { - return ResourceManager.GetString("HelpCommandAll_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 列印所有可用命令的詳細說明。. - /// - internal static string HelpCommandAll_cht { - get { - return ResourceManager.GetString("HelpCommandAll_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Vytiskne podrobnou nápovědu ke všem dostupným příkazům.. - /// - internal static string HelpCommandAll_csy { - get { - return ResourceManager.GetString("HelpCommandAll_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ausführliche Hilfe für alle verfügbaren Befehle ausgeben.. - /// - internal static string HelpCommandAll_deu { - get { - return ResourceManager.GetString("HelpCommandAll_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Imprimir ayuda detallada de todos los comandos disponibles.. - /// - internal static string HelpCommandAll_esp { - get { - return ResourceManager.GetString("HelpCommandAll_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Imprimez l'aide détaillée correspondante à l'ensemble des commandes disponibles.. - /// - internal static string HelpCommandAll_fra { - get { - return ResourceManager.GetString("HelpCommandAll_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Stampare aiutoper tutti i comandi disponibili.. - /// - internal static string HelpCommandAll_ita { - get { - return ResourceManager.GetString("HelpCommandAll_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 使用できるすべてのコマンドについては、詳細なヘルプを印刷してください。. - /// - internal static string HelpCommandAll_jpn { - get { - return ResourceManager.GetString("HelpCommandAll_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 사용 가능한 모든 명령에 대한 자세한 도움말을 인쇄합니다.. - /// - internal static string HelpCommandAll_kor { - get { - return ResourceManager.GetString("HelpCommandAll_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wydrukuj szczegółową pomoc dla wszystkich dostępnych poleceń.. - /// - internal static string HelpCommandAll_plk { - get { - return ResourceManager.GetString("HelpCommandAll_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Imprimir ajuda detalhada para todos os comandos disponíveis.. - /// - internal static string HelpCommandAll_ptb { - get { - return ResourceManager.GetString("HelpCommandAll_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Выводит на печать подробную справку по всем доступным командам.. - /// - internal static string HelpCommandAll_rus { - get { - return ResourceManager.GetString("HelpCommandAll_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mevcut tüm komutlar için ayrıntılı yardımı yazdır.. - /// - internal static string HelpCommandAll_trk { - get { - return ResourceManager.GetString("HelpCommandAll_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Displays general help information and help information about other commands.. - /// - internal static string HelpCommandDescription { - get { - return ResourceManager.GetString("HelpCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 显示一般帮助信息,以及有关其他命令的帮助信息。. - /// - internal static string HelpCommandDescription_chs { - get { - return ResourceManager.GetString("HelpCommandDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 顯示一般說明資訊以及其他命令的相關說明資訊。. - /// - internal static string HelpCommandDescription_cht { - get { - return ResourceManager.GetString("HelpCommandDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zobrazí obecné informace nápovědy a informace nápovědy k ostatním příkazům.. - /// - internal static string HelpCommandDescription_csy { - get { - return ResourceManager.GetString("HelpCommandDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zeigt allgemeine Hilfeinformationen und Hilfeinformationen zu anderen Befehlen an.. - /// - internal static string HelpCommandDescription_deu { - get { - return ResourceManager.GetString("HelpCommandDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Muestra información de ayuda general e información de ayuda de los otros comandos.. - /// - internal static string HelpCommandDescription_esp { - get { - return ResourceManager.GetString("HelpCommandDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Affiche les informations d'aide générale et les informations d'aide relatives à d'autres commandes.. - /// - internal static string HelpCommandDescription_fra { - get { - return ResourceManager.GetString("HelpCommandDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mostra informazioni generali di aiuto su altri comandi.. - /// - internal static string HelpCommandDescription_ita { - get { - return ResourceManager.GetString("HelpCommandDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 全般的なヘルプ情報と他のコマンドに関するヘルプ情報を表示します。. - /// - internal static string HelpCommandDescription_jpn { - get { - return ResourceManager.GetString("HelpCommandDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 일반적인 도움말 정보 및 다른 명령에 대한 도움말 정보를 표시합니다.. - /// - internal static string HelpCommandDescription_kor { - get { - return ResourceManager.GetString("HelpCommandDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wyświetla ogólne informacje pomocy oraz informacje pomocy na temat innych poleceń.. - /// - internal static string HelpCommandDescription_plk { - get { - return ResourceManager.GetString("HelpCommandDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Exibe informações de ajuda em geral e informações de ajuda sobre outros comandos.. - /// - internal static string HelpCommandDescription_ptb { - get { - return ResourceManager.GetString("HelpCommandDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Отображает общую справочную информацию о других командах.. - /// - internal static string HelpCommandDescription_rus { - get { - return ResourceManager.GetString("HelpCommandDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Genel yardım bilgilerini ve diğer komutlarla ilgili yardım bilgilerini görüntüler.. - /// - internal static string HelpCommandDescription_trk { - get { - return ResourceManager.GetString("HelpCommandDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Print detailed all help in markdown format.. - /// - internal static string HelpCommandMarkdown { - get { - return ResourceManager.GetString("HelpCommandMarkdown", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 以 Markdown 格式打印所有详细帮助。. - /// - internal static string HelpCommandMarkdown_chs { - get { - return ResourceManager.GetString("HelpCommandMarkdown_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 以 Markdown 格式列印所有詳細說明。. - /// - internal static string HelpCommandMarkdown_cht { - get { - return ResourceManager.GetString("HelpCommandMarkdown_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Vytiskne podrobně veškerou nápovědu ve formátu markdown.. - /// - internal static string HelpCommandMarkdown_csy { - get { - return ResourceManager.GetString("HelpCommandMarkdown_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ausführliche Hilfe im Markdownformat ausgeben.. - /// - internal static string HelpCommandMarkdown_deu { - get { - return ResourceManager.GetString("HelpCommandMarkdown_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Imprimir toda la información detallada en formato reducido.. - /// - internal static string HelpCommandMarkdown_esp { - get { - return ResourceManager.GetString("HelpCommandMarkdown_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Imprimez l'ensemble de l'aide détaillée au format Markdown.. - /// - internal static string HelpCommandMarkdown_fra { - get { - return ResourceManager.GetString("HelpCommandMarkdown_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Stampare tutto l'aiuto in formato markdown. - /// - internal static string HelpCommandMarkdown_ita { - get { - return ResourceManager.GetString("HelpCommandMarkdown_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to マークダウン形式ですべての詳細なヘルプを印刷します。. - /// - internal static string HelpCommandMarkdown_jpn { - get { - return ResourceManager.GetString("HelpCommandMarkdown_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 자세한 도움말을 마크다운 형식으로 모두 인쇄합니다.. - /// - internal static string HelpCommandMarkdown_kor { - get { - return ResourceManager.GetString("HelpCommandMarkdown_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wydrukuj szczegółową pomoc w formacie języka znaczników markdown.. - /// - internal static string HelpCommandMarkdown_plk { - get { - return ResourceManager.GetString("HelpCommandMarkdown_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impressão detalhada de toda a ajuda em formato reduzido.. - /// - internal static string HelpCommandMarkdown_ptb { - get { - return ResourceManager.GetString("HelpCommandMarkdown_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Выводит на печать всю справку в формате Markdown.. - /// - internal static string HelpCommandMarkdown_rus { - get { - return ResourceManager.GetString("HelpCommandMarkdown_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ayrıntılı tüm yardımı döküm biçiminde yazdır.. - /// - internal static string HelpCommandMarkdown_trk { - get { - return ResourceManager.GetString("HelpCommandMarkdown_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pass a command name to display help information for that command.. - /// - internal static string HelpCommandUsageDescription { - get { - return ResourceManager.GetString("HelpCommandUsageDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 传递命令名称,以显示该命令的帮助信息。. - /// - internal static string HelpCommandUsageDescription_chs { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 傳送命令名稱以顯示該命名的說明資訊。. - /// - internal static string HelpCommandUsageDescription_cht { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Předá název příkazu pro zobrazení informací nápovědy k tomuto příkazu.. - /// - internal static string HelpCommandUsageDescription_csy { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Übergeben Sie einen Befehlsnamen, um Hilfeinformationen zu diesem Befehl anzuzeigen.. - /// - internal static string HelpCommandUsageDescription_deu { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pasar un nombre de comando para mostrar la información de ayuda de aquel comando.. - /// - internal static string HelpCommandUsageDescription_esp { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Saisissez le nom d'une commande pour afficher les informations d'aide correspondantes.. - /// - internal static string HelpCommandUsageDescription_fra { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Passare un nome comando per visualizzare le informazioni su quel comando. - /// - internal static string HelpCommandUsageDescription_ita { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パス名を渡して、そのコマンドに関するヘルプ情報を表示します。. - /// - internal static string HelpCommandUsageDescription_jpn { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 명령 이름을 전달하여 해당 명령에 대한 도움말 정보를 표시합니다.. - /// - internal static string HelpCommandUsageDescription_kor { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Przekaż nazwę polecenia, aby wyświetlić informacje pomocy dla tego polecenia.. - /// - internal static string HelpCommandUsageDescription_plk { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Passe um nome de comando para exibir as informações de ajuda para esse comando.. - /// - internal static string HelpCommandUsageDescription_ptb { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Передает имя команды для отображения справки по этой команде.. - /// - internal static string HelpCommandUsageDescription_rus { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Komut adını, bu komuta yönelik yardım bilgilerini görüntülemek için geçir.. - /// - internal static string HelpCommandUsageDescription_trk { - get { - return ResourceManager.GetString("HelpCommandUsageDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples { - get { - return ResourceManager.GetString("HelpCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_chs { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_cht { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_csy { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_deu { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_esp { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_fra { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_ita { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_jpn { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_kor { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_plk { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_ptb { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_rus { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget help - /// - ///nuget help push - /// - ///nuget ? - /// - ///nuget push -?. - /// - internal static string HelpCommandUsageExamples_trk { - get { - return ResourceManager.GetString("HelpCommandUsageExamples_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [command]. - /// - internal static string HelpCommandUsageSummary { - get { - return ResourceManager.GetString("HelpCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [命令]. - /// - internal static string HelpCommandUsageSummary_chs { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [命令]. - /// - internal static string HelpCommandUsageSummary_cht { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [příkaz]. - /// - internal static string HelpCommandUsageSummary_csy { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Befehl]. - /// - internal static string HelpCommandUsageSummary_deu { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [comando]. - /// - internal static string HelpCommandUsageSummary_esp { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [@@@commande]. - /// - internal static string HelpCommandUsageSummary_fra { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [comando]. - /// - internal static string HelpCommandUsageSummary_ita { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [command]. - /// - internal static string HelpCommandUsageSummary_jpn { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [명령]. - /// - internal static string HelpCommandUsageSummary_kor { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [polecenie]. - /// - internal static string HelpCommandUsageSummary_plk { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [comando]. - /// - internal static string HelpCommandUsageSummary_ptb { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [команда]. - /// - internal static string HelpCommandUsageSummary_rus { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [komut]. - /// - internal static string HelpCommandUsageSummary_trk { - get { - return ResourceManager.GetString("HelpCommandUsageSummary_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Adds all the packages from the <srcPackageSourcePath> to the hierarchical <destPackageSourcePath>. http feeds are not supported. For more info, goto https://docs.nuget.org/consume/command-line-reference#init-command.. - /// - internal static string InitCommandDescription { - get { - return ResourceManager.GetString("InitCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify the path to source package source to be copied from and the path to the destination package source to be copied to.. - /// - internal static string InitCommandUsageDescription { - get { - return ResourceManager.GetString("InitCommandUsageDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget init c:\foo c:\bar - /// - ///nuget init \\foo\packages \\bar\packages. - /// - internal static string InitCommandUsageExamples { - get { - return ResourceManager.GetString("InitCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <srcPackageSourcePath> <destPackageSourcePath> [options]. - /// - internal static string InitCommandUsageSummary { - get { - return ResourceManager.GetString("InitCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Overrides the default dependency resolution behavior.. - /// - internal static string InstallCommandDependencyVersion { - get { - return ResourceManager.GetString("InstallCommandDependencyVersion", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Installs a package using the specified sources. If no sources are specified, all sources defined in the NuGet configuration file are used. If the configuration file specifies no sources, uses the default NuGet feed.. - /// - internal static string InstallCommandDescription { - get { - return ResourceManager.GetString("InstallCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 使用指定的源安装程序包。如果未指定源,则将使用 NuGet 配置文件中定义的所有源。如果配置文件未指定源,则使用默认的 NuGet 源。. - /// - internal static string InstallCommandDescription_chs { - get { - return ResourceManager.GetString("InstallCommandDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 使用指定來源安裝封裝。如果沒有指定來源,在 NuGet 設定檔中定義的所有來源均已使用。如果設定檔並未指定來源,請使用預設 NuGet 摘要。. - /// - internal static string InstallCommandDescription_cht { - get { - return ResourceManager.GetString("InstallCommandDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nainstaluje balíček s využitím zadaným zdrojů. Pokud nejsou zadány žádné zdroje, použijí se všechny zdroje definované v konfiguračním souboru NuGet. Pokud konfigurační soubor nespecifikuje žádné zdroje, použije se výchozí informační kanál NuGet.. - /// - internal static string InstallCommandDescription_csy { - get { - return ResourceManager.GetString("InstallCommandDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Installiert ein Paket mithilfe der angegebenen Quellen. Wenn keine Quellen angegeben werden, werden alle Quellen verwendet, die in der NuGet-Konfigurationsdatei definiert sind. Wenn die Konfigurationsdatei keine Quellen angibt, wird der NuGet-Standardfeed verwendet.. - /// - internal static string InstallCommandDescription_deu { - get { - return ResourceManager.GetString("InstallCommandDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Instala un paquete usando los orígenes especificados. Si no se especifica ningún origen, se usan todos los orígenes definidos en la configuración de NuGet. Si el archivo de configuración no especifica ningún origen, se usa la fuente predeterminada de NuGet.. - /// - internal static string InstallCommandDescription_esp { - get { - return ResourceManager.GetString("InstallCommandDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Installe un package à partir des sources spécifiées. Si aucune source n'est spécifiée, toutes les sources définies dans le fichier de configuration NuGet seront utilisées. Si le fichier de configuration ne spécifie aucune source, il s'alimentera du flux NuGet.. - /// - internal static string InstallCommandDescription_fra { - get { - return ResourceManager.GetString("InstallCommandDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Installa un pacchetto usando le fonti specificate. Se non sono specificate fonti, tutte le fonti definite nella configurazione NuGet saranno usata. Se il file di configurazione non specifica fonti, usare NuGet feed di default.. - /// - internal static string InstallCommandDescription_ita { - get { - return ResourceManager.GetString("InstallCommandDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定されたソースを使用してパッケージをインストールします。ソースが指定されていない場合、NuGet 構成ファイルに定義されているすべてのソースが使用されます。構成ファイルにソースが指定されていない場合、既定の NuGet フィードが使用されます。. - /// - internal static string InstallCommandDescription_jpn { - get { - return ResourceManager.GetString("InstallCommandDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 지정된 소스를 사용하여 패키지를 설치합니다. 소스가 지정되지 않은 경우 NuGet 구성 파일에 정의된 모든 소스가 사용됩니다. 구성 파일로도 소스가 지정되지 않으면 기본 NuGet 피드가 사용됩니다.. - /// - internal static string InstallCommandDescription_kor { - get { - return ResourceManager.GetString("InstallCommandDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Instaluje pakiet przy użyciu określonych źródeł. Jeśli żadne źródło nie zostanie określone, są używane wszystkie źródła zdefiniowane w pliku konfiguracji pakietu NuGet. Jeśli w pliku konfiguracji nie zostaną określone żadne źródła, jest używane domyślne źródło NuGet.. - /// - internal static string InstallCommandDescription_plk { - get { - return ResourceManager.GetString("InstallCommandDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Instala um pacote usando as origens especificadas. Se não houver origens especificadas, são utilizadas todas as origens definidas no arquivo de configuração NuGet. Se o arquivo de configuração não especificar nenhuma origem, usa o feed NuGet padrão.. - /// - internal static string InstallCommandDescription_ptb { - get { - return ResourceManager.GetString("InstallCommandDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Устанавливает пакет с помощью указанных источников. Если они не указаны, используются все источники, определенные в файле конфигурации NuGet. Если в файле конфигурации не указаны источники, используется канал NuGet по умолчанию.. - /// - internal static string InstallCommandDescription_rus { - get { - return ResourceManager.GetString("InstallCommandDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Belirtilen kaynakları kullanarak paketi yükler. Hiçbir kaynak belirtilmemişse, NuGet yapılandırma dosyasında belirtilen tüm kaynaklar kullanılır. Yapılandırma dosyasında hiçbir kaynak belirtilmemişse, varsayılan NuGet akışını kullanır.. - /// - internal static string InstallCommandDescription_trk { - get { - return ResourceManager.GetString("InstallCommandDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to If set, the destination folder will contain only the package name, not the version number. - /// - internal static string InstallCommandExcludeVersionDescription { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 如果已设置,则目标文件夹将只包含程序包名称,而不包含版本号. - /// - internal static string InstallCommandExcludeVersionDescription_chs { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 若設定,目的地資料夾僅會包含封裝名稱,而不會有版本號碼. - /// - internal static string InstallCommandExcludeVersionDescription_cht { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pokud je tato možnost nastavena, cílová složka bude obsahovat pouze název balíčku, ale ne číslo verze.. - /// - internal static string InstallCommandExcludeVersionDescription_csy { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wenn diese Option festgelegt ist, enthält der Zielordner nur den Paketnamen, nicht die Versionsnummer.. - /// - internal static string InstallCommandExcludeVersionDescription_deu { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Si se configura, la carpeta de destino solo contendrá el nombre de paquete y no el número de versión. - /// - internal static string InstallCommandExcludeVersionDescription_esp { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Si défini, le dossier de destination ne contiendra que le nom de package et pas le numéro de version.. - /// - internal static string InstallCommandExcludeVersionDescription_fra { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se impostata, la cartella di destinazione conterrà il nome del pacchetto, non il numero di versione. - /// - internal static string InstallCommandExcludeVersionDescription_ita { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 設定すると、対象フォルダーにはバージョン番号ではなくパッケージ名のみが含まれます。. - /// - internal static string InstallCommandExcludeVersionDescription_jpn { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 설정할 경우 대상 폴더에 패키지 이름만 포함되며 버전 이름은 포함되지 않습니다.. - /// - internal static string InstallCommandExcludeVersionDescription_kor { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Jeśli ta opcja zostanie ustawiona, folder docelowy będzie zawierał tylko nazwę pakietu, bez numeru wersji. - /// - internal static string InstallCommandExcludeVersionDescription_plk { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se assim for definida, a pasta de destino conterá apenas o nome do pacote, e não o número da versão. - /// - internal static string InstallCommandExcludeVersionDescription_ptb { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Если этот параметр задан, папка назначения будет содержать только имя пакета, но не номер версии. - /// - internal static string InstallCommandExcludeVersionDescription_rus { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ayarlanmışsa, hedef klasörde sürüm numarası değil, yalnızca paket adı bulunur.. - /// - internal static string InstallCommandExcludeVersionDescription_trk { - get { - return ResourceManager.GetString("InstallCommandExcludeVersionDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Target framework used for selecting dependencies. Defaults to 'Any' if not specified.. - /// - internal static string InstallCommandFrameworkDescription { - get { - return ResourceManager.GetString("InstallCommandFrameworkDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifies the directory in which packages will be installed. If none specified, uses the current directory.. - /// - internal static string InstallCommandOutputDirDescription { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定将在其中安装程序包的目录。如果未指定,则使用当前目录。. - /// - internal static string InstallCommandOutputDirDescription_chs { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定要安全的封裝中的目錄。若未指定,則使用目前的目錄。. - /// - internal static string InstallCommandOutputDirDescription_cht { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje adresář, do něhož budou nainstalovány balíčky. Není-li zadán, použije se aktuální adresář.. - /// - internal static string InstallCommandOutputDirDescription_csy { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Gibt das Verzeichnis an, in dem Pakete installiert werden. Wenn kein Verzeichnis angegeben wird, wird das aktuelle Verzeichnis verwendet.. - /// - internal static string InstallCommandOutputDirDescription_deu { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica el directorio en el que se instalarán los paquetes. Si no se especifica ninguno, se usa el directorio actual.. - /// - internal static string InstallCommandOutputDirDescription_esp { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifie le répertoire d'installation des packages. S'il n'est pas spécifié, le répertoire actuel sera utilisé.. - /// - internal static string InstallCommandOutputDirDescription_fra { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifica la directory in cui i pacchetti saranno installati. Altrimenti, usare la directory attuale.. - /// - internal static string InstallCommandOutputDirDescription_ita { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージをインストールするディレクトリを指定します。指定しない場合、現在のディレクトリが使用されます。. - /// - internal static string InstallCommandOutputDirDescription_jpn { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지가 설치될 디렉터리를 지정합니다. 지정되지 않은 경우 현재 디렉터리를 사용합니다.. - /// - internal static string InstallCommandOutputDirDescription_kor { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa katalog, w którym zostaną zainstalowane pakiety. Jeśli żaden nie zostanie określony, będzie używany katalog bieżący.. - /// - internal static string InstallCommandOutputDirDescription_plk { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica o diretório em que os pacotes serão instalados. Se nenhum for especificado, usa o diretório atual.. - /// - internal static string InstallCommandOutputDirDescription_ptb { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Задает каталог для установки пакетов. Если он не указан, используется текущий каталог.. - /// - internal static string InstallCommandOutputDirDescription_rus { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paketlerin yükleneceği dizini belirtir. Hiçbiri belirtilmemişse, geçerli dizini kullanır.. - /// - internal static string InstallCommandOutputDirDescription_trk { - get { - return ResourceManager.GetString("InstallCommandOutputDirDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Allows prerelease packages to be installed. This flag is not required when restoring packages by installing from packages.config.. - /// - internal static string InstallCommandPrerelease { - get { - return ResourceManager.GetString("InstallCommandPrerelease", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 允许安装预发布程序包。通过从 packages.config 安装来还原程序包时,不需要此标志。. - /// - internal static string InstallCommandPrerelease_chs { - get { - return ResourceManager.GetString("InstallCommandPrerelease_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 允許安裝預先發行的封裝。若從 packages.config 安裝來還原封裝時則不需要此標幟。. - /// - internal static string InstallCommandPrerelease_cht { - get { - return ResourceManager.GetString("InstallCommandPrerelease_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Umožňuje nainstalovat předběžné verze balíčků. Tento příznak není vyžadován při obnově balíčků pomocí instalace ze souboru packages.config.. - /// - internal static string InstallCommandPrerelease_csy { - get { - return ResourceManager.GetString("InstallCommandPrerelease_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ermöglicht die Installation von Vorabversionspaketen. Diese Kennzeichnung ist nicht erforderlich, wenn Pakete durch Installieren aus "packages.config" wiederhergestellt werden.. - /// - internal static string InstallCommandPrerelease_deu { - get { - return ResourceManager.GetString("InstallCommandPrerelease_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permite instalar paquetes de versión preliminar. Esta marca no es necesaria al restaurar paquetes mediante la instalación desde packages.config.. - /// - internal static string InstallCommandPrerelease_esp { - get { - return ResourceManager.GetString("InstallCommandPrerelease_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permet l'installation de la version préliminaire des packages. Cet indicateur n'est pas requis lors de la restauration des packages depuis packages.config.. - /// - internal static string InstallCommandPrerelease_fra { - get { - return ResourceManager.GetString("InstallCommandPrerelease_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permette ai pacchetti prelease di essere installati. Questo flag non è richiesto quando si ripristinano pacchetti installando da packages.config.. - /// - internal static string InstallCommandPrerelease_ita { - get { - return ResourceManager.GetString("InstallCommandPrerelease_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to プレリリース パッケージのインストールを許可します。packages.config からインストールしてパッケージを復元する場合、このフラグは必要ありません。. - /// - internal static string InstallCommandPrerelease_jpn { - get { - return ResourceManager.GetString("InstallCommandPrerelease_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 시험판 패키지를 설치하도록 허용합니다. packages.config에서 설치하여 패키지를 복원하는 경우 이 플래그는 필요하지 않습니다.. - /// - internal static string InstallCommandPrerelease_kor { - get { - return ResourceManager.GetString("InstallCommandPrerelease_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zezwala na zainstalowanie pakietów w wersji wstępnej. Ta flaga nie jest wymagana podczas przywracania pakietów przez instalację z pliku packages.config.. - /// - internal static string InstallCommandPrerelease_plk { - get { - return ResourceManager.GetString("InstallCommandPrerelease_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permite que pacotes de pré-lançamento sejam instalados. Este sinal não é obrigatório ao restaurar pacotes pela instalação de packages.config.. - /// - internal static string InstallCommandPrerelease_ptb { - get { - return ResourceManager.GetString("InstallCommandPrerelease_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Разрешает установку предварительных версий пакетов. Этот флаг не нужен при восстановлении пакетов путем установки из packages.config.. - /// - internal static string InstallCommandPrerelease_rus { - get { - return ResourceManager.GetString("InstallCommandPrerelease_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Önsürüm paketlerinin yüklenmesine izin verir. Paketler packages.config üzerinden geri yüklendiğinde bu bayrağa gerek duyulmaz.. - /// - internal static string InstallCommandPrerelease_trk { - get { - return ResourceManager.GetString("InstallCommandPrerelease_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Checks if package restore consent is granted before installing a package.. - /// - internal static string InstallCommandRequireConsent { - get { - return ResourceManager.GetString("InstallCommandRequireConsent", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 在安装程序包之前,检查是否已同意还原程序包。. - /// - internal static string InstallCommandRequireConsent_chs { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 檢查是否在安裝封裝前已授予封裝還原同意。. - /// - internal static string InstallCommandRequireConsent_cht { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Před zahájením instalace balíčku ověří, zda je udělen souhlas s obnovením tohoto balíčku.. - /// - internal static string InstallCommandRequireConsent_csy { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Überprüft, ob die Zustimmung zur Paketwiederherstellung erteilt wurde, bevor ein Paket installiert wird.. - /// - internal static string InstallCommandRequireConsent_deu { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Comprueba si se concede consentimiento de restauración del paquete antes de instalar un paquete.. - /// - internal static string InstallCommandRequireConsent_esp { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Vérifie si l'accord de restauration du package est donné avant d'installer le package.. - /// - internal static string InstallCommandRequireConsent_fra { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Verificare che sia garantito il consenso al ripristino pacchetti prima di installarli.. - /// - internal static string InstallCommandRequireConsent_ita { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージをインストールする前に、パッケージの復元が同意されているかどうかを確認します。. - /// - internal static string InstallCommandRequireConsent_jpn { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지를 설치하기 전에 패키지 복원에 동의했는지 확인하십시오.. - /// - internal static string InstallCommandRequireConsent_kor { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sprawdza, czy przed zainstalowaniem pakietu udzielono zgody na przywrócenie pakietu.. - /// - internal static string InstallCommandRequireConsent_plk { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Verifica se a autorização de restauração do pacote foi concedida antes de instalar um pacote.. - /// - internal static string InstallCommandRequireConsent_ptb { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Проверяет, было ли дано согласие на восстановление пакета перед установкой пакета.. - /// - internal static string InstallCommandRequireConsent_rus { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket yüklenmeden önce, paket geri yükleme izninin verilip verilmediğini denetler.. - /// - internal static string InstallCommandRequireConsent_trk { - get { - return ResourceManager.GetString("InstallCommandRequireConsent_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Solution root for package restore.. - /// - internal static string InstallCommandSolutionDirectory { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 用于还原程序包的解决方案根目录。. - /// - internal static string InstallCommandSolutionDirectory_chs { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 封裝還原的方案根。. - /// - internal static string InstallCommandSolutionDirectory_cht { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Kořenový adresář řešení pro obnovení balíčků. - /// - internal static string InstallCommandSolutionDirectory_csy { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paketstamm für die Paketwiederherstellung.. - /// - internal static string InstallCommandSolutionDirectory_deu { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Raíz de la solución para la restauración del paquete.. - /// - internal static string InstallCommandSolutionDirectory_esp { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Racine de la solution pour la restauration du package.. - /// - internal static string InstallCommandSolutionDirectory_fra { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Solution root per ripristino pacchetti.. - /// - internal static string InstallCommandSolutionDirectory_ita { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージ復元のソリューション ルート。. - /// - internal static string InstallCommandSolutionDirectory_jpn { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지 복원에 사용되는 솔루션 루트입니다.. - /// - internal static string InstallCommandSolutionDirectory_kor { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Katalog główny rozwiązania na potrzeby przywracania pakietu.. - /// - internal static string InstallCommandSolutionDirectory_plk { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Raiz de solução para restauração de pacotes.. - /// - internal static string InstallCommandSolutionDirectory_ptb { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Корень решения для восстановления пакета.. - /// - internal static string InstallCommandSolutionDirectory_rus { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket geri yüklemesi için çözüm kökü.. - /// - internal static string InstallCommandSolutionDirectory_trk { - get { - return ResourceManager.GetString("InstallCommandSolutionDirectory_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify the id and optionally the version of the package to install. If a path to a packages.config file is used instead of an id, all the packages it contains are installed.. - /// - internal static string InstallCommandUsageDescription { - get { - return ResourceManager.GetString("InstallCommandUsageDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定要安装的程序包的 ID 和版本(可选)。如果使用的是 packages.config 文件的路径(而不是 ID),则将安装该路径包含的所有程序包。. - /// - internal static string InstallCommandUsageDescription_chs { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定要安裝的封裝 ID 和版本 (選擇性)。如果使用 packages.config 檔案的路徑而非 ID,則會安裝其包含的所有封裝。. - /// - internal static string InstallCommandUsageDescription_cht { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje ID a volitelně také verzi balíčku, který se má nainstalovat. Je-li místo ID použita cesta k souboru packages.config, jsou nainstalovány všechny zde obsažené balíčky.. - /// - internal static string InstallCommandUsageDescription_csy { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Geben Sie die ID und optional die Version des zu installierenden Pakets an. Wenn ein Pfad zu einer Datei "packages.config" anstelle einer ID verwendet wird, werden alle darin enthaltenen Pakete installiert.. - /// - internal static string InstallCommandUsageDescription_deu { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especificar el id. y opcionalmente la versión del paquete que se va a instalar. Si se usa una ruta de acceso a un archivo packages.config en lugar de un id., se instalan todos los paquetes que contiene.. - /// - internal static string InstallCommandUsageDescription_esp { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifiez l'ID et, éventuellement, la version du package à installer. Si le chemin d'accès au fichier packages.config est utilisé au lieu de l'ID, tous les packages qu'il contient seront installés.. - /// - internal static string InstallCommandUsageDescription_fra { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specificare l'ID e la versione del pacchetto da installare. Se si usa un percorso a packages.config invece di un id, saranno installati tutti i pacchetti che contiene.. - /// - internal static string InstallCommandUsageDescription_ita { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to インストールするパッケージの ID と、必要に応じてバージョンを指定します。ID ではなく packages.config ファイルのパスを使用する場合、そのパスに含まれるすべてのパッケージがインストールされます。. - /// - internal static string InstallCommandUsageDescription_jpn { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 설치할 패키지의 ID 및 버전(선택적)을 지정합니다. ID 대신 packages.config 파일 경로가 사용되는 경우 이 파일에 포함된 모든 패키지가 설치됩니다.. - /// - internal static string InstallCommandUsageDescription_kor { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określ identyfikator i opcjonalnie wersję pakietu do zainstalowania. Jeśli zamiast identyfikatora zostanie użyta ścieżka do pliku packages.config, zostaną zainstalowane wszystkie pakiety zawarte w tym pliku.. - /// - internal static string InstallCommandUsageDescription_plk { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifique a ID e, opcionalmente, a versão do pacote a ser instalado. Se for usado um caminho para um arquivo packages.config em vez de uma id, todos os pacotes que ele contém serão instalados.. - /// - internal static string InstallCommandUsageDescription_ptb { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Укажите идентификатор и версию (необязательно) устанавливаемого пакета. Если вместо идентификатора используется путь к файлу packages.config, будут установлены все содержащиеся в нем пакеты.. - /// - internal static string InstallCommandUsageDescription_rus { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Yüklenecek paketin kimliğini ve isteğe bağlı olarak sürümünü belirtin. Kimlik yerine packages.config dosyasının yolu kullanılırsa, burada bulunan tüm paketler yüklenir.. - /// - internal static string InstallCommandUsageDescription_trk { - get { - return ResourceManager.GetString("InstallCommandUsageDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples { - get { - return ResourceManager.GetString("InstallCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_chs { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_cht { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_csy { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_deu { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_esp { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_fra { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_ita { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_jpn { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_kor { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_plk { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_ptb { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_rus { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget install elmah - /// - ///nuget install packages.config - /// - ///nuget install ninject -o c:\foo. - /// - internal static string InstallCommandUsageExamples_trk { - get { - return ResourceManager.GetString("InstallCommandUsageExamples_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packageId|pathToPackagesConfig [options]. - /// - internal static string InstallCommandUsageSummary { - get { - return ResourceManager.GetString("InstallCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packageId|pathToPackagesConfig [选项]. - /// - internal static string InstallCommandUsageSummary_chs { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packageId|pathToPackagesConfig [選項]. - /// - internal static string InstallCommandUsageSummary_cht { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packageId|pathToPackagesConfig [možnosti]. - /// - internal static string InstallCommandUsageSummary_csy { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to PaketID|PfadzurPaketkonfiguration [Optionen]. - /// - internal static string InstallCommandUsageSummary_deu { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packageId|pathToPackagesConfig [opciones]. - /// - internal static string InstallCommandUsageSummary_esp { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packageId|pathToPackagesConfig [options]. - /// - internal static string InstallCommandUsageSummary_fra { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packageId|pathToPackagesConfig [options]. - /// - internal static string InstallCommandUsageSummary_ita { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packageId|pathToPackagesConfig [options]. - /// - internal static string InstallCommandUsageSummary_jpn { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packageId|pathToPackagesConfig [옵션]. - /// - internal static string InstallCommandUsageSummary_kor { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to identyfikator_pakietu|ścieżka_do_PackagesConfig [opcje]. - /// - internal static string InstallCommandUsageSummary_plk { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Idpacote|CaminhoParaConfigDePacotes [opções]. - /// - internal static string InstallCommandUsageSummary_ptb { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packageId|pathToPackagesConfig [параметры]. - /// - internal static string InstallCommandUsageSummary_rus { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packageId|pathToPackagesConfig [options]. - /// - internal static string InstallCommandUsageSummary_trk { - get { - return ResourceManager.GetString("InstallCommandUsageSummary_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The version of the package to install.. - /// - internal static string InstallCommandVersionDescription { - get { - return ResourceManager.GetString("InstallCommandVersionDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 要安装的程序包的版本。. - /// - internal static string InstallCommandVersionDescription_chs { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 要安裝的封裝版本。. - /// - internal static string InstallCommandVersionDescription_cht { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Verze balíčku, který se má nainstalovat. - /// - internal static string InstallCommandVersionDescription_csy { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Version des zu installierenden Pakets.. - /// - internal static string InstallCommandVersionDescription_deu { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Versión del paquete que se va a instalar.. - /// - internal static string InstallCommandVersionDescription_esp { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Version du package à installer.. - /// - internal static string InstallCommandVersionDescription_fra { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La versione del pacchetto da installare.. - /// - internal static string InstallCommandVersionDescription_ita { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to インストールするパッケージのバージョン。. - /// - internal static string InstallCommandVersionDescription_jpn { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 설치할 패키지의 버전입니다.. - /// - internal static string InstallCommandVersionDescription_kor { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wersja pakietu do zainstalowania.. - /// - internal static string InstallCommandVersionDescription_plk { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A versão do pacote a ser instalado.. - /// - internal static string InstallCommandVersionDescription_ptb { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Версия устанавливаемого пакета.. - /// - internal static string InstallCommandVersionDescription_rus { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Yüklenecek paketin sürümü.. - /// - internal static string InstallCommandVersionDescription_trk { - get { - return ResourceManager.GetString("InstallCommandVersionDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to List all versions of a package. By default, only the latest package version is displayed.. - /// - internal static string ListCommandAllVersionsDescription { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 列出程序包的所有版本。默认情况下,只显示最新程序包版本。. - /// - internal static string ListCommandAllVersionsDescription_chs { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 列出封裝的所有版本。依預設,僅會顯示最新的封裝版本。. - /// - internal static string ListCommandAllVersionsDescription_cht { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zobrazí seznam všech verzí balíčku. Ve výchozím nastavení se zobrazí pouze nejnovější verze balíčku.. - /// - internal static string ListCommandAllVersionsDescription_csy { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Listet alle Versionen eines Pakets auf. Standardmäßig wird nur die letzte Paketversion angezeigt.. - /// - internal static string ListCommandAllVersionsDescription_deu { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Muestra todas las versiones de un paquete. De forma predeterminada, solo se muestra la versión del paquete más reciente.. - /// - internal static string ListCommandAllVersionsDescription_esp { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Répertorie toutes les versions d'un package. Seule la dernière version du package est affichée par défaut.. - /// - internal static string ListCommandAllVersionsDescription_fra { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Elencare tutte le versioni di un pacchetto. Per dafault, si visualizza solo l'ultima versione. - /// - internal static string ListCommandAllVersionsDescription_ita { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージのすべてのバージョンを表示します。既定では、最新のパッケージ バージョンのみが表示されます。. - /// - internal static string ListCommandAllVersionsDescription_jpn { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 모든 패키지 버전을 나열합니다. 기본적으로 최신 패키지 버전만 표시됩니다.. - /// - internal static string ListCommandAllVersionsDescription_kor { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Lista wszystkich wersji pakietu. Domyślnie wyświetlana jest tylko najnowsza wersja pakietu.. - /// - internal static string ListCommandAllVersionsDescription_plk { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Liste todas as versões de um pacote. Por padrão, apenas a versão mais recente do pacote é exibida.. - /// - internal static string ListCommandAllVersionsDescription_ptb { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Выводит список всех версий пакета. По умолчанию отображается только последняя версия пакета.. - /// - internal static string ListCommandAllVersionsDescription_rus { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bir paketin tüm sürümlerini listele. Varsayılan olarak yalnızca son paket sürümü görüntülenir.. - /// - internal static string ListCommandAllVersionsDescription_trk { - get { - return ResourceManager.GetString("ListCommandAllVersionsDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Displays a list of packages from a given source. If no sources are specified, all sources defined in %AppData%\NuGet\NuGet.config are used. If NuGet.config specifies no sources, uses the default NuGet feed.. - /// - internal static string ListCommandDescription { - get { - return ResourceManager.GetString("ListCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 显示给定源中的程序包列表。如果未指定源,则使用 %AppData%\NuGet\NuGet.config 中定义的所有源。如果 NuGet.config 未指定源,则使用默认 NuGet 源。. - /// - internal static string ListCommandDescription_chs { - get { - return ResourceManager.GetString("ListCommandDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 顯示給定來源的封裝清單。如果未指定來源,已使用 %AppData%\NuGet\NuGet.config 中定義的所有來源。如果 NuGet.config 並未指定來源,使用預設的 NuGet 摘要。. - /// - internal static string ListCommandDescription_cht { - get { - return ResourceManager.GetString("ListCommandDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zobrazí seznam balíčků ze zadaného zdroje. Pokud není zadán žádný zdroj, použijí se všechny zdroje definované v souboru %AppData%\NuGet\NuGet.config. Pokud soubor NuGet.config nespecifikuje žádné zdroje, použije se výchozí informační kanál NuGet.. - /// - internal static string ListCommandDescription_csy { - get { - return ResourceManager.GetString("ListCommandDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zeigt eine Liste der Pakete aus einer angegebenen Quelle an. Wenn keine Quellen angegeben werden, werden alle in "%AppData%\NuGet\NuGet.config" definierten Quellen verwendet. Wenn "NuGet.config" keine Quellen angibt, wird der NuGet-Standardfeed verwendet.. - /// - internal static string ListCommandDescription_deu { - get { - return ResourceManager.GetString("ListCommandDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Muestra una lista de paquetes de un origen especificado. Si no se especifican orígenes, se usan todos los orígenes definidos en %AppData%\NuGet\NuGet.config. Si NuGet.config no especifica ningún origen, usa la fuente NuGet predeterminada.. - /// - internal static string ListCommandDescription_esp { - get { - return ResourceManager.GetString("ListCommandDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Affiche la liste des packages d'une source donnée. Si aucune source n'est spécifiée, toutes les sources définies dans %AppData%\NuGet\NuGet.config seront utilisées. Si NuGet.config ne spécifie aucune source, il s'alimentera du flux NuGet par défaut.. - /// - internal static string ListCommandDescription_fra { - get { - return ResourceManager.GetString("ListCommandDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Visualizza un elenco pacchetti da una data fonte. Se non è specificata alcuna fonta, tutte le fonti definite in %AppData%\NuGet\NuGet.config saranno usate. Se NuGet.config non specifica fonti. Usare il feed NuGet di default.. - /// - internal static string ListCommandDescription_ita { - get { - return ResourceManager.GetString("ListCommandDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定したソースのパッケージ一覧を表示します。ソースが指定されていない場合、%AppData%\NuGet\NuGet.config に定義されているすべてのソースが使用されます。NuGet.config にソースが指定されていない場合、既定の NuGet フィードが使用されます。. - /// - internal static string ListCommandDescription_jpn { - get { - return ResourceManager.GetString("ListCommandDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 지정한 소스의 패키지 목록을 표시합니다. 소스가 지정되지 않은 경우 %AppData%\NuGet\NuGet.config에 정의된 모든 소스가 사용됩니다. NuGet.config로도 소스가 지정되지 않으면 기본 NuGet 피드가 사용됩니다.. - /// - internal static string ListCommandDescription_kor { - get { - return ResourceManager.GetString("ListCommandDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wyświetla listę pakietów z danego źródła. Jeśli nie zostaną określone żadne źródła, są używane wszystkie źródła zdefiniowane w pliku %AppData%\NuGet\NuGet.config. Jeśli w pliku NuGet.config nie określono żadnych źródeł, jest używane domyślne źródło NuGet.. - /// - internal static string ListCommandDescription_plk { - get { - return ResourceManager.GetString("ListCommandDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Exibe uma lista de pacotes de uma determinada origem. Se não houver origens especificadas, todas as origens definidas em %AppData%\NuGet\NuGet.config serão usadas. Se NuGet.config não especificar nenhuma origem, usa o feed NuGet padrão.. - /// - internal static string ListCommandDescription_ptb { - get { - return ResourceManager.GetString("ListCommandDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Отображает список пакетов из указанного источника. Если источники не указаны, используются все источники, определенные в %AppData%\NuGet\NuGet.config. Если источники не указаны в NuGet.config, используется канал NuGet по умолчанию.. - /// - internal static string ListCommandDescription_rus { - get { - return ResourceManager.GetString("ListCommandDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Belirli bir kaynaktan paket listesini görüntüler. Hiçbir kaynak belirtilmemişse, %AppData%\NuGet\NuGet.config içinde belirtilen tüm kaynaklar kullanılır. NuGet.config hiçbir kaynak belirtmiyorsa, varsayılan NuGet akışını kullanır.. - /// - internal static string ListCommandDescription_trk { - get { - return ResourceManager.GetString("ListCommandDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Allow unlisted packages to be shown.. - /// - internal static string ListCommandIncludeDelisted { - get { - return ResourceManager.GetString("ListCommandIncludeDelisted", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Allow prerelease packages to be shown.. - /// - internal static string ListCommandPrerelease { - get { - return ResourceManager.GetString("ListCommandPrerelease", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 允许显示预发布程序包。. - /// - internal static string ListCommandPrerelease_chs { - get { - return ResourceManager.GetString("ListCommandPrerelease_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 允許顯示預先發行的封裝。. - /// - internal static string ListCommandPrerelease_cht { - get { - return ResourceManager.GetString("ListCommandPrerelease_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Umožňuje zobrazit předběžné verze balíčků.. - /// - internal static string ListCommandPrerelease_csy { - get { - return ResourceManager.GetString("ListCommandPrerelease_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ermöglicht die Anzeige von Vorabversionspaketen.. - /// - internal static string ListCommandPrerelease_deu { - get { - return ResourceManager.GetString("ListCommandPrerelease_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permitir que se muestren los paquetes de versión preliminar.. - /// - internal static string ListCommandPrerelease_esp { - get { - return ResourceManager.GetString("ListCommandPrerelease_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permet l'affichage de la version préliminaire des packages.. - /// - internal static string ListCommandPrerelease_fra { - get { - return ResourceManager.GetString("ListCommandPrerelease_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permette di visualizzare i pacchetti prerelease.. - /// - internal static string ListCommandPrerelease_ita { - get { - return ResourceManager.GetString("ListCommandPrerelease_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to プレリリース パッケージの表示を許可します。. - /// - internal static string ListCommandPrerelease_jpn { - get { - return ResourceManager.GetString("ListCommandPrerelease_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 시험판 패키지를 표시하도록 허용합니다.. - /// - internal static string ListCommandPrerelease_kor { - get { - return ResourceManager.GetString("ListCommandPrerelease_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zezwala na wyświetlanie pakietów w wersji wstępnej.. - /// - internal static string ListCommandPrerelease_plk { - get { - return ResourceManager.GetString("ListCommandPrerelease_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permita que os pacotes de pré-lançamento sejam mostrados.. - /// - internal static string ListCommandPrerelease_ptb { - get { - return ResourceManager.GetString("ListCommandPrerelease_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Разрешает отображение предварительных версий пакетов.. - /// - internal static string ListCommandPrerelease_rus { - get { - return ResourceManager.GetString("ListCommandPrerelease_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Önsürüm paketlerinin gösterilmesine izin verir.. - /// - internal static string ListCommandPrerelease_trk { - get { - return ResourceManager.GetString("ListCommandPrerelease_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A list of packages sources to search.. - /// - internal static string ListCommandSourceDescription { - get { - return ResourceManager.GetString("ListCommandSourceDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 要搜索的程序包源的列表。. - /// - internal static string ListCommandSourceDescription_chs { - get { - return ResourceManager.GetString("ListCommandSourceDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 要搜尋的封裝來源清單。. - /// - internal static string ListCommandSourceDescription_cht { - get { - return ResourceManager.GetString("ListCommandSourceDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Seznam zdrojů balíčků k prohledání. - /// - internal static string ListCommandSourceDescription_csy { - get { - return ResourceManager.GetString("ListCommandSourceDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Eine Liste der zu durchsuchenden Paketquellen.. - /// - internal static string ListCommandSourceDescription_deu { - get { - return ResourceManager.GetString("ListCommandSourceDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Lista de orígenes de paquetes para buscar.. - /// - internal static string ListCommandSourceDescription_esp { - get { - return ResourceManager.GetString("ListCommandSourceDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Liste de sources de packages à rechercher.. - /// - internal static string ListCommandSourceDescription_fra { - get { - return ResourceManager.GetString("ListCommandSourceDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Un elenco di fonti pacchetti da ricercare.. - /// - internal static string ListCommandSourceDescription_ita { - get { - return ResourceManager.GetString("ListCommandSourceDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 検索するパッケージ ソースの一覧。. - /// - internal static string ListCommandSourceDescription_jpn { - get { - return ResourceManager.GetString("ListCommandSourceDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 검색할 패키지 소스의 목록입니다.. - /// - internal static string ListCommandSourceDescription_kor { - get { - return ResourceManager.GetString("ListCommandSourceDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Lista źródeł pakietów do przeszukania.. - /// - internal static string ListCommandSourceDescription_plk { - get { - return ResourceManager.GetString("ListCommandSourceDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Uma lista de origens de pacotes para pesquisar.. - /// - internal static string ListCommandSourceDescription_ptb { - get { - return ResourceManager.GetString("ListCommandSourceDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Список источников пакетов для поиска.. - /// - internal static string ListCommandSourceDescription_rus { - get { - return ResourceManager.GetString("ListCommandSourceDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aranacak paket kaynaklarının listesi.. - /// - internal static string ListCommandSourceDescription_trk { - get { - return ResourceManager.GetString("ListCommandSourceDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify optional search terms.. - /// - internal static string ListCommandUsageDescription { - get { - return ResourceManager.GetString("ListCommandUsageDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定可选的搜索词。. - /// - internal static string ListCommandUsageDescription_chs { - get { - return ResourceManager.GetString("ListCommandUsageDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定選擇性的搜尋字詞。. - /// - internal static string ListCommandUsageDescription_cht { - get { - return ResourceManager.GetString("ListCommandUsageDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zadejte volitelné hledané termíny.. - /// - internal static string ListCommandUsageDescription_csy { - get { - return ResourceManager.GetString("ListCommandUsageDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Geben Sie optionale Suchbegriffe an.. - /// - internal static string ListCommandUsageDescription_deu { - get { - return ResourceManager.GetString("ListCommandUsageDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especificar términos de búsqueda opcionales.. - /// - internal static string ListCommandUsageDescription_esp { - get { - return ResourceManager.GetString("ListCommandUsageDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifiez les termes optionnels recherchés.. - /// - internal static string ListCommandUsageDescription_fra { - get { - return ResourceManager.GetString("ListCommandUsageDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifica i termini di ricerca opzionali.. - /// - internal static string ListCommandUsageDescription_ita { - get { - return ResourceManager.GetString("ListCommandUsageDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 検索用語を指定します (省略可能)。. - /// - internal static string ListCommandUsageDescription_jpn { - get { - return ResourceManager.GetString("ListCommandUsageDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 검색어를 지정합니다(선택적).. - /// - internal static string ListCommandUsageDescription_kor { - get { - return ResourceManager.GetString("ListCommandUsageDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określ opcjonalne terminy wyszukiwania.. - /// - internal static string ListCommandUsageDescription_plk { - get { - return ResourceManager.GetString("ListCommandUsageDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especificar os termos de pesquisa opcionais.. - /// - internal static string ListCommandUsageDescription_ptb { - get { - return ResourceManager.GetString("ListCommandUsageDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Выбор дополнительныех условий поиска.. - /// - internal static string ListCommandUsageDescription_rus { - get { - return ResourceManager.GetString("ListCommandUsageDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to İsteğe bağlı arama terimlerini belirtir.. - /// - internal static string ListCommandUsageDescription_trk { - get { - return ResourceManager.GetString("ListCommandUsageDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples { - get { - return ResourceManager.GetString("ListCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_chs { - get { - return ResourceManager.GetString("ListCommandUsageExamples_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_cht { - get { - return ResourceManager.GetString("ListCommandUsageExamples_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_csy { - get { - return ResourceManager.GetString("ListCommandUsageExamples_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_deu { - get { - return ResourceManager.GetString("ListCommandUsageExamples_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_esp { - get { - return ResourceManager.GetString("ListCommandUsageExamples_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_fra { - get { - return ResourceManager.GetString("ListCommandUsageExamples_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_ita { - get { - return ResourceManager.GetString("ListCommandUsageExamples_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_jpn { - get { - return ResourceManager.GetString("ListCommandUsageExamples_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_kor { - get { - return ResourceManager.GetString("ListCommandUsageExamples_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_plk { - get { - return ResourceManager.GetString("ListCommandUsageExamples_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_ptb { - get { - return ResourceManager.GetString("ListCommandUsageExamples_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_rus { - get { - return ResourceManager.GetString("ListCommandUsageExamples_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget list - /// - ///nuget list -verbose -allversions. - /// - internal static string ListCommandUsageExamples_trk { - get { - return ResourceManager.GetString("ListCommandUsageExamples_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [search terms] [options]. - /// - internal static string ListCommandUsageSummary { - get { - return ResourceManager.GetString("ListCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [搜索词] [选项]. - /// - internal static string ListCommandUsageSummary_chs { - get { - return ResourceManager.GetString("ListCommandUsageSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 搜尋字詞] [選項]. - /// - internal static string ListCommandUsageSummary_cht { - get { - return ResourceManager.GetString("ListCommandUsageSummary_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [hledané termíny] [možnosti]. - /// - internal static string ListCommandUsageSummary_csy { - get { - return ResourceManager.GetString("ListCommandUsageSummary_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Suchbegriffe] [Optionen]. - /// - internal static string ListCommandUsageSummary_deu { - get { - return ResourceManager.GetString("ListCommandUsageSummary_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [buscar términos] [opciones]. - /// - internal static string ListCommandUsageSummary_esp { - get { - return ResourceManager.GetString("ListCommandUsageSummary_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [@@@termes recherchés] [@@@options]. - /// - internal static string ListCommandUsageSummary_fra { - get { - return ResourceManager.GetString("ListCommandUsageSummary_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [ricerca termini] [opzioni]. - /// - internal static string ListCommandUsageSummary_ita { - get { - return ResourceManager.GetString("ListCommandUsageSummary_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [search terms] [options]. - /// - internal static string ListCommandUsageSummary_jpn { - get { - return ResourceManager.GetString("ListCommandUsageSummary_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [검색어] [옵션]. - /// - internal static string ListCommandUsageSummary_kor { - get { - return ResourceManager.GetString("ListCommandUsageSummary_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [terminy wyszukiwania] [opcje]. - /// - internal static string ListCommandUsageSummary_plk { - get { - return ResourceManager.GetString("ListCommandUsageSummary_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [termos de pesquisa] [opções]. - /// - internal static string ListCommandUsageSummary_ptb { - get { - return ResourceManager.GetString("ListCommandUsageSummary_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [условия поиска] [параметры]. - /// - internal static string ListCommandUsageSummary_rus { - get { - return ResourceManager.GetString("ListCommandUsageSummary_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [arama terimleri] [seçenekler]. - /// - internal static string ListCommandUsageSummary_trk { - get { - return ResourceManager.GetString("ListCommandUsageSummary_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Displays a detailed list of information for each package.. - /// - internal static string ListCommandVerboseListDescription { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 显示每个程序包的详细信息列表。. - /// - internal static string ListCommandVerboseListDescription_chs { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 顯示為每個封裝的資訊詳細清單。. - /// - internal static string ListCommandVerboseListDescription_cht { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zobrazí podrobný seznam informací pro každý balíček.. - /// - internal static string ListCommandVerboseListDescription_csy { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zeigt eine detaillierte Liste mit Informationen zu jedem Paket an.. - /// - internal static string ListCommandVerboseListDescription_deu { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Muestra una lista detallada de información para cada paquete.. - /// - internal static string ListCommandVerboseListDescription_esp { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Affiche une liste détaillée d'informations pour chaque package.. - /// - internal static string ListCommandVerboseListDescription_fra { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Visualizza un elenco dettagliato di informazioni per ogni pacchetto.. - /// - internal static string ListCommandVerboseListDescription_ita { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 各パッケージの情報の詳細な一覧を表示します。. - /// - internal static string ListCommandVerboseListDescription_jpn { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 각 패키지에 대한 자세한 정보 목록을 표시합니다.. - /// - internal static string ListCommandVerboseListDescription_kor { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wyświetla szczegółową listę informacji dla każdego pakietu.. - /// - internal static string ListCommandVerboseListDescription_plk { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Exibe uma lista detalhada de informações para cada pacote.. - /// - internal static string ListCommandVerboseListDescription_ptb { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Отображает подробный список сведений о каждом пакете.. - /// - internal static string ListCommandVerboseListDescription_rus { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Her paket için ayrıntılı bilgi listesini görüntüler.. - /// - internal static string ListCommandVerboseListDescription_trk { - get { - return ResourceManager.GetString("ListCommandVerboseListDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Clear the selected local resources or cache location(s).. - /// - internal static string LocalsCommandClearDescription { - get { - return ResourceManager.GetString("LocalsCommandClearDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Clears or lists local NuGet resources such as http requests cache, temp cache or machine-wide global packages folder.. - /// - internal static string LocalsCommandDescription { - get { - return ResourceManager.GetString("LocalsCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget locals all -clear - /// - ///nuget locals http-cache -clear - /// - ///nuget locals temp -list - /// - ///nuget locals global-packages -list. - /// - internal static string LocalsCommandExamples { - get { - return ResourceManager.GetString("LocalsCommandExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to List the selected local resources or cache location(s).. - /// - internal static string LocalsCommandListDescription { - get { - return ResourceManager.GetString("LocalsCommandListDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <all | http-cache | global-packages | temp | plugins-cache> [-clear | -list]. - /// - internal static string LocalsCommandSummary { - get { - return ResourceManager.GetString("LocalsCommandSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The NuGet configuration file. If specified, only the settings from this file will be used. If not specified, the hierarchy of configuration files from the current directory will be used. To learn more about NuGet configuration go to https://docs.microsoft.com/en-us/nuget/consume-packages/configuring-nuget-behavior.. - /// - internal static string Option_ConfigFile { - get { - return ResourceManager.GetString("Option_ConfigFile", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 配置文件。如果未指定,则将文件 %AppData%\NuGet\NuGet.config 用作配置文件。. - /// - internal static string Option_ConfigFile_chs { - get { - return ResourceManager.GetString("Option_ConfigFile_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 設定檔。如果未指定,檔案 %AppData%\NuGet\NuGet.config 會用做設定檔。. - /// - internal static string Option_ConfigFile_cht { - get { - return ResourceManager.GetString("Option_ConfigFile_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Konfigurační soubor NuGet. Není-li zadán, je jako konfigurační soubor použit soubor %AppData%\NuGet\NuGet.config.. - /// - internal static string Option_ConfigFile_csy { - get { - return ResourceManager.GetString("Option_ConfigFile_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die NuGet-Konfigurationsdatei. Erfolgt keine Angabe, wird "%AppData%\NuGet\NuGet.config" als Konfigurationsdatei verwendet.. - /// - internal static string Option_ConfigFile_deu { - get { - return ResourceManager.GetString("Option_ConfigFile_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Archivo de configuración NuGet. Si no se especifica, el archivo %AppData%\NuGet\NuGet.config se usa como archivo de configuración.. - /// - internal static string Option_ConfigFile_esp { - get { - return ResourceManager.GetString("Option_ConfigFile_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fichier de configuration NuGet. Si aucun fichier n'est spécifié, %AppData%\NuGet\NuGet.config servira de fichier de configuration.. - /// - internal static string Option_ConfigFile_fra { - get { - return ResourceManager.GetString("Option_ConfigFile_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to File configurazione NuGet. Se non specificato, si usa il file %AppData%\NuGet\NuGet.config come file configurazione.. - /// - internal static string Option_ConfigFile_ita { - get { - return ResourceManager.GetString("Option_ConfigFile_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 構成ファイル。指定しない場合、構成ファイルとして %AppData%\NuGet\NuGet.config ファイルが使用されます。. - /// - internal static string Option_ConfigFile_jpn { - get { - return ResourceManager.GetString("Option_ConfigFile_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 구성 파일입니다. 지정되지 않은 경우 %AppData%\NuGet\NuGet.config가 구성 파일로 사용됩니다.. - /// - internal static string Option_ConfigFile_kor { - get { - return ResourceManager.GetString("Option_ConfigFile_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Plik konfiguracji NuGet. Jeśli nie zostanie określony, jako plik konfiguracji jest używany plik %AppData%\NuGet\NuGet.config.. - /// - internal static string Option_ConfigFile_plk { - get { - return ResourceManager.GetString("Option_ConfigFile_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O arquivo de configuração NuGet. Se não for especificado, o arquivo %AppData%\NuGet\NuGet.config será usado como arquivo de configuração.. - /// - internal static string Option_ConfigFile_ptb { - get { - return ResourceManager.GetString("Option_ConfigFile_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Файл конфигурации NuGet. Если не указан, в качестве файла конфигурации используется файл %AppData%\NuGet\NuGet.config.. - /// - internal static string Option_ConfigFile_rus { - get { - return ResourceManager.GetString("Option_ConfigFile_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet yapılandırma dosyası. Belirtilmemişse, %AppData%\NuGet\NuGet.config dosyası yapılandırma dosyası olarak kullanılır.. - /// - internal static string Option_ConfigFile_trk { - get { - return ResourceManager.GetString("Option_ConfigFile_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Forces the application to run using an invariant, English-based culture.. - /// - internal static string Option_ForceEnglishOutput { - get { - return ResourceManager.GetString("Option_ForceEnglishOutput", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Show command help and usage information.. - /// - internal static string Option_Help { - get { - return ResourceManager.GetString("Option_Help", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Do not prompt for user input or confirmations.. - /// - internal static string Option_NonInteractive { - get { - return ResourceManager.GetString("Option_NonInteractive", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 不提示用户进行输入或确认。. - /// - internal static string Option_NonInteractive_chs { - get { - return ResourceManager.GetString("Option_NonInteractive_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 不要提供使用者輸入或確認。. - /// - internal static string Option_NonInteractive_cht { - get { - return ResourceManager.GetString("Option_NonInteractive_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nezobrazovat výzvu pro uživatelský vstup nebo potvrzení. - /// - internal static string Option_NonInteractive_csy { - get { - return ResourceManager.GetString("Option_NonInteractive_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Keine Eingabeaufforderung für Benutzereingaben oder Bestätigungen.. - /// - internal static string Option_NonInteractive_deu { - get { - return ResourceManager.GetString("Option_NonInteractive_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No solicitar la entrada del usuario o confirmaciones.. - /// - internal static string Option_NonInteractive_esp { - get { - return ResourceManager.GetString("Option_NonInteractive_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to N'affichez pas d'invites de saisies ou de confirmations faites à l'utilisateur.. - /// - internal static string Option_NonInteractive_fra { - get { - return ResourceManager.GetString("Option_NonInteractive_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Non richiedere input o conferma dell'utente.. - /// - internal static string Option_NonInteractive_ita { - get { - return ResourceManager.GetString("Option_NonInteractive_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ユーザー入力または確認のプロンプトを表示しません。. - /// - internal static string Option_NonInteractive_jpn { - get { - return ResourceManager.GetString("Option_NonInteractive_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 사용자 입력 또는 확인 시 메시지를 표시하지 않습니다.. - /// - internal static string Option_NonInteractive_kor { - get { - return ResourceManager.GetString("Option_NonInteractive_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bez monitów o dane wejściowe użytkownika i potwierdzenia.. - /// - internal static string Option_NonInteractive_plk { - get { - return ResourceManager.GetString("Option_NonInteractive_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to . - /// - internal static string Option_NonInteractive_ptb { - get { - return ResourceManager.GetString("Option_NonInteractive_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Отключение запросов ввода или подтверждения пользователя.. - /// - internal static string Option_NonInteractive_rus { - get { - return ResourceManager.GetString("Option_NonInteractive_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Kullanıcı girişi veya onayları istenmez.. - /// - internal static string Option_NonInteractive_trk { - get { - return ResourceManager.GetString("Option_NonInteractive_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Display this amount of details in the output: normal, quiet, detailed.. - /// - internal static string Option_Verbosity { - get { - return ResourceManager.GetString("Option_Verbosity", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 在输出中显示以下数量的详细信息: normal、quiet、detailed。. - /// - internal static string Option_Verbosity_chs { - get { - return ResourceManager.GetString("Option_Verbosity_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 在輸出中顯示詳細資料的數量: normal, quiet, detailed.. - /// - internal static string Option_Verbosity_cht { - get { - return ResourceManager.GetString("Option_Verbosity_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zobrazí odpovídající úroveň informací ve výstupu: normal, quiet, detailed.. - /// - internal static string Option_Verbosity_csy { - get { - return ResourceManager.GetString("Option_Verbosity_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Diesen Detailgrad in der Ausgabe anzeigen: "normal", "quiet", "detailed".. - /// - internal static string Option_Verbosity_deu { - get { - return ResourceManager.GetString("Option_Verbosity_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mostrar esta cantidad de detalles en la salida: normal, quiet, detailed.. - /// - internal static string Option_Verbosity_esp { - get { - return ResourceManager.GetString("Option_Verbosity_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Niveau de détail du résultat affiché : normal, quiet, detailed.. - /// - internal static string Option_Verbosity_fra { - get { - return ResourceManager.GetString("Option_Verbosity_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Visualizza i dettagli nell'outputt: normal, quiet, detailed.. - /// - internal static string Option_Verbosity_ita { - get { - return ResourceManager.GetString("Option_Verbosity_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 出力に表示する詳細情報の量:normal、quiet、detailed。. - /// - internal static string Option_Verbosity_jpn { - get { - return ResourceManager.GetString("Option_Verbosity_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 출력에 사용되는 세부 정보의 양을 표시합니다(normal, quiet, detailed).. - /// - internal static string Option_Verbosity_kor { - get { - return ResourceManager.GetString("Option_Verbosity_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wyświetlaj taki poziom szczegółów w danych wyjściowych: normal, quiet, detailed.. - /// - internal static string Option_Verbosity_plk { - get { - return ResourceManager.GetString("Option_Verbosity_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Exibir essa quantidade de detalhes na saída: normal, quiet, detailed.. - /// - internal static string Option_Verbosity_ptb { - get { - return ResourceManager.GetString("Option_Verbosity_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Отображение следующего уровня подробности при выводе: normal, quiet, detailed.. - /// - internal static string Option_Verbosity_rus { - get { - return ResourceManager.GetString("Option_Verbosity_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Çıktıdaki ayrıntı miktarı buna göre belirlenir: normal, quiet, detailed.. - /// - internal static string Option_Verbosity_trk { - get { - return ResourceManager.GetString("Option_Verbosity_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The base path of the files defined in the nuspec file.. - /// - internal static string PackageCommandBasePathDescription { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuspec 文件中定义的文件的基本路径。. - /// - internal static string PackageCommandBasePathDescription_chs { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuspec 檔案中定義檔案基本路徑。. - /// - internal static string PackageCommandBasePathDescription_cht { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Základní cesta souborů definovaná v souboru nuspec. - /// - internal static string PackageCommandBasePathDescription_csy { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Basispfad der in der nuspec-Datei definierten Dateien.. - /// - internal static string PackageCommandBasePathDescription_deu { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La ruta de acceso base de los archivos definida en el archivo nuspec.. - /// - internal static string PackageCommandBasePathDescription_esp { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Chemins d'accès de base aux fichiers définis dans le fichier .nuspec.. - /// - internal static string PackageCommandBasePathDescription_fra { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Il percorso base dei file definito nel file nuspec.. - /// - internal static string PackageCommandBasePathDescription_ita { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuspec ファイルに定義されているファイルの基本パス。. - /// - internal static string PackageCommandBasePathDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuspec 파일에 정의된 파일의 기본 경로입니다.. - /// - internal static string PackageCommandBasePathDescription_kor { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ścieżka podstawowa plików zdefiniowanych w pliku nuspec.. - /// - internal static string PackageCommandBasePathDescription_plk { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O caminho base dos arquivos definidos no arquivo nuspec.. - /// - internal static string PackageCommandBasePathDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Базовый путь к файлам, определенным в NUSPEC-файле.. - /// - internal static string PackageCommandBasePathDescription_rus { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nuspec dosyasında tanımlanan dosyaların taban yolu.. - /// - internal static string PackageCommandBasePathDescription_trk { - get { - return ResourceManager.GetString("PackageCommandBasePathDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determines if the project should be built before building the package.. - /// - internal static string PackageCommandBuildDescription { - get { - return ResourceManager.GetString("PackageCommandBuildDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 确定是否应在生成程序包之前生成项目。. - /// - internal static string PackageCommandBuildDescription_chs { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 判斷是否要在建置封裝之前建置專案。. - /// - internal static string PackageCommandBuildDescription_cht { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje, zda projekt má být sestaven před sestavením balíčku.. - /// - internal static string PackageCommandBuildDescription_csy { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ermittelt, ob das Projekt vor dem Erstellen des Pakets erstellt werden soll.. - /// - internal static string PackageCommandBuildDescription_deu { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determina si se debería compilar el proyecto antes de la compilación del paquete.. - /// - internal static string PackageCommandBuildDescription_esp { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Détermine si le projet doit être créé avant la création du package.. - /// - internal static string PackageCommandBuildDescription_fra { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determina se il progetto sarà creatp prima del pacchetto.. - /// - internal static string PackageCommandBuildDescription_ita { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージのビルド前に、プロジェクトのビルドが必要かどうかを決定します。. - /// - internal static string PackageCommandBuildDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지를 빌드하기 전에 프로젝트를 빌드해야 하는지 확인합니다.. - /// - internal static string PackageCommandBuildDescription_kor { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa, czy przed kompilacją pakietu trzeba skompilować projekt.. - /// - internal static string PackageCommandBuildDescription_plk { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determina se o projeto deve ser construído antes de construir o pacote.. - /// - internal static string PackageCommandBuildDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Определяет, следует ли выполнить сборку проекта перед сборкой пакета.. - /// - internal static string PackageCommandBuildDescription_rus { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Projenin paketten önce oluşturulması gerekip gerekmediğini belirler.. - /// - internal static string PackageCommandBuildDescription_trk { - get { - return ResourceManager.GetString("PackageCommandBuildDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify the configuration file for the pack command.. - /// - internal static string PackageCommandConfigFile { - get { - return ResourceManager.GetString("PackageCommandConfigFile", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Creates a NuGet package based on the specified nuspec or project file.. - /// - internal static string PackageCommandDescription { - get { - return ResourceManager.GetString("PackageCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 基于指定的 nuspec 或项目文件创建 NuGet 程序包。. - /// - internal static string PackageCommandDescription_chs { - get { - return ResourceManager.GetString("PackageCommandDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 依指定的 nuspec 或專案檔建立 NuGet 封裝。. - /// - internal static string PackageCommandDescription_cht { - get { - return ResourceManager.GetString("PackageCommandDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Vytvoří balíček NuGet na základě zadaného souboru nuspec nebo souboru projektu.. - /// - internal static string PackageCommandDescription_csy { - get { - return ResourceManager.GetString("PackageCommandDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Erstellt ein NuGet-Paket basierend auf der angegebenen nuspec- oder Projektdatei.. - /// - internal static string PackageCommandDescription_deu { - get { - return ResourceManager.GetString("PackageCommandDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Crea un paquete NuGet basado en el archivo de proyecto o el nuspec especificado.. - /// - internal static string PackageCommandDescription_esp { - get { - return ResourceManager.GetString("PackageCommandDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Crée un package NuGet en fonction du fichier .nuspec ou projet spécifié.. - /// - internal static string PackageCommandDescription_fra { - get { - return ResourceManager.GetString("PackageCommandDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Crea un pacchetto NuGet in base al file progetto o nuspec specificato.. - /// - internal static string PackageCommandDescription_ita { - get { - return ResourceManager.GetString("PackageCommandDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定された nuspec または project ファイルに基づいて、NuGet パッケージを作成します。. - /// - internal static string PackageCommandDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 지정된 nuspec 또는 프로젝트 파일을 기반으로 NuGet 패키지를 만듭니다.. - /// - internal static string PackageCommandDescription_kor { - get { - return ResourceManager.GetString("PackageCommandDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tworzy pakiet NuGet na podstawie określonego pliku nuspec lub pliku projektu.. - /// - internal static string PackageCommandDescription_plk { - get { - return ResourceManager.GetString("PackageCommandDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Cria um pacote NuGet com base no nuspec especificado ou no arquivo de projeto.. - /// - internal static string PackageCommandDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Создает пакет NuGet при помощи указанного NUSPEC-файла или файла проекта.. - /// - internal static string PackageCommandDescription_rus { - get { - return ResourceManager.GetString("PackageCommandDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Belirtilen nuspec veya proje dosyasını temel alarak NuGet paketi oluşturur.. - /// - internal static string PackageCommandDescription_trk { - get { - return ResourceManager.GetString("PackageCommandDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify if the command should create a deterministic package. Multiple invocations of the pack command will create the exact same package.. - /// - internal static string PackageCommandDeterministic { - get { - return ResourceManager.GetString("PackageCommandDeterministic", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifies one or more wildcard patterns to exclude when creating a package.. - /// - internal static string PackageCommandExcludeDescription { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定创建程序包时要排除的一个或多个通配符模式。. - /// - internal static string PackageCommandExcludeDescription_chs { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定建立封裝時要排除的一或多個萬用字元模式。. - /// - internal static string PackageCommandExcludeDescription_cht { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje jeden nebo více vzorů zástupných znaků pro vyloučení při vytváření balíčku.. - /// - internal static string PackageCommandExcludeDescription_csy { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Gibt mindestens ein Platzhaltermuster ein, das beim Erstellen eines Pakets ausgeschlossen werden soll.. - /// - internal static string PackageCommandExcludeDescription_deu { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica uno o más patrones de caracteres comodín que se deben excluir al crear un paquete.. - /// - internal static string PackageCommandExcludeDescription_esp { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifie un ou plusieurs modèles à caractère générique à exclure lors de la création du package.. - /// - internal static string PackageCommandExcludeDescription_fra { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifica uno o più pattern wildcard da escludere nella creazione di un pacchetto.. - /// - internal static string PackageCommandExcludeDescription_ita { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージの作成時に除外するには、1 つまたは複数のワイルドカード パターンを指定します。. - /// - internal static string PackageCommandExcludeDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지를 만들 때 제외할 와일드카드 패턴을 하나 이상 지정합니다.. - /// - internal static string PackageCommandExcludeDescription_kor { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa jeden lub więcej wzorców symboli wieloznacznych, które mają zostać wykluczone podczas tworzenia pakietu.. - /// - internal static string PackageCommandExcludeDescription_plk { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica um ou mais padrões curinga a excluir ao criar um pacote.. - /// - internal static string PackageCommandExcludeDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Указывает один или несколько шаблонов подстановочных знаков, исключаемых при создании пакета.. - /// - internal static string PackageCommandExcludeDescription_rus { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket oluşturulurken hariç tutulacak bir veya daha fazla joker karakter desenini belirtir.. - /// - internal static string PackageCommandExcludeDescription_trk { - get { - return ResourceManager.GetString("PackageCommandExcludeDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Prevent inclusion of empty directories when building the package.. - /// - internal static string PackageCommandExcludeEmptyDirectories { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 防止在生成程序包时包含空目录。. - /// - internal static string PackageCommandExcludeEmptyDirectories_chs { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 建置封裝時不包含空目錄。. - /// - internal static string PackageCommandExcludeEmptyDirectories_cht { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zabrání zahrnutí prázdných adresářů při sestavování balíčku.. - /// - internal static string PackageCommandExcludeEmptyDirectories_csy { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Den Einschluss leerer Verzeichnisse beim Erstellen des Pakets verhindern.. - /// - internal static string PackageCommandExcludeEmptyDirectories_deu { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impedir la inclusión de directorios vacíos al compilar el paquete.. - /// - internal static string PackageCommandExcludeEmptyDirectories_esp { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Empêche l'inclusion de répertoires vides lors de la création du package.. - /// - internal static string PackageCommandExcludeEmptyDirectories_fra { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Evita l'inclusione di directory vuote nella costruzione di un pacchetto.. - /// - internal static string PackageCommandExcludeEmptyDirectories_ita { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージのビルド時には、空のディレクトリを含めないでください。. - /// - internal static string PackageCommandExcludeEmptyDirectories_jpn { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지 빌드 시 빈 디렉터리를 포함하지 않도록 합니다.. - /// - internal static string PackageCommandExcludeEmptyDirectories_kor { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zapobiega dołączaniu pustych katalogów podczas kompilowania pakietu.. - /// - internal static string PackageCommandExcludeEmptyDirectories_plk { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Evite a inclusão de diretórios vazios durante a construção do pacote.. - /// - internal static string PackageCommandExcludeEmptyDirectories_ptb { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Предотвращает добавление пустых каталогов при выполнении сборки пакета.. - /// - internal static string PackageCommandExcludeEmptyDirectories_rus { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket oluşturulurken boş dizinlerin eklenmesini önle.. - /// - internal static string PackageCommandExcludeEmptyDirectories_trk { - get { - return ResourceManager.GetString("PackageCommandExcludeEmptyDirectories_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Include referenced projects either as dependencies or as part of the package.. - /// - internal static string PackageCommandIncludeReferencedProjects { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 包括作为依赖项或作为程序包的一部分的引用项目。. - /// - internal static string PackageCommandIncludeReferencedProjects_chs { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 包含做為相依項或部份封裝的已參照專案。. - /// - internal static string PackageCommandIncludeReferencedProjects_cht { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zahrne odkazované projekty jako závislosti nebo jako součást balíčku.. - /// - internal static string PackageCommandIncludeReferencedProjects_csy { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Projekte, auf die verwiesen wird, als Abhängigkeiten oder Teil des Pakets einschließen.. - /// - internal static string PackageCommandIncludeReferencedProjects_deu { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Incluir proyectos a los que se hace referencia como dependencias o parte del paquete.. - /// - internal static string PackageCommandIncludeReferencedProjects_esp { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Incluez des projets référencés, soit comme dépendances, soit comme éléments du package.. - /// - internal static string PackageCommandIncludeReferencedProjects_fra { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Include i progetti di riferimento come dipendenze o parte del pacchetto.. - /// - internal static string PackageCommandIncludeReferencedProjects_ita { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 依存関係またはパッケージの一部として、参照されているプロジェクトを含めてください。. - /// - internal static string PackageCommandIncludeReferencedProjects_jpn { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 참조된 프로젝트를 종속성 또는 패키지의 일부로 포함합니다.. - /// - internal static string PackageCommandIncludeReferencedProjects_kor { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Uwzględnij przywoływane projekty jako zależności lub jako części pakietu.. - /// - internal static string PackageCommandIncludeReferencedProjects_plk { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Inclua projetos referenciados como dependências ou como parte do pacote.. - /// - internal static string PackageCommandIncludeReferencedProjects_ptb { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Добавляет указанные по ссылкам проекты в качестве зависимостей или части проекта.. - /// - internal static string PackageCommandIncludeReferencedProjects_rus { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Başvurulan projeleri bağımlılık veya paketin bir parçası olarak dahil et.. - /// - internal static string PackageCommandIncludeReferencedProjects_trk { - get { - return ResourceManager.GetString("PackageCommandIncludeReferencedProjects_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify if the command should prepare the package output directory to support share as feed.. - /// - internal static string PackageCommandInstallPackageToOutputPath { - get { - return ResourceManager.GetString("PackageCommandInstallPackageToOutputPath", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Set the minClientVersion attribute for the created package.. - /// - internal static string PackageCommandMinClientVersion { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 设置创建的程序包的 minClientVersion 属性。. - /// - internal static string PackageCommandMinClientVersion_chs { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 為已建立的封裝設定 minClientVersion 屬性。. - /// - internal static string PackageCommandMinClientVersion_cht { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nastaví atribut minClientVersion pro vytvořený balíček.. - /// - internal static string PackageCommandMinClientVersion_csy { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Legen Sie das Attribut "minClientVersion" für das erstellte Paket fest.. - /// - internal static string PackageCommandMinClientVersion_deu { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Establecer el atributo minClientVersion para el paquete creado.. - /// - internal static string PackageCommandMinClientVersion_esp { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Définissez l'attribut minClientVersion du package créé.. - /// - internal static string PackageCommandMinClientVersion_fra { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Imposta l'attributo minClientVersion per il pacchetto creato.. - /// - internal static string PackageCommandMinClientVersion_ita { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 作成されるパッケージの minClientVersion 属性を設定してください。. - /// - internal static string PackageCommandMinClientVersion_jpn { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 만든 패키지에 대해 minClientVersion 특성을 설정합니다.. - /// - internal static string PackageCommandMinClientVersion_kor { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ustaw atrybut minClientVersion dla utworzonego pakietu.. - /// - internal static string PackageCommandMinClientVersion_plk { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Defina o atributo minClientVersion para o pacote criado.. - /// - internal static string PackageCommandMinClientVersion_ptb { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Настройка атрибута minClientVersion для созданного пакета.. - /// - internal static string PackageCommandMinClientVersion_rus { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Oluşturulan paket için minClientVersion özniteliğini ayarla.. - /// - internal static string PackageCommandMinClientVersion_trk { - get { - return ResourceManager.GetString("PackageCommandMinClientVersion_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Prevent default exclusion of NuGet package files and files and folders starting with a dot e.g. .svn.. - /// - internal static string PackageCommandNoDefaultExcludes { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 防止默认排除 NuGet 程序包文件以及以点开头的文件和文件夹(例如 .svn)。. - /// - internal static string PackageCommandNoDefaultExcludes_chs { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 防止預設執行以小數點開頭的 NuGet 封裝檔案和資料夾,例如 .svn。. - /// - internal static string PackageCommandNoDefaultExcludes_cht { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zabrání výchozímu vyloučení souborů balíčku NuGet a souborů a složek, jejichž název začíná tečkou, např. .svn.. - /// - internal static string PackageCommandNoDefaultExcludes_csy { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Den Standardausschluss von NuGet-Paketdateien und Dateien und Ordnern verhindern, die mit einem Punkt beginnen, z. B. ".svn".. - /// - internal static string PackageCommandNoDefaultExcludes_deu { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impedir la exclusión predeterminada de los archivos del proyecto NuGet y los archivos y carpetas que empiecen con un punto, por ej. .svn.. - /// - internal static string PackageCommandNoDefaultExcludes_esp { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Empêchez l'exclusion par défaut des fichiers du package NuGet et des fichiers et dossiers dont le nom commence par un point (.svn par exemple).. - /// - internal static string PackageCommandNoDefaultExcludes_fra { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Evita l'esclusione per default di NuGet e file e cartelle a partire da dot e.g. .svn.. - /// - internal static string PackageCommandNoDefaultExcludes_ita { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet パッケージ ファイルと、ドットで始まるファイルやフォルダー (.svn など) は、既定の除外に指定しないでください。. - /// - internal static string PackageCommandNoDefaultExcludes_jpn { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 점으로 시작하는 NuGet 패키지 파일 및 파일과 폴더가 기본적으로 제외되지 않도록 합니다(예: .svn).. - /// - internal static string PackageCommandNoDefaultExcludes_kor { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zapobiega domyślnemu wykluczeniu plików pakietów NuGet i plików oraz folderów, których nazwy zaczynają się kropką, np. .svn.. - /// - internal static string PackageCommandNoDefaultExcludes_plk { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Evite a exclusão padrão de arquivos de pacotes NuGet e arquivos e pastas começando com um ponto, por exemplo .svn.. - /// - internal static string PackageCommandNoDefaultExcludes_ptb { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Предотвращение используемого по умолчанию исключения файлов и папок пакета NuGet, начинающихся с точки, например ".svn".. - /// - internal static string PackageCommandNoDefaultExcludes_rus { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet paket dosyalarının ve nokta ile başlayan .svn gibi dosya ve klasörlerin varsayılan olarak hariç tutulmasını önle.. - /// - internal static string PackageCommandNoDefaultExcludes_trk { - get { - return ResourceManager.GetString("PackageCommandNoDefaultExcludes_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify if the command should not run package analysis after building the package.. - /// - internal static string PackageCommandNoRunAnalysis { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定命令在生成程序包后,是否不应运行程序包分析。. - /// - internal static string PackageCommandNoRunAnalysis_chs { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定命令是否不應該在建置封裝之後執行封裝分析。. - /// - internal static string PackageCommandNoRunAnalysis_cht { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje, zda příkaz nemá po sestavení balíčku spustit jeho analýzu.. - /// - internal static string PackageCommandNoRunAnalysis_csy { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Geben Sie an, ob der Befehl keine Paketanalyse nach dem Erstellen des Pakets ausführen soll.. - /// - internal static string PackageCommandNoRunAnalysis_deu { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especificar si el comando no debe ejecutar el análisis del paquete antes de compilar el paquete.. - /// - internal static string PackageCommandNoRunAnalysis_esp { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifiez si la commande ne doit pas exécuter une analyse du package après la création de celui-ci.. - /// - internal static string PackageCommandNoRunAnalysis_fra { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specificare se il comando non deve eseguire l'analisi del pacchetto dopo la creazione.. - /// - internal static string PackageCommandNoRunAnalysis_ita { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージのビルド後に、コマンドでパッケージの分析を実行しないかどうかを指定します。. - /// - internal static string PackageCommandNoRunAnalysis_jpn { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지 빌드 후 명령이 패키지 분석을 실행해야 하는지 여부를 지정합니다.. - /// - internal static string PackageCommandNoRunAnalysis_kor { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określ, czy polecenie nie powinno uruchamiać analizy pakietu po kompilacji pakietu.. - /// - internal static string PackageCommandNoRunAnalysis_plk { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifique se o comando não deve executar a análise do pacote depois de construir o pacote.. - /// - internal static string PackageCommandNoRunAnalysis_ptb { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Указывает, следует ли команде запустить анализ пакета после его сборки.. - /// - internal static string PackageCommandNoRunAnalysis_rus { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Komutun paket oluşturulduktan sonra paket analizini çalıştırması gerekip gerekmediğini belirtin.. - /// - internal static string PackageCommandNoRunAnalysis_trk { - get { - return ResourceManager.GetString("PackageCommandNoRunAnalysis_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifies the directory for the created NuGet package file. If not specified, uses the current directory.. - /// - internal static string PackageCommandOutputDirDescription { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 为创建的 NuGet 程序包文件指定目录。如果未指定,则使用当前目录。. - /// - internal static string PackageCommandOutputDirDescription_chs { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定已建立的 NuGet package 檔案的目錄。若未指定,請使用目前的目錄。. - /// - internal static string PackageCommandOutputDirDescription_cht { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje adresář pro vytvořený soubor balíčku NuGet. Není-li zadán, použije se aktuální adresář.. - /// - internal static string PackageCommandOutputDirDescription_csy { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Gibt das Verzeichnis für die erstellte NuGet-Paketdatei an. Erfolgt keine Angabe, wird das aktuelle Verzeichnis verwendet.. - /// - internal static string PackageCommandOutputDirDescription_deu { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica el directorio para el archivo del paquete NuGet creado. Si no se especifica, usa el directorio actual.. - /// - internal static string PackageCommandOutputDirDescription_esp { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifie le répertoire du fichier du package NuGet créé. S'il n'est pas spécifié, le répertoire actuel sera utilisé.. - /// - internal static string PackageCommandOutputDirDescription_fra { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifica la directory per il file NuGet creato. Se non specificato, usare la directory attuale.. - /// - internal static string PackageCommandOutputDirDescription_ita { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 作成される NuGet パッケージ ファイルのディレクトリを指定します。指定しない場合、現在のディレクトリが使用されます。. - /// - internal static string PackageCommandOutputDirDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 만든 NuGet 패키지 파일의 디렉터리를 지정합니다. 지정되지 않은 경우 현재 디렉터리를 사용합니다.. - /// - internal static string PackageCommandOutputDirDescription_kor { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa katalog dla utworzonego pliku pakietu NuGet. Jeśli nie zostanie on określony, jest używany katalog bieżący.. - /// - internal static string PackageCommandOutputDirDescription_plk { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica o diretório para o arquivo do pacote NuGet criado. Se não for especificado, usa o diretório atual.. - /// - internal static string PackageCommandOutputDirDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Указывает каталог для созданного файла пакета NuGet. Если не указан, используется текущий каталог.. - /// - internal static string PackageCommandOutputDirDescription_rus { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Oluşturulan NuGet paket dosyasının dizinini belirtir. Belirtilmemişse, geçerli dizin kullanılır.. - /// - internal static string PackageCommandOutputDirDescription_trk { - get { - return ResourceManager.GetString("PackageCommandOutputDirDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify if the command should prepare the package output name without the version.. - /// - internal static string PackageCommandOutputFileNamesWithoutVersion { - get { - return ResourceManager.GetString("PackageCommandOutputFileNamesWithoutVersion", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifies the packages folder.. - /// - internal static string PackageCommandPackagesDirectory { - get { - return ResourceManager.GetString("PackageCommandPackagesDirectory", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Provides the ability to specify a semicolon ";" delimited list of properties when creating a package.. - /// - internal static string PackageCommandPropertiesDescription { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 在创建程序包时,可以指定以分号 ";" 分隔的属性列表。. - /// - internal static string PackageCommandPropertiesDescription_chs { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 建立封裝時,提供可指定屬性分號 ";" 分隔清單的功能。. - /// - internal static string PackageCommandPropertiesDescription_cht { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Poskytuje možnost zadat při vytváření balíčku seznam vlastností oddělených středníkem (;).. - /// - internal static string PackageCommandPropertiesDescription_csy { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Stellt die Möglichkeit zur Verfügung, eine durch Semikolons (";") getrennte Liste der Eigenschaften beim Erstellen eines Pakets anzugeben.. - /// - internal static string PackageCommandPropertiesDescription_deu { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Proporciona la capacidad de especificar una lista de propiedades delimitada con un punto y coma ";" al crear un paquete.. - /// - internal static string PackageCommandPropertiesDescription_esp { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permet de spécifier une liste des propriétés, délimitée par des points-virgules « ; », lors de la création du package.. - /// - internal static string PackageCommandPropertiesDescription_fra { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fornisce l'abilità di specificare un ";" una lista delimitata di proprietà nella creazione di un pacchetto.. - /// - internal static string PackageCommandPropertiesDescription_ita { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージの作成時に、セミコロン (";") 区切りのプロパティ一覧を指定することができます。. - /// - internal static string PackageCommandPropertiesDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지를 만들 때 세미콜론(";")으로 구분된 속성 목록을 지정할 수 있는 기능을 제공합니다.. - /// - internal static string PackageCommandPropertiesDescription_kor { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zapewnia możliwość określenia listy właściwości rozdzielonych średnikami „;” podczas tworzenia pakietu.. - /// - internal static string PackageCommandPropertiesDescription_plk { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fornece a capacidade para especificar uma lista delimitada de propriedades com ponto e vírgula ";" ao criar um pacote.. - /// - internal static string PackageCommandPropertiesDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Дает возможность указать список свойств, разделенных точкой с запятой (;), при создании пакета.. - /// - internal static string PackageCommandPropertiesDescription_rus { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket oluşturulurken, özelliklerin noktalı virgülle ";" ayrılmış listesinin belirtilebilmesini sağlar.. - /// - internal static string PackageCommandPropertiesDescription_trk { - get { - return ResourceManager.GetString("PackageCommandPropertiesDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifies the solution directory.. - /// - internal static string PackageCommandSolutionDirectory { - get { - return ResourceManager.GetString("PackageCommandSolutionDirectory", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Appends a pre-release suffix to the internally generated version number.. - /// - internal static string PackageCommandSuffixDescription { - get { - return ResourceManager.GetString("PackageCommandSuffixDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to When creating a symbols package, allows to choose between the 'snupkg' and 'symbols.nupkg' format.. - /// - internal static string PackageCommandSymbolPackageFormat { - get { - return ResourceManager.GetString("PackageCommandSymbolPackageFormat", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determines if a package containing sources and symbols should be created. When specified with a nuspec, creates a regular NuGet package file and the corresponding symbols package.. - /// - internal static string PackageCommandSymbolsDescription { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 确定是否应创建包含源和符号的程序包。当使用 nuspec 指定时,创建常规 NuGet 程序包文件和相应的符号程序包。. - /// - internal static string PackageCommandSymbolsDescription_chs { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 判斷是否應該建立包含來源和符號的封裝。以 nuspec 指定時,建立一班 NuGet 封裝檔以及相對應的符號封裝。. - /// - internal static string PackageCommandSymbolsDescription_cht { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje, zda by měl být vytvořen balíček obsahující zdroje a symboly. Při zadání pomocí souboru nuspec vytvoří běžný soubor balíčku NuGet a odpovídající balíček symbolů.. - /// - internal static string PackageCommandSymbolsDescription_csy { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Legt fest, ob ein Paket erstellt werden soll, das Quellen und Symbole enthält. Wenn die Angabe mit einer nuspec-Datei erfolgt, werden eine reguläre NuGet-Paketdatei und das zugehörige Symbolpaket erstellt.. - /// - internal static string PackageCommandSymbolsDescription_deu { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determina si se debe crear un paquete que contiene orígenes y símbolos. Cuando se especifica con un nuspec, se crea un archivo de proyecto NuGet regular y el paquete de símbolos correspondiente.. - /// - internal static string PackageCommandSymbolsDescription_esp { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Détermine si un package contenant sources et symboles doit être créé. Lorsqu'il est spécifié avec un nuspec, il crée un fichier de package NuGet normal et le package de symboles correspondant.. - /// - internal static string PackageCommandSymbolsDescription_fra { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determina se il pacchetto contiene fonti e simboli da creare. Quando specificato con nuspec, creare un file NuGet e il corrispondente pacchetto di simboli.. - /// - internal static string PackageCommandSymbolsDescription_ita { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ソースとシンボルを含むパッケージを作成する必要があるかどうかを決定します。nuspec と共に使用すると、通常の NuGet パッケージ ファイルと対応するシンボル パッケージが作成されます。. - /// - internal static string PackageCommandSymbolsDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 소스 및 기호가 포함된 패키지를 만들어야 하는지 여부를 결정합니다. nuspec으로 지정된 경우 일반 NuGet 패키지 파일 및 해당 기호 패키지를 만듭니다.. - /// - internal static string PackageCommandSymbolsDescription_kor { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa, czy powinien zostać utworzony pakiet zawierający źródła i symbole. W przypadku określenia za pomocą pliku nuspec jest tworzony normalny plik pakietu NuGet i odpowiadający mu pakiet symboli.. - /// - internal static string PackageCommandSymbolsDescription_plk { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determina se um pacote contendo origens e símbolos deve ser criado. Quando especificado com um nuspec, cria um arquivo de pacote NuGet comum e o pacote de símbolos correspondente.. - /// - internal static string PackageCommandSymbolsDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Определяет, следует ли создать пакет, содержащий источники и символы. Если задан посредством NUSPEC-файла, создает обычный файл пакета NuGet и соответствующий пакет символов.. - /// - internal static string PackageCommandSymbolsDescription_rus { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Kaynakları ve simgeleri içeren bir paket oluşturulması gerekip gerekmediğini belirler. Bir nuspec ile belirtildiğinde, normal NuGet paket dosyasını ve ilgili simge paketini oluşturur.. - /// - internal static string PackageCommandSymbolsDescription_trk { - get { - return ResourceManager.GetString("PackageCommandSymbolsDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determines if the output files of the project should be in the tool folder. . - /// - internal static string PackageCommandToolDescription { - get { - return ResourceManager.GetString("PackageCommandToolDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 确定项目的输出文件是否应在工具文件夹中。. - /// - internal static string PackageCommandToolDescription_chs { - get { - return ResourceManager.GetString("PackageCommandToolDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 判斷專案的輸出檔是否應該放在工具資料夾中。. - /// - internal static string PackageCommandToolDescription_cht { - get { - return ResourceManager.GetString("PackageCommandToolDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje, zda výstupní soubory projektu mají být uloženy ve složce nástrojů. . - /// - internal static string PackageCommandToolDescription_csy { - get { - return ResourceManager.GetString("PackageCommandToolDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Legt fest, ob sich die Ausgabedateien des Projekts im Ordner "tool" befinden sollen. . - /// - internal static string PackageCommandToolDescription_deu { - get { - return ResourceManager.GetString("PackageCommandToolDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determina si los archivos de salida del proyecto deben estar en la carpeta de herramientas.. - /// - internal static string PackageCommandToolDescription_esp { - get { - return ResourceManager.GetString("PackageCommandToolDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Détermine si les fichiers de sortie du projet doivent se trouver dans le dossier de l'outil. . - /// - internal static string PackageCommandToolDescription_fra { - get { - return ResourceManager.GetString("PackageCommandToolDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determina se il file d'uscita del progetto deve trovarsi nella cartella strumenti.. - /// - internal static string PackageCommandToolDescription_ita { - get { - return ResourceManager.GetString("PackageCommandToolDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to プロジェクトの出力ファイルをツール フォルダーにする必要があるかどうかを決定します。. - /// - internal static string PackageCommandToolDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandToolDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 프로젝트의 출력 파일이 도구 폴더에 있어야 하는지 여부를 결정합니다. . - /// - internal static string PackageCommandToolDescription_kor { - get { - return ResourceManager.GetString("PackageCommandToolDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa, czy pliki wyjściowe projektu powinny znajdować się z folderze narzędzi. . - /// - internal static string PackageCommandToolDescription_plk { - get { - return ResourceManager.GetString("PackageCommandToolDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Determina se os arquivos de saída do projeto devem estar na pasta da ferramenta.. - /// - internal static string PackageCommandToolDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandToolDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Определяет, должны ли выходные файлы проекта находиться в папке средства. . - /// - internal static string PackageCommandToolDescription_rus { - get { - return ResourceManager.GetString("PackageCommandToolDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Projenin çıktı dosyalarının araç klasöründe olması gerekip gerekmediğini belirler.. - /// - internal static string PackageCommandToolDescription_trk { - get { - return ResourceManager.GetString("PackageCommandToolDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify the location of the nuspec or project file to create a package.. - /// - internal static string PackageCommandUsageDescription { - get { - return ResourceManager.GetString("PackageCommandUsageDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定用于创建程序包的 nuspec 或项目文件的位置。. - /// - internal static string PackageCommandUsageDescription_chs { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定 nuspec 位置或專案檔以建立封裝。. - /// - internal static string PackageCommandUsageDescription_cht { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje umístění souboru nuspec nebo souboru projektu pro vytvoření balíčku.. - /// - internal static string PackageCommandUsageDescription_csy { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Geben Sie den Speicherort der nuspec- oder Projektdatei an, um ein Paket zu erstellen.. - /// - internal static string PackageCommandUsageDescription_deu { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especificar la ubicación del archivo nuspec o de proyecto para crear un paquete.. - /// - internal static string PackageCommandUsageDescription_esp { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifiez l'emplacement du fichier .nuspec ou projet pour créer un package.. - /// - internal static string PackageCommandUsageDescription_fra { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specificare la posizione del file di progetto nuspec o file fi progetto per creare il pacchetto.. - /// - internal static string PackageCommandUsageDescription_ita { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージを作成する nuspec または project ファイルの場所を指定します。. - /// - internal static string PackageCommandUsageDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지를 만들 nuspec 또는 프로젝트 파일의 위치를 지정합니다.. - /// - internal static string PackageCommandUsageDescription_kor { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa lokalizację pliku nuspec lub pliku projektu na potrzeby utworzenia pakietu.. - /// - internal static string PackageCommandUsageDescription_plk { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifique o local do arquivo nuspec ou de projeto para criar um pacote.. - /// - internal static string PackageCommandUsageDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Задание расположения NUSPEC-файла или файла проекта для создания пакета.. - /// - internal static string PackageCommandUsageDescription_rus { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket oluşturmak için nuspec veya proje dosyalarının konumunu belirtir.. - /// - internal static string PackageCommandUsageDescription_trk { - get { - return ResourceManager.GetString("PackageCommandUsageDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | project> [options]. - /// - internal static string PackageCommandUsageSummary { - get { - return ResourceManager.GetString("PackageCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | project> [选项]. - /// - internal static string PackageCommandUsageSummary_chs { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | 專案> [選項]. - /// - internal static string PackageCommandUsageSummary_cht { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | projekt> [možnosti]. - /// - internal static string PackageCommandUsageSummary_csy { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | Projekt> [Optionen]. - /// - internal static string PackageCommandUsageSummary_deu { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | proyecto> [options]. - /// - internal static string PackageCommandUsageSummary_esp { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | project> [options]. - /// - internal static string PackageCommandUsageSummary_fra { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | progettot> [opzioni]. - /// - internal static string PackageCommandUsageSummary_ita { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | project> [options]. - /// - internal static string PackageCommandUsageSummary_jpn { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | 프로젝트> [옵션]. - /// - internal static string PackageCommandUsageSummary_kor { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | projekt> [opcje]. - /// - internal static string PackageCommandUsageSummary_plk { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | projeto> [opções]. - /// - internal static string PackageCommandUsageSummary_ptb { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec-файл | проект> [параметры]. - /// - internal static string PackageCommandUsageSummary_rus { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <nuspec | proje> [seçenekler]. - /// - internal static string PackageCommandUsageSummary_trk { - get { - return ResourceManager.GetString("PackageCommandUsageSummary_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Shows verbose output for package building.. - /// - internal static string PackageCommandVerboseDescription { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 显示程序包生成的详细输出。. - /// - internal static string PackageCommandVerboseDescription_chs { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 顯示封裝建置的詳細資料輸出。. - /// - internal static string PackageCommandVerboseDescription_cht { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zobrazí podrobný výstup pro sestavování balíčků.. - /// - internal static string PackageCommandVerboseDescription_csy { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zeigt die ausführliche Ausgabe für die Paketerstellung an.. - /// - internal static string PackageCommandVerboseDescription_deu { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Muestra los resultados detallados de la compilación del paquete.. - /// - internal static string PackageCommandVerboseDescription_esp { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Affiche la sortie détaillée de création du package.. - /// - internal static string PackageCommandVerboseDescription_fra { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mostra l'uscita ridondante del pacchetto. - /// - internal static string PackageCommandVerboseDescription_ita { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージ ビルドの詳細な出力を表示します。. - /// - internal static string PackageCommandVerboseDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지 빌드에 대한 자세한 출력을 표시합니다.. - /// - internal static string PackageCommandVerboseDescription_kor { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pokazuje dane wyjściowe w trybie pełnym na potrzeby kompilacji pakietu.. - /// - internal static string PackageCommandVerboseDescription_plk { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mostra a saída detalhada para a construção do pacote.. - /// - internal static string PackageCommandVerboseDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Отображает подробные выходные данные при сборке пакета.. - /// - internal static string PackageCommandVerboseDescription_rus { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket oluşturma için ayrıntılı çıktıyı gösterir.. - /// - internal static string PackageCommandVerboseDescription_trk { - get { - return ResourceManager.GetString("PackageCommandVerboseDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Overrides the version number from the nuspec file.. - /// - internal static string PackageCommandVersionDescription { - get { - return ResourceManager.GetString("PackageCommandVersionDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 覆盖 nuspec 文件中的版本号。. - /// - internal static string PackageCommandVersionDescription_chs { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 覆寫 nuspec 檔案的版本號碼。. - /// - internal static string PackageCommandVersionDescription_cht { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Přepíše číslo verze ze souboru nuspec.. - /// - internal static string PackageCommandVersionDescription_csy { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Setzt die Versionsnummer aus der nuspec-Datei außer Kraft.. - /// - internal static string PackageCommandVersionDescription_deu { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Reemplaza el número de versión del archivo nuspec.. - /// - internal static string PackageCommandVersionDescription_esp { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Remplace le numéro de version provenant du fichier .nuspec.. - /// - internal static string PackageCommandVersionDescription_fra { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to . - /// - internal static string PackageCommandVersionDescription_ita { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuspec ファイルのバージョン番号を上書きします。. - /// - internal static string PackageCommandVersionDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuspec 파일의 버전 번호를 재정의합니다.. - /// - internal static string PackageCommandVersionDescription_kor { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Przesłania numer wersji z pliku nuspec.. - /// - internal static string PackageCommandVersionDescription_plk { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Substitui o número da versão do arquivo nuspec.. - /// - internal static string PackageCommandVersionDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Переопределяет номер версии из NUSPEC-файла.. - /// - internal static string PackageCommandVersionDescription_rus { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nuspec dosyasındaki sürüm numarasını geçersiz kılar.. - /// - internal static string PackageCommandVersionDescription_trk { - get { - return ResourceManager.GetString("PackageCommandVersionDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples { - get { - return ResourceManager.GetString("PackCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_chs { - get { - return ResourceManager.GetString("PackCommandUsageExamples_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_cht { - get { - return ResourceManager.GetString("PackCommandUsageExamples_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_csy { - get { - return ResourceManager.GetString("PackCommandUsageExamples_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_deu { - get { - return ResourceManager.GetString("PackCommandUsageExamples_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_esp { - get { - return ResourceManager.GetString("PackCommandUsageExamples_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_fra { - get { - return ResourceManager.GetString("PackCommandUsageExamples_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_ita { - get { - return ResourceManager.GetString("PackCommandUsageExamples_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_jpn { - get { - return ResourceManager.GetString("PackCommandUsageExamples_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_kor { - get { - return ResourceManager.GetString("PackCommandUsageExamples_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_plk { - get { - return ResourceManager.GetString("PackCommandUsageExamples_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_ptb { - get { - return ResourceManager.GetString("PackCommandUsageExamples_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_rus { - get { - return ResourceManager.GetString("PackCommandUsageExamples_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget pack - /// - ///nuget pack foo.nuspec - /// - ///nuget pack foo.csproj - /// - ///nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - /// - ///nuget pack foo.nuspec -Version 2.1.0. - /// - internal static string PackCommandUsageExamples_trk { - get { - return ResourceManager.GetString("PackCommandUsageExamples_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pushes a package to the server and publishes it.. - /// - internal static string PushCommandDescription { - get { - return ResourceManager.GetString("PushCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 将程序包推送到服务器并进行发布。. - /// - internal static string PushCommandDescription_chs { - get { - return ResourceManager.GetString("PushCommandDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 將套件推向伺服器並發佈。. - /// - internal static string PushCommandDescription_cht { - get { - return ResourceManager.GetString("PushCommandDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Předá balíček na server a publikuje jej.. - /// - internal static string PushCommandDescription_csy { - get { - return ResourceManager.GetString("PushCommandDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Übertragen eines Paket mithilfe von Push auf den Server und Veröffentlichen des Pakets.. - /// - internal static string PushCommandDescription_deu { - get { - return ResourceManager.GetString("PushCommandDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Inserta un paquete en el servidor y lo publica.. - /// - internal static string PushCommandDescription_esp { - get { - return ResourceManager.GetString("PushCommandDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Applique au package un Push vers le serveur et le publie.. - /// - internal static string PushCommandDescription_fra { - get { - return ResourceManager.GetString("PushCommandDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Effettua il push di un pacchetto verso il server e lo pubblica.. - /// - internal static string PushCommandDescription_ita { - get { - return ResourceManager.GetString("PushCommandDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to サーバーにパッケージをプッシュして、公開します。. - /// - internal static string PushCommandDescription_jpn { - get { - return ResourceManager.GetString("PushCommandDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 서버에 패키지를 푸시하고 게시합니다.. - /// - internal static string PushCommandDescription_kor { - get { - return ResourceManager.GetString("PushCommandDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wypycha pakiet na serwer i go publikuje.. - /// - internal static string PushCommandDescription_plk { - get { - return ResourceManager.GetString("PushCommandDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Envia um pacote para o servidor e publica-o.. - /// - internal static string PushCommandDescription_ptb { - get { - return ResourceManager.GetString("PushCommandDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Отправляет пакет на сервер и публикует его.. - /// - internal static string PushCommandDescription_rus { - get { - return ResourceManager.GetString("PushCommandDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paketi sunucuya gönderir ve yayımlar.. - /// - internal static string PushCommandDescription_trk { - get { - return ResourceManager.GetString("PushCommandDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Disable buffering when pushing to an HTTP(S) server to decrease memory usage. Note that when this option is enabled, integrated windows authentication might not work.. - /// - internal static string PushCommandDisableBufferingDescription { - get { - return ResourceManager.GetString("PushCommandDisableBufferingDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to If a symbols package exists, it will not be pushed to a symbol server.. - /// - internal static string PushCommandNoSymbolsDescription { - get { - return ResourceManager.GetString("PushCommandNoSymbolsDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to If a package and version already exists, skip it and continue with the next package in the push, if any.. - /// - internal static string PushCommandSkipDuplicateDescription { - get { - return ResourceManager.GetString("PushCommandSkipDuplicateDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Package source (URL, UNC/folder path or package source name) to push to. Defaults to DefaultPushSource if specified in NuGet.Config.. - /// - internal static string PushCommandSourceDescription { - get { - return ResourceManager.GetString("PushCommandSourceDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定服务器 URL。如果未指定,则除非在 NuGet 配置文件中设置了 DefaultPushSource 配置值,否则使用 nuget.org。. - /// - internal static string PushCommandSourceDescription_chs { - get { - return ResourceManager.GetString("PushCommandSourceDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定伺服器 URL。若未指定,除非在 NuGet 設定檔中設定了 DefaultPushSource config 值,否則會使用 nuget.orgis。. - /// - internal static string PushCommandSourceDescription_cht { - get { - return ResourceManager.GetString("PushCommandSourceDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje adresu URL serveru. Není-li zadána, použije se adresa nuget.org, pokud v konfiguračním souboru NuGet není nastavena konfigurační hodnota DefaultPushSource.. - /// - internal static string PushCommandSourceDescription_csy { - get { - return ResourceManager.GetString("PushCommandSourceDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Gibt die Server-URL an. Erfolgt keine Angabe, wird "nuget.org" verwendet. Dies ist nur dann nicht der Fall, wenn der Konfigurationswert "DefaultPushSource" in der NuGet-Konfigurationsdatei festgelegt ist.. - /// - internal static string PushCommandSourceDescription_deu { - get { - return ResourceManager.GetString("PushCommandSourceDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica la URL del servidor. Si no se especifica, se usa nuget.org a menos que el valor de configuración de DefaultPushSource se establezca en el archivo de configuración de NuGet.. - /// - internal static string PushCommandSourceDescription_esp { - get { - return ResourceManager.GetString("PushCommandSourceDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifie l'URL du serveur. nuget.org est utilisé en l'absence de spécification, sauf si la valeur de configuration DefaultPushSource est définie dans le fichier de configuration NuGet.. - /// - internal static string PushCommandSourceDescription_fra { - get { - return ResourceManager.GetString("PushCommandSourceDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifica il server URL. Se non specificato, nuget.org èe quello usato a mano che DefaultPushSource config value è impostato nel file NuGet config.. - /// - internal static string PushCommandSourceDescription_ita { - get { - return ResourceManager.GetString("PushCommandSourceDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to サーバーの URL を指定します。指定しない場合、NuGet 構成ファイルに DefaultPushSource 構成値が設定されていなければ、nuget.org が使用されます。. - /// - internal static string PushCommandSourceDescription_jpn { - get { - return ResourceManager.GetString("PushCommandSourceDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 서버 URL을 지정합니다. 지정되지 않은 경우 NuGet config 파일에 DefaultPushSource config 값이 설정되어 있지 않으면 nuget.org가 사용됩니다.. - /// - internal static string PushCommandSourceDescription_kor { - get { - return ResourceManager.GetString("PushCommandSourceDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa adres URL serwera. Jeśli nie zostanie on określony, będzie używana witryna nuget.org, chyba że w pliku konfiguracji NuGet zostanie określona wartość DefaultPushSource.. - /// - internal static string PushCommandSourceDescription_plk { - get { - return ResourceManager.GetString("PushCommandSourceDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica a URL do servidor. Se não for especificado, nuget.org é usado a menos que o valor de configuração DefaultPushSource seja definido no arquivo de configuração NuGet.. - /// - internal static string PushCommandSourceDescription_ptb { - get { - return ResourceManager.GetString("PushCommandSourceDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Указывает URL-адрес сервера. Если не указан, используется адрес "nuget.org", если только в файле конфигурации NuGet не задано значение конфигурации DefaultPushSource.. - /// - internal static string PushCommandSourceDescription_rus { - get { - return ResourceManager.GetString("PushCommandSourceDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sunucu URL'sini belirtir. Belirtilmemişse, NuGet yapılandırma dosyasında DefaultPushSource yapılandırma değerinin ayarlanmamış olması halinde, nuget.org kullanılır.. - /// - internal static string PushCommandSourceDescription_trk { - get { - return ResourceManager.GetString("PushCommandSourceDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Symbol server URL to push to.. - /// - internal static string PushCommandSymbolSourceDescription { - get { - return ResourceManager.GetString("PushCommandSymbolSourceDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Timeout for pushing to a server in seconds. Defaults to 300 seconds (5 minutes).. - /// - internal static string PushCommandTimeoutDescription { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定推送到服务器的超时值(以秒为单位)。默认值为 300 秒(5 分钟)。. - /// - internal static string PushCommandTimeoutDescription_chs { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定推入伺服器的逾時 (以秒為單位)。預設為 300秒 (5 分鐘)。. - /// - internal static string PushCommandTimeoutDescription_cht { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje prodlevu pro předání na server (v sekundách). Výchozí nastavení je 300 sekund (5 minut).. - /// - internal static string PushCommandTimeoutDescription_csy { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Gibt das Timeout für den Pushvorgang auf einen Server in Sekunden an. Der Standardwert sind 300 Sekunden (5 Minuten).. - /// - internal static string PushCommandTimeoutDescription_deu { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica el tiempo de expiración en segundos de la inserción a un servidor. Se predetermina a 300 segundos (5 minutos).. - /// - internal static string PushCommandTimeoutDescription_esp { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifie en secondes le délai d'expiration d'émission vers un serveur. 300 secondes (5 minutes) par défaut.. - /// - internal static string PushCommandTimeoutDescription_fra { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifica il timeout per il push al server in secondi. Default di 300 secondi (5 minuti).. - /// - internal static string PushCommandTimeoutDescription_ita { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to サーバーにプッシュする場合のタイムアウト (秒) を指定します。既定は 300 秒 (5 分) です。. - /// - internal static string PushCommandTimeoutDescription_jpn { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 서버에 푸시하는 시간 제한(초)을 지정합니다. 300초(5분)로 기본 설정됩니다.. - /// - internal static string PushCommandTimeoutDescription_kor { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa limit czasu dla wypychania na serwer (w sekundach). Wartość domyślna to 300 sekund (5 minut).. - /// - internal static string PushCommandTimeoutDescription_plk { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica o tempo limite para enviar para um servidor em segundos. O padrão é 300 segundos (5 minutos).. - /// - internal static string PushCommandTimeoutDescription_ptb { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Задает время ожидания отправки на сервер в секундах. По умолчанию составляет 300 секунд (5 минут).. - /// - internal static string PushCommandTimeoutDescription_rus { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Saniye cinsinden sunucuya iletim için zaman aşımını belirtir. Varsayılan değer 300 saniyedir (5 dakika).. - /// - internal static string PushCommandTimeoutDescription_trk { - get { - return ResourceManager.GetString("PushCommandTimeoutDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify the path to the package and your API key to push the package to the server.. - /// - internal static string PushCommandUsageDescription { - get { - return ResourceManager.GetString("PushCommandUsageDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定程序包的路径以及用于将程序包推送到服务器的 API 密钥。. - /// - internal static string PushCommandUsageDescription_chs { - get { - return ResourceManager.GetString("PushCommandUsageDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定封裝路徑和 API 索引鍵以將套件推入伺服器。. - /// - internal static string PushCommandUsageDescription_cht { - get { - return ResourceManager.GetString("PushCommandUsageDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje cestu k balíčku a klíč API pro předání balíčku na server.. - /// - internal static string PushCommandUsageDescription_csy { - get { - return ResourceManager.GetString("PushCommandUsageDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Geben Sie den Pfad zum Paket und Ihren API-Schlüssel an, um das Paket mittels Push an den Server zu senden.. - /// - internal static string PushCommandUsageDescription_deu { - get { - return ResourceManager.GetString("PushCommandUsageDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especificar la ruta de acceso al paquete y su clave API para insertar el paquete al servidor.. - /// - internal static string PushCommandUsageDescription_esp { - get { - return ResourceManager.GetString("PushCommandUsageDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifiez le chemin d'accès au package et la clé API pour émettre le package vers le serveur.. - /// - internal static string PushCommandUsageDescription_fra { - get { - return ResourceManager.GetString("PushCommandUsageDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifica il percorso al pacchetto e l'API key per eseguire il push del pacchetto al server.. - /// - internal static string PushCommandUsageDescription_ita { - get { - return ResourceManager.GetString("PushCommandUsageDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージをサーバーにプッシュするパッケージのパスと API キーを指定します。. - /// - internal static string PushCommandUsageDescription_jpn { - get { - return ResourceManager.GetString("PushCommandUsageDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 서버에 패키지를 푸시할 패키지 및 API 키의 경로를 지정합니다.. - /// - internal static string PushCommandUsageDescription_kor { - get { - return ResourceManager.GetString("PushCommandUsageDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określ ścieżkę do pakietu i klucz interfejsu API, aby wypchnąć pakiet na serwer.. - /// - internal static string PushCommandUsageDescription_plk { - get { - return ResourceManager.GetString("PushCommandUsageDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifique o caminho para o pacote e sua chave de API para enviar o pacote para o servidor.. - /// - internal static string PushCommandUsageDescription_ptb { - get { - return ResourceManager.GetString("PushCommandUsageDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Настройка пути к пакету и ключа API для отправки пакета на сервер.. - /// - internal static string PushCommandUsageDescription_rus { - get { - return ResourceManager.GetString("PushCommandUsageDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paketin sunucuya iletilmesi için paket yolunu ve API anahtarınızı belirtin.. - /// - internal static string PushCommandUsageDescription_trk { - get { - return ResourceManager.GetString("PushCommandUsageDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples { - get { - return ResourceManager.GetString("PushCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_chs { - get { - return ResourceManager.GetString("PushCommandUsageExamples_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_cht { - get { - return ResourceManager.GetString("PushCommandUsageExamples_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_csy { - get { - return ResourceManager.GetString("PushCommandUsageExamples_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_deu { - get { - return ResourceManager.GetString("PushCommandUsageExamples_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_esp { - get { - return ResourceManager.GetString("PushCommandUsageExamples_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_fra { - get { - return ResourceManager.GetString("PushCommandUsageExamples_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -s http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_ita { - get { - return ResourceManager.GetString("PushCommandUsageExamples_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_jpn { - get { - return ResourceManager.GetString("PushCommandUsageExamples_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_kor { - get { - return ResourceManager.GetString("PushCommandUsageExamples_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_plk { - get { - return ResourceManager.GetString("PushCommandUsageExamples_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_ptb { - get { - return ResourceManager.GetString("PushCommandUsageExamples_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_rus { - get { - return ResourceManager.GetString("PushCommandUsageExamples_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - /// - ///nuget push foo.nupkg - /// - ///nuget push foo.nupkg.symbols - /// - ///nuget push foo.nupkg -Timeout 360. - /// - internal static string PushCommandUsageExamples_trk { - get { - return ResourceManager.GetString("PushCommandUsageExamples_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <package path> [API key] [options]. - /// - internal static string PushCommandUsageSummary { - get { - return ResourceManager.GetString("PushCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <程序包路径> [API 密钥] [选项]. - /// - internal static string PushCommandUsageSummary_chs { - get { - return ResourceManager.GetString("PushCommandUsageSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <封裝路徑> [API 索引鍵] [選項]. - /// - internal static string PushCommandUsageSummary_cht { - get { - return ResourceManager.GetString("PushCommandUsageSummary_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <cesta k balíčku> [klíč API] [možnosti]. - /// - internal static string PushCommandUsageSummary_csy { - get { - return ResourceManager.GetString("PushCommandUsageSummary_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <Paketpfad> [API-Schlüssel] [Optionen]. - /// - internal static string PushCommandUsageSummary_deu { - get { - return ResourceManager.GetString("PushCommandUsageSummary_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <ruta de acceso> [clave API] [opciones]. - /// - internal static string PushCommandUsageSummary_esp { - get { - return ResourceManager.GetString("PushCommandUsageSummary_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <package path> [@@@clé API] [@@@options]. - /// - internal static string PushCommandUsageSummary_fra { - get { - return ResourceManager.GetString("PushCommandUsageSummary_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <percorso pacchetto> [API key] [opzioni]. - /// - internal static string PushCommandUsageSummary_ita { - get { - return ResourceManager.GetString("PushCommandUsageSummary_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <package path> [API key] [options]. - /// - internal static string PushCommandUsageSummary_jpn { - get { - return ResourceManager.GetString("PushCommandUsageSummary_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <패키지 경로> [API 키] [옵션]. - /// - internal static string PushCommandUsageSummary_kor { - get { - return ResourceManager.GetString("PushCommandUsageSummary_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <ścieżka pakietu> [klucz interfejsu API] [opcje]. - /// - internal static string PushCommandUsageSummary_plk { - get { - return ResourceManager.GetString("PushCommandUsageSummary_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <caminho do pacote> [Chave de API] [opções]. - /// - internal static string PushCommandUsageSummary_ptb { - get { - return ResourceManager.GetString("PushCommandUsageSummary_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <путь пакета> [ключ API] [параметры]. - /// - internal static string PushCommandUsageSummary_rus { - get { - return ResourceManager.GetString("PushCommandUsageSummary_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <paket yolu> [API anahtarı] [seçenekler]. - /// - internal static string PushCommandUsageSummary_trk { - get { - return ResourceManager.GetString("PushCommandUsageSummary_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restores NuGet packages.. - /// - internal static string RestoreCommandDescription { - get { - return ResourceManager.GetString("RestoreCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 还原 NuGet 程序包。. - /// - internal static string RestoreCommandDescription_chs { - get { - return ResourceManager.GetString("RestoreCommandDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 還原 NuGet 封裝。. - /// - internal static string RestoreCommandDescription_cht { - get { - return ResourceManager.GetString("RestoreCommandDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Obnoví balíčky NuGet.. - /// - internal static string RestoreCommandDescription_csy { - get { - return ResourceManager.GetString("RestoreCommandDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Stellt NuGet-Pakete wieder her.. - /// - internal static string RestoreCommandDescription_deu { - get { - return ResourceManager.GetString("RestoreCommandDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restaura los paquetes NuGet.. - /// - internal static string RestoreCommandDescription_esp { - get { - return ResourceManager.GetString("RestoreCommandDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restaure les packages NuGet.. - /// - internal static string RestoreCommandDescription_fra { - get { - return ResourceManager.GetString("RestoreCommandDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ripristina pacchetti NuGet.. - /// - internal static string RestoreCommandDescription_ita { - get { - return ResourceManager.GetString("RestoreCommandDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet パッケージを復元します。. - /// - internal static string RestoreCommandDescription_jpn { - get { - return ResourceManager.GetString("RestoreCommandDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 패키지를 복원합니다.. - /// - internal static string RestoreCommandDescription_kor { - get { - return ResourceManager.GetString("RestoreCommandDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Przywraca pakiety NuGet.. - /// - internal static string RestoreCommandDescription_plk { - get { - return ResourceManager.GetString("RestoreCommandDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restaura os pacotes NuGet.. - /// - internal static string RestoreCommandDescription_ptb { - get { - return ResourceManager.GetString("RestoreCommandDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Восстанавливает пакеты NuGet.. - /// - internal static string RestoreCommandDescription_rus { - get { - return ResourceManager.GetString("RestoreCommandDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet paketlerini geri yükler.. - /// - internal static string RestoreCommandDescription_trk { - get { - return ResourceManager.GetString("RestoreCommandDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Forces restore to reevaluate all dependencies even if a lock file already exists.. - /// - internal static string RestoreCommandForceEvaluate { - get { - return ResourceManager.GetString("RestoreCommandForceEvaluate", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Don't allow updating project lock file.. - /// - internal static string RestoreCommandLockedMode { - get { - return ResourceManager.GetString("RestoreCommandLockedMode", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Output location where project lock file is written. By default, this is 'PROJECT_ROOT\packages.lock.json'.. - /// - internal static string RestoreCommandLockFilePath { - get { - return ResourceManager.GetString("RestoreCommandLockFilePath", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Timeout in seconds for resolving project to project references.. - /// - internal static string RestoreCommandP2PTimeOut { - get { - return ResourceManager.GetString("RestoreCommandP2PTimeOut", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifies the packages folder.. - /// - internal static string RestoreCommandPackagesDirectory { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定程序包文件夹。. - /// - internal static string RestoreCommandPackagesDirectory_chs { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定封裝資料夾。. - /// - internal static string RestoreCommandPackagesDirectory_cht { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje složku balíčků.. - /// - internal static string RestoreCommandPackagesDirectory_csy { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Gibt den Paketordner an.. - /// - internal static string RestoreCommandPackagesDirectory_deu { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica la carpeta de los paquetes.. - /// - internal static string RestoreCommandPackagesDirectory_esp { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifie le dossier des packages.. - /// - internal static string RestoreCommandPackagesDirectory_fra { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifica la cartella pacchetto.. - /// - internal static string RestoreCommandPackagesDirectory_ita { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージ フォルダーを指定します。. - /// - internal static string RestoreCommandPackagesDirectory_jpn { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지 폴더를 지정합니다.. - /// - internal static string RestoreCommandPackagesDirectory_kor { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa folder pakietów.. - /// - internal static string RestoreCommandPackagesDirectory_plk { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica a pasta de pacotes.. - /// - internal static string RestoreCommandPackagesDirectory_ptb { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Указывает папку пакетов.. - /// - internal static string RestoreCommandPackagesDirectory_rus { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket klasörünü belirtir.. - /// - internal static string RestoreCommandPackagesDirectory_trk { - get { - return ResourceManager.GetString("RestoreCommandPackagesDirectory_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restore all referenced projects for UWP and NETCore projects. This does not include packages.config projects.. - /// - internal static string RestoreCommandRecursive { - get { - return ResourceManager.GetString("RestoreCommandRecursive", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Checks if package restore consent is granted before installing a package.. - /// - internal static string RestoreCommandRequireConsent { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 在安装程序包之前,检查是否已同意还原程序包。. - /// - internal static string RestoreCommandRequireConsent_chs { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 檢查是否在安裝封裝前已授予封裝還原同意。. - /// - internal static string RestoreCommandRequireConsent_cht { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Před zahájením instalace balíčku ověří, zda je udělen souhlas s obnovením tohoto balíčku.. - /// - internal static string RestoreCommandRequireConsent_csy { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Überprüft, ob die Zustimmung zur Paketwiederherstellung erteilt wurde, bevor ein Paket installiert wird.. - /// - internal static string RestoreCommandRequireConsent_deu { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Comprueba si se concede consentimiento de restauración del paquete antes de instalar un paquete.. - /// - internal static string RestoreCommandRequireConsent_esp { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Vérifie si l'accord de restauration du package est donné avant d'installer le package.. - /// - internal static string RestoreCommandRequireConsent_fra { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Verificare che sia garantito il consenso al ripristino prima di installare il pacchetto.. - /// - internal static string RestoreCommandRequireConsent_ita { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージをインストールする前に、パッケージの復元が同意されているかどうかを確認します。. - /// - internal static string RestoreCommandRequireConsent_jpn { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지를 설치하기 전에 패키지 복원에 동의했는지 확인하십시오.. - /// - internal static string RestoreCommandRequireConsent_kor { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sprawdza przed zainstalowaniem pakietu, czy udzielono zgody na przywrócenie pakietu.. - /// - internal static string RestoreCommandRequireConsent_plk { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Verifica se a autorização de restauração de pacote é concedida antes de instalar um pacote.. - /// - internal static string RestoreCommandRequireConsent_ptb { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Проверяет, было ли дано согласие на восстановление пакета перед установкой пакета.. - /// - internal static string RestoreCommandRequireConsent_rus { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paketin yüklenmesinden önce paket geri yükleme onayının verilip verilmediğini denetler.. - /// - internal static string RestoreCommandRequireConsent_trk { - get { - return ResourceManager.GetString("RestoreCommandRequireConsent_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifies the solution directory. Not valid when restoring packages for a solution.. - /// - internal static string RestoreCommandSolutionDirectory { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定解决方案目录。当还原解决方案的程序包时无效。. - /// - internal static string RestoreCommandSolutionDirectory_chs { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定方案目錄。還原方案封裝時無效。. - /// - internal static string RestoreCommandSolutionDirectory_cht { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje adresář řešení. Není platné při obnovování balíčků pro řešení.. - /// - internal static string RestoreCommandSolutionDirectory_csy { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Gibt das Projektverzeichnis an. Beim Wiederherstellen von Paketen für ein Projekt nicht gültig.. - /// - internal static string RestoreCommandSolutionDirectory_deu { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica el directorio de la solución. No es válido cuando se restauran paquetes para una solución.. - /// - internal static string RestoreCommandSolutionDirectory_esp { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifie le répertoire de la solution. Non valide lors de la restauration de packages pour une solution.. - /// - internal static string RestoreCommandSolutionDirectory_fra { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifica la soluzione della directory. Non valida quando si ripristinano pacchetti per una soluzione.. - /// - internal static string RestoreCommandSolutionDirectory_ita { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ソリューション ディレクトリを指定します。ソリューションのパッケージを復元する場合、無効です。. - /// - internal static string RestoreCommandSolutionDirectory_jpn { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 솔루션 디렉터리를 지정합니다. 솔루션 패키지를 복원하는 경우 사용할 수 없습니다.. - /// - internal static string RestoreCommandSolutionDirectory_kor { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określa katalog rozwiązania. W przypadku przywracania pakietów dla rozwiązania nie jest on obowiązujący.. - /// - internal static string RestoreCommandSolutionDirectory_plk { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifica o diretório de solução. Não é válido ao restaurar pacotes para uma solução.. - /// - internal static string RestoreCommandSolutionDirectory_ptb { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Указывает каталог решения. При восстановлении пакетов для решения является недопустимым.. - /// - internal static string RestoreCommandSolutionDirectory_rus { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Çözüm dizinini belirtir. Bir çözüm için paketler geri yüklenirken geçerli değildir.. - /// - internal static string RestoreCommandSolutionDirectory_trk { - get { - return ResourceManager.GetString("RestoreCommandSolutionDirectory_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to If a solution is specified, this command restores NuGet packages that are installed in the solution and in projects contained in the solution. Otherwise, the command restores packages listed in the specified packages.config file, Microsoft Build project, or project.json file.. - /// - internal static string RestoreCommandUsageDescription { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 如果指定了解决方案,则此命令将还原解决方案中安装的 NuGet 程序包,以及解决方案包含的项目中的 NuGet 程序包。否则,此命令将还原指定的 packages.config 文件中列出的程序包。. - /// - internal static string RestoreCommandUsageDescription_chs { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 如果已指定方案,此命令會還原方案中安裝在方案和專案中的 NuGet 封裝。否則命令會還原列在指定 packages.config 檔案中的封裝。. - /// - internal static string RestoreCommandUsageDescription_cht { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Je-li zadáno řešení, tento příkaz obnoví balíčky NuGet, které jsou nainstalovány v řešení a v projektech obsažených v tomto řešení. V opačném případě tento příkaz obnoví balíčky uvedené v zadaném souboru packages.config.. - /// - internal static string RestoreCommandUsageDescription_csy { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wenn ein Projekt angegeben wird, stellt dieser Befehl NuGet-Pakete wieder her, die im Projekt und den darin enthaltenen Projekten installiert sind. Andernfalls stellt der Befehl Pakete wieder her, die in der angegebenen Datei "packages.config" aufgelistet werden.. - /// - internal static string RestoreCommandUsageDescription_deu { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Si se especifica una solución, este comando restaura los paquetes NuGet que están instalados en la solución y los proyectos que contiene la solución. De lo contrario, el comando restaura los paquetes mostrados en el archivo packages.config especificado.. - /// - internal static string RestoreCommandUsageDescription_esp { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Si une solution est spécifiée, cette commande restaure les packages NuGet installés dans la solution et dans les projets contenus dans la solution. Sinon, la commande restaure les packages répertoriés dans le fichier packages.config spécifié.. - /// - internal static string RestoreCommandUsageDescription_fra { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se si specifica una soluzione, questo comando ripristina i pacchetti NuGet installati nella soluzione e nei progetti contenuti nella soluzione. Altrimenti, il comando ripristina i pacchetti elencati nel file packages.config.. - /// - internal static string RestoreCommandUsageDescription_ita { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ソリューションが指定された場合、ソリューションでインストールされた NuGet パッケージとソリューションに含まれるプロジェクトが復元されます。ソリューションが指定されない場合、指定された packages.config ファイルに含まれるパッケージが復元されます。. - /// - internal static string RestoreCommandUsageDescription_jpn { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 솔루션이 지정된 경우 이 명령은 솔루션 및 솔루션에 포함된 프로젝트에 설치된 NuGet 패키지를 복원합니다. 솔루션이 지정되지 않은 경우 명령은 지정된 packages.config 파일에 나열된 패키지를 복원합니다.. - /// - internal static string RestoreCommandUsageDescription_kor { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Jeśli zostało określone rozwiązanie, to polecenie przywraca pakiety NuGet zainstalowane w rozwiązaniu oraz w projektach zawartych w rozwiązaniu. W przeciwnym razie to polecenie przywraca pakiety wymienione w określonym pliku packages.config.. - /// - internal static string RestoreCommandUsageDescription_plk { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se uma solução for especificada, este comando restaura os pacotes NuGet que estão instalados na solução e em projetos contidos na solução. Caso contrário, o comando restaura pacotes listados no arquivo especificado packages.config.. - /// - internal static string RestoreCommandUsageDescription_ptb { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Если указано решение, эта команда восстанавливает пакеты NuGet, установленные в решении и проектах, содержащихся в решении. В противном случае команда восстанавливает пакеты, указанные в файле packages.config.. - /// - internal static string RestoreCommandUsageDescription_rus { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bir çözüm belirtilmişse, bu komut çözüm içindeki ve çözüm içinde yer alan paketlerdeki yüklü NuGet paketlerini geri yükler. Aksi takdirde, komut belirtilen packages.config dosyasında listelenen paketleri geri yükler.. - /// - internal static string RestoreCommandUsageDescription_trk { - get { - return ResourceManager.GetString("RestoreCommandUsageDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget restore MySolution.sln. - /// - internal static string RestoreCommandUsageExamples { - get { - return ResourceManager.GetString("RestoreCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<solution> | <packages.config file> | <Microsoft Build project>] [options]. - /// - internal static string RestoreCommandUsageSummary { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<解决方案> | <packages.config 文件>] [选项]. - /// - internal static string RestoreCommandUsageSummary_chs { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<方案> | <packages.config 檔案>] [選項]. - /// - internal static string RestoreCommandUsageSummary_cht { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<řešení> | <soubor packages.config>] [možnosti]. - /// - internal static string RestoreCommandUsageSummary_csy { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<Projekt> | <packages.config-Datei>] [Optionen]. - /// - internal static string RestoreCommandUsageSummary_deu { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<solución> | <packages.config file>] [opciones]. - /// - internal static string RestoreCommandUsageSummary_esp { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<solution> | <packages.config file>] [options]. - /// - internal static string RestoreCommandUsageSummary_fra { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<soluzione> | <packages.config file>] [opzioni]. - /// - internal static string RestoreCommandUsageSummary_ita { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<solution> | <packages.config file>] [options]. - /// - internal static string RestoreCommandUsageSummary_jpn { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<솔루션> | <packages.config 파일>] [옵션]. - /// - internal static string RestoreCommandUsageSummary_kor { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<rozwiązanie> | <plik packages.config>] [opcje]. - /// - internal static string RestoreCommandUsageSummary_plk { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<solução> | <arquivo packages.config>] [opções]. - /// - internal static string RestoreCommandUsageSummary_ptb { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<решение> | <файл packages.config>] [параметры]. - /// - internal static string RestoreCommandUsageSummary_rus { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [<çözüm> | <packages.config file>] [seçenekler]. - /// - internal static string RestoreCommandUsageSummary_trk { - get { - return ResourceManager.GetString("RestoreCommandUsageSummary_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Enables project lock file to be generated and used with restore.. - /// - internal static string RestoreCommandUseLockFile { - get { - return ResourceManager.GetString("RestoreCommandUseLockFile", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Searches a given source using the query string provided. If no sources are specified, all sources defined in %AppData%\NuGet\NuGet.config are used.. - /// - internal static string SearchCommandDescription { - get { - return ResourceManager.GetString("SearchCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Include prerelease packages.. - /// - internal static string SearchCommandPreRelease { - get { - return ResourceManager.GetString("SearchCommandPreRelease", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The package source to search. You can pass multiple -Source options to search multiple package sources.. - /// - internal static string SearchCommandSourceDescription { - get { - return ResourceManager.GetString("SearchCommandSourceDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The number of results to return. The default value is 20.. - /// - internal static string SearchCommandTake { - get { - return ResourceManager.GetString("SearchCommandTake", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify search terms.. - /// - internal static string SearchCommandUsageDescription { - get { - return ResourceManager.GetString("SearchCommandUsageDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget search foo - /// - ///nuget search foo -Verbosity detailed - /// - ///nuget search foo -PreRelease -Take 5. - /// - internal static string SearchCommandUsageExamples { - get { - return ResourceManager.GetString("SearchCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [search terms] [options]. - /// - internal static string SearchCommandUsageSummary { - get { - return ResourceManager.GetString("SearchCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Saves an API key for a given server URL. When no URL is provided API key is saved for the NuGet gallery.. - /// - internal static string SetApiKeyCommandDescription { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 保存给定服务器 URL 所对应的 API 密钥。如果未提供 URL,则保存 NuGet 库的 API 密钥。. - /// - internal static string SetApiKeyCommandDescription_chs { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 儲存給定伺服器 URL 的 API 索引鍵。若未提供 URL,會為 NuGet 陳列庫儲存 API 索引鍵。. - /// - internal static string SetApiKeyCommandDescription_cht { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Uloží klíč API pro danou adresu URL serveru. Není-li zadána žádná adresa URL, je uložen klíč API pro galerii NuGet.. - /// - internal static string SetApiKeyCommandDescription_csy { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Speichert einen API-Schlüssel für eine angegebene Server-URL. Wenn keine URL bereitgestellt wird, wird der API-Schlüssel für den NuGet-Katalog gespeichert.. - /// - internal static string SetApiKeyCommandDescription_deu { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Guarda una clave API para una URL de servidor especificada. Cuando no se proporciona ninguna URL, se guarda la clave API para la galería NuGet.. - /// - internal static string SetApiKeyCommandDescription_esp { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Enregistre la clé API d'un serveur URL donné. Lorsqu'aucune URL n'est fournie, la clé API est enregistrée pour la galerie NuGet.. - /// - internal static string SetApiKeyCommandDescription_fra { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Salva un API key per un determinato server URL. Quando non si fornisce un URL , API key si salva per la NuGet gallery.. - /// - internal static string SetApiKeyCommandDescription_ita { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定されたサーバーの URL の API キーを保存します。URL が指定されていない場合、NuGet ギャラリーの API キーが保存されます。. - /// - internal static string SetApiKeyCommandDescription_jpn { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 지정된 서버 URL에 대한 API 키를 저장합니다. URL이 제공되지 않은 경우 NuGet 갤러리에 대한 API 키가 저장됩니다.. - /// - internal static string SetApiKeyCommandDescription_kor { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zapisuje klucz interfejsu API dla danego adresu URL serwera. Jeśli nie podano adresu URL, klucz interfejsu API jest zapisywany dla galerii NuGet.. - /// - internal static string SetApiKeyCommandDescription_plk { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Salva uma chave de API para uma determinada URL do servidor. Quando nenhuma URL é fornecida, a chave de API é salva na galeria NuGet.. - /// - internal static string SetApiKeyCommandDescription_ptb { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Сохраняет ключ API для указанного URL-адреса сервера. Если URL-адрес не указан, сохраняется ключ API для коллекции NuGet.. - /// - internal static string SetApiKeyCommandDescription_rus { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Belirli bir sunucu URL'si içim API anahtarını kaydeder. Hiçbir URL belirtilmemişse, API anahtarı NuGet galerisi için kaydedilir.. - /// - internal static string SetApiKeyCommandDescription_trk { - get { - return ResourceManager.GetString("SetApiKeyCommandDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Server URL where the API key is valid.. - /// - internal static string SetApiKeyCommandSourceDescription { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to API 密钥有效的服务器 URL。. - /// - internal static string SetApiKeyCommandSourceDescription_chs { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to API 索引鍵有效的伺服器 URL。. - /// - internal static string SetApiKeyCommandSourceDescription_cht { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Adresa URL serveru, pro nějž je platný daný klíč API. - /// - internal static string SetApiKeyCommandSourceDescription_csy { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Server-URL, für die der API-Schlüssel gültig ist.. - /// - internal static string SetApiKeyCommandSourceDescription_deu { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La URL de servidor donde la clave API es válida.. - /// - internal static string SetApiKeyCommandSourceDescription_esp { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Serveur URL de la clé API valide.. - /// - internal static string SetApiKeyCommandSourceDescription_fra { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Server URL in cui API key è valido.. - /// - internal static string SetApiKeyCommandSourceDescription_ita { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to API キーが有効なサーバーの URL。. - /// - internal static string SetApiKeyCommandSourceDescription_jpn { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to API 키를 올바른 서버 URL입니다.. - /// - internal static string SetApiKeyCommandSourceDescription_kor { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Adres URL serwera, gdzie klucz interfejsu API jest ważny.. - /// - internal static string SetApiKeyCommandSourceDescription_plk { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to URL do servidor onde a chave API é válida.. - /// - internal static string SetApiKeyCommandSourceDescription_ptb { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to URL-адрес сервера, для которого действителен ключ API.. - /// - internal static string SetApiKeyCommandSourceDescription_rus { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to API anahtarının geçerli olduğu sunucu URL'si.. - /// - internal static string SetApiKeyCommandSourceDescription_trk { - get { - return ResourceManager.GetString("SetApiKeyCommandSourceDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specify the API key to save and an optional URL to the server that provided the API key.. - /// - internal static string SetApiKeyCommandUsageDescription { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定要保存的 API 密钥以及提供该 API 密钥的服务器的可选 URL。. - /// - internal static string SetApiKeyCommandUsageDescription_chs { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定要儲存的 API 索引鍵以及提供 API 索引鍵的伺服器選擇性 URL。. - /// - internal static string SetApiKeyCommandUsageDescription_cht { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Určuje klíč API k uložení a volitelnou adresu URL pro server, který tento klíč API poskytl.. - /// - internal static string SetApiKeyCommandUsageDescription_csy { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Geben Sie den zu speichernden API-Schlüssel und eine optionale URL zum Server an, der den API-Schlüssel bereitgestellt hat.. - /// - internal static string SetApiKeyCommandUsageDescription_deu { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especificar la clave API para guardar y una URL opcional al servidor que proporcionó la clave API.. - /// - internal static string SetApiKeyCommandUsageDescription_esp { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Spécifiez la clé API à enregistrer et, éventuellement, l'URL du serveur l'ayant fournie.. - /// - internal static string SetApiKeyCommandUsageDescription_fra { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specifica l' API key da salvare e un URL opzionale al server che ha fornito la API key.. - /// - internal static string SetApiKeyCommandUsageDescription_ita { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 保存する API キーと、API キーを提供したサーバーの URL (省略可能) を指定します。. - /// - internal static string SetApiKeyCommandUsageDescription_jpn { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 저장할 API 키와 API 키를 제공한 서버에 대한 URL(선택적)을 지정합니다.. - /// - internal static string SetApiKeyCommandUsageDescription_kor { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określ klucz interfejsu API do zapisania i opcjonalny adres URL serwera, który dostarcza ten klucz interfejsu API.. - /// - internal static string SetApiKeyCommandUsageDescription_plk { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifique a chave de API para salvar e uma URL opcional para o servidor que forneceu a chave de API.. - /// - internal static string SetApiKeyCommandUsageDescription_ptb { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Укажите ключ API для сохранения и необязательный URL-адрес сервера, предоставившего ключ API.. - /// - internal static string SetApiKeyCommandUsageDescription_rus { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Kaydedilecek API anahtarını ve API anahtarını sağlayan sunucunun isteğe bağlı URL'sini belirtin.. - /// - internal static string SetApiKeyCommandUsageDescription_trk { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_chs { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_cht { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_csy { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_deu { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_esp { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_fra { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_ita { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_jpn { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_kor { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_plk { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_ptb { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_rus { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - /// - ///nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed. - /// - internal static string SetApiKeyCommandUsageExamples_trk { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageExamples_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <API key> [options]. - /// - internal static string SetApiKeyCommandUsageSummary { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <API 密钥> [选项]. - /// - internal static string SetApiKeyCommandUsageSummary_chs { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <API key> [選項]. - /// - internal static string SetApiKeyCommandUsageSummary_cht { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <klíč API> [možnosti]. - /// - internal static string SetApiKeyCommandUsageSummary_csy { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <API-Schlüssel> [Optionen]. - /// - internal static string SetApiKeyCommandUsageSummary_deu { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <clave API> [opciones]. - /// - internal static string SetApiKeyCommandUsageSummary_esp { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <API key> [options]. - /// - internal static string SetApiKeyCommandUsageSummary_fra { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <API key> [opzioni]. - /// - internal static string SetApiKeyCommandUsageSummary_ita { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <API key> [options]. - /// - internal static string SetApiKeyCommandUsageSummary_jpn { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <API 키> [옵션]. - /// - internal static string SetApiKeyCommandUsageSummary_kor { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <klucz interfejsu API> [opcje]. - /// - internal static string SetApiKeyCommandUsageSummary_plk { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <Chave de API> [opções]. - /// - internal static string SetApiKeyCommandUsageSummary_ptb { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <ключ API > [параметры]. - /// - internal static string SetApiKeyCommandUsageSummary_rus { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <API anahtarı> [seçenekler]. - /// - internal static string SetApiKeyCommandUsageSummary_trk { - get { - return ResourceManager.GetString("SetApiKeyCommandUsageSummary_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to SHA-1 fingerprint of the certificate used to search a local certificate store for the certificate. - ///The certificate store can be specified by -CertificateStoreName and -CertificateStoreLocation options.. - /// - internal static string SignCommandCertificateFingerprintDescription { - get { - return ResourceManager.GetString("SignCommandCertificateFingerprintDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Password for the certificate, if needed. - ///This option can be used to specify the password for the certificate. If no password is provided, the command will prompt for a password at run time, unless the -NonInteractive option is passed.. - /// - internal static string SignCommandCertificatePasswordDescription { - get { - return ResourceManager.GetString("SignCommandCertificatePasswordDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to File path to the certificate to be used while signing the package.. - /// - internal static string SignCommandCertificatePathDescription { - get { - return ResourceManager.GetString("SignCommandCertificatePathDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Name of the X.509 certificate store use to search for the certificate. Defaults to "CurrentUser", the X.509 certificate store used by the current user. - ///This option should be used when specifying the certificate via -CertificateSubjectName or -CertificateFingerprint options.. - /// - internal static string SignCommandCertificateStoreLocationDescription { - get { - return ResourceManager.GetString("SignCommandCertificateStoreLocationDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Name of the X.509 certificate store to use to search for the certificate. Defaults to "My", the X.509 certificate store for personal certificates. - ///This option should be used when specifying the certificate via -CertificateSubjectName or -CertificateFingerprint options.. - /// - internal static string SignCommandCertificateStoreNameDescription { - get { - return ResourceManager.GetString("SignCommandCertificateStoreNameDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Subject name of the certificate used to search a local certificate store for the certificate. - ///The search is a case-insensitive string comparison using the supplied value, which will find all certificates with the subject name containing that string, regardless of other subject values. - ///The certificate store can be specified by -CertificateStoreName and -CertificateStoreLocation options.. - /// - internal static string SignCommandCertificateSubjectNameDescription { - get { - return ResourceManager.GetString("SignCommandCertificateSubjectNameDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Signs a NuGet package with the specified certificate.. - /// - internal static string SignCommandDescription { - get { - return ResourceManager.GetString("SignCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget sign MyPackage.nupkg -CertificatePath C:\certificate.pfx - ///nuget sign MyPackage.nupkg -CertificatePath \\path\to\certificate.pfx - ///nuget sign MyPackage.nupkg -CertificateFingerprint certificate_fingerprint -OutputDirectory .\signed\. - /// - internal static string SignCommandExamples { - get { - return ResourceManager.GetString("SignCommandExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hash algorithm to be used to sign the package. Defaults to SHA256.. - /// - internal static string SignCommandHashAlgorithmDescription { - get { - return ResourceManager.GetString("SignCommandHashAlgorithmDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No value provided for '{0}', which is needed when using the '{1}' option. For a list of accepted values, please visit https://docs.nuget.org/docs/reference/command-line-reference. - /// - internal static string SignCommandMissingArgumentException { - get { - return ResourceManager.GetString("SignCommandMissingArgumentException", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Multiple options were used to specify a certificate. For a list of accepted ways to provide a certificate, please visit https://docs.nuget.org/docs/reference/command-line-reference. - /// - internal static string SignCommandMultipleCertificateException { - get { - return ResourceManager.GetString("SignCommandMultipleCertificateException", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No value provided for '{0}'. For a list of accepted values, please visit https://docs.nuget.org/docs/reference/command-line-reference. - /// - internal static string SignCommandNoArgumentException { - get { - return ResourceManager.GetString("SignCommandNoArgumentException", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No certificate was provided. For a list of accepted ways to provide a certificate, please visit https://docs.nuget.org/docs/reference/command-line-reference. - /// - internal static string SignCommandNoCertificateException { - get { - return ResourceManager.GetString("SignCommandNoCertificateException", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No package was provided. For a list of accepted ways to provide a package, please visit https://docs.nuget.org/docs/reference/command-line-reference. - /// - internal static string SignCommandNoPackageException { - get { - return ResourceManager.GetString("SignCommandNoPackageException", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The '-Timestamper' option was not provided. The signed package will not be timestamped. To learn more about this option, please visit https://docs.nuget.org/docs/reference/command-line-reference. - /// - internal static string SignCommandNoTimestamperWarning { - get { - return ResourceManager.GetString("SignCommandNoTimestamperWarning", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Directory where the signed package should be saved. By default the original package is overwritten by the signed package.. - /// - internal static string SignCommandOutputDirectoryDescription { - get { - return ResourceManager.GetString("SignCommandOutputDirectoryDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Switch to indicate if the current signature should be overwritten. By default the command will fail if the package already has a signature.. - /// - internal static string SignCommandOverwriteDescription { - get { - return ResourceManager.GetString("SignCommandOverwriteDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Signs a NuGet package.. - /// - internal static string SignCommandSummary { - get { - return ResourceManager.GetString("SignCommandSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to URL to an RFC 3161 timestamping server.. - /// - internal static string SignCommandTimestamperDescription { - get { - return ResourceManager.GetString("SignCommandTimestamperDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hash algorithm to be used by the RFC 3161 timestamp server. Defaults to SHA256.. - /// - internal static string SignCommandTimestampHashAlgorithmDescription { - get { - return ResourceManager.GetString("SignCommandTimestampHashAlgorithmDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Signs a NuGet package.. - /// - internal static string SignCommandUsageDescription { - get { - return ResourceManager.GetString("SignCommandUsageDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget sign MyPackage.nupkg -Timestamper https://foo.bar - /// - ///nuget sign .\..\MyPackage.nupkg -Timestamper https://foo.bar -OutputDirectory .\..\Signed - ///. - /// - internal static string SignCommandUsageExamples { - get { - return ResourceManager.GetString("SignCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <package_path> -Timestamper <timestamp_server_url> [-CertificatePath <certificate_path> | [ -CertificateStoreName <certificate_store_name> -CertificateStoreLocation <certificate_store_location> [-CertificateSubjectName <certificate_subject_name> | -CertificateFingerprint <certificate_fingerprint>]]] [options]. - /// - internal static string SignCommandUsageSummary { - get { - return ResourceManager.GetString("SignCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Provides the ability to manage list of sources located in NuGet.config files.. - /// - internal static string SourcesCommandDescription { - get { - return ResourceManager.GetString("SourcesCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 可以管理位于 %AppData%\NuGet\NuGet.config 的源列表. - /// - internal static string SourcesCommandDescription_chs { - get { - return ResourceManager.GetString("SourcesCommandDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 提供管理位於 %AppData%\NuGet\NuGet.config 的來源清單的功能。. - /// - internal static string SourcesCommandDescription_cht { - get { - return ResourceManager.GetString("SourcesCommandDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Poskytuje možnost pro správu seznamu zdrojů umístěných v souboru %AppData%\NuGet\NuGet.config.. - /// - internal static string SourcesCommandDescription_csy { - get { - return ResourceManager.GetString("SourcesCommandDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Stellt die Möglichkeit zur Verfügung, eine Liste der Quellen zu verwalten, die sich in "%AppData%\NuGet\NuGet.config" befinden.. - /// - internal static string SourcesCommandDescription_deu { - get { - return ResourceManager.GetString("SourcesCommandDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Proporciona la capacidad de gestionar la lista de orígenes ubicada en %AppData%\NuGet\NuGet.config. - /// - internal static string SourcesCommandDescription_esp { - get { - return ResourceManager.GetString("SourcesCommandDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Offre la possibilité de gérer la liste de sources située dans %AppData%\NuGet\NuGet.config.. - /// - internal static string SourcesCommandDescription_fra { - get { - return ResourceManager.GetString("SourcesCommandDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permette la gestione di un elenco di fonti localizzato in %AppData%\NuGet\NuGet.config. - /// - internal static string SourcesCommandDescription_ita { - get { - return ResourceManager.GetString("SourcesCommandDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to %AppData%\NuGet\NuGet.config に指定されたソースの一覧を管理できます. - /// - internal static string SourcesCommandDescription_jpn { - get { - return ResourceManager.GetString("SourcesCommandDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to %AppData%\NuGet\NuGet.config에 있는 소스 목록을 관리할 수 있는 기능을 제공합니다.. - /// - internal static string SourcesCommandDescription_kor { - get { - return ResourceManager.GetString("SourcesCommandDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zapewnia możliwość zarządzania listą źródeł znajdującą się w pliku %AppData%\NuGet\NuGet .config. - /// - internal static string SourcesCommandDescription_plk { - get { - return ResourceManager.GetString("SourcesCommandDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fornece a capacidade de gerenciar a lista de origens localizadas em %AppData%\NuGet\NuGet.config. - /// - internal static string SourcesCommandDescription_ptb { - get { - return ResourceManager.GetString("SourcesCommandDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Дает возможность управлять списком источников, расположенным в %AppData%\NuGet\NuGet.config. - /// - internal static string SourcesCommandDescription_rus { - get { - return ResourceManager.GetString("SourcesCommandDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to %AppData%\NuGet\NuGet.config içinde yer alan kaynakların listesinin yönetilebilmesini mümkün kılar.. - /// - internal static string SourcesCommandDescription_trk { - get { - return ResourceManager.GetString("SourcesCommandDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Applies to the list action. Accepts two values: Detailed (the default) and Short.. - /// - internal static string SourcesCommandFormatDescription { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 适用于列表操作。接受两个值:“详细”(默认值)和“简短”。. - /// - internal static string SourcesCommandFormatDescription_chs { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 套用至清單動作。接受兩種值: 詳細 (預設) 及簡短。. - /// - internal static string SourcesCommandFormatDescription_cht { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Použije se na akce se seznamem. Přijímá dvě hodnoty: Podrobné (výchozí hodnota) a Krátké.. - /// - internal static string SourcesCommandFormatDescription_csy { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Gilt für die Listenaktion. Nimmt zwei Werte an: "Detailed" (Standardwert) und "Short".. - /// - internal static string SourcesCommandFormatDescription_deu { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se aplica a la acción de la lista. Acepta dos valores: Detallado (predeterminado) y Breve.. - /// - internal static string SourcesCommandFormatDescription_esp { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to S'applique à l'action de la liste. Accepte deux valeurs : Détaillé (valeur par défaut) et Bref.. - /// - internal static string SourcesCommandFormatDescription_fra { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Si applica all'azione list. Accetta due valori: Detailed (impostazione predefinita) e Short.. - /// - internal static string SourcesCommandFormatDescription_ita { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to リストの操作に適用します。Detailed (既定) および Short の 2 つの値を受け入れます。. - /// - internal static string SourcesCommandFormatDescription_jpn { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 목록 동작에 적용합니다. [자세히](기본값) 및 [짧게]의 두 가지 값을 사용할 수 있습니다.. - /// - internal static string SourcesCommandFormatDescription_kor { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Jest stosowany do akcji z listy. Akceptuje dwie wartości: Szczegółowe (wartość domyślna) i Krótkie.. - /// - internal static string SourcesCommandFormatDescription_plk { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aplica à ação da lista. Aceita dois valores: Detalhada (a padrão) e Curta.. - /// - internal static string SourcesCommandFormatDescription_ptb { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Применяется к действию со списком. Принимает два значения: "Detailed" (по умолчанию) и "Short".. - /// - internal static string SourcesCommandFormatDescription_rus { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Liste eylemi için geçerlidir. Ayrıntılı (varsayılan) ve Kısa olmak üzere iki değer kabul eder.. - /// - internal static string SourcesCommandFormatDescription_trk { - get { - return ResourceManager.GetString("SourcesCommandFormatDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Name of the source.. - /// - internal static string SourcesCommandNameDescription { - get { - return ResourceManager.GetString("SourcesCommandNameDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 源的名称。. - /// - internal static string SourcesCommandNameDescription_chs { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 來源名稱。. - /// - internal static string SourcesCommandNameDescription_cht { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Název zdroje. - /// - internal static string SourcesCommandNameDescription_csy { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Name der Quelle.. - /// - internal static string SourcesCommandNameDescription_deu { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nombre del origen.. - /// - internal static string SourcesCommandNameDescription_esp { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nom de la source.. - /// - internal static string SourcesCommandNameDescription_fra { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nome della fonte.. - /// - internal static string SourcesCommandNameDescription_ita { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ソースの名前。. - /// - internal static string SourcesCommandNameDescription_jpn { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 소스 이름입니다.. - /// - internal static string SourcesCommandNameDescription_kor { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nazwa źródła.. - /// - internal static string SourcesCommandNameDescription_plk { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nome da origem.. - /// - internal static string SourcesCommandNameDescription_ptb { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Имя источника.. - /// - internal static string SourcesCommandNameDescription_rus { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Kaynağın adı.. - /// - internal static string SourcesCommandNameDescription_trk { - get { - return ResourceManager.GetString("SourcesCommandNameDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Password to be used when connecting to an authenticated source.. - /// - internal static string SourcesCommandPasswordDescription { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 连接到已通过身份验证的源时要使用的密码。. - /// - internal static string SourcesCommandPasswordDescription_chs { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 連線至已驗證來源時使用的密碼。. - /// - internal static string SourcesCommandPasswordDescription_cht { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Heslo, které má být použito při připojení k ověřenému zdroji. - /// - internal static string SourcesCommandPasswordDescription_csy { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Das Kennwort, das beim Herstellen einer Verbindung mit einer authentifizierten Quelle verwendet werden soll.. - /// - internal static string SourcesCommandPasswordDescription_deu { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Contraseña que se va a usar al conectar al origen autenticado.. - /// - internal static string SourcesCommandPasswordDescription_esp { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Utilisez le mot de passe pour vous connecter à une source authentifiée.. - /// - internal static string SourcesCommandPasswordDescription_fra { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Password da usare quando ci si collega a una fonte autenticata.. - /// - internal static string SourcesCommandPasswordDescription_ita { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 認証済みソースに接続するときに使用されるパスワード。. - /// - internal static string SourcesCommandPasswordDescription_jpn { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 인증된 소스에 연결할 때 사용되는 암호입니다.. - /// - internal static string SourcesCommandPasswordDescription_kor { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hasło, którego należy używać podczas łączenia się z uwierzytelnionym źródłem.. - /// - internal static string SourcesCommandPasswordDescription_plk { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Senha a ser usada ao conectar-se a uma origem autenticada.. - /// - internal static string SourcesCommandPasswordDescription_ptb { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Пароль, используемый при подключении к проверенному источнику.. - /// - internal static string SourcesCommandPasswordDescription_rus { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Kimliği doğrulanmış bir kaynağa bağlanırken kullanılacak parola.. - /// - internal static string SourcesCommandPasswordDescription_trk { - get { - return ResourceManager.GetString("SourcesCommandPasswordDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Path to the package(s) source.. - /// - internal static string SourcesCommandSourceDescription { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 程序包源的路径。. - /// - internal static string SourcesCommandSourceDescription_chs { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 封裝來源的路徑。. - /// - internal static string SourcesCommandSourceDescription_cht { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Cesta ke zdroji balíčků. - /// - internal static string SourcesCommandSourceDescription_csy { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Pfad zu der Paketquelle.. - /// - internal static string SourcesCommandSourceDescription_deu { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ruta de acceso al origen de los paquetes.. - /// - internal static string SourcesCommandSourceDescription_esp { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Chemin d'accès à la source de packages.. - /// - internal static string SourcesCommandSourceDescription_fra { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Percorso alle fonti pacchetto.. - /// - internal static string SourcesCommandSourceDescription_ita { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージ ソースのパス。. - /// - internal static string SourcesCommandSourceDescription_jpn { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지 소스의 경로입니다.. - /// - internal static string SourcesCommandSourceDescription_kor { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ścieżka do źródła pakietów.. - /// - internal static string SourcesCommandSourceDescription_plk { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Caminho para as origens do pacote.. - /// - internal static string SourcesCommandSourceDescription_ptb { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Путь к источнику пакетов.. - /// - internal static string SourcesCommandSourceDescription_rus { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket kaynağına giden yol.. - /// - internal static string SourcesCommandSourceDescription_trk { - get { - return ResourceManager.GetString("SourcesCommandSourceDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Enables storing portable package source credentials by disabling password encryption.. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 通过禁用密码加密来允许存储可移植程序包源凭据。. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_chs { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 以停用密碼加密的方式來啟用儲存可攜式封裝來源認證。. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_cht { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Umožňuje uložení přihlašovacích údajů zdroje přenosného balíčku, a to zákazem šifrování hesel.. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_csy { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ermöglicht das Speichern der Anmeldeinformationen der portablen Paketquelle durch Deaktivieren von Kennwortverschlüsselung.. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_deu { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Habilita el almacenamiento de las credenciales de origen del paquete portátil deshabilitando el cifrado de la contraseña.. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_esp { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Active les informations d'identification de la source du package portable de stockage en désactivant le chiffrement de mot de passe.. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_fra { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permette di immagazzinare le credenziali della fonte disabilitando il criptaggio della password.. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_ita { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パスワードの暗号化を無効にして、ポータブル パッケージ ソースの資格情報の保存を有効にします。. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_jpn { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 암호의 암호화를 사용하지 않도록 설정하여 휴대용 패키지 소스 자격 증명을 저장할 수 있도록 합니다.. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_kor { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Umożliwia przechowywanie poświadczeń przenośnego źródła pakietów, wyłączając szyfrowanie haseł.. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_plk { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ativa as credenciais de origem do pacote portátil de armazenamento desativando a criptografia de senha.. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_ptb { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Позволяет хранить переносимые учетные данные источника пакетов посредством отключения шифрования пароля.. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_rus { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Parola şifrelemesini devre dışı bırakarak taşınabilir paket kaynağı kimlik bilgilerinin saklanmasını sağlar.. - /// - internal static string SourcesCommandStorePasswordInClearTextDescription_trk { - get { - return ResourceManager.GetString("SourcesCommandStorePasswordInClearTextDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Make a source a trusted repository for repository signature verification.. - /// - internal static string SourcesCommandTrustDescription { - get { - return ResourceManager.GetString("SourcesCommandTrustDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [name] -Source [source]. - /// - internal static string SourcesCommandUsageSummary { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [名称] -Source [源]. - /// - internal static string SourcesCommandUsageSummary_chs { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [名稱] -Source [來源]. - /// - internal static string SourcesCommandUsageSummary_cht { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [název] -Source [zdroj]. - /// - internal static string SourcesCommandUsageSummary_csy { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [Name] -Source [Quelle]. - /// - internal static string SourcesCommandUsageSummary_deu { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [nombre] -Source [origen]. - /// - internal static string SourcesCommandUsageSummary_esp { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [nom] -Source [source]. - /// - internal static string SourcesCommandUsageSummary_fra { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [nome] -Source [fonte]. - /// - internal static string SourcesCommandUsageSummary_ita { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [name] -Source [source]. - /// - internal static string SourcesCommandUsageSummary_jpn { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [이름] -Source [소스]. - /// - internal static string SourcesCommandUsageSummary_kor { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [nazwa] -Source [źródło]. - /// - internal static string SourcesCommandUsageSummary_plk { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [nome] -Source [origem]. - /// - internal static string SourcesCommandUsageSummary_ptb { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [имя] -Source [источник]. - /// - internal static string SourcesCommandUsageSummary_rus { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Enable|Disable|Update> -Name [ad] -Source [kaynak]. - /// - internal static string SourcesCommandUsageSummary_trk { - get { - return ResourceManager.GetString("SourcesCommandUsageSummary_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Username to be used when connecting to an authenticated source.. - /// - internal static string SourcesCommandUserNameDescription { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 连接到已通过身份验证的源时要使用的用户名。. - /// - internal static string SourcesCommandUserNameDescription_chs { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 連線至已驗證來源時要使用的使用者名稱。. - /// - internal static string SourcesCommandUserNameDescription_cht { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Uživatelské jméno, které má být použito při připojení k ověřenému zdroji. - /// - internal static string SourcesCommandUserNameDescription_csy { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der "UserName", der beim Herstellen einer Verbindung mit einer authentifizierten Quelle verwendet werden soll.. - /// - internal static string SourcesCommandUserNameDescription_deu { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nombre de usuario que se va a usar cuando se conecte a un origen autenticado.. - /// - internal static string SourcesCommandUserNameDescription_esp { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Utilisez le @@@nom d'utilisateur pour vous connecter à une source authentifiée.. - /// - internal static string SourcesCommandUserNameDescription_fra { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nomeutente da usare quando ci si collega a una fonte autenticata.. - /// - internal static string SourcesCommandUserNameDescription_ita { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 認証済みソースに接続するときに使用されるユーザー名。. - /// - internal static string SourcesCommandUserNameDescription_jpn { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 인증된 소스에 연결할 때 사용되는 사용자 이름입니다.. - /// - internal static string SourcesCommandUserNameDescription_kor { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nazwa użytkownika, którą należy stosować podczas łączenia się z uwierzytelnionym źródłem.. - /// - internal static string SourcesCommandUserNameDescription_plk { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nome de usuário a ser usado na conexão com uma origem autenticada.. - /// - internal static string SourcesCommandUserNameDescription_ptb { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Имя пользователя, используемое при подключении к проверенному источнику.. - /// - internal static string SourcesCommandUserNameDescription_rus { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Kimliği doğrulanmış bir kaynağa bağlanırken kullanılacak KullanıcıAdı.. - /// - internal static string SourcesCommandUserNameDescription_trk { - get { - return ResourceManager.GetString("SourcesCommandUserNameDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Comma-separated list of valid authentication types for this source. By default, all authentication types are valid. Example: basic,negotiate. - /// - internal static string SourcesCommandValidAuthenticationTypesDescription { - get { - return ResourceManager.GetString("SourcesCommandValidAuthenticationTypesDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Assembly to use for metadata.. - /// - internal static string SpecCommandAssemblyPathDescription { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 要用于元数据的程序集。. - /// - internal static string SpecCommandAssemblyPathDescription_chs { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 中繼資料要使用的組件。. - /// - internal static string SpecCommandAssemblyPathDescription_cht { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sestavení, které má být použito pro metadata. - /// - internal static string SpecCommandAssemblyPathDescription_csy { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die für Metadaten zu verwendende Assembly.. - /// - internal static string SpecCommandAssemblyPathDescription_deu { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ensamblado que se va a usar para los metadatos.. - /// - internal static string SpecCommandAssemblyPathDescription_esp { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Assembly à utiliser pour les métadonnées.. - /// - internal static string SpecCommandAssemblyPathDescription_fra { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Assembly da usare come metadata.. - /// - internal static string SpecCommandAssemblyPathDescription_ita { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to メタデータに使用するアセンブリ。. - /// - internal static string SpecCommandAssemblyPathDescription_jpn { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 메타데이터에 사용할 어셈블리입니다.. - /// - internal static string SpecCommandAssemblyPathDescription_kor { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zestaw do użycia na potrzeby metadanych.. - /// - internal static string SpecCommandAssemblyPathDescription_plk { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Assembly a ser usado para metadados.. - /// - internal static string SpecCommandAssemblyPathDescription_ptb { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Сборка, используемая для метаданных.. - /// - internal static string SpecCommandAssemblyPathDescription_rus { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Meta veriler için kullanılacak derleme.. - /// - internal static string SpecCommandAssemblyPathDescription_trk { - get { - return ResourceManager.GetString("SpecCommandAssemblyPathDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Generates a nuspec for a new package. If this command is run in the same folder as a project file (.csproj, .vbproj, .fsproj), it will create a tokenized nuspec file.. - /// - internal static string SpecCommandDescription { - get { - return ResourceManager.GetString("SpecCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 为新程序包生成 nuspec。如果此命令在项目文件(.csproj、.vbproj、.fsproj)所在的文件夹中运行,则它将创建已标记化的 nuspec 文件。. - /// - internal static string SpecCommandDescription_chs { - get { - return ResourceManager.GetString("SpecCommandDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 為新封裝產生 nuspec。如果此命令在與專案檔 (.csproj, .vbproj, .fsproj) 相同資料夾中執行,則會建立 Token 化的 nuspec 檔案。. - /// - internal static string SpecCommandDescription_cht { - get { - return ResourceManager.GetString("SpecCommandDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Vytvoří soubor nuspec pro nový balíček. Je-li tento příkaz spuštěn ve stejné složce jako soubor projektu (.csproj, .vbproj, .fsproj), vytvoří tokenizovaný soubor nuspec.. - /// - internal static string SpecCommandDescription_csy { - get { - return ResourceManager.GetString("SpecCommandDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Generiert eine nuspec-Datei für ein neues Paket. Wenn dieser Befehl im gleichen Ordner wie eine Projektdatei (CSPROJ, VBPROJ, FSPROJ) ausgeführt wird, wird eine nuspec-Datei mit einem Token erstellt.. - /// - internal static string SpecCommandDescription_deu { - get { - return ResourceManager.GetString("SpecCommandDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Genera un archivo nuspec para un nuevo paquete. Si este comando se ejecuta en la misma carpeta como archivo de proyecto (.csproj, .vbproj, .fsproj), creará un archivo nuspec acortado. . - /// - internal static string SpecCommandDescription_esp { - get { - return ResourceManager.GetString("SpecCommandDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Génère un nuspec pour un nouveau package. Si cette commande s'exécute dans le même dossier que le fichier projet (.csproj, .vbproj, .fsproj), un fichier .nuspec tokenisé sera créé.. - /// - internal static string SpecCommandDescription_fra { - get { - return ResourceManager.GetString("SpecCommandDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Genera un nuspec per un nuovo pacchetto. Se si esegue questo comando nella stessa cartella di un file di progetto (.csproj, .vbproj, .fsproj), creerà un file nuspec nominale.. - /// - internal static string SpecCommandDescription_ita { - get { - return ResourceManager.GetString("SpecCommandDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 新しいパッケージの nuspec を生成します。このコマンドをプロジェクト ファイル (.csproj, .vbproj, .fsproj) と同じフォルダーで実行する場合、トークン化された nuspec ファイルが作成されます。. - /// - internal static string SpecCommandDescription_jpn { - get { - return ResourceManager.GetString("SpecCommandDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 새 패키지의 nuspec을 생성합니다. 이 명령이 프로젝트 파일(.csproj, .vbproj, .fsproj)과 동일한 폴더에서 실행되면 토큰화된 nuspec 파일을 생성합니다.. - /// - internal static string SpecCommandDescription_kor { - get { - return ResourceManager.GetString("SpecCommandDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Generuje plik nuspec dla nowego pakietu. Jeśli to polecenie zostanie uruchomione w tym samym folderze co plik projektu (csproj, vbproj, fsproj), spowoduje utworzenie pliku nuspec z tokenizacją.. - /// - internal static string SpecCommandDescription_plk { - get { - return ResourceManager.GetString("SpecCommandDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Gera um nuspec para um novo pacote. Se esse comando for executado na mesma pasta que um arquivo de projeto (.csproj, .vbproj, .fsproj), ele criará um arquivo nuspec com token.. - /// - internal static string SpecCommandDescription_ptb { - get { - return ResourceManager.GetString("SpecCommandDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Создает NUSPEC-файл для нового пакета. Если эта команда запущена в папке с файлом проекта (.csproj, .vbproj, .fsproj), она создаст размеченный NUSPEC-файл.. - /// - internal static string SpecCommandDescription_rus { - get { - return ResourceManager.GetString("SpecCommandDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Yeni paket için bir nuspec oluşturur. Bu komut proje dosyasıyla (.csproj, .vbproj, .fsproj) aynı klasörde çalıştırılırsa, parçalanmış bir nuspec dosyası oluşturur.. - /// - internal static string SpecCommandDescription_trk { - get { - return ResourceManager.GetString("SpecCommandDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Overwrite nuspec file if it exists.. - /// - internal static string SpecCommandForceDescription { - get { - return ResourceManager.GetString("SpecCommandForceDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 覆盖 nuspec 文件(如果存在)。. - /// - internal static string SpecCommandForceDescription_chs { - get { - return ResourceManager.GetString("SpecCommandForceDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 若存在則覆寫 nuspec 檔案。. - /// - internal static string SpecCommandForceDescription_cht { - get { - return ResourceManager.GetString("SpecCommandForceDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Přepíše soubor nuspec, existuje-li.. - /// - internal static string SpecCommandForceDescription_csy { - get { - return ResourceManager.GetString("SpecCommandForceDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Überschreibt die nuspec-Datei, wenn vorhanden.. - /// - internal static string SpecCommandForceDescription_deu { - get { - return ResourceManager.GetString("SpecCommandForceDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Reemplazar el archivo nuspec si existe.. - /// - internal static string SpecCommandForceDescription_esp { - get { - return ResourceManager.GetString("SpecCommandForceDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Remplacez le fichier .nuspec s'il existe.. - /// - internal static string SpecCommandForceDescription_fra { - get { - return ResourceManager.GetString("SpecCommandForceDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sovrascrive il file nuspec se esistente.. - /// - internal static string SpecCommandForceDescription_ita { - get { - return ResourceManager.GetString("SpecCommandForceDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuspec ファイルが存在する場合は上書きします。. - /// - internal static string SpecCommandForceDescription_jpn { - get { - return ResourceManager.GetString("SpecCommandForceDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuspec 파일이 있는 경우 덮어씁니다.. - /// - internal static string SpecCommandForceDescription_kor { - get { - return ResourceManager.GetString("SpecCommandForceDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zastąp plik nuspec, jeśli istnieje.. - /// - internal static string SpecCommandForceDescription_plk { - get { - return ResourceManager.GetString("SpecCommandForceDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Substitua o arquivo nuspec se ele já existir.. - /// - internal static string SpecCommandForceDescription_ptb { - get { - return ResourceManager.GetString("SpecCommandForceDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Если NUSPEC-файл существует, он будет перезаписан.. - /// - internal static string SpecCommandForceDescription_rus { - get { - return ResourceManager.GetString("SpecCommandForceDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mevcutsa nuspec dosyasını geçersiz kıl.. - /// - internal static string SpecCommandForceDescription_trk { - get { - return ResourceManager.GetString("SpecCommandForceDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples { - get { - return ResourceManager.GetString("SpecCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_chs { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_cht { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_csy { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_deu { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_esp { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_fra { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_ita { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_jpn { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_kor { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_plk { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_ptb { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_rus { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget spec - /// - ///nuget spec MyPackage - /// - ///nuget spec -a MyAssembly.dll. - /// - internal static string SpecCommandUsageExamples_trk { - get { - return ResourceManager.GetString("SpecCommandUsageExamples_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [package id]. - /// - internal static string SpecCommandUsageSummary { - get { - return ResourceManager.GetString("SpecCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [程序包 ID]. - /// - internal static string SpecCommandUsageSummary_chs { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [封裝 ID]. - /// - internal static string SpecCommandUsageSummary_cht { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [ID balíčku]. - /// - internal static string SpecCommandUsageSummary_csy { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Paket-ID]. - /// - internal static string SpecCommandUsageSummary_deu { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [id. de paquete]. - /// - internal static string SpecCommandUsageSummary_esp { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [ID package]. - /// - internal static string SpecCommandUsageSummary_fra { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [id pacchetto]. - /// - internal static string SpecCommandUsageSummary_ita { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [package id]. - /// - internal static string SpecCommandUsageSummary_jpn { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [패키지 ID]. - /// - internal static string SpecCommandUsageSummary_kor { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [identyfikator pakietu]. - /// - internal static string SpecCommandUsageSummary_plk { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [id do pacote]. - /// - internal static string SpecCommandUsageSummary_ptb { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [идентификатор пакета]. - /// - internal static string SpecCommandUsageSummary_rus { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [paket kimliği]. - /// - internal static string SpecCommandUsageSummary_trk { - get { - return ResourceManager.GetString("SpecCommandUsageSummary_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The API key for the symbol server.. - /// - internal static string SymbolApiKey { - get { - return ResourceManager.GetString("SymbolApiKey", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Set allowUntrustedRoot to true for the trusted signer's certificate to be added.. - /// - internal static string TrustedSignersCommandAllowUntrustedRootDescription { - get { - return ResourceManager.GetString("TrustedSignersCommandAllowUntrustedRootDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Add the author signature of the package as a trusted author.. - /// - internal static string TrustedSignersCommandAuthorDescription { - get { - return ResourceManager.GetString("TrustedSignersCommandAuthorDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fingerprint of the certificate to trust.. - /// - internal static string TrustedSignersCommandCertificateFingerprintDescription { - get { - return ResourceManager.GetString("TrustedSignersCommandCertificateFingerprintDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Provides the ability to manage the list of trusted signers.. - /// - internal static string TrustedSignersCommandDescription { - get { - return ResourceManager.GetString("TrustedSignersCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hash algorithm used to calculate the certificate fingerprint. Defaults to SHA256.. - /// - internal static string TrustedSignersCommandFingerprintAlgorithmDescription { - get { - return ResourceManager.GetString("TrustedSignersCommandFingerprintAlgorithmDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Name of the trusted signer.. - /// - internal static string TrustedSignersCommandNameDescription { - get { - return ResourceManager.GetString("TrustedSignersCommandNameDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to List of owners allowed for a package signed with the trusted repository.. - /// - internal static string TrustedSignersCommandOwnersDescription { - get { - return ResourceManager.GetString("TrustedSignersCommandOwnersDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Add the repository signature or countersignature of the package as a trusted repository.. - /// - internal static string TrustedSignersCommandRepositoryDescription { - get { - return ResourceManager.GetString("TrustedSignersCommandRepositoryDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Service index for a repository to be trusted.. - /// - internal static string TrustedSignersCommandServiceIndexDescription { - get { - return ResourceManager.GetString("TrustedSignersCommandServiceIndexDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget trusted-signers - /// - ///nuget trusted-signers Add -Name existingSource - /// - ///nuget trusted-signers Add -Name trustedRepo -ServiceIndex https://trustedRepo.test/v3ServiceIndex - /// - ///nuget trusted-signers Add -Name author1 -CertificateFingerprint CE40881FF5F0AD3E58965DA20A9F571EF1651A56933748E1BF1C99E537C4E039 -FingerprintAlgorithm SHA256 - /// - ///nuget trusted-signers Add -Repository .\..\MyRepositorySignedPackage.nupkg -Name TrustedRepo - /// - ///nuget trusted-signers Remove -Name TrustedRepo. - /// - internal static string TrustedSignersCommandUsageExamples { - get { - return ResourceManager.GetString("TrustedSignersCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to <List|Add|Remove|Sync> [options]. - /// - internal static string TrustedSignersCommandUsageSummary { - get { - return ResourceManager.GetString("TrustedSignersCommandUsageSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Overrides the default dependency resolution behavior.. - /// - internal static string UpdateCommandDependencyVersion { - get { - return ResourceManager.GetString("UpdateCommandDependencyVersion", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Update packages to latest available versions. This command also updates NuGet.exe itself.. - /// - internal static string UpdateCommandDescription { - get { - return ResourceManager.GetString("UpdateCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 将程序包更新到最新的可用版本。此命令还更新 NuGet.exe 本身。. - /// - internal static string UpdateCommandDescription_chs { - get { - return ResourceManager.GetString("UpdateCommandDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 更新封裝為可用的最新版本。此命令也會更新 NuGet.exe 本身。. - /// - internal static string UpdateCommandDescription_cht { - get { - return ResourceManager.GetString("UpdateCommandDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aktualizuje balíčky na nejnovější dostupné verze. Tento příkaz rovněž aktualizuje vlastní soubor NuGet.exe.. - /// - internal static string UpdateCommandDescription_csy { - get { - return ResourceManager.GetString("UpdateCommandDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pakete auf die aktuellsten verfügbaren Versionen aktualisieren. Dieser Befehl aktualisiert auch die Datei "NuGet.exe" selbst.. - /// - internal static string UpdateCommandDescription_deu { - get { - return ResourceManager.GetString("UpdateCommandDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Actualizar paquetes a las últimas versiones disponibles. Este comando también actualiza NuGet.exe.. - /// - internal static string UpdateCommandDescription_esp { - get { - return ResourceManager.GetString("UpdateCommandDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mettez à jour les packages vers les versions disponibles les plus récentes. Cette commande met également à jour NuGet.exe.. - /// - internal static string UpdateCommandDescription_fra { - get { - return ResourceManager.GetString("UpdateCommandDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aggiornare paccheti alle ultime versioni. Questo comando aggiorna anche NuGet.exe.. - /// - internal static string UpdateCommandDescription_ita { - get { - return ResourceManager.GetString("UpdateCommandDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージを利用可能な最新バージョンに更新します。このコマンドで、NuGet.exe も更新されます。. - /// - internal static string UpdateCommandDescription_jpn { - get { - return ResourceManager.GetString("UpdateCommandDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지를 사용 가능한 최신 버전으로 업데이트합니다. 이 명령은 NuGet.exe 자체도 업데이트합니다.. - /// - internal static string UpdateCommandDescription_kor { - get { - return ResourceManager.GetString("UpdateCommandDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zaktualizuj pakiety do najnowszych dostępnych wersji. To polecenie aktualizuje również plik NuGet.exe.. - /// - internal static string UpdateCommandDescription_plk { - get { - return ResourceManager.GetString("UpdateCommandDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Atualize os pacotes para as versões mais recentes disponíveis. Este comando também atualiza NuGet.exe em si.. - /// - internal static string UpdateCommandDescription_ptb { - get { - return ResourceManager.GetString("UpdateCommandDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Обновление пакетов до последних доступных версий. Кроме того, эта команда обновляет и файл NuGet.exe.. - /// - internal static string UpdateCommandDescription_rus { - get { - return ResourceManager.GetString("UpdateCommandDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paketleri mevcut en son sürümlerine günceller. Bu komut ayrıca NuGet.exe öğesinin kendisini de günceller.. - /// - internal static string UpdateCommandDescription_trk { - get { - return ResourceManager.GetString("UpdateCommandDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Set default action when a file from a package already exists in the target project. Set to Overwrite to always overwrite files. Set to Ignore to skip files. If not specified, it will prompt for each conflicting file.. - /// - internal static string UpdateCommandFileConflictAction { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 设置当程序包中的文件已在目标项目中存在时的默认操作。设置为 "Overwrite" 可始终覆盖文件。设置为 "Ignore" 可跳过文件。如果未指定,则它将提示每个存在冲突的文件。. - /// - internal static string UpdateCommandFileConflictAction_chs { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 當封裝檔案已存在於目標專案時,設定預設動作。設定為 Overwrite 一律覆寫檔案。設定為 Ignore 以略過檔案。若未指定,則會提示每個衝突的檔案。. - /// - internal static string UpdateCommandFileConflictAction_cht { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nastaví výchozí akci, pokud soubor z balíčku již existuje v cílovém projektu. Chcete-li vždy přepisovat soubory, nastavte možnost Overwrite. Chcete-li soubory přeskočit, nastavte možnost Ignore. Pokud možnost není zadána, zobrazí se výzva pro každý konfliktní soubor.. - /// - internal static string UpdateCommandFileConflictAction_csy { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Legt die Standardaktion fest, wenn eine Datei aus einem Paket bereits im Zielprojekt vorhanden ist. Legen Sie den Wert auf "Overwrite" fest, um Dateien immer zu überschreiben. Legen Sie den Wert auf "Ignore" fest, um Dateien zu überspringen. Wenn keine Angabe erfolgt, wird eine Eingabeaufforderung für jede Datei angezeigt, die einen Konflikt verursacht.. - /// - internal static string UpdateCommandFileConflictAction_deu { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Establecer una acción predeterminada cuando un archivo de un paquete ya exista en el proyecto de destino. Establecer a Overwrite para reemplazar siempre los archivos. Establecer a Ignore para omitir los archivos. Si no se especifica, pedirá confirmación para cada archivo conflictivo.. - /// - internal static string UpdateCommandFileConflictAction_esp { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Définissez l'action par défaut lorsqu'un fichier du package existe déjà dans le projet cible. Affectez la valeur Overwrite pour remplacer systématiquement les fichiers. Affectez la valeur Ignore pour ignorer les fichiers. En l'absence de spécification, une invite s'affichera pour chaque fichier provoquant un conflit.. - /// - internal static string UpdateCommandFileConflictAction_fra { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impostare azione di default quando esiste già un file da un pacchetto. Impostare su Overwrite per sovrascrivere il file. Impostare su Ignore per saltare il file. Se non specificato, richiederà per ogni file in conflitto.. - /// - internal static string UpdateCommandFileConflictAction_ita { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージのファイルがターゲット プロジェクトに既に存在する場合の既定のアクションを設定します。常にファイルを上書きするには、Overwrite に設定します。ファイルをスキップするには、Ignore に設定します。指定しない場合、競合するファイルごとにプロンプトが表示されます。. - /// - internal static string UpdateCommandFileConflictAction_jpn { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지의 파일이 대상 프로젝트에 이미 있는 경우의 기본 동작을 설정합니다. 파일을 항상 덮어쓰려면 Overwrite로 설정합니다. 파일을 건너뛰려면 Ignore로 설정합니다. 지정되지 않은 경우 충돌하는 각 파일에 대한 메시지를 표시합니다.. - /// - internal static string UpdateCommandFileConflictAction_kor { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ustaw domyślną akcję, jeśli plik z pakietu istnieje już w projekcie docelowym. Ustaw wartość Overwrite, aby zawsze zastępować pliki. Ustaw wartość Ignore, aby pomijać pliki. Jeśli akcja nie zostanie określona, dla każdego pliku powodującego konflikt będzie wyświetlany monit.. - /// - internal static string UpdateCommandFileConflictAction_plk { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Defina a ação padrão quando um arquivo de um pacote já existir no projeto de destino. Defina para Overwrite para sempre substituir arquivos. Defina para Ignore para ignorar arquivos. Se não for especificado, ele avisará sobre cada arquivo conflitante.. - /// - internal static string UpdateCommandFileConflictAction_ptb { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Задайте действие по умолчанию, которое выполняется, если файл из пакета уже существует в целевом проекте. Если указать значение "Overwrite", файлы всегда будут перезаписываться. Если указать значение "Ignore", файлы будут пропускаться. Если значение не указать, для каждого конфликтного файла будет отображен запрос действия.. - /// - internal static string UpdateCommandFileConflictAction_rus { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paketteki bir dosya hedef projede zaten mevcutsa uygulanacak varsayılan eylemi ayarlayın. Dosyaların her zaman geçersiz kılınması için Overwrite seçimin belirtin. Dosyaların atlanması için Ignore seçimin belirtin. Hiçbiri belirtilmemişse, çakışan her dosya için ne yapılacağını sorar.. - /// - internal static string UpdateCommandFileConflictAction_trk { - get { - return ResourceManager.GetString("UpdateCommandFileConflictAction_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Package ids to update.. - /// - internal static string UpdateCommandIdDescription { - get { - return ResourceManager.GetString("UpdateCommandIdDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 要更新的程序包 ID。. - /// - internal static string UpdateCommandIdDescription_chs { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 要更新的封裝 ID。. - /// - internal static string UpdateCommandIdDescription_cht { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ID balíčků k aktualizaci. - /// - internal static string UpdateCommandIdDescription_csy { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die zu aktualisierenden Paket-IDs.. - /// - internal static string UpdateCommandIdDescription_deu { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Id. de paquetes que se van a actualizar.. - /// - internal static string UpdateCommandIdDescription_esp { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ID des packages à mettre à jour.. - /// - internal static string UpdateCommandIdDescription_fra { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Id del pacchetto da aggiornare.. - /// - internal static string UpdateCommandIdDescription_ita { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 更新するパッケージ ID。. - /// - internal static string UpdateCommandIdDescription_jpn { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 업데이트할 패키지 ID입니다.. - /// - internal static string UpdateCommandIdDescription_kor { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Identyfikatory pakietów do zaktualizowania.. - /// - internal static string UpdateCommandIdDescription_plk { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pacote de IDs a serem atualizadas.. - /// - internal static string UpdateCommandIdDescription_ptb { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Идентификаторы обновляемых пакетов.. - /// - internal static string UpdateCommandIdDescription_rus { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Güncellenecek paket kimlikleri.. - /// - internal static string UpdateCommandIdDescription_trk { - get { - return ResourceManager.GetString("UpdateCommandIdDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Allows updating to prerelease versions. This flag is not required when updating prerelease packages that are already installed.. - /// - internal static string UpdateCommandPrerelease { - get { - return ResourceManager.GetString("UpdateCommandPrerelease", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 允许更新到预发布版本。当更新已安装的预发布程序包时,不需要此标志。. - /// - internal static string UpdateCommandPrerelease_chs { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 允許更新至預先更新的版本。更新已安裝的預先發行封裝時不需要此標幟。. - /// - internal static string UpdateCommandPrerelease_cht { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Umožňuje aktualizovat na předběžné verze. Tento příznak není vyžadován při aktualizaci předběžných balíčků, které jsou již nainstalovány.. - /// - internal static string UpdateCommandPrerelease_csy { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ermöglicht das Update auf Vorabversionen. Diese Kennzeichnung ist bei einem Update auf Vorabversionspakete nicht erforderlich, die bereits installiert sind.. - /// - internal static string UpdateCommandPrerelease_deu { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permite actualizar a versiones preliminares. Esta marca no es necesaria cuando se actualizan paquetes de versión preliminar que ya están instalados.. - /// - internal static string UpdateCommandPrerelease_esp { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permet la mise à jour vers des versions préliminaires. Cet indicateur n'est pas requis lors de la mise à jour de la version préliminaire des packages déjà installés.. - /// - internal static string UpdateCommandPrerelease_fra { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permette l'aggiornamento di versioni prerelease. Questo flag non è richiesto quando si aggiornano pacchetti prerelease già installati.. - /// - internal static string UpdateCommandPrerelease_ita { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to プレリリース バージョンへの更新を許可します。既にインストールされているプレリリース パッケージを更新する場合、このフラグは必要ありません。. - /// - internal static string UpdateCommandPrerelease_jpn { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 시험판 버전으로 업데이트하도록 허용합니다. 이미 설치된 시험판 패키지를 업데이트하는 경우 이 플래그는 필요하지 않습니다.. - /// - internal static string UpdateCommandPrerelease_kor { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zezwala na aktualizację do wersji wstępnych. Ta flaga nie jest wymagana w przypadku aktualizowania pakietów w wersji wstępnej, które zostały już zainstalowane.. - /// - internal static string UpdateCommandPrerelease_plk { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Permite atualizar para versões de pré-lançamento. Este sinal não é necessário ao atualizar pacotes de pré-lançamento que já estão instalados.. - /// - internal static string UpdateCommandPrerelease_ptb { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Позволяет обновлять предварительные версии. Этот флаг не нужен при обновлении предварительных версий пакетов, которые уже установлены.. - /// - internal static string UpdateCommandPrerelease_rus { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Önsürümlere güncelleme yapılmasına izin verir. Zaten yüklü olan önsürüm paketleri güncellenirken bu bayrak gerekli değildir.. - /// - internal static string UpdateCommandPrerelease_trk { - get { - return ResourceManager.GetString("UpdateCommandPrerelease_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Path to the local packages folder (location where packages are installed).. - /// - internal static string UpdateCommandRepositoryPathDescription { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 本地程序包文件夹的路径(安装程序包的位置)。. - /// - internal static string UpdateCommandRepositoryPathDescription_chs { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 本機封裝資料夾的路徑 (安裝封裝的位置)。. - /// - internal static string UpdateCommandRepositoryPathDescription_cht { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Cesta k místní složce balíčků (umístění, v němž jsou balíčky nainstalovány). - /// - internal static string UpdateCommandRepositoryPathDescription_csy { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Pfad zum lokalen Paketordner (zu dem Speicherort, an dem Pakete installiert sind).. - /// - internal static string UpdateCommandRepositoryPathDescription_deu { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ruta de acceso a la carpeta de paquetes local (ubicación de los paquetes instalados).. - /// - internal static string UpdateCommandRepositoryPathDescription_esp { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Chemin d'accès au dossier de packages locaux (emplacement des packages installés).. - /// - internal static string UpdateCommandRepositoryPathDescription_fra { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Percorso a cartelle locali pacchetti (dove sono installati i pacchetti).. - /// - internal static string UpdateCommandRepositoryPathDescription_ita { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ローカル パッケージ フォルダーのパス (パッケージがインストールされている場所)。. - /// - internal static string UpdateCommandRepositoryPathDescription_jpn { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 로컬 패키지 폴더의 경로(패키지가 설치된 위치)입니다.. - /// - internal static string UpdateCommandRepositoryPathDescription_kor { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ścieżka do lokalnego folderu pakietów (lokalizacja, w której są instalowane pakiety).. - /// - internal static string UpdateCommandRepositoryPathDescription_plk { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Caminho para a pasta de pacotes local (local onde os pacotes estão instalados).. - /// - internal static string UpdateCommandRepositoryPathDescription_ptb { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Путь к локальной папке пакетов (в которой установлены пакеты).. - /// - internal static string UpdateCommandRepositoryPathDescription_rus { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Yerel paket klasörünün yolu (paketlerin yüklü olduğu konum).. - /// - internal static string UpdateCommandRepositoryPathDescription_trk { - get { - return ResourceManager.GetString("UpdateCommandRepositoryPathDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Looks for updates with the highest version available within the same major and minor version as the installed package.. - /// - internal static string UpdateCommandSafeDescription { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 查找具有已安装程序包的主要版本和次要版本内的最高可用版本的更新。. - /// - internal static string UpdateCommandSafeDescription_chs { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 以與已安裝封裝同樣的主要和次要版本中可取得的最高版本尋找更新。. - /// - internal static string UpdateCommandSafeDescription_cht { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Vyhledá aktualizace s nejvyšší dostupnou verzí v rámci stejné hlavní verze a podverze jako nainstalovaný balíček.. - /// - internal static string UpdateCommandSafeDescription_csy { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sucht nach Updates mit der höchsten Version, die in der gleichen Haupt- und Nebenversion wie das installierte Paket verfügbar sind.. - /// - internal static string UpdateCommandSafeDescription_deu { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Busca actualizaciones con la última versión disponible en la versión principal y secundaria como el paquete instalado.. - /// - internal static string UpdateCommandSafeDescription_esp { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Recherche les mises à jour vers la version maximale, disponibles pour les versions principale et secondaire identiques au package installé.. - /// - internal static string UpdateCommandSafeDescription_fra { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ricerca aggiornamenti delle versioni ultime disponibili nella stessa versione maggiore e minore dei pacchetti installati.. - /// - internal static string UpdateCommandSafeDescription_ita { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to インストールされているパッケージと同じメジャー バージョンおよびマイナー バージョン内で最も新しいバージョンの更新プログラムを検索します。. - /// - internal static string UpdateCommandSafeDescription_jpn { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 설치된 패키지와 동일한 주 버전 및 부 버전에서 사용 가능한 가장 높은 버전의 업데이트를 찾습니다.. - /// - internal static string UpdateCommandSafeDescription_kor { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Szuka aktualizacji z najwyższą wersją dostępnych w obrębie tej samej wersji głównej i pomocniczej co zainstalowany pakiet.. - /// - internal static string UpdateCommandSafeDescription_plk { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Procura por atualizações com a maior versão disponível dentro da mesma versão principal e secundária do pacote instalado.. - /// - internal static string UpdateCommandSafeDescription_ptb { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Выполняет поиск обновлений с самой последней версией, которые доступны в пределах основного и дополнительного номера версии установленного пакета.. - /// - internal static string UpdateCommandSafeDescription_rus { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Yüklü paket ile aynı ana ve alt sürüm aralığındaki mevcut en yüksek sürüme sahip güncellemeleri arar.. - /// - internal static string UpdateCommandSafeDescription_trk { - get { - return ResourceManager.GetString("UpdateCommandSafeDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Update the running NuGet.exe to the newest version available from the server.. - /// - internal static string UpdateCommandSelfDescription { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 将正在运行的 NuGet.exe 更新到可从服务器获得的最新版本。. - /// - internal static string UpdateCommandSelfDescription_chs { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 將執行中的 NuGet.exe 更新為伺服器中可取得的最新版本。. - /// - internal static string UpdateCommandSelfDescription_cht { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aktualizuje spuštěný soubor NuGet.exe na nejnovější verzi dostupnou na serveru.. - /// - internal static string UpdateCommandSelfDescription_csy { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Update der aktuell ausgeführten Datei "NuGet.exe" auf die aktuellste Version ausführen, die vom Server verfügbar ist.. - /// - internal static string UpdateCommandSelfDescription_deu { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Actualizar NuGet.exe que se ejecuta a la última versión disponible del servidor.. - /// - internal static string UpdateCommandSelfDescription_esp { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mettez à jour le fichier NuGet.exe en service vers la version disponible la plus récente, depuis le serveur.. - /// - internal static string UpdateCommandSelfDescription_fra { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aggiorna l'esecuzione di NuGet.exe alla nuova versione disponibile dal server.. - /// - internal static string UpdateCommandSelfDescription_ita { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 実行されている NuGet.exe を、サーバーから入手可能な最新バージョンに更新します。. - /// - internal static string UpdateCommandSelfDescription_jpn { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 실행 중인 NuGet.exe를 서버에서 사용 가능한 최신 버전으로 업데이트합니다.. - /// - internal static string UpdateCommandSelfDescription_kor { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zaktualizuj uruchomiony plik NuGet.exe do najnowszej wersji dostępnej na serwerze.. - /// - internal static string UpdateCommandSelfDescription_plk { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Atualize o NuGet.exe em execução para a versão mais recente disponível do servidor.. - /// - internal static string UpdateCommandSelfDescription_ptb { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Обновление запущенного файла NuGet.exe до самой последней версии, доступной на сервере.. - /// - internal static string UpdateCommandSelfDescription_rus { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Çalıştırılan NuGet.exe öğesini sunucudaki mevcut en yeni sürüme güncelle.. - /// - internal static string UpdateCommandSelfDescription_trk { - get { - return ResourceManager.GetString("UpdateCommandSelfDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A list of package sources to search for updates.. - /// - internal static string UpdateCommandSourceDescription { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 要搜索更新的程序包源的列表。. - /// - internal static string UpdateCommandSourceDescription_chs { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 要搜尋更新的封裝來源清單。. - /// - internal static string UpdateCommandSourceDescription_cht { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Seznam zdrojů balíčků pro vyhledání aktualizací. - /// - internal static string UpdateCommandSourceDescription_csy { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Eine Liste der Paketquellen, die nach Updates durchsucht werden sollen.. - /// - internal static string UpdateCommandSourceDescription_deu { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Lista de orígenes del paquete para buscar actualizaciones.. - /// - internal static string UpdateCommandSourceDescription_esp { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Liste des mises à jour de sources de package à rechercher.. - /// - internal static string UpdateCommandSourceDescription_fra { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Un elenco di fonti pacchetti per ricercare aggiornamenti.. - /// - internal static string UpdateCommandSourceDescription_ita { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 更新プログラムを検索するパッケージ ソースの一覧。. - /// - internal static string UpdateCommandSourceDescription_jpn { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 업데이트를 검색할 패키지 소스의 목록입니다.. - /// - internal static string UpdateCommandSourceDescription_kor { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Lista źródeł pakietów na potrzeby wyszukiwania aktualizacji.. - /// - internal static string UpdateCommandSourceDescription_plk { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Uma lista de origens de pacotes para buscar atualizações.. - /// - internal static string UpdateCommandSourceDescription_ptb { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Список источников пакетов для поиска обновлений.. - /// - internal static string UpdateCommandSourceDescription_rus { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Güncellemeler için aranacak paket kaynaklarının listesi.. - /// - internal static string UpdateCommandSourceDescription_trk { - get { - return ResourceManager.GetString("UpdateCommandSourceDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_chs { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_cht { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_csy { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_deu { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_esp { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_fra { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_ita { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_jpn { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_kor { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_plk { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_ptb { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_rus { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuget update - /// - ///nuget update -Safe - /// - ///nuget update -Self. - /// - internal static string UpdateCommandUsageExamples_trk { - get { - return ResourceManager.GetString("UpdateCommandUsageExamples_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Show verbose output while updating.. - /// - internal static string UpdateCommandVerboseDescription { + internal static string UpdateCommandVerboseDescription { get { return ResourceManager.GetString("UpdateCommandVerboseDescription", resourceCulture); } } - /// - /// Looks up a localized string similar to 显示更新时的详细输出。. - /// - internal static string UpdateCommandVerboseDescription_chs { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 更新時顯示詳細資訊輸出. - /// - internal static string UpdateCommandVerboseDescription_cht { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zobrazí podrobný výstup při aktualizaci.. - /// - internal static string UpdateCommandVerboseDescription_csy { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ausführliche Ausgabe während des Updates anzeigen.. - /// - internal static string UpdateCommandVerboseDescription_deu { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mostrar resultados detallados mientras se actualiza.. - /// - internal static string UpdateCommandVerboseDescription_esp { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Affichez la sortie détaillée pendant la mise à jour.. - /// - internal static string UpdateCommandVerboseDescription_fra { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mostra l'uscita ridondante durante l'aggiornamento.. - /// - internal static string UpdateCommandVerboseDescription_ita { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 更新せずに詳細な出力を表示します。. - /// - internal static string UpdateCommandVerboseDescription_jpn { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 업데이트하는 동안 자세한 출력을 표시합니다.. - /// - internal static string UpdateCommandVerboseDescription_kor { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pokaż dane wyjściowe w trybie pełnym podczas aktualizacji.. - /// - internal static string UpdateCommandVerboseDescription_plk { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mostrar a saída detalhada durante a atualização.. - /// - internal static string UpdateCommandVerboseDescription_ptb { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Отображение подробных выходных данных при обновлении.. - /// - internal static string UpdateCommandVerboseDescription_rus { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Güncellerken ayrıntılı çıktıyı göster.. - /// - internal static string UpdateCommandVerboseDescription_trk { - get { - return ResourceManager.GetString("UpdateCommandVerboseDescription_trk", resourceCulture); - } - } - /// /// Looks up a localized string similar to Updates the package in -Id to the version indicated. Requires -Id to contain exactly one package id.. /// diff --git a/src/NuGet.Clients/NuGet.CommandLine/NuGetCommand.resx b/src/NuGet.Clients/NuGet.CommandLine/NuGetCommand.resx index 950c908f3ea..a91ce8c0ce0 100644 --- a/src/NuGet.Clients/NuGet.CommandLine/NuGetCommand.resx +++ b/src/NuGet.Clients/NuGet.CommandLine/NuGetCommand.resx @@ -531,4517 +531,6 @@ nuget update -Self [<solution> | <packages.config file> | <Microsoft Build project>] [options] Please don't localize "packages.config" - - Získá nebo nastaví konfigurační hodnoty NuGet. - - - Ruft NuGet-Konfigurationswerte ab oder legt sie fest. - - - Obtiene o establece valores de configuración de NuGet. - - - Obtient ou définit les valeurs de configuration NuGet. - - - Ottenere o impostare valori config NuGet. - - - NuGet 構成値を取得または設定します。 - - - NuGet config 값을 가져오거나 설정합니다. - - - Pobiera lub ustawia wartości konfiguracji pakietu NuGet. - - - Obtém ou define os valores de configuração NuGet. - - - Получает или задает значения конфигурации NuGet. - - - NuGet yapılandırma değerlerini alır veya ayarlar. - - - 获取或设置 NuGet 配置值。 - - - 取得或設定 NuGet 設定值。 - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - nuget config -Set HTTP_PROXY=http://127.0.0.1 -Set HTTP_PROXY.USER=domain\user -nuget config HTTP_PROXY - - - Jedna nebo více dvojic klíč/hodnota, které mají být nastaveny v konfiguračním souboru - - - Mindestens ein Schlüssel-Wert-Paar, das in der Konfiguration festgelegt wird. - - - Se deben establecer uno o más pares clave-valor en configuración. - - - Une ou plusieurs paires clé-valeur doivent être configurées lors de la configuration. - - - Impostare una o pi+u coppie di valore -key in config. - - - 構成で設定される 1 つまたは複数のキー値ペア - - - config에서 설정되는 하나 이상의 키-값 쌍입니다. - - - W konfiguracji należy ustawić co najmniej jedną parę klucz-wartość. - - - nuget config HTTP_PROXY " - - - Одна или несколько пар ключ-значение, задаваемых в конфигурации. - - - Yapılandırmada ayarlanacak bir veya daha fazla anahtar-değer çifti var. - - - 要在配置中设置的一个或多个键值对。 - - - 要在設定中設定的一或多個索引鍵/值組。 - - - Vrátí konfigurační hodnotu jako cestu. Při zadání argumentu -Set je tato možnost ignorována. - - - Gibt den Konfigurationswert als Pfad zurück. Diese Option wird ignoriert, wenn "-Set" angegeben wird. - - - Devuelve el valor de configuración como ruta de acceso. Esta opción se ignora cuando se especifica -Set. - - - Retourne la valeur de configuration en tant que chemin d'accès. Cette option est ignorée lorsque -Set est spécifié. - - - Ritorna al valore config come path. Questa opzione è ignorata quando -Set è specificato. - - - パスとして構成値を返します。-Set を指定すると、このオプションは無視されます。 - - - config 값을 경로로 반환합니다. -Set가 지정된 경우 이 옵션은 무시됩니다. - - - Zwraca wartość konfiguracji jako ścieżkę. Ta opcja jest ignorowana, gdy jest określona opcja -Set. - - - Retorna o valor de configuração como um caminho. Esta opção é ignorada quando -Set é especificado. - - - Возвращает значение конфигурации как путь. Этот параметр пропускается, если указан параметр -Set. - - - Yapılandırma değerini yol olarak döndürür. -Set belirtildiğinde bu seçenek yok sayılır. - - - 返回配置值作为路径。指定 -Set 时,将忽略此选项。 - - - 傳回設定值為路徑。此選項在指定 -Set 時會忽略。 - - - <-Set name=value | name> - - - <-Set name=value | name> - - - <-Set name=value | name> - - - <-Set name=value | name> - - - <-Set name=value | name> - - - <-Set name=value | name> - - - <-Set name=value | name> - - - <-Set name=value | name> - - - <-Set name=value | name> - - - <-Set name=value | name> - - - <-Set name=value | name> - - - <-Set name=value | name> - - - <-Set name=value | name> - - - Odstraní balíček ze serveru. - - - Löscht ein Paket vom Server. - - - Elimina un paquete del servidor. - - - Supprime un package du serveur. - - - Cancellare un pacchetto dal server. - - - サーバーからパッケージを削除します。 - - - 서버에서 패키지를 삭제합니다. - - - Usuwa pakiet z serwera. - - - Exclui um pacote do servidor. - - - Удаляет пакет с сервера. - - - Paketi sürücüden siler. - - - 从服务器中删除程序包。 - - - 從伺服器刪除封裝。 - - - Při odstraňování nezobrazovat výzvu - - - Keine Eingabeaufforderung beim Löschvorgang. - - - No pedir confirmación al eliminarlo. - - - N'affichez pas d'invites lors des suppressions. - - - Non richiedere quando si cancella. - - - 削除時にプロンプトを表示しません。 - - - 삭제 시 메시지를 표시하지 않습니다. - - - Bez monitów podczas usuwania. - - - Não avise ao excluir. - - - Перед удалением запрос не отображается. - - - Silerken sorma. - - - 删除时不提示。 - - - 刪除時請勿提示。 - - - Určuje adresu URL serveru. - - - Gibt die Server-URL an. - - - Especifica la URL del servidor. - - - Spécifie l'URL du serveur. - - - Specifica il server URL. - - - サーバーの URL を指定します。 - - - 서버 URL을 지정합니다. - - - Określa adres URL serwera. - - - Especifica o URL do servidor. - - - Указывает URL-адрес сервера. - - - Sunucu URL'sini belirtir. - - - 指定服务器 URL。 - - - 指定伺服器 URL。 - - - Zadejte ID a verzi balíčku, který má být odstraněn ze serveru. - - - Geben Sie die ID und die Version des Pakets an, das vom Server gelöscht werden soll. - - - Especificar el id. y la versión del paquete para eliminarlo del servidor. - - - Spécifiez l'ID et la version du package à supprimer du serveur. - - - Specificare Id e versione del pacchetto da cancellare dal server. - - - サーバーから削除するパッケージの ID とパッケージを指定します。 - - - 서버에서 삭제할 패키지의 ID 및 버전을 지정합니다. - - - Określ identyfikator i wersję pakietu, który chcesz usunąć z serwera. - - - Especifique a ID e a versão do pacote a excluir do servidor. - - - Укажите идентификатор и версию пакета, чтобы удалить его с сервера. - - - Sunucudan silinecek paketin kimliğini ve sürümünü belirtin. - - - 指定要从服务器中删除的程序包的 ID 和版本。 - - - 指定要從伺服器刪除的封裝 ID 和版本。 - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - nuget delete MyPackage 1.0 - -nuget delete MyPackage 1.0 -NoPrompt - - - <ID balíčku> <verze balíčku> [klíč API] [možnosti] - - - <Paket-ID> <Paketversion> [API-Schlüssel] [Optionen] - - - <id. del paquete> <versión del paquete> [clave API] [opciones] - - - <package Id> <package version> [@@@Clé API] [@@@options] - - - <package Id> <package version> [API Key] [options] - - - <package Id> <package version> [API Key] [options] - - - <패키지 ID> <패키지 버전> [API 키] [옵션] - - - <identyfikator pakietu> <wersja pakietu> [klucz interfejsu API] [opcje] - - - <Id do pacote> <versão do pacote> [Chave de API] [opções] - - - <идентификатор пакета> <версия пакета> [ключ API] [параметры] - - - <paket kimliği> <paket sürümü> [API Anahtarı] [seçenekler] - - - <程序包 ID> <程序包版本> [API 密钥] [选项] - - - <package Id> <package version> [API 索引鍵] [選項] - - - Vytiskne podrobnou nápovědu ke všem dostupným příkazům. - - - Ausführliche Hilfe für alle verfügbaren Befehle ausgeben. - - - Imprimir ayuda detallada de todos los comandos disponibles. - - - Imprimez l'aide détaillée correspondante à l'ensemble des commandes disponibles. - - - Stampare aiutoper tutti i comandi disponibili. - - - 使用できるすべてのコマンドについては、詳細なヘルプを印刷してください。 - - - 사용 가능한 모든 명령에 대한 자세한 도움말을 인쇄합니다. - - - Wydrukuj szczegółową pomoc dla wszystkich dostępnych poleceń. - - - Imprimir ajuda detalhada para todos os comandos disponíveis. - - - Выводит на печать подробную справку по всем доступным командам. - - - Mevcut tüm komutlar için ayrıntılı yardımı yazdır. - - - 打印所有可用命令的详细帮助。 - - - 列印所有可用命令的詳細說明。 - - - Zobrazí obecné informace nápovědy a informace nápovědy k ostatním příkazům. - - - Zeigt allgemeine Hilfeinformationen und Hilfeinformationen zu anderen Befehlen an. - - - Muestra información de ayuda general e información de ayuda de los otros comandos. - - - Affiche les informations d'aide générale et les informations d'aide relatives à d'autres commandes. - - - Mostra informazioni generali di aiuto su altri comandi. - - - 全般的なヘルプ情報と他のコマンドに関するヘルプ情報を表示します。 - - - 일반적인 도움말 정보 및 다른 명령에 대한 도움말 정보를 표시합니다. - - - Wyświetla ogólne informacje pomocy oraz informacje pomocy na temat innych poleceń. - - - Exibe informações de ajuda em geral e informações de ajuda sobre outros comandos. - - - Отображает общую справочную информацию о других командах. - - - Genel yardım bilgilerini ve diğer komutlarla ilgili yardım bilgilerini görüntüler. - - - 显示一般帮助信息,以及有关其他命令的帮助信息。 - - - 顯示一般說明資訊以及其他命令的相關說明資訊。 - - - Vytiskne podrobně veškerou nápovědu ve formátu markdown. - - - Ausführliche Hilfe im Markdownformat ausgeben. - - - Imprimir toda la información detallada en formato reducido. - - - Imprimez l'ensemble de l'aide détaillée au format Markdown. - - - Stampare tutto l'aiuto in formato markdown - - - マークダウン形式ですべての詳細なヘルプを印刷します。 - - - 자세한 도움말을 마크다운 형식으로 모두 인쇄합니다. - - - Wydrukuj szczegółową pomoc w formacie języka znaczników markdown. - - - Impressão detalhada de toda a ajuda em formato reduzido. - - - Выводит на печать всю справку в формате Markdown. - - - Ayrıntılı tüm yardımı döküm biçiminde yazdır. - - - 以 Markdown 格式打印所有详细帮助。 - - - 以 Markdown 格式列印所有詳細說明。 - - - Předá název příkazu pro zobrazení informací nápovědy k tomuto příkazu. - - - Übergeben Sie einen Befehlsnamen, um Hilfeinformationen zu diesem Befehl anzuzeigen. - - - Pasar un nombre de comando para mostrar la información de ayuda de aquel comando. - - - Saisissez le nom d'une commande pour afficher les informations d'aide correspondantes. - - - Passare un nome comando per visualizzare le informazioni su quel comando - - - パス名を渡して、そのコマンドに関するヘルプ情報を表示します。 - - - 명령 이름을 전달하여 해당 명령에 대한 도움말 정보를 표시합니다. - - - Przekaż nazwę polecenia, aby wyświetlić informacje pomocy dla tego polecenia. - - - Passe um nome de comando para exibir as informações de ajuda para esse comando. - - - Передает имя команды для отображения справки по этой команде. - - - Komut adını, bu komuta yönelik yardım bilgilerini görüntülemek için geçir. - - - 传递命令名称,以显示该命令的帮助信息。 - - - 傳送命令名稱以顯示該命名的說明資訊。 - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - nuget help - -nuget help push - -nuget ? - -nuget push -? - - - [příkaz] - - - [Befehl] - - - [comando] - - - [@@@commande] - - - [comando] - - - [command] - - - [명령] - - - [polecenie] - - - [comando] - - - [команда] - - - [komut] - - - [命令] - - - [命令] - - - Nainstaluje balíček s využitím zadaným zdrojů. Pokud nejsou zadány žádné zdroje, použijí se všechny zdroje definované v konfiguračním souboru NuGet. Pokud konfigurační soubor nespecifikuje žádné zdroje, použije se výchozí informační kanál NuGet. - - - Installiert ein Paket mithilfe der angegebenen Quellen. Wenn keine Quellen angegeben werden, werden alle Quellen verwendet, die in der NuGet-Konfigurationsdatei definiert sind. Wenn die Konfigurationsdatei keine Quellen angibt, wird der NuGet-Standardfeed verwendet. - - - Instala un paquete usando los orígenes especificados. Si no se especifica ningún origen, se usan todos los orígenes definidos en la configuración de NuGet. Si el archivo de configuración no especifica ningún origen, se usa la fuente predeterminada de NuGet. - - - Installe un package à partir des sources spécifiées. Si aucune source n'est spécifiée, toutes les sources définies dans le fichier de configuration NuGet seront utilisées. Si le fichier de configuration ne spécifie aucune source, il s'alimentera du flux NuGet. - - - Installa un pacchetto usando le fonti specificate. Se non sono specificate fonti, tutte le fonti definite nella configurazione NuGet saranno usata. Se il file di configurazione non specifica fonti, usare NuGet feed di default. - - - 指定されたソースを使用してパッケージをインストールします。ソースが指定されていない場合、NuGet 構成ファイルに定義されているすべてのソースが使用されます。構成ファイルにソースが指定されていない場合、既定の NuGet フィードが使用されます。 - - - 지정된 소스를 사용하여 패키지를 설치합니다. 소스가 지정되지 않은 경우 NuGet 구성 파일에 정의된 모든 소스가 사용됩니다. 구성 파일로도 소스가 지정되지 않으면 기본 NuGet 피드가 사용됩니다. - - - Instaluje pakiet przy użyciu określonych źródeł. Jeśli żadne źródło nie zostanie określone, są używane wszystkie źródła zdefiniowane w pliku konfiguracji pakietu NuGet. Jeśli w pliku konfiguracji nie zostaną określone żadne źródła, jest używane domyślne źródło NuGet. - - - Instala um pacote usando as origens especificadas. Se não houver origens especificadas, são utilizadas todas as origens definidas no arquivo de configuração NuGet. Se o arquivo de configuração não especificar nenhuma origem, usa o feed NuGet padrão. - - - Устанавливает пакет с помощью указанных источников. Если они не указаны, используются все источники, определенные в файле конфигурации NuGet. Если в файле конфигурации не указаны источники, используется канал NuGet по умолчанию. - - - Belirtilen kaynakları kullanarak paketi yükler. Hiçbir kaynak belirtilmemişse, NuGet yapılandırma dosyasında belirtilen tüm kaynaklar kullanılır. Yapılandırma dosyasında hiçbir kaynak belirtilmemişse, varsayılan NuGet akışını kullanır. - - - 使用指定的源安装程序包。如果未指定源,则将使用 NuGet 配置文件中定义的所有源。如果配置文件未指定源,则使用默认的 NuGet 源。 - - - 使用指定來源安裝封裝。如果沒有指定來源,在 NuGet 設定檔中定義的所有來源均已使用。如果設定檔並未指定來源,請使用預設 NuGet 摘要。 - - - Pokud je tato možnost nastavena, cílová složka bude obsahovat pouze název balíčku, ale ne číslo verze. - - - Wenn diese Option festgelegt ist, enthält der Zielordner nur den Paketnamen, nicht die Versionsnummer. - - - Si se configura, la carpeta de destino solo contendrá el nombre de paquete y no el número de versión - - - Si défini, le dossier de destination ne contiendra que le nom de package et pas le numéro de version. - - - Se impostata, la cartella di destinazione conterrà il nome del pacchetto, non il numero di versione - - - 設定すると、対象フォルダーにはバージョン番号ではなくパッケージ名のみが含まれます。 - - - 설정할 경우 대상 폴더에 패키지 이름만 포함되며 버전 이름은 포함되지 않습니다. - - - Jeśli ta opcja zostanie ustawiona, folder docelowy będzie zawierał tylko nazwę pakietu, bez numeru wersji - - - Se assim for definida, a pasta de destino conterá apenas o nome do pacote, e não o número da versão - - - Если этот параметр задан, папка назначения будет содержать только имя пакета, но не номер версии - - - Ayarlanmışsa, hedef klasörde sürüm numarası değil, yalnızca paket adı bulunur. - - - 如果已设置,则目标文件夹将只包含程序包名称,而不包含版本号 - - - 若設定,目的地資料夾僅會包含封裝名稱,而不會有版本號碼 - - - Určuje adresář, do něhož budou nainstalovány balíčky. Není-li zadán, použije se aktuální adresář. - - - Gibt das Verzeichnis an, in dem Pakete installiert werden. Wenn kein Verzeichnis angegeben wird, wird das aktuelle Verzeichnis verwendet. - - - Especifica el directorio en el que se instalarán los paquetes. Si no se especifica ninguno, se usa el directorio actual. - - - Spécifie le répertoire d'installation des packages. S'il n'est pas spécifié, le répertoire actuel sera utilisé. - - - Specifica la directory in cui i pacchetti saranno installati. Altrimenti, usare la directory attuale. - - - パッケージをインストールするディレクトリを指定します。指定しない場合、現在のディレクトリが使用されます。 - - - 패키지가 설치될 디렉터리를 지정합니다. 지정되지 않은 경우 현재 디렉터리를 사용합니다. - - - Określa katalog, w którym zostaną zainstalowane pakiety. Jeśli żaden nie zostanie określony, będzie używany katalog bieżący. - - - Especifica o diretório em que os pacotes serão instalados. Se nenhum for especificado, usa o diretório atual. - - - Задает каталог для установки пакетов. Если он не указан, используется текущий каталог. - - - Paketlerin yükleneceği dizini belirtir. Hiçbiri belirtilmemişse, geçerli dizini kullanır. - - - 指定将在其中安装程序包的目录。如果未指定,则使用当前目录。 - - - 指定要安全的封裝中的目錄。若未指定,則使用目前的目錄。 - - - Umožňuje nainstalovat předběžné verze balíčků. Tento příznak není vyžadován při obnově balíčků pomocí instalace ze souboru packages.config. - - - Ermöglicht die Installation von Vorabversionspaketen. Diese Kennzeichnung ist nicht erforderlich, wenn Pakete durch Installieren aus "packages.config" wiederhergestellt werden. - - - Permite instalar paquetes de versión preliminar. Esta marca no es necesaria al restaurar paquetes mediante la instalación desde packages.config. - - - Permet l'installation de la version préliminaire des packages. Cet indicateur n'est pas requis lors de la restauration des packages depuis packages.config. - - - Permette ai pacchetti prelease di essere installati. Questo flag non è richiesto quando si ripristinano pacchetti installando da packages.config. - - - プレリリース パッケージのインストールを許可します。packages.config からインストールしてパッケージを復元する場合、このフラグは必要ありません。 - - - 시험판 패키지를 설치하도록 허용합니다. packages.config에서 설치하여 패키지를 복원하는 경우 이 플래그는 필요하지 않습니다. - - - Zezwala na zainstalowanie pakietów w wersji wstępnej. Ta flaga nie jest wymagana podczas przywracania pakietów przez instalację z pliku packages.config. - - - Permite que pacotes de pré-lançamento sejam instalados. Este sinal não é obrigatório ao restaurar pacotes pela instalação de packages.config. - - - Разрешает установку предварительных версий пакетов. Этот флаг не нужен при восстановлении пакетов путем установки из packages.config. - - - Önsürüm paketlerinin yüklenmesine izin verir. Paketler packages.config üzerinden geri yüklendiğinde bu bayrağa gerek duyulmaz. - - - 允许安装预发布程序包。通过从 packages.config 安装来还原程序包时,不需要此标志。 - - - 允許安裝預先發行的封裝。若從 packages.config 安裝來還原封裝時則不需要此標幟。 - - - Určuje ID a volitelně také verzi balíčku, který se má nainstalovat. Je-li místo ID použita cesta k souboru packages.config, jsou nainstalovány všechny zde obsažené balíčky. - - - Geben Sie die ID und optional die Version des zu installierenden Pakets an. Wenn ein Pfad zu einer Datei "packages.config" anstelle einer ID verwendet wird, werden alle darin enthaltenen Pakete installiert. - - - Especificar el id. y opcionalmente la versión del paquete que se va a instalar. Si se usa una ruta de acceso a un archivo packages.config en lugar de un id., se instalan todos los paquetes que contiene. - - - Spécifiez l'ID et, éventuellement, la version du package à installer. Si le chemin d'accès au fichier packages.config est utilisé au lieu de l'ID, tous les packages qu'il contient seront installés. - - - Specificare l'ID e la versione del pacchetto da installare. Se si usa un percorso a packages.config invece di un id, saranno installati tutti i pacchetti che contiene. - - - インストールするパッケージの ID と、必要に応じてバージョンを指定します。ID ではなく packages.config ファイルのパスを使用する場合、そのパスに含まれるすべてのパッケージがインストールされます。 - - - 설치할 패키지의 ID 및 버전(선택적)을 지정합니다. ID 대신 packages.config 파일 경로가 사용되는 경우 이 파일에 포함된 모든 패키지가 설치됩니다. - - - Określ identyfikator i opcjonalnie wersję pakietu do zainstalowania. Jeśli zamiast identyfikatora zostanie użyta ścieżka do pliku packages.config, zostaną zainstalowane wszystkie pakiety zawarte w tym pliku. - - - Especifique a ID e, opcionalmente, a versão do pacote a ser instalado. Se for usado um caminho para um arquivo packages.config em vez de uma id, todos os pacotes que ele contém serão instalados. - - - Укажите идентификатор и версию (необязательно) устанавливаемого пакета. Если вместо идентификатора используется путь к файлу packages.config, будут установлены все содержащиеся в нем пакеты. - - - Yüklenecek paketin kimliğini ve isteğe bağlı olarak sürümünü belirtin. Kimlik yerine packages.config dosyasının yolu kullanılırsa, burada bulunan tüm paketler yüklenir. - - - 指定要安装的程序包的 ID 和版本(可选)。如果使用的是 packages.config 文件的路径(而不是 ID),则将安装该路径包含的所有程序包。 - - - 指定要安裝的封裝 ID 和版本 (選擇性)。如果使用 packages.config 檔案的路徑而非 ID,則會安裝其包含的所有封裝。 - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - nuget install elmah - -nuget install packages.config - -nuget install ninject -o c:\foo - - - packageId|pathToPackagesConfig [možnosti] - - - PaketID|PfadzurPaketkonfiguration [Optionen] - - - packageId|pathToPackagesConfig [opciones] - - - packageId|pathToPackagesConfig [options] - - - packageId|pathToPackagesConfig [options] - - - packageId|pathToPackagesConfig [options] - - - packageId|pathToPackagesConfig [옵션] - - - identyfikator_pakietu|ścieżka_do_PackagesConfig [opcje] - - - Idpacote|CaminhoParaConfigDePacotes [opções] - - - packageId|pathToPackagesConfig [параметры] - - - packageId|pathToPackagesConfig [options] - - - packageId|pathToPackagesConfig [选项] - - - packageId|pathToPackagesConfig [選項] - - - Verze balíčku, který se má nainstalovat - - - Die Version des zu installierenden Pakets. - - - Versión del paquete que se va a instalar. - - - Version du package à installer. - - - La versione del pacchetto da installare. - - - インストールするパッケージのバージョン。 - - - 설치할 패키지의 버전입니다. - - - Wersja pakietu do zainstalowania. - - - A versão do pacote a ser instalado. - - - Версия устанавливаемого пакета. - - - Yüklenecek paketin sürümü. - - - 要安装的程序包的版本。 - - - 要安裝的封裝版本。 - - - Zobrazí seznam všech verzí balíčku. Ve výchozím nastavení se zobrazí pouze nejnovější verze balíčku. - - - Listet alle Versionen eines Pakets auf. Standardmäßig wird nur die letzte Paketversion angezeigt. - - - Muestra todas las versiones de un paquete. De forma predeterminada, solo se muestra la versión del paquete más reciente. - - - Répertorie toutes les versions d'un package. Seule la dernière version du package est affichée par défaut. - - - Elencare tutte le versioni di un pacchetto. Per dafault, si visualizza solo l'ultima versione - - - パッケージのすべてのバージョンを表示します。既定では、最新のパッケージ バージョンのみが表示されます。 - - - 모든 패키지 버전을 나열합니다. 기본적으로 최신 패키지 버전만 표시됩니다. - - - Lista wszystkich wersji pakietu. Domyślnie wyświetlana jest tylko najnowsza wersja pakietu. - - - Liste todas as versões de um pacote. Por padrão, apenas a versão mais recente do pacote é exibida. - - - Выводит список всех версий пакета. По умолчанию отображается только последняя версия пакета. - - - Bir paketin tüm sürümlerini listele. Varsayılan olarak yalnızca son paket sürümü görüntülenir. - - - 列出程序包的所有版本。默认情况下,只显示最新程序包版本。 - - - 列出封裝的所有版本。依預設,僅會顯示最新的封裝版本。 - - - Zobrazí seznam balíčků ze zadaného zdroje. Pokud není zadán žádný zdroj, použijí se všechny zdroje definované v souboru %AppData%\NuGet\NuGet.config. Pokud soubor NuGet.config nespecifikuje žádné zdroje, použije se výchozí informační kanál NuGet. - - - Zeigt eine Liste der Pakete aus einer angegebenen Quelle an. Wenn keine Quellen angegeben werden, werden alle in "%AppData%\NuGet\NuGet.config" definierten Quellen verwendet. Wenn "NuGet.config" keine Quellen angibt, wird der NuGet-Standardfeed verwendet. - - - Muestra una lista de paquetes de un origen especificado. Si no se especifican orígenes, se usan todos los orígenes definidos en %AppData%\NuGet\NuGet.config. Si NuGet.config no especifica ningún origen, usa la fuente NuGet predeterminada. - - - Affiche la liste des packages d'une source donnée. Si aucune source n'est spécifiée, toutes les sources définies dans %AppData%\NuGet\NuGet.config seront utilisées. Si NuGet.config ne spécifie aucune source, il s'alimentera du flux NuGet par défaut. - - - Visualizza un elenco pacchetti da una data fonte. Se non è specificata alcuna fonta, tutte le fonti definite in %AppData%\NuGet\NuGet.config saranno usate. Se NuGet.config non specifica fonti. Usare il feed NuGet di default. - - - 指定したソースのパッケージ一覧を表示します。ソースが指定されていない場合、%AppData%\NuGet\NuGet.config に定義されているすべてのソースが使用されます。NuGet.config にソースが指定されていない場合、既定の NuGet フィードが使用されます。 - - - 지정한 소스의 패키지 목록을 표시합니다. 소스가 지정되지 않은 경우 %AppData%\NuGet\NuGet.config에 정의된 모든 소스가 사용됩니다. NuGet.config로도 소스가 지정되지 않으면 기본 NuGet 피드가 사용됩니다. - - - Wyświetla listę pakietów z danego źródła. Jeśli nie zostaną określone żadne źródła, są używane wszystkie źródła zdefiniowane w pliku %AppData%\NuGet\NuGet.config. Jeśli w pliku NuGet.config nie określono żadnych źródeł, jest używane domyślne źródło NuGet. - - - Exibe uma lista de pacotes de uma determinada origem. Se não houver origens especificadas, todas as origens definidas em %AppData%\NuGet\NuGet.config serão usadas. Se NuGet.config não especificar nenhuma origem, usa o feed NuGet padrão. - - - Отображает список пакетов из указанного источника. Если источники не указаны, используются все источники, определенные в %AppData%\NuGet\NuGet.config. Если источники не указаны в NuGet.config, используется канал NuGet по умолчанию. - - - Belirli bir kaynaktan paket listesini görüntüler. Hiçbir kaynak belirtilmemişse, %AppData%\NuGet\NuGet.config içinde belirtilen tüm kaynaklar kullanılır. NuGet.config hiçbir kaynak belirtmiyorsa, varsayılan NuGet akışını kullanır. - - - 显示给定源中的程序包列表。如果未指定源,则使用 %AppData%\NuGet\NuGet.config 中定义的所有源。如果 NuGet.config 未指定源,则使用默认 NuGet 源。 - - - 顯示給定來源的封裝清單。如果未指定來源,已使用 %AppData%\NuGet\NuGet.config 中定義的所有來源。如果 NuGet.config 並未指定來源,使用預設的 NuGet 摘要。 - - - Umožňuje zobrazit předběžné verze balíčků. - - - Ermöglicht die Anzeige von Vorabversionspaketen. - - - Permitir que se muestren los paquetes de versión preliminar. - - - Permet l'affichage de la version préliminaire des packages. - - - Permette di visualizzare i pacchetti prerelease. - - - プレリリース パッケージの表示を許可します。 - - - 시험판 패키지를 표시하도록 허용합니다. - - - Zezwala na wyświetlanie pakietów w wersji wstępnej. - - - Permita que os pacotes de pré-lançamento sejam mostrados. - - - Разрешает отображение предварительных версий пакетов. - - - Önsürüm paketlerinin gösterilmesine izin verir. - - - 允许显示预发布程序包。 - - - 允許顯示預先發行的封裝。 - - - Seznam zdrojů balíčků k prohledání - - - Eine Liste der zu durchsuchenden Paketquellen. - - - Lista de orígenes de paquetes para buscar. - - - Liste de sources de packages à rechercher. - - - Un elenco di fonti pacchetti da ricercare. - - - 検索するパッケージ ソースの一覧。 - - - 검색할 패키지 소스의 목록입니다. - - - Lista źródeł pakietów do przeszukania. - - - Uma lista de origens de pacotes para pesquisar. - - - Список источников пакетов для поиска. - - - Aranacak paket kaynaklarının listesi. - - - 要搜索的程序包源的列表。 - - - 要搜尋的封裝來源清單。 - - - Zadejte volitelné hledané termíny. - - - Geben Sie optionale Suchbegriffe an. - - - Especificar términos de búsqueda opcionales. - - - Spécifiez les termes optionnels recherchés. - - - Specifica i termini di ricerca opzionali. - - - 検索用語を指定します (省略可能)。 - - - 검색어를 지정합니다(선택적). - - - Określ opcjonalne terminy wyszukiwania. - - - Especificar os termos de pesquisa opcionais. - - - Выбор дополнительныех условий поиска. - - - İsteğe bağlı arama terimlerini belirtir. - - - 指定可选的搜索词。 - - - 指定選擇性的搜尋字詞。 - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - nuget list - -nuget list -verbose -allversions - - - [hledané termíny] [možnosti] - - - [Suchbegriffe] [Optionen] - - - [buscar términos] [opciones] - - - [@@@termes recherchés] [@@@options] - - - [ricerca termini] [opzioni] - - - [search terms] [options] - - - [검색어] [옵션] - - - [terminy wyszukiwania] [opcje] - - - [termos de pesquisa] [opções] - - - [условия поиска] [параметры] - - - [arama terimleri] [seçenekler] - - - [搜索词] [选项] - - - 搜尋字詞] [選項] - - - Zobrazí podrobný seznam informací pro každý balíček. - - - Zeigt eine detaillierte Liste mit Informationen zu jedem Paket an. - - - Muestra una lista detallada de información para cada paquete. - - - Affiche une liste détaillée d'informations pour chaque package. - - - Visualizza un elenco dettagliato di informazioni per ogni pacchetto. - - - 各パッケージの情報の詳細な一覧を表示します。 - - - 각 패키지에 대한 자세한 정보 목록을 표시합니다. - - - Wyświetla szczegółową listę informacji dla każdego pakietu. - - - Exibe uma lista detalhada de informações para cada pacote. - - - Отображает подробный список сведений о каждом пакете. - - - Her paket için ayrıntılı bilgi listesini görüntüler. - - - 显示每个程序包的详细信息列表。 - - - 顯示為每個封裝的資訊詳細清單。 - - - Nezobrazovat výzvu pro uživatelský vstup nebo potvrzení - - - Keine Eingabeaufforderung für Benutzereingaben oder Bestätigungen. - - - No solicitar la entrada del usuario o confirmaciones. - - - N'affichez pas d'invites de saisies ou de confirmations faites à l'utilisateur. - - - Non richiedere input o conferma dell'utente. - - - ユーザー入力または確認のプロンプトを表示しません。 - - - 사용자 입력 또는 확인 시 메시지를 표시하지 않습니다. - - - Bez monitów o dane wejściowe użytkownika i potwierdzenia. - - - - - - Отключение запросов ввода или подтверждения пользователя. - - - Kullanıcı girişi veya onayları istenmez. - - - 不提示用户进行输入或确认。 - - - 不要提供使用者輸入或確認。 - - - Zobrazí odpovídající úroveň informací ve výstupu: normal, quiet, detailed. - - - Diesen Detailgrad in der Ausgabe anzeigen: "normal", "quiet", "detailed". - - - Mostrar esta cantidad de detalles en la salida: normal, quiet, detailed. - - - Niveau de détail du résultat affiché : normal, quiet, detailed. - - - Visualizza i dettagli nell'outputt: normal, quiet, detailed. - - - 出力に表示する詳細情報の量:normal、quiet、detailed。 - - - 출력에 사용되는 세부 정보의 양을 표시합니다(normal, quiet, detailed). - - - Wyświetlaj taki poziom szczegółów w danych wyjściowych: normal, quiet, detailed. - - - Exibir essa quantidade de detalhes na saída: normal, quiet, detailed. - - - Отображение следующего уровня подробности при выводе: normal, quiet, detailed. - - - Çıktıdaki ayrıntı miktarı buna göre belirlenir: normal, quiet, detailed. - - - 在输出中显示以下数量的详细信息: normal、quiet、detailed。 - - - 在輸出中顯示詳細資料的數量: normal, quiet, detailed. - - - Základní cesta souborů definovaná v souboru nuspec - - - Der Basispfad der in der nuspec-Datei definierten Dateien. - - - La ruta de acceso base de los archivos definida en el archivo nuspec. - - - Chemins d'accès de base aux fichiers définis dans le fichier .nuspec. - - - Il percorso base dei file definito nel file nuspec. - - - nuspec ファイルに定義されているファイルの基本パス。 - - - nuspec 파일에 정의된 파일의 기본 경로입니다. - - - Ścieżka podstawowa plików zdefiniowanych w pliku nuspec. - - - O caminho base dos arquivos definidos no arquivo nuspec. - - - Базовый путь к файлам, определенным в NUSPEC-файле. - - - Nuspec dosyasında tanımlanan dosyaların taban yolu. - - - nuspec 文件中定义的文件的基本路径。 - - - nuspec 檔案中定義檔案基本路徑。 - - - Určuje, zda projekt má být sestaven před sestavením balíčku. - - - Ermittelt, ob das Projekt vor dem Erstellen des Pakets erstellt werden soll. - - - Determina si se debería compilar el proyecto antes de la compilación del paquete. - - - Détermine si le projet doit être créé avant la création du package. - - - Determina se il progetto sarà creatp prima del pacchetto. - - - パッケージのビルド前に、プロジェクトのビルドが必要かどうかを決定します。 - - - 패키지를 빌드하기 전에 프로젝트를 빌드해야 하는지 확인합니다. - - - Określa, czy przed kompilacją pakietu trzeba skompilować projekt. - - - Determina se o projeto deve ser construído antes de construir o pacote. - - - Определяет, следует ли выполнить сборку проекта перед сборкой пакета. - - - Projenin paketten önce oluşturulması gerekip gerekmediğini belirler. - - - 确定是否应在生成程序包之前生成项目。 - - - 判斷是否要在建置封裝之前建置專案。 - - - Vytvoří balíček NuGet na základě zadaného souboru nuspec nebo souboru projektu. - - - Erstellt ein NuGet-Paket basierend auf der angegebenen nuspec- oder Projektdatei. - - - Crea un paquete NuGet basado en el archivo de proyecto o el nuspec especificado. - - - Crée un package NuGet en fonction du fichier .nuspec ou projet spécifié. - - - Crea un pacchetto NuGet in base al file progetto o nuspec specificato. - - - 指定された nuspec または project ファイルに基づいて、NuGet パッケージを作成します。 - - - 지정된 nuspec 또는 프로젝트 파일을 기반으로 NuGet 패키지를 만듭니다. - - - Tworzy pakiet NuGet na podstawie określonego pliku nuspec lub pliku projektu. - - - Cria um pacote NuGet com base no nuspec especificado ou no arquivo de projeto. - - - Создает пакет NuGet при помощи указанного NUSPEC-файла или файла проекта. - - - Belirtilen nuspec veya proje dosyasını temel alarak NuGet paketi oluşturur. - - - 基于指定的 nuspec 或项目文件创建 NuGet 程序包。 - - - 依指定的 nuspec 或專案檔建立 NuGet 封裝。 - - - Určuje jeden nebo více vzorů zástupných znaků pro vyloučení při vytváření balíčku. - - - Gibt mindestens ein Platzhaltermuster ein, das beim Erstellen eines Pakets ausgeschlossen werden soll. - - - Especifica uno o más patrones de caracteres comodín que se deben excluir al crear un paquete. - - - Spécifie un ou plusieurs modèles à caractère générique à exclure lors de la création du package. - - - Specifica uno o più pattern wildcard da escludere nella creazione di un pacchetto. - - - パッケージの作成時に除外するには、1 つまたは複数のワイルドカード パターンを指定します。 - - - 패키지를 만들 때 제외할 와일드카드 패턴을 하나 이상 지정합니다. - - - Określa jeden lub więcej wzorców symboli wieloznacznych, które mają zostać wykluczone podczas tworzenia pakietu. - - - Especifica um ou mais padrões curinga a excluir ao criar um pacote. - - - Указывает один или несколько шаблонов подстановочных знаков, исключаемых при создании пакета. - - - Paket oluşturulurken hariç tutulacak bir veya daha fazla joker karakter desenini belirtir. - - - 指定创建程序包时要排除的一个或多个通配符模式。 - - - 指定建立封裝時要排除的一或多個萬用字元模式。 - - - Zabrání zahrnutí prázdných adresářů při sestavování balíčku. - - - Den Einschluss leerer Verzeichnisse beim Erstellen des Pakets verhindern. - - - Impedir la inclusión de directorios vacíos al compilar el paquete. - - - Empêche l'inclusion de répertoires vides lors de la création du package. - - - Evita l'inclusione di directory vuote nella costruzione di un pacchetto. - - - パッケージのビルド時には、空のディレクトリを含めないでください。 - - - 패키지 빌드 시 빈 디렉터리를 포함하지 않도록 합니다. - - - Zapobiega dołączaniu pustych katalogów podczas kompilowania pakietu. - - - Evite a inclusão de diretórios vazios durante a construção do pacote. - - - Предотвращает добавление пустых каталогов при выполнении сборки пакета. - - - Paket oluşturulurken boş dizinlerin eklenmesini önle. - - - 防止在生成程序包时包含空目录。 - - - 建置封裝時不包含空目錄。 - - - Zabrání výchozímu vyloučení souborů balíčku NuGet a souborů a složek, jejichž název začíná tečkou, např. .svn. - - - Den Standardausschluss von NuGet-Paketdateien und Dateien und Ordnern verhindern, die mit einem Punkt beginnen, z. B. ".svn". - - - Impedir la exclusión predeterminada de los archivos del proyecto NuGet y los archivos y carpetas que empiecen con un punto, por ej. .svn. - - - Empêchez l'exclusion par défaut des fichiers du package NuGet et des fichiers et dossiers dont le nom commence par un point (.svn par exemple). - - - Evita l'esclusione per default di NuGet e file e cartelle a partire da dot e.g. .svn. - - - NuGet パッケージ ファイルと、ドットで始まるファイルやフォルダー (.svn など) は、既定の除外に指定しないでください。 - - - 점으로 시작하는 NuGet 패키지 파일 및 파일과 폴더가 기본적으로 제외되지 않도록 합니다(예: .svn). - - - Zapobiega domyślnemu wykluczeniu plików pakietów NuGet i plików oraz folderów, których nazwy zaczynają się kropką, np. .svn. - - - Evite a exclusão padrão de arquivos de pacotes NuGet e arquivos e pastas começando com um ponto, por exemplo .svn. - - - Предотвращение используемого по умолчанию исключения файлов и папок пакета NuGet, начинающихся с точки, например ".svn". - - - NuGet paket dosyalarının ve nokta ile başlayan .svn gibi dosya ve klasörlerin varsayılan olarak hariç tutulmasını önle. - - - 防止默认排除 NuGet 程序包文件以及以点开头的文件和文件夹(例如 .svn)。 - - - 防止預設執行以小數點開頭的 NuGet 封裝檔案和資料夾,例如 .svn。 - - - Určuje, zda příkaz nemá po sestavení balíčku spustit jeho analýzu. - - - Geben Sie an, ob der Befehl keine Paketanalyse nach dem Erstellen des Pakets ausführen soll. - - - Especificar si el comando no debe ejecutar el análisis del paquete antes de compilar el paquete. - - - Spécifiez si la commande ne doit pas exécuter une analyse du package après la création de celui-ci. - - - Specificare se il comando non deve eseguire l'analisi del pacchetto dopo la creazione. - - - パッケージのビルド後に、コマンドでパッケージの分析を実行しないかどうかを指定します。 - - - 패키지 빌드 후 명령이 패키지 분석을 실행해야 하는지 여부를 지정합니다. - - - Określ, czy polecenie nie powinno uruchamiać analizy pakietu po kompilacji pakietu. - - - Especifique se o comando não deve executar a análise do pacote depois de construir o pacote. - - - Указывает, следует ли команде запустить анализ пакета после его сборки. - - - Komutun paket oluşturulduktan sonra paket analizini çalıştırması gerekip gerekmediğini belirtin. - - - 指定命令在生成程序包后,是否不应运行程序包分析。 - - - 指定命令是否不應該在建置封裝之後執行封裝分析。 - - - Určuje adresář pro vytvořený soubor balíčku NuGet. Není-li zadán, použije se aktuální adresář. - - - Gibt das Verzeichnis für die erstellte NuGet-Paketdatei an. Erfolgt keine Angabe, wird das aktuelle Verzeichnis verwendet. - - - Especifica el directorio para el archivo del paquete NuGet creado. Si no se especifica, usa el directorio actual. - - - Spécifie le répertoire du fichier du package NuGet créé. S'il n'est pas spécifié, le répertoire actuel sera utilisé. - - - Specifica la directory per il file NuGet creato. Se non specificato, usare la directory attuale. - - - 作成される NuGet パッケージ ファイルのディレクトリを指定します。指定しない場合、現在のディレクトリが使用されます。 - - - 만든 NuGet 패키지 파일의 디렉터리를 지정합니다. 지정되지 않은 경우 현재 디렉터리를 사용합니다. - - - Określa katalog dla utworzonego pliku pakietu NuGet. Jeśli nie zostanie on określony, jest używany katalog bieżący. - - - Especifica o diretório para o arquivo do pacote NuGet criado. Se não for especificado, usa o diretório atual. - - - Указывает каталог для созданного файла пакета NuGet. Если не указан, используется текущий каталог. - - - Oluşturulan NuGet paket dosyasının dizinini belirtir. Belirtilmemişse, geçerli dizin kullanılır. - - - 为创建的 NuGet 程序包文件指定目录。如果未指定,则使用当前目录。 - - - 指定已建立的 NuGet package 檔案的目錄。若未指定,請使用目前的目錄。 - - - Poskytuje možnost zadat při vytváření balíčku seznam vlastností oddělených středníkem (;). - - - Stellt die Möglichkeit zur Verfügung, eine durch Semikolons (";") getrennte Liste der Eigenschaften beim Erstellen eines Pakets anzugeben. - - - Proporciona la capacidad de especificar una lista de propiedades delimitada con un punto y coma ";" al crear un paquete. - - - Permet de spécifier une liste des propriétés, délimitée par des points-virgules « ; », lors de la création du package. - - - Fornisce l'abilità di specificare un ";" una lista delimitata di proprietà nella creazione di un pacchetto. - - - パッケージの作成時に、セミコロン (";") 区切りのプロパティ一覧を指定することができます。 - - - 패키지를 만들 때 세미콜론(";")으로 구분된 속성 목록을 지정할 수 있는 기능을 제공합니다. - - - Zapewnia możliwość określenia listy właściwości rozdzielonych średnikami „;” podczas tworzenia pakietu. - - - Fornece a capacidade para especificar uma lista delimitada de propriedades com ponto e vírgula ";" ao criar um pacote. - - - Дает возможность указать список свойств, разделенных точкой с запятой (;), при создании пакета. - - - Paket oluşturulurken, özelliklerin noktalı virgülle ";" ayrılmış listesinin belirtilebilmesini sağlar. - - - 在创建程序包时,可以指定以分号 ";" 分隔的属性列表。 - - - 建立封裝時,提供可指定屬性分號 ";" 分隔清單的功能。 - - - Určuje, zda by měl být vytvořen balíček obsahující zdroje a symboly. Při zadání pomocí souboru nuspec vytvoří běžný soubor balíčku NuGet a odpovídající balíček symbolů. - - - Legt fest, ob ein Paket erstellt werden soll, das Quellen und Symbole enthält. Wenn die Angabe mit einer nuspec-Datei erfolgt, werden eine reguläre NuGet-Paketdatei und das zugehörige Symbolpaket erstellt. - - - Determina si se debe crear un paquete que contiene orígenes y símbolos. Cuando se especifica con un nuspec, se crea un archivo de proyecto NuGet regular y el paquete de símbolos correspondiente. - - - Détermine si un package contenant sources et symboles doit être créé. Lorsqu'il est spécifié avec un nuspec, il crée un fichier de package NuGet normal et le package de symboles correspondant. - - - Determina se il pacchetto contiene fonti e simboli da creare. Quando specificato con nuspec, creare un file NuGet e il corrispondente pacchetto di simboli. - - - ソースとシンボルを含むパッケージを作成する必要があるかどうかを決定します。nuspec と共に使用すると、通常の NuGet パッケージ ファイルと対応するシンボル パッケージが作成されます。 - - - 소스 및 기호가 포함된 패키지를 만들어야 하는지 여부를 결정합니다. nuspec으로 지정된 경우 일반 NuGet 패키지 파일 및 해당 기호 패키지를 만듭니다. - - - Określa, czy powinien zostać utworzony pakiet zawierający źródła i symbole. W przypadku określenia za pomocą pliku nuspec jest tworzony normalny plik pakietu NuGet i odpowiadający mu pakiet symboli. - - - Determina se um pacote contendo origens e símbolos deve ser criado. Quando especificado com um nuspec, cria um arquivo de pacote NuGet comum e o pacote de símbolos correspondente. - - - Определяет, следует ли создать пакет, содержащий источники и символы. Если задан посредством NUSPEC-файла, создает обычный файл пакета NuGet и соответствующий пакет символов. - - - Kaynakları ve simgeleri içeren bir paket oluşturulması gerekip gerekmediğini belirler. Bir nuspec ile belirtildiğinde, normal NuGet paket dosyasını ve ilgili simge paketini oluşturur. - - - 确定是否应创建包含源和符号的程序包。当使用 nuspec 指定时,创建常规 NuGet 程序包文件和相应的符号程序包。 - - - 判斷是否應該建立包含來源和符號的封裝。以 nuspec 指定時,建立一班 NuGet 封裝檔以及相對應的符號封裝。 - - - Určuje, zda výstupní soubory projektu mají být uloženy ve složce nástrojů. - - - Legt fest, ob sich die Ausgabedateien des Projekts im Ordner "tool" befinden sollen. - - - Determina si los archivos de salida del proyecto deben estar en la carpeta de herramientas. - - - Détermine si les fichiers de sortie du projet doivent se trouver dans le dossier de l'outil. - - - Determina se il file d'uscita del progetto deve trovarsi nella cartella strumenti. - - - プロジェクトの出力ファイルをツール フォルダーにする必要があるかどうかを決定します。 - - - 프로젝트의 출력 파일이 도구 폴더에 있어야 하는지 여부를 결정합니다. - - - Określa, czy pliki wyjściowe projektu powinny znajdować się z folderze narzędzi. - - - Determina se os arquivos de saída do projeto devem estar na pasta da ferramenta. - - - Определяет, должны ли выходные файлы проекта находиться в папке средства. - - - Projenin çıktı dosyalarının araç klasöründe olması gerekip gerekmediğini belirler. - - - 确定项目的输出文件是否应在工具文件夹中。 - - - 判斷專案的輸出檔是否應該放在工具資料夾中。 - - - Určuje umístění souboru nuspec nebo souboru projektu pro vytvoření balíčku. - - - Geben Sie den Speicherort der nuspec- oder Projektdatei an, um ein Paket zu erstellen. - - - Especificar la ubicación del archivo nuspec o de proyecto para crear un paquete. - - - Spécifiez l'emplacement du fichier .nuspec ou projet pour créer un package. - - - Specificare la posizione del file di progetto nuspec o file fi progetto per creare il pacchetto. - - - パッケージを作成する nuspec または project ファイルの場所を指定します。 - - - 패키지를 만들 nuspec 또는 프로젝트 파일의 위치를 지정합니다. - - - Określa lokalizację pliku nuspec lub pliku projektu na potrzeby utworzenia pakietu. - - - Especifique o local do arquivo nuspec ou de projeto para criar um pacote. - - - Задание расположения NUSPEC-файла или файла проекта для создания пакета. - - - Paket oluşturmak için nuspec veya proje dosyalarının konumunu belirtir. - - - 指定用于创建程序包的 nuspec 或项目文件的位置。 - - - 指定 nuspec 位置或專案檔以建立封裝。 - - - <nuspec | projekt> [možnosti] - - - <nuspec | Projekt> [Optionen] - - - <nuspec | proyecto> [options] - - - <nuspec | project> [options] - - - <nuspec | progettot> [opzioni] - - - <nuspec | project> [options] - - - <nuspec | 프로젝트> [옵션] - - - <nuspec | projekt> [opcje] - - - <nuspec | projeto> [opções] - - - <nuspec-файл | проект> [параметры] - - - <nuspec | proje> [seçenekler] - - - <nuspec | project> [选项] - - - <nuspec | 專案> [選項] - - - Zobrazí podrobný výstup pro sestavování balíčků. - - - Zeigt die ausführliche Ausgabe für die Paketerstellung an. - - - Muestra los resultados detallados de la compilación del paquete. - - - Affiche la sortie détaillée de création du package. - - - Mostra l'uscita ridondante del pacchetto - - - パッケージ ビルドの詳細な出力を表示します。 - - - 패키지 빌드에 대한 자세한 출력을 표시합니다. - - - Pokazuje dane wyjściowe w trybie pełnym na potrzeby kompilacji pakietu. - - - Mostra a saída detalhada para a construção do pacote. - - - Отображает подробные выходные данные при сборке пакета. - - - Paket oluşturma için ayrıntılı çıktıyı gösterir. - - - 显示程序包生成的详细输出。 - - - 顯示封裝建置的詳細資料輸出。 - - - Přepíše číslo verze ze souboru nuspec. - - - Setzt die Versionsnummer aus der nuspec-Datei außer Kraft. - - - Reemplaza el número de versión del archivo nuspec. - - - Remplace le numéro de version provenant du fichier .nuspec. - - - - - - nuspec ファイルのバージョン番号を上書きします。 - - - nuspec 파일의 버전 번호를 재정의합니다. - - - Przesłania numer wersji z pliku nuspec. - - - Substitui o número da versão do arquivo nuspec. - - - Переопределяет номер версии из NUSPEC-файла. - - - Nuspec dosyasındaki sürüm numarasını geçersiz kılar. - - - 覆盖 nuspec 文件中的版本号。 - - - 覆寫 nuspec 檔案的版本號碼。 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - nuget pack - -nuget pack foo.nuspec - -nuget pack foo.csproj - -nuget pack foo.csproj -Build -Symbols -Properties Configuration=Release - -nuget pack foo.nuspec -Version 2.1.0 - - - Určuje adresu URL serveru. Není-li zadána, použije se adresa nuget.org, pokud v konfiguračním souboru NuGet není nastavena konfigurační hodnota DefaultPushSource. - - - Gibt die Server-URL an. Erfolgt keine Angabe, wird "nuget.org" verwendet. Dies ist nur dann nicht der Fall, wenn der Konfigurationswert "DefaultPushSource" in der NuGet-Konfigurationsdatei festgelegt ist. - - - Especifica la URL del servidor. Si no se especifica, se usa nuget.org a menos que el valor de configuración de DefaultPushSource se establezca en el archivo de configuración de NuGet. - - - Spécifie l'URL du serveur. nuget.org est utilisé en l'absence de spécification, sauf si la valeur de configuration DefaultPushSource est définie dans le fichier de configuration NuGet. - - - Specifica il server URL. Se non specificato, nuget.org èe quello usato a mano che DefaultPushSource config value è impostato nel file NuGet config. - - - サーバーの URL を指定します。指定しない場合、NuGet 構成ファイルに DefaultPushSource 構成値が設定されていなければ、nuget.org が使用されます。 - - - 서버 URL을 지정합니다. 지정되지 않은 경우 NuGet config 파일에 DefaultPushSource config 값이 설정되어 있지 않으면 nuget.org가 사용됩니다. - - - Określa adres URL serwera. Jeśli nie zostanie on określony, będzie używana witryna nuget.org, chyba że w pliku konfiguracji NuGet zostanie określona wartość DefaultPushSource. - - - Especifica a URL do servidor. Se não for especificado, nuget.org é usado a menos que o valor de configuração DefaultPushSource seja definido no arquivo de configuração NuGet. - - - Указывает URL-адрес сервера. Если не указан, используется адрес "nuget.org", если только в файле конфигурации NuGet не задано значение конфигурации DefaultPushSource. - - - Sunucu URL'sini belirtir. Belirtilmemişse, NuGet yapılandırma dosyasında DefaultPushSource yapılandırma değerinin ayarlanmamış olması halinde, nuget.org kullanılır. - - - 指定服务器 URL。如果未指定,则除非在 NuGet 配置文件中设置了 DefaultPushSource 配置值,否则使用 nuget.org。 - - - 指定伺服器 URL。若未指定,除非在 NuGet 設定檔中設定了 DefaultPushSource config 值,否則會使用 nuget.orgis。 - - - Určuje prodlevu pro předání na server (v sekundách). Výchozí nastavení je 300 sekund (5 minut). - - - Gibt das Timeout für den Pushvorgang auf einen Server in Sekunden an. Der Standardwert sind 300 Sekunden (5 Minuten). - - - Especifica el tiempo de expiración en segundos de la inserción a un servidor. Se predetermina a 300 segundos (5 minutos). - - - Spécifie en secondes le délai d'expiration d'émission vers un serveur. 300 secondes (5 minutes) par défaut. - - - Specifica il timeout per il push al server in secondi. Default di 300 secondi (5 minuti). - - - サーバーにプッシュする場合のタイムアウト (秒) を指定します。既定は 300 秒 (5 分) です。 - - - 서버에 푸시하는 시간 제한(초)을 지정합니다. 300초(5분)로 기본 설정됩니다. - - - Określa limit czasu dla wypychania na serwer (w sekundach). Wartość domyślna to 300 sekund (5 minut). - - - Especifica o tempo limite para enviar para um servidor em segundos. O padrão é 300 segundos (5 minutos). - - - Задает время ожидания отправки на сервер в секундах. По умолчанию составляет 300 секунд (5 минут). - - - Saniye cinsinden sunucuya iletim için zaman aşımını belirtir. Varsayılan değer 300 saniyedir (5 dakika). - - - 指定推送到服务器的超时值(以秒为单位)。默认值为 300 秒(5 分钟)。 - - - 指定推入伺服器的逾時 (以秒為單位)。預設為 300秒 (5 分鐘)。 - - - Určuje cestu k balíčku a klíč API pro předání balíčku na server. - - - Geben Sie den Pfad zum Paket und Ihren API-Schlüssel an, um das Paket mittels Push an den Server zu senden. - - - Especificar la ruta de acceso al paquete y su clave API para insertar el paquete al servidor. - - - Spécifiez le chemin d'accès au package et la clé API pour émettre le package vers le serveur. - - - Specifica il percorso al pacchetto e l'API key per eseguire il push del pacchetto al server. - - - パッケージをサーバーにプッシュするパッケージのパスと API キーを指定します。 - - - 서버에 패키지를 푸시할 패키지 및 API 키의 경로를 지정합니다. - - - Określ ścieżkę do pakietu i klucz interfejsu API, aby wypchnąć pakiet na serwer. - - - Especifique o caminho para o pacote e sua chave de API para enviar o pacote para o servidor. - - - Настройка пути к пакету и ключа API для отправки пакета на сервер. - - - Paketin sunucuya iletilmesi için paket yolunu ve API anahtarınızı belirtin. - - - 指定程序包的路径以及用于将程序包推送到服务器的 API 密钥。 - - - 指定封裝路徑和 API 索引鍵以將套件推入伺服器。 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -s http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget push foo.nupkg 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -src http://customsource/ - -nuget push foo.nupkg - -nuget push foo.nupkg.symbols - -nuget push foo.nupkg -Timeout 360 - - - <cesta k balíčku> [klíč API] [možnosti] - - - <Paketpfad> [API-Schlüssel] [Optionen] - - - <ruta de acceso> [clave API] [opciones] - - - <package path> [@@@clé API] [@@@options] - - - <percorso pacchetto> [API key] [opzioni] - - - <package path> [API key] [options] - - - <패키지 경로> [API 키] [옵션] - - - <ścieżka pakietu> [klucz interfejsu API] [opcje] - - - <caminho do pacote> [Chave de API] [opções] - - - <путь пакета> [ключ API] [параметры] - - - <paket yolu> [API anahtarı] [seçenekler] - - - <程序包路径> [API 密钥] [选项] - - - <封裝路徑> [API 索引鍵] [選項] - - - Uloží klíč API pro danou adresu URL serveru. Není-li zadána žádná adresa URL, je uložen klíč API pro galerii NuGet. - - - Speichert einen API-Schlüssel für eine angegebene Server-URL. Wenn keine URL bereitgestellt wird, wird der API-Schlüssel für den NuGet-Katalog gespeichert. - - - Guarda una clave API para una URL de servidor especificada. Cuando no se proporciona ninguna URL, se guarda la clave API para la galería NuGet. - - - Enregistre la clé API d'un serveur URL donné. Lorsqu'aucune URL n'est fournie, la clé API est enregistrée pour la galerie NuGet. - - - Salva un API key per un determinato server URL. Quando non si fornisce un URL , API key si salva per la NuGet gallery. - - - 指定されたサーバーの URL の API キーを保存します。URL が指定されていない場合、NuGet ギャラリーの API キーが保存されます。 - - - 지정된 서버 URL에 대한 API 키를 저장합니다. URL이 제공되지 않은 경우 NuGet 갤러리에 대한 API 키가 저장됩니다. - - - Zapisuje klucz interfejsu API dla danego adresu URL serwera. Jeśli nie podano adresu URL, klucz interfejsu API jest zapisywany dla galerii NuGet. - - - Salva uma chave de API para uma determinada URL do servidor. Quando nenhuma URL é fornecida, a chave de API é salva na galeria NuGet. - - - Сохраняет ключ API для указанного URL-адреса сервера. Если URL-адрес не указан, сохраняется ключ API для коллекции NuGet. - - - Belirli bir sunucu URL'si içim API anahtarını kaydeder. Hiçbir URL belirtilmemişse, API anahtarı NuGet galerisi için kaydedilir. - - - 保存给定服务器 URL 所对应的 API 密钥。如果未提供 URL,则保存 NuGet 库的 API 密钥。 - - - 儲存給定伺服器 URL 的 API 索引鍵。若未提供 URL,會為 NuGet 陳列庫儲存 API 索引鍵。 - - - Adresa URL serveru, pro nějž je platný daný klíč API - - - Die Server-URL, für die der API-Schlüssel gültig ist. - - - La URL de servidor donde la clave API es válida. - - - Serveur URL de la clé API valide. - - - Server URL in cui API key è valido. - - - API キーが有効なサーバーの URL。 - - - API 키를 올바른 서버 URL입니다. - - - Adres URL serwera, gdzie klucz interfejsu API jest ważny. - - - URL do servidor onde a chave API é válida. - - - URL-адрес сервера, для которого действителен ключ API. - - - API anahtarının geçerli olduğu sunucu URL'si. - - - API 密钥有效的服务器 URL。 - - - API 索引鍵有效的伺服器 URL。 - - - Určuje klíč API k uložení a volitelnou adresu URL pro server, který tento klíč API poskytl. - - - Geben Sie den zu speichernden API-Schlüssel und eine optionale URL zum Server an, der den API-Schlüssel bereitgestellt hat. - - - Especificar la clave API para guardar y una URL opcional al servidor que proporcionó la clave API. - - - Spécifiez la clé API à enregistrer et, éventuellement, l'URL du serveur l'ayant fournie. - - - Specifica l' API key da salvare e un URL opzionale al server che ha fornito la API key. - - - 保存する API キーと、API キーを提供したサーバーの URL (省略可能) を指定します。 - - - 저장할 API 키와 API 키를 제공한 서버에 대한 URL(선택적)을 지정합니다. - - - Określ klucz interfejsu API do zapisania i opcjonalny adres URL serwera, który dostarcza ten klucz interfejsu API. - - - Especifique a chave de API para salvar e uma URL opcional para o servidor que forneceu a chave de API. - - - Укажите ключ API для сохранения и необязательный URL-адрес сервера, предоставившего ключ API. - - - Kaydedilecek API anahtarını ve API anahtarını sağlayan sunucunun isteğe bağlı URL'sini belirtin. - - - 指定要保存的 API 密钥以及提供该 API 密钥的服务器的可选 URL。 - - - 指定要儲存的 API 索引鍵以及提供 API 索引鍵的伺服器選擇性 URL。 - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a - -nuget setapikey 4003d786-cc37-4004-bfdf-c4f3e8ef9b3a -Source http://example.com/nugetfeed - - - <klíč API> [možnosti] - - - <API-Schlüssel> [Optionen] - - - <clave API> [opciones] - - - <API key> [options] - - - <API key> [opzioni] - - - <API key> [options] - - - <API 키> [옵션] - - - <klucz interfejsu API> [opcje] - - - <Chave de API> [opções] - - - <ключ API > [параметры] - - - <API anahtarı> [seçenekler] - - - <API 密钥> [选项] - - - <API key> [選項] - - - Poskytuje možnost pro správu seznamu zdrojů umístěných v souboru %AppData%\NuGet\NuGet.config. - - - Stellt die Möglichkeit zur Verfügung, eine Liste der Quellen zu verwalten, die sich in "%AppData%\NuGet\NuGet.config" befinden. - - - Proporciona la capacidad de gestionar la lista de orígenes ubicada en %AppData%\NuGet\NuGet.config - - - Offre la possibilité de gérer la liste de sources située dans %AppData%\NuGet\NuGet.config. - - - Permette la gestione di un elenco di fonti localizzato in %AppData%\NuGet\NuGet.config - - - %AppData%\NuGet\NuGet.config に指定されたソースの一覧を管理できます - - - %AppData%\NuGet\NuGet.config에 있는 소스 목록을 관리할 수 있는 기능을 제공합니다. - - - Zapewnia możliwość zarządzania listą źródeł znajdującą się w pliku %AppData%\NuGet\NuGet .config - - - Fornece a capacidade de gerenciar a lista de origens localizadas em %AppData%\NuGet\NuGet.config - - - Дает возможность управлять списком источников, расположенным в %AppData%\NuGet\NuGet.config - - - %AppData%\NuGet\NuGet.config içinde yer alan kaynakların listesinin yönetilebilmesini mümkün kılar. - - - 可以管理位于 %AppData%\NuGet\NuGet.config 的源列表 - - - 提供管理位於 %AppData%\NuGet\NuGet.config 的來源清單的功能。 - - - Název zdroje - - - Der Name der Quelle. - - - Nombre del origen. - - - Nom de la source. - - - Nome della fonte. - - - ソースの名前。 - - - 소스 이름입니다. - - - Nazwa źródła. - - - Nome da origem. - - - Имя источника. - - - Kaynağın adı. - - - 源的名称。 - - - 來源名稱。 - - - Heslo, které má být použito při připojení k ověřenému zdroji - - - Das Kennwort, das beim Herstellen einer Verbindung mit einer authentifizierten Quelle verwendet werden soll. - - - Contraseña que se va a usar al conectar al origen autenticado. - - - Utilisez le mot de passe pour vous connecter à une source authentifiée. - - - Password da usare quando ci si collega a una fonte autenticata. - - - 認証済みソースに接続するときに使用されるパスワード。 - - - 인증된 소스에 연결할 때 사용되는 암호입니다. - - - Hasło, którego należy używać podczas łączenia się z uwierzytelnionym źródłem. - - - Senha a ser usada ao conectar-se a uma origem autenticada. - - - Пароль, используемый при подключении к проверенному источнику. - - - Kimliği doğrulanmış bir kaynağa bağlanırken kullanılacak parola. - - - 连接到已通过身份验证的源时要使用的密码。 - - - 連線至已驗證來源時使用的密碼。 - - - Cesta ke zdroji balíčků - - - Der Pfad zu der Paketquelle. - - - Ruta de acceso al origen de los paquetes. - - - Chemin d'accès à la source de packages. - - - Percorso alle fonti pacchetto. - - - パッケージ ソースのパス。 - - - 패키지 소스의 경로입니다. - - - Ścieżka do źródła pakietów. - - - Caminho para as origens do pacote. - - - Путь к источнику пакетов. - - - Paket kaynağına giden yol. - - - 程序包源的路径。 - - - 封裝來源的路徑。 - - - <List|Add|Remove|Enable|Disable|Update> -Name [název] -Source [zdroj] - - - <List|Add|Remove|Enable|Disable|Update> -Name [Name] -Source [Quelle] - - - <List|Add|Remove|Enable|Disable|Update> -Name [nombre] -Source [origen] - - - <List|Add|Remove|Enable|Disable|Update> -Name [nom] -Source [source] - - - <List|Add|Remove|Enable|Disable|Update> -Name [nome] -Source [fonte] - - - <List|Add|Remove|Enable|Disable|Update> -Name [name] -Source [source] - - - <List|Add|Remove|Enable|Disable|Update> -Name [이름] -Source [소스] - - - <List|Add|Remove|Enable|Disable|Update> -Name [nazwa] -Source [źródło] - - - <List|Add|Remove|Enable|Disable|Update> -Name [nome] -Source [origem] - - - <List|Add|Remove|Enable|Disable|Update> -Name [имя] -Source [источник] - - - <List|Add|Remove|Enable|Disable|Update> -Name [ad] -Source [kaynak] - - - <List|Add|Remove|Enable|Disable|Update> -Name [名称] -Source [源] - - - <List|Add|Remove|Enable|Disable|Update> -Name [名稱] -Source [來源] - - - Uživatelské jméno, které má být použito při připojení k ověřenému zdroji - - - Der "UserName", der beim Herstellen einer Verbindung mit einer authentifizierten Quelle verwendet werden soll. - - - Nombre de usuario que se va a usar cuando se conecte a un origen autenticado. - - - Utilisez le @@@nom d'utilisateur pour vous connecter à une source authentifiée. - - - Nomeutente da usare quando ci si collega a una fonte autenticata. - - - 認証済みソースに接続するときに使用されるユーザー名。 - - - 인증된 소스에 연결할 때 사용되는 사용자 이름입니다. - - - Nazwa użytkownika, którą należy stosować podczas łączenia się z uwierzytelnionym źródłem. - - - Nome de usuário a ser usado na conexão com uma origem autenticada. - - - Имя пользователя, используемое при подключении к проверенному источнику. - - - Kimliği doğrulanmış bir kaynağa bağlanırken kullanılacak KullanıcıAdı. - - - 连接到已通过身份验证的源时要使用的用户名。 - - - 連線至已驗證來源時要使用的使用者名稱。 - - - Sestavení, které má být použito pro metadata - - - Die für Metadaten zu verwendende Assembly. - - - Ensamblado que se va a usar para los metadatos. - - - Assembly à utiliser pour les métadonnées. - - - Assembly da usare come metadata. - - - メタデータに使用するアセンブリ。 - - - 메타데이터에 사용할 어셈블리입니다. - - - Zestaw do użycia na potrzeby metadanych. - - - Assembly a ser usado para metadados. - - - Сборка, используемая для метаданных. - - - Meta veriler için kullanılacak derleme. - - - 要用于元数据的程序集。 - - - 中繼資料要使用的組件。 - - - Vytvoří soubor nuspec pro nový balíček. Je-li tento příkaz spuštěn ve stejné složce jako soubor projektu (.csproj, .vbproj, .fsproj), vytvoří tokenizovaný soubor nuspec. - - - Generiert eine nuspec-Datei für ein neues Paket. Wenn dieser Befehl im gleichen Ordner wie eine Projektdatei (CSPROJ, VBPROJ, FSPROJ) ausgeführt wird, wird eine nuspec-Datei mit einem Token erstellt. - - - Genera un archivo nuspec para un nuevo paquete. Si este comando se ejecuta en la misma carpeta como archivo de proyecto (.csproj, .vbproj, .fsproj), creará un archivo nuspec acortado. - - - Génère un nuspec pour un nouveau package. Si cette commande s'exécute dans le même dossier que le fichier projet (.csproj, .vbproj, .fsproj), un fichier .nuspec tokenisé sera créé. - - - Genera un nuspec per un nuovo pacchetto. Se si esegue questo comando nella stessa cartella di un file di progetto (.csproj, .vbproj, .fsproj), creerà un file nuspec nominale. - - - 新しいパッケージの nuspec を生成します。このコマンドをプロジェクト ファイル (.csproj, .vbproj, .fsproj) と同じフォルダーで実行する場合、トークン化された nuspec ファイルが作成されます。 - - - 새 패키지의 nuspec을 생성합니다. 이 명령이 프로젝트 파일(.csproj, .vbproj, .fsproj)과 동일한 폴더에서 실행되면 토큰화된 nuspec 파일을 생성합니다. - - - Generuje plik nuspec dla nowego pakietu. Jeśli to polecenie zostanie uruchomione w tym samym folderze co plik projektu (csproj, vbproj, fsproj), spowoduje utworzenie pliku nuspec z tokenizacją. - - - Gera um nuspec para um novo pacote. Se esse comando for executado na mesma pasta que um arquivo de projeto (.csproj, .vbproj, .fsproj), ele criará um arquivo nuspec com token. - - - Создает NUSPEC-файл для нового пакета. Если эта команда запущена в папке с файлом проекта (.csproj, .vbproj, .fsproj), она создаст размеченный NUSPEC-файл. - - - Yeni paket için bir nuspec oluşturur. Bu komut proje dosyasıyla (.csproj, .vbproj, .fsproj) aynı klasörde çalıştırılırsa, parçalanmış bir nuspec dosyası oluşturur. - - - 为新程序包生成 nuspec。如果此命令在项目文件(.csproj、.vbproj、.fsproj)所在的文件夹中运行,则它将创建已标记化的 nuspec 文件。 - - - 為新封裝產生 nuspec。如果此命令在與專案檔 (.csproj, .vbproj, .fsproj) 相同資料夾中執行,則會建立 Token 化的 nuspec 檔案。 - - - Přepíše soubor nuspec, existuje-li. - - - Überschreibt die nuspec-Datei, wenn vorhanden. - - - Reemplazar el archivo nuspec si existe. - - - Remplacez le fichier .nuspec s'il existe. - - - Sovrascrive il file nuspec se esistente. - - - nuspec ファイルが存在する場合は上書きします。 - - - nuspec 파일이 있는 경우 덮어씁니다. - - - Zastąp plik nuspec, jeśli istnieje. - - - Substitua o arquivo nuspec se ele já existir. - - - Если NUSPEC-файл существует, он будет перезаписан. - - - Mevcutsa nuspec dosyasını geçersiz kıl. - - - 覆盖 nuspec 文件(如果存在)。 - - - 若存在則覆寫 nuspec 檔案。 - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - nuget spec - -nuget spec MyPackage - -nuget spec -a MyAssembly.dll - - - [ID balíčku] - - - [Paket-ID] - - - [id. de paquete] - - - [ID package] - - - [id pacchetto] - - - [package id] - - - [패키지 ID] - - - [identyfikator pakietu] - - - [id do pacote] - - - [идентификатор пакета] - - - [paket kimliği] - - - [程序包 ID] - - - [封裝 ID] - - - Aktualizuje balíčky na nejnovější dostupné verze. Tento příkaz rovněž aktualizuje vlastní soubor NuGet.exe. - - - Pakete auf die aktuellsten verfügbaren Versionen aktualisieren. Dieser Befehl aktualisiert auch die Datei "NuGet.exe" selbst. - - - Actualizar paquetes a las últimas versiones disponibles. Este comando también actualiza NuGet.exe. - - - Mettez à jour les packages vers les versions disponibles les plus récentes. Cette commande met également à jour NuGet.exe. - - - Aggiornare paccheti alle ultime versioni. Questo comando aggiorna anche NuGet.exe. - - - パッケージを利用可能な最新バージョンに更新します。このコマンドで、NuGet.exe も更新されます。 - - - 패키지를 사용 가능한 최신 버전으로 업데이트합니다. 이 명령은 NuGet.exe 자체도 업데이트합니다. - - - Zaktualizuj pakiety do najnowszych dostępnych wersji. To polecenie aktualizuje również plik NuGet.exe. - - - Atualize os pacotes para as versões mais recentes disponíveis. Este comando também atualiza NuGet.exe em si. - - - Обновление пакетов до последних доступных версий. Кроме того, эта команда обновляет и файл NuGet.exe. - - - Paketleri mevcut en son sürümlerine günceller. Bu komut ayrıca NuGet.exe öğesinin kendisini de günceller. - - - 将程序包更新到最新的可用版本。此命令还更新 NuGet.exe 本身。 - - - 更新封裝為可用的最新版本。此命令也會更新 NuGet.exe 本身。 - - - ID balíčků k aktualizaci - - - Die zu aktualisierenden Paket-IDs. - - - Id. de paquetes que se van a actualizar. - - - ID des packages à mettre à jour. - - - Id del pacchetto da aggiornare. - - - 更新するパッケージ ID。 - - - 업데이트할 패키지 ID입니다. - - - Identyfikatory pakietów do zaktualizowania. - - - Pacote de IDs a serem atualizadas. - - - Идентификаторы обновляемых пакетов. - - - Güncellenecek paket kimlikleri. - - - 要更新的程序包 ID。 - - - 要更新的封裝 ID。 - - - Umožňuje aktualizovat na předběžné verze. Tento příznak není vyžadován při aktualizaci předběžných balíčků, které jsou již nainstalovány. - - - Ermöglicht das Update auf Vorabversionen. Diese Kennzeichnung ist bei einem Update auf Vorabversionspakete nicht erforderlich, die bereits installiert sind. - - - Permite actualizar a versiones preliminares. Esta marca no es necesaria cuando se actualizan paquetes de versión preliminar que ya están instalados. - - - Permet la mise à jour vers des versions préliminaires. Cet indicateur n'est pas requis lors de la mise à jour de la version préliminaire des packages déjà installés. - - - Permette l'aggiornamento di versioni prerelease. Questo flag non è richiesto quando si aggiornano pacchetti prerelease già installati. - - - プレリリース バージョンへの更新を許可します。既にインストールされているプレリリース パッケージを更新する場合、このフラグは必要ありません。 - - - 시험판 버전으로 업데이트하도록 허용합니다. 이미 설치된 시험판 패키지를 업데이트하는 경우 이 플래그는 필요하지 않습니다. - - - Zezwala na aktualizację do wersji wstępnych. Ta flaga nie jest wymagana w przypadku aktualizowania pakietów w wersji wstępnej, które zostały już zainstalowane. - - - Permite atualizar para versões de pré-lançamento. Este sinal não é necessário ao atualizar pacotes de pré-lançamento que já estão instalados. - - - Позволяет обновлять предварительные версии. Этот флаг не нужен при обновлении предварительных версий пакетов, которые уже установлены. - - - Önsürümlere güncelleme yapılmasına izin verir. Zaten yüklü olan önsürüm paketleri güncellenirken bu bayrak gerekli değildir. - - - 允许更新到预发布版本。当更新已安装的预发布程序包时,不需要此标志。 - - - 允許更新至預先更新的版本。更新已安裝的預先發行封裝時不需要此標幟。 - - - Cesta k místní složce balíčků (umístění, v němž jsou balíčky nainstalovány) - - - Der Pfad zum lokalen Paketordner (zu dem Speicherort, an dem Pakete installiert sind). - - - Ruta de acceso a la carpeta de paquetes local (ubicación de los paquetes instalados). - - - Chemin d'accès au dossier de packages locaux (emplacement des packages installés). - - - Percorso a cartelle locali pacchetti (dove sono installati i pacchetti). - - - ローカル パッケージ フォルダーのパス (パッケージがインストールされている場所)。 - - - 로컬 패키지 폴더의 경로(패키지가 설치된 위치)입니다. - - - Ścieżka do lokalnego folderu pakietów (lokalizacja, w której są instalowane pakiety). - - - Caminho para a pasta de pacotes local (local onde os pacotes estão instalados). - - - Путь к локальной папке пакетов (в которой установлены пакеты). - - - Yerel paket klasörünün yolu (paketlerin yüklü olduğu konum). - - - 本地程序包文件夹的路径(安装程序包的位置)。 - - - 本機封裝資料夾的路徑 (安裝封裝的位置)。 - - - Vyhledá aktualizace s nejvyšší dostupnou verzí v rámci stejné hlavní verze a podverze jako nainstalovaný balíček. - - - Sucht nach Updates mit der höchsten Version, die in der gleichen Haupt- und Nebenversion wie das installierte Paket verfügbar sind. - - - Busca actualizaciones con la última versión disponible en la versión principal y secundaria como el paquete instalado. - - - Recherche les mises à jour vers la version maximale, disponibles pour les versions principale et secondaire identiques au package installé. - - - Ricerca aggiornamenti delle versioni ultime disponibili nella stessa versione maggiore e minore dei pacchetti installati. - - - インストールされているパッケージと同じメジャー バージョンおよびマイナー バージョン内で最も新しいバージョンの更新プログラムを検索します。 - - - 설치된 패키지와 동일한 주 버전 및 부 버전에서 사용 가능한 가장 높은 버전의 업데이트를 찾습니다. - - - Szuka aktualizacji z najwyższą wersją dostępnych w obrębie tej samej wersji głównej i pomocniczej co zainstalowany pakiet. - - - Procura por atualizações com a maior versão disponível dentro da mesma versão principal e secundária do pacote instalado. - - - Выполняет поиск обновлений с самой последней версией, которые доступны в пределах основного и дополнительного номера версии установленного пакета. - - - Yüklü paket ile aynı ana ve alt sürüm aralığındaki mevcut en yüksek sürüme sahip güncellemeleri arar. - - - 查找具有已安装程序包的主要版本和次要版本内的最高可用版本的更新。 - - - 以與已安裝封裝同樣的主要和次要版本中可取得的最高版本尋找更新。 - - - Aktualizuje spuštěný soubor NuGet.exe na nejnovější verzi dostupnou na serveru. - - - Update der aktuell ausgeführten Datei "NuGet.exe" auf die aktuellste Version ausführen, die vom Server verfügbar ist. - - - Actualizar NuGet.exe que se ejecuta a la última versión disponible del servidor. - - - Mettez à jour le fichier NuGet.exe en service vers la version disponible la plus récente, depuis le serveur. - - - Aggiorna l'esecuzione di NuGet.exe alla nuova versione disponibile dal server. - - - 実行されている NuGet.exe を、サーバーから入手可能な最新バージョンに更新します。 - - - 실행 중인 NuGet.exe를 서버에서 사용 가능한 최신 버전으로 업데이트합니다. - - - Zaktualizuj uruchomiony plik NuGet.exe do najnowszej wersji dostępnej na serwerze. - - - Atualize o NuGet.exe em execução para a versão mais recente disponível do servidor. - - - Обновление запущенного файла NuGet.exe до самой последней версии, доступной на сервере. - - - Çalıştırılan NuGet.exe öğesini sunucudaki mevcut en yeni sürüme güncelle. - - - 将正在运行的 NuGet.exe 更新到可从服务器获得的最新版本。 - - - 將執行中的 NuGet.exe 更新為伺服器中可取得的最新版本。 - - - Seznam zdrojů balíčků pro vyhledání aktualizací - - - Eine Liste der Paketquellen, die nach Updates durchsucht werden sollen. - - - Lista de orígenes del paquete para buscar actualizaciones. - - - Liste des mises à jour de sources de package à rechercher. - - - Un elenco di fonti pacchetti per ricercare aggiornamenti. - - - 更新プログラムを検索するパッケージ ソースの一覧。 - - - 업데이트를 검색할 패키지 소스의 목록입니다. - - - Lista źródeł pakietów na potrzeby wyszukiwania aktualizacji. - - - Uma lista de origens de pacotes para buscar atualizações. - - - Список источников пакетов для поиска обновлений. - - - Güncellemeler için aranacak paket kaynaklarının listesi. - - - 要搜索更新的程序包源的列表。 - - - 要搜尋更新的封裝來源清單。 - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - nuget update - -nuget update -Safe - -nuget update -Self - - - Zobrazí podrobný výstup při aktualizaci. - - - Ausführliche Ausgabe während des Updates anzeigen. - - - Mostrar resultados detallados mientras se actualiza. - - - Affichez la sortie détaillée pendant la mise à jour. - - - Mostra l'uscita ridondante durante l'aggiornamento. - - - 更新せずに詳細な出力を表示します。 - - - 업데이트하는 동안 자세한 출력을 표시합니다. - - - Pokaż dane wyjściowe w trybie pełnym podczas aktualizacji. - - - Mostrar a saída detalhada durante a atualização. - - - Отображение подробных выходных данных при обновлении. - - - Güncellerken ayrıntılı çıktıyı göster. - - - 显示更新时的详细输出。 - - - 更新時顯示詳細資訊輸出 - - - Klíč API pro server - - - Der API-Schlüssel für den Server. - - - Clave API para el servidor. - - - La Clé API dédiée au serveur. - - - API key per il server. - - - サーバーの API キー。 - - - 서버에 대한 API 키입니다. - - - Klucz interfejsu API dla serwera. - - - A chave de API para o servidor. - - - Ключ API для сервера. - - - Sunucu için API anahtarı. - - - 服务器的 API 密钥。 - - - 伺服器的 API 索引鍵。 - - - Výchozí konfigurace NuGet se získá načtením souboru %AppData%\NuGet\NuGet.config a následným načtením všech souborů nuget.config nebo .nuget\nuget.config, počínaje kořenovým adresářem jednotky a konče aktuálním adresářem. - - - Die Standardkonfiguration von NuGet wird durch Laden von "%AppData%\NuGet\NuGet.config" und anschließendes Laden von "nuget.config" oder ".nuget\nuget.config" mit Start im Stamm des Laufwerks und Ende im aktuellen Verzeichnis abgerufen. - - - La configuración predeterminada de NuGet se obtiene cargando %AppData%\NuGet\NuGet.config y, a continuación, cualquier nuget.config o .nuget\nuget.config empezando desde la raíz de la unidad hasta el directorio actual. - - - La configuration NuGet par défaut est obtenue en chargeant %AppData%\NuGet\NuGet.config, puis en chargeant nuget.config ou .nuget\nuget.config commençant à la racine du lecteur et terminant dans le répertoire actuel. - - - La configurazione di default di NuGet si ottiene caricando %AppData%\NuGet\NuGet.config, poi caricando qualsiasi nuget.config o .nuget\nuget.config a partire dal root del drive e terminando nell'attuale directory. - - - NuGet の既定の構成を取得するには、%AppData%\NuGet\NuGet.config を読み込み、ドライブのルートから現在のディレクトリの間にあるすべての nuget.config または .nuget\nuget.config を読み込みます。 - - - %AppData%\NuGet\NuGet.config를 로드한 후 드라이브 루트에서 현재 디렉터리까지의 nuget.config 또는 .nuget\nuget.config를 로드하여 NuGet의 기본 구성을 가져옵니다. - - - Domyślna konfiguracja pakietu NuGet jest uzyskiwana przez załadowanie pliku %AppData%\NuGet\NuGet.config, a następnie załadowanie dowolnego pliku nuget.config lub .nuget\nuget.config, zaczynając od folderu głównego dysku i kończąc w katalogu bieżącym.\n - - - A configuração padrão do NuGet é obtida ao carregar %AppData%\NuGet\NuGet.config, e depois ao carrear qualquer nuget.config ou .nuget\nuget.config começando pela raiz da unidade e terminando no diretório atual. - - - Чтобы получить используемую по умолчанию конфигурацию NuGet, следует загрузить файл %AppData%\NuGet\NuGet.config, а затем загрузить все файлы nuget.config или .nuget\nuget.config, начиная с корня диска и заканчивая текущим каталогом. - - - Varsayılan NuGet yapılandırması %AppData%\NuGet\NuGet.config yüklenerek, ardından sürücü kökünden başlanıp geçerli dizinde sonlandırılarak tüm nuget.config ve .nuget\nuget.config öğeleri yüklenerek edinildi. - - - 通过加载 %AppData%\NuGet\NuGet.config,然后加载从驱动器的根目录开始到当前目录为止的任何 nuget.config 或 .nuget\nuget.config 来获取 NuGet 的默认配置。 - - - NuGet 的預設設定可載入 %AppData%\NuGet\NuGet.config 以取得,接著載入任何從磁碟根啟動且在目前目錄中結束的 nuget.config 或 .nuget\nuget.config。 - - - Před zahájením instalace balíčku ověří, zda je udělen souhlas s obnovením tohoto balíčku. - - - Überprüft, ob die Zustimmung zur Paketwiederherstellung erteilt wurde, bevor ein Paket installiert wird. - - - Comprueba si se concede consentimiento de restauración del paquete antes de instalar un paquete. - - - Vérifie si l'accord de restauration du package est donné avant d'installer le package. - - - Verificare che sia garantito il consenso al ripristino pacchetti prima di installarli. - - - パッケージをインストールする前に、パッケージの復元が同意されているかどうかを確認します。 - - - 패키지를 설치하기 전에 패키지 복원에 동의했는지 확인하십시오. - - - Sprawdza, czy przed zainstalowaniem pakietu udzielono zgody na przywrócenie pakietu. - - - Verifica se a autorização de restauração do pacote foi concedida antes de instalar um pacote. - - - Проверяет, было ли дано согласие на восстановление пакета перед установкой пакета. - - - Paket yüklenmeden önce, paket geri yükleme izninin verilip verilmediğini denetler. - - - 在安装程序包之前,检查是否已同意还原程序包。 - - - 檢查是否在安裝封裝前已授予封裝還原同意。 - - - Kořenový adresář řešení pro obnovení balíčků - - - Paketstamm für die Paketwiederherstellung. - - - Raíz de la solución para la restauración del paquete. - - - Racine de la solution pour la restauration du package. - - - Solution root per ripristino pacchetti. - - - パッケージ復元のソリューション ルート。 - - - 패키지 복원에 사용되는 솔루션 루트입니다. - - - Katalog główny rozwiązania na potrzeby przywracania pakietu. - - - Raiz de solução para restauração de pacotes. - - - Корень решения для восстановления пакета. - - - Paket geri yüklemesi için çözüm kökü. - - - 用于还原程序包的解决方案根目录。 - - - 封裝還原的方案根。 - - - Konfigurační soubor NuGet. Není-li zadán, je jako konfigurační soubor použit soubor %AppData%\NuGet\NuGet.config. - - - Die NuGet-Konfigurationsdatei. Erfolgt keine Angabe, wird "%AppData%\NuGet\NuGet.config" als Konfigurationsdatei verwendet. - - - Archivo de configuración NuGet. Si no se especifica, el archivo %AppData%\NuGet\NuGet.config se usa como archivo de configuración. - - - Fichier de configuration NuGet. Si aucun fichier n'est spécifié, %AppData%\NuGet\NuGet.config servira de fichier de configuration. - - - File configurazione NuGet. Se non specificato, si usa il file %AppData%\NuGet\NuGet.config come file configurazione. - - - NuGet 構成ファイル。指定しない場合、構成ファイルとして %AppData%\NuGet\NuGet.config ファイルが使用されます。 - - - NuGet 구성 파일입니다. 지정되지 않은 경우 %AppData%\NuGet\NuGet.config가 구성 파일로 사용됩니다. - - - Plik konfiguracji NuGet. Jeśli nie zostanie określony, jako plik konfiguracji jest używany plik %AppData%\NuGet\NuGet.config. - - - O arquivo de configuração NuGet. Se não for especificado, o arquivo %AppData%\NuGet\NuGet.config será usado como arquivo de configuração. - - - Файл конфигурации NuGet. Если не указан, в качестве файла конфигурации используется файл %AppData%\NuGet\NuGet.config. - - - NuGet yapılandırma dosyası. Belirtilmemişse, %AppData%\NuGet\NuGet.config dosyası yapılandırma dosyası olarak kullanılır. - - - NuGet 配置文件。如果未指定,则将文件 %AppData%\NuGet\NuGet.config 用作配置文件。 - - - NuGet 設定檔。如果未指定,檔案 %AppData%\NuGet\NuGet.config 會用做設定檔。 - - - Nastaví atribut minClientVersion pro vytvořený balíček. - - - Legen Sie das Attribut "minClientVersion" für das erstellte Paket fest. - - - Establecer el atributo minClientVersion para el paquete creado. - - - Définissez l'attribut minClientVersion du package créé. - - - Imposta l'attributo minClientVersion per il pacchetto creato. - - - 作成されるパッケージの minClientVersion 属性を設定してください。 - - - 만든 패키지에 대해 minClientVersion 특성을 설정합니다. - - - Ustaw atrybut minClientVersion dla utworzonego pakietu. - - - Defina o atributo minClientVersion para o pacote criado. - - - Настройка атрибута minClientVersion для созданного пакета. - - - Oluşturulan paket için minClientVersion özniteliğini ayarla. - - - 设置创建的程序包的 minClientVersion 属性。 - - - 為已建立的封裝設定 minClientVersion 屬性。 - - - Zahrne odkazované projekty jako závislosti nebo jako součást balíčku. - - - Projekte, auf die verwiesen wird, als Abhängigkeiten oder Teil des Pakets einschließen. - - - Incluir proyectos a los que se hace referencia como dependencias o parte del paquete. - - - Incluez des projets référencés, soit comme dépendances, soit comme éléments du package. - - - Include i progetti di riferimento come dipendenze o parte del pacchetto. - - - 依存関係またはパッケージの一部として、参照されているプロジェクトを含めてください。 - - - 참조된 프로젝트를 종속성 또는 패키지의 일부로 포함합니다. - - - Uwzględnij przywoływane projekty jako zależności lub jako części pakietu. - - - Inclua projetos referenciados como dependências ou como parte do pacote. - - - Добавляет указанные по ссылкам проекты в качестве зависимостей или части проекта. - - - Başvurulan projeleri bağımlılık veya paketin bir parçası olarak dahil et. - - - 包括作为依赖项或作为程序包的一部分的引用项目。 - - - 包含做為相依項或部份封裝的已參照專案。 - - - Nastaví výchozí akci, pokud soubor z balíčku již existuje v cílovém projektu. Chcete-li vždy přepisovat soubory, nastavte možnost Overwrite. Chcete-li soubory přeskočit, nastavte možnost Ignore. Pokud možnost není zadána, zobrazí se výzva pro každý konfliktní soubor. - - - Legt die Standardaktion fest, wenn eine Datei aus einem Paket bereits im Zielprojekt vorhanden ist. Legen Sie den Wert auf "Overwrite" fest, um Dateien immer zu überschreiben. Legen Sie den Wert auf "Ignore" fest, um Dateien zu überspringen. Wenn keine Angabe erfolgt, wird eine Eingabeaufforderung für jede Datei angezeigt, die einen Konflikt verursacht. - - - Establecer una acción predeterminada cuando un archivo de un paquete ya exista en el proyecto de destino. Establecer a Overwrite para reemplazar siempre los archivos. Establecer a Ignore para omitir los archivos. Si no se especifica, pedirá confirmación para cada archivo conflictivo. - - - Définissez l'action par défaut lorsqu'un fichier du package existe déjà dans le projet cible. Affectez la valeur Overwrite pour remplacer systématiquement les fichiers. Affectez la valeur Ignore pour ignorer les fichiers. En l'absence de spécification, une invite s'affichera pour chaque fichier provoquant un conflit. - - - Impostare azione di default quando esiste già un file da un pacchetto. Impostare su Overwrite per sovrascrivere il file. Impostare su Ignore per saltare il file. Se non specificato, richiederà per ogni file in conflitto. - - - パッケージのファイルがターゲット プロジェクトに既に存在する場合の既定のアクションを設定します。常にファイルを上書きするには、Overwrite に設定します。ファイルをスキップするには、Ignore に設定します。指定しない場合、競合するファイルごとにプロンプトが表示されます。 - - - 패키지의 파일이 대상 프로젝트에 이미 있는 경우의 기본 동작을 설정합니다. 파일을 항상 덮어쓰려면 Overwrite로 설정합니다. 파일을 건너뛰려면 Ignore로 설정합니다. 지정되지 않은 경우 충돌하는 각 파일에 대한 메시지를 표시합니다. - - - Ustaw domyślną akcję, jeśli plik z pakietu istnieje już w projekcie docelowym. Ustaw wartość Overwrite, aby zawsze zastępować pliki. Ustaw wartość Ignore, aby pomijać pliki. Jeśli akcja nie zostanie określona, dla każdego pliku powodującego konflikt będzie wyświetlany monit. - - - Defina a ação padrão quando um arquivo de um pacote já existir no projeto de destino. Defina para Overwrite para sempre substituir arquivos. Defina para Ignore para ignorar arquivos. Se não for especificado, ele avisará sobre cada arquivo conflitante. - - - Задайте действие по умолчанию, которое выполняется, если файл из пакета уже существует в целевом проекте. Если указать значение "Overwrite", файлы всегда будут перезаписываться. Если указать значение "Ignore", файлы будут пропускаться. Если значение не указать, для каждого конфликтного файла будет отображен запрос действия. - - - Paketteki bir dosya hedef projede zaten mevcutsa uygulanacak varsayılan eylemi ayarlayın. Dosyaların her zaman geçersiz kılınması için Overwrite seçimin belirtin. Dosyaların atlanması için Ignore seçimin belirtin. Hiçbiri belirtilmemişse, çakışan her dosya için ne yapılacağını sorar. - - - 设置当程序包中的文件已在目标项目中存在时的默认操作。设置为 "Overwrite" 可始终覆盖文件。设置为 "Ignore" 可跳过文件。如果未指定,则它将提示每个存在冲突的文件。 - - - 當封裝檔案已存在於目標專案時,設定預設動作。設定為 Overwrite 一律覆寫檔案。設定為 Ignore 以略過檔案。若未指定,則會提示每個衝突的檔案。 - - - Umožňuje uložení přihlašovacích údajů zdroje přenosného balíčku, a to zákazem šifrování hesel. - - - Ermöglicht das Speichern der Anmeldeinformationen der portablen Paketquelle durch Deaktivieren von Kennwortverschlüsselung. - - - Habilita el almacenamiento de las credenciales de origen del paquete portátil deshabilitando el cifrado de la contraseña. - - - Active les informations d'identification de la source du package portable de stockage en désactivant le chiffrement de mot de passe. - - - Permette di immagazzinare le credenziali della fonte disabilitando il criptaggio della password. - - - パスワードの暗号化を無効にして、ポータブル パッケージ ソースの資格情報の保存を有効にします。 - - - 암호의 암호화를 사용하지 않도록 설정하여 휴대용 패키지 소스 자격 증명을 저장할 수 있도록 합니다. - - - Umożliwia przechowywanie poświadczeń przenośnego źródła pakietów, wyłączając szyfrowanie haseł. - - - Ativa as credenciais de origem do pacote portátil de armazenamento desativando a criptografia de senha. - - - Позволяет хранить переносимые учетные данные источника пакетов посредством отключения шифрования пароля. - - - Parola şifrelemesini devre dışı bırakarak taşınabilir paket kaynağı kimlik bilgilerinin saklanmasını sağlar. - - - 通过禁用密码加密来允许存储可移植程序包源凭据。 - - - 以停用密碼加密的方式來啟用儲存可攜式封裝來源認證。 - - - Obnoví balíčky NuGet. - - - Stellt NuGet-Pakete wieder her. - - - Restaura los paquetes NuGet. - - - Restaure les packages NuGet. - - - Ripristina pacchetti NuGet. - - - NuGet パッケージを復元します。 - - - NuGet 패키지를 복원합니다. - - - Przywraca pakiety NuGet. - - - Restaura os pacotes NuGet. - - - Восстанавливает пакеты NuGet. - - - NuGet paketlerini geri yükler. - - - 还原 NuGet 程序包。 - - - 還原 NuGet 封裝。 - - - Určuje složku balíčků. - - - Gibt den Paketordner an. - - - Especifica la carpeta de los paquetes. - - - Spécifie le dossier des packages. - - - Specifica la cartella pacchetto. - - - パッケージ フォルダーを指定します。 - - - 패키지 폴더를 지정합니다. - - - Określa folder pakietów. - - - Especifica a pasta de pacotes. - - - Указывает папку пакетов. - - - Paket klasörünü belirtir. - - - 指定程序包文件夹。 - - - 指定封裝資料夾。 - - - Před zahájením instalace balíčku ověří, zda je udělen souhlas s obnovením tohoto balíčku. - - - Überprüft, ob die Zustimmung zur Paketwiederherstellung erteilt wurde, bevor ein Paket installiert wird. - - - Comprueba si se concede consentimiento de restauración del paquete antes de instalar un paquete. - - - Vérifie si l'accord de restauration du package est donné avant d'installer le package. - - - Verificare che sia garantito il consenso al ripristino prima di installare il pacchetto. - - - パッケージをインストールする前に、パッケージの復元が同意されているかどうかを確認します。 - - - 패키지를 설치하기 전에 패키지 복원에 동의했는지 확인하십시오. - - - Sprawdza przed zainstalowaniem pakietu, czy udzielono zgody na przywrócenie pakietu. - - - Verifica se a autorização de restauração de pacote é concedida antes de instalar um pacote. - - - Проверяет, было ли дано согласие на восстановление пакета перед установкой пакета. - - - Paketin yüklenmesinden önce paket geri yükleme onayının verilip verilmediğini denetler. - - - 在安装程序包之前,检查是否已同意还原程序包。 - - - 檢查是否在安裝封裝前已授予封裝還原同意。 - - - Určuje adresář řešení. Není platné při obnovování balíčků pro řešení. - - - Gibt das Projektverzeichnis an. Beim Wiederherstellen von Paketen für ein Projekt nicht gültig. - - - Especifica el directorio de la solución. No es válido cuando se restauran paquetes para una solución. - - - Spécifie le répertoire de la solution. Non valide lors de la restauration de packages pour une solution. - - - Specifica la soluzione della directory. Non valida quando si ripristinano pacchetti per una soluzione. - - - ソリューション ディレクトリを指定します。ソリューションのパッケージを復元する場合、無効です。 - - - 솔루션 디렉터리를 지정합니다. 솔루션 패키지를 복원하는 경우 사용할 수 없습니다. - - - Określa katalog rozwiązania. W przypadku przywracania pakietów dla rozwiązania nie jest on obowiązujący. - - - Especifica o diretório de solução. Não é válido ao restaurar pacotes para uma solução. - - - Указывает каталог решения. При восстановлении пакетов для решения является недопустимым. - - - Çözüm dizinini belirtir. Bir çözüm için paketler geri yüklenirken geçerli değildir. - - - 指定解决方案目录。当还原解决方案的程序包时无效。 - - - 指定方案目錄。還原方案封裝時無效。 - - - Je-li zadáno řešení, tento příkaz obnoví balíčky NuGet, které jsou nainstalovány v řešení a v projektech obsažených v tomto řešení. V opačném případě tento příkaz obnoví balíčky uvedené v zadaném souboru packages.config. - - - Wenn ein Projekt angegeben wird, stellt dieser Befehl NuGet-Pakete wieder her, die im Projekt und den darin enthaltenen Projekten installiert sind. Andernfalls stellt der Befehl Pakete wieder her, die in der angegebenen Datei "packages.config" aufgelistet werden. - - - Si se especifica una solución, este comando restaura los paquetes NuGet que están instalados en la solución y los proyectos que contiene la solución. De lo contrario, el comando restaura los paquetes mostrados en el archivo packages.config especificado. - - - Si une solution est spécifiée, cette commande restaure les packages NuGet installés dans la solution et dans les projets contenus dans la solution. Sinon, la commande restaure les packages répertoriés dans le fichier packages.config spécifié. - - - Se si specifica una soluzione, questo comando ripristina i pacchetti NuGet installati nella soluzione e nei progetti contenuti nella soluzione. Altrimenti, il comando ripristina i pacchetti elencati nel file packages.config. - - - ソリューションが指定された場合、ソリューションでインストールされた NuGet パッケージとソリューションに含まれるプロジェクトが復元されます。ソリューションが指定されない場合、指定された packages.config ファイルに含まれるパッケージが復元されます。 - - - 솔루션이 지정된 경우 이 명령은 솔루션 및 솔루션에 포함된 프로젝트에 설치된 NuGet 패키지를 복원합니다. 솔루션이 지정되지 않은 경우 명령은 지정된 packages.config 파일에 나열된 패키지를 복원합니다. - - - Jeśli zostało określone rozwiązanie, to polecenie przywraca pakiety NuGet zainstalowane w rozwiązaniu oraz w projektach zawartych w rozwiązaniu. W przeciwnym razie to polecenie przywraca pakiety wymienione w określonym pliku packages.config. - - - Se uma solução for especificada, este comando restaura os pacotes NuGet que estão instalados na solução e em projetos contidos na solução. Caso contrário, o comando restaura pacotes listados no arquivo especificado packages.config. - - - Если указано решение, эта команда восстанавливает пакеты NuGet, установленные в решении и проектах, содержащихся в решении. В противном случае команда восстанавливает пакеты, указанные в файле packages.config. - - - Bir çözüm belirtilmişse, bu komut çözüm içindeki ve çözüm içinde yer alan paketlerdeki yüklü NuGet paketlerini geri yükler. Aksi takdirde, komut belirtilen packages.config dosyasında listelenen paketleri geri yükler. - - - 如果指定了解决方案,则此命令将还原解决方案中安装的 NuGet 程序包,以及解决方案包含的项目中的 NuGet 程序包。否则,此命令将还原指定的 packages.config 文件中列出的程序包。 - - - 如果已指定方案,此命令會還原方案中安裝在方案和專案中的 NuGet 封裝。否則命令會還原列在指定 packages.config 檔案中的封裝。 - - - [<řešení> | <soubor packages.config>] [možnosti] - - - [<Projekt> | <packages.config-Datei>] [Optionen] - - - [<solución> | <packages.config file>] [opciones] - - - [<solution> | <packages.config file>] [options] - - - [<soluzione> | <packages.config file>] [opzioni] - - - [<solution> | <packages.config file>] [options] - - - [<솔루션> | <packages.config 파일>] [옵션] - - - [<rozwiązanie> | <plik packages.config>] [opcje] - - - [<solução> | <arquivo packages.config>] [opções] - - - [<решение> | <файл packages.config>] [параметры] - - - [<çözüm> | <packages.config file>] [seçenekler] - - - [<解决方案> | <packages.config 文件>] [选项] - - - [<方案> | <packages.config 檔案>] [選項] - - - Zakáže použití mezipaměti počítače jako prvního zdroje balíčků. - - - Deaktivieren der Verwendung des Computercaches als erste Paketquelle. - - - Deshabilitar el uso de la caché del equipo como primer origen del paquete. - - - Désactivez l'utilisation du cache de l'ordinateur comme première source de package. - - - Disabilitare utilizzando la cache del computer come prima origine pacchetto. - - - 最初のパッケージ ソースとしてマシン キャッシュを使用して無効にします。 - - - 시스템 캐시를 첫 번째 패키지 소스로 사용하지 않도록 설정합니다. - - - Wyłącz, używając pamięci podręcznej komputera jako pierwszego źródła pakietu. - - - Desativar usando o cache da máquina como a primeira origem de pacotes. - - - Отключает использование кэша компьютера в качестве первого источника пакетов. - - - Makine önbelleğini ilk paket kaynağı olarak kullanarak devre dışı bırakın. - - - 禁止使用计算机缓存作为第一个程序包源。 - - - 停用使用機器快取做為第一個套件 - - - Seznam zdrojů balíčků použitých tímto příkazem - - - Eine Liste der Paketquellen, die für diesen Befehl verwendet werden sollen. - - - Lista de orígenes de paquetes para usar para este comando. - - - Liste de sources de packages à utiliser pour cette commande. - - - Elenco di origini pacchetti da utilizzare per questo comando. - - - このコマンドで使用するパッケージ ソースの一覧。 - - - 이 명령에 사용할 패키지 소스 목록입니다. - - - Lista źródeł pakietów do użycia na potrzeby tego polecenia. - - - Uma lista de origens de pacotes para usar para esse comando. - - - Список источников пакетов, используемых для этой команды. - - - Bu komut için kullanılacak paket kaynaklarının listesi. - - - 要用于此命令的程序包源列表。 - - - 此命令使用的套件來源清單。 - - - Předá balíček na server a publikuje jej. - - - Übertragen eines Paket mithilfe von Push auf den Server und Veröffentlichen des Pakets. - - - Inserta un paquete en el servidor y lo publica. - - - Applique au package un Push vers le serveur et le publie. - - - Effettua il push di un pacchetto verso il server e lo pubblica. - - - サーバーにパッケージをプッシュして、公開します。 - - - 서버에 패키지를 푸시하고 게시합니다. - - - Wypycha pakiet na serwer i go publikuje. - - - Envia um pacote para o servidor e publica-o. - - - Отправляет пакет на сервер и публикует его. - - - Paketi sunucuya gönderir ve yayımlar. - - - 将程序包推送到服务器并进行发布。 - - - 將套件推向伺服器並發佈。 - - - Použije se na akce se seznamem. Přijímá dvě hodnoty: Podrobné (výchozí hodnota) a Krátké. - - - Gilt für die Listenaktion. Nimmt zwei Werte an: "Detailed" (Standardwert) und "Short". - - - Se aplica a la acción de la lista. Acepta dos valores: Detallado (predeterminado) y Breve. - - - S'applique à l'action de la liste. Accepte deux valeurs : Détaillé (valeur par défaut) et Bref. - - - Si applica all'azione list. Accetta due valori: Detailed (impostazione predefinita) e Short. - - - リストの操作に適用します。Detailed (既定) および Short の 2 つの値を受け入れます。 - - - 목록 동작에 적용합니다. [자세히](기본값) 및 [짧게]의 두 가지 값을 사용할 수 있습니다. - - - Jest stosowany do akcji z listy. Akceptuje dwie wartości: Szczegółowe (wartość domyślna) i Krótkie. - - - Aplica à ação da lista. Aceita dois valores: Detalhada (a padrão) e Curta. - - - Применяется к действию со списком. Принимает два значения: "Detailed" (по умолчанию) и "Short". - - - Liste eylemi için geçerlidir. Ayrıntılı (varsayılan) ve Kısa olmak üzere iki değer kabul eder. - - - 适用于列表操作。接受两个值:“详细”(默认值)和“简短”。 - - - 套用至清單動作。接受兩種值: 詳細 (預設) 及簡短。 - - - Zakáže pro tento příkaz paralelní zpracování balíčků. - - - Deaktivieren paralleler Verarbeitung von Pakten für diesen Befehl. - - - Deshabilitar el procesamiento paralelo de paquetes para este comando. - - - Désactive le traitement parallèle des packages pour cette commande. - - - Disabilitare l'elaborazione parallela dei pacchetti per questo comando. - - - このコマンドのために、パッケージの並列処理を無効にします。 - - - 이 명령에 대한 패키지 병렬 처리를 사용하지 않도록 설정합니다. - - - Wyłącz równoległe przetwarzanie pakietów dla tego polecenia. - - - Desativar processamento paralelo de pacotes para esse comando. - - - Отключает параллельную обработку пакетов для этой команды. - - - Bu komut için paketlerin paralel işlenmesini devre dışı bırak. - - - 禁止为此命令并行处理程序包。 - - - 停用此項目的套件平行處理 - - - Určuje typy souborů, které se mají po instalaci balíčku uložit: nuspec, nupkg, nuspec;nupkg. - - - Angeben von Dateitypen, die nach der Paketinstallation gespeichert werden sollen: nuspec, nupkg, nuspec;nupkg. - - - Especifica los tipos de archivo que se guardarán después de la instalación del paquete: nuspec, nupkg, nuspec;nupkg. - - - Spécifie les types de fichiers à enregistrer après l'installation du package : nuspec, nupkg, nuspec, nupkg. - - - Specifica i tipi di file per il salvataggio dopo l'installazione del pacchetto: nuspec, nupkg, nuspec;nupkg. - - - パッケージのインストール後に保存するファイルの種類を指定します: nuspec、nupkg、nuspec;nupkg。 - - - 패키지 설치 후에 저장할 파일 형식을 지정합니다. nuspec, nupkg, nuspec;nupkg. - - - Określa typy plików do zapisania po zainstalowaniu pakietów: nuspec, nupkg, nuspec, nupkg. - - - Especifica tipos de arquivos para salvar após instalação de pacote: nuspec, nupkg, nuspec;nupkg. - - - Задает типы файлов, сохраняемых после установки пакета: nuspec, nupkg, nuspec, nupkg. - - - Paket kurulumundan sonra kaydedilecek dosya türlerini belirtir: nuspec, nupkg, nuspec;nupkg - - - 指定要在安装程序包后保存的文件类型: nuspec、nupkg、nuspec;nupkg。 - - - 指定套件安裝之後要儲存的檔案類型: nuspec, nupkg, nuspec;nupkg。 - Disable buffering when pushing to an HTTP(S) server to decrease memory usage. Note that when this option is enabled, integrated windows authentication might not work. diff --git a/src/NuGet.Clients/NuGet.CommandLine/NuGetResources.Designer.cs b/src/NuGet.Clients/NuGet.CommandLine/NuGetResources.Designer.cs index 3a4401050e3..ab816d1896b 100644 --- a/src/NuGet.Clients/NuGet.CommandLine/NuGetResources.Designer.cs +++ b/src/NuGet.Clients/NuGet.CommandLine/NuGetResources.Designer.cs @@ -97,14850 +97,1734 @@ public static string AddFileToPackage { } /// - /// Looks up a localized string similar to 将文件“{0}”作为“{1}”添加到程序包. + /// Looks up a localized string similar to Ambiguous command '{0}'. Possible values: {1}.. /// - public static string AddFileToPackage_chs { + public static string AmbiguousCommand { get { - return ResourceManager.GetString("AddFileToPackage_chs", resourceCulture); + return ResourceManager.GetString("AmbiguousCommand", resourceCulture); } } /// - /// Looks up a localized string similar to 新增檔案 '{0}' 到封裝以做為 '{1}'. + /// Looks up a localized string similar to Ambiguous option '{0}'. Possible values: {1}.. /// - public static string AddFileToPackage_cht { + public static string AmbiguousOption { get { - return ResourceManager.GetString("AddFileToPackage_cht", resourceCulture); + return ResourceManager.GetString("AmbiguousOption", resourceCulture); } } /// - /// Looks up a localized string similar to Přidat soubor {0} do balíčku jako {1}. + /// Looks up a localized string similar to Argument cannot be null or empty.. /// - public static string AddFileToPackage_csy { + public static string ArgumentNullOrEmpty { get { - return ResourceManager.GetString("AddFileToPackage_csy", resourceCulture); + return ResourceManager.GetString("ArgumentNullOrEmpty", resourceCulture); } } /// - /// Looks up a localized string similar to Datei "{0}" dem Paket als "{1}" hinzufügen. + /// Looks up a localized string similar to Building project '{0}' for target framework '{1}'.. /// - public static string AddFileToPackage_deu { + public static string BuildingProjectTargetingFramework { get { - return ResourceManager.GetString("AddFileToPackage_deu", resourceCulture); + return ResourceManager.GetString("BuildingProjectTargetingFramework", resourceCulture); } } /// - /// Looks up a localized string similar to Agregar archivo '{0}' al paquete como '{1}'. + /// Looks up a localized string similar to WARNING: {0}. /// - public static string AddFileToPackage_esp { + public static string CommandLine_Warning { get { - return ResourceManager.GetString("AddFileToPackage_esp", resourceCulture); + return ResourceManager.GetString("CommandLine_Warning", resourceCulture); } } /// - /// Looks up a localized string similar to Ajouter le fichier '{0}' au package comme '{1}'. + /// Looks up a localized string similar to Key '{0}' not found.. /// - public static string AddFileToPackage_fra { + public static string ConfigCommandKeyNotFound { get { - return ResourceManager.GetString("AddFileToPackage_fra", resourceCulture); + return ResourceManager.GetString("ConfigCommandKeyNotFound", resourceCulture); } } /// - /// Looks up a localized string similar to Aggiungere file '{0}' a pacchetto come '{1}'. + /// Looks up a localized string similar to {0} (y/N) . /// - public static string AddFileToPackage_ita { + public static string ConsoleConfirmMessage { get { - return ResourceManager.GetString("AddFileToPackage_ita", resourceCulture); + return ResourceManager.GetString("ConsoleConfirmMessage", resourceCulture); } } /// - /// Looks up a localized string similar to ファイル '{0}' を '{1}' としてパッケージに追加します. + /// Looks up a localized string similar to y. /// - public static string AddFileToPackage_jpn { + public static string ConsoleConfirmMessageAccept { get { - return ResourceManager.GetString("AddFileToPackage_jpn", resourceCulture); + return ResourceManager.GetString("ConsoleConfirmMessageAccept", resourceCulture); } } /// - /// Looks up a localized string similar to 패키지에 '{1}'(으)로 '{0}' 파일 추가. + /// Looks up a localized string similar to Please provide password for: {0}. /// - public static string AddFileToPackage_kor { + public static string ConsolePasswordProvider_DisplayFile { get { - return ResourceManager.GetString("AddFileToPackage_kor", resourceCulture); + return ResourceManager.GetString("ConsolePasswordProvider_DisplayFile", resourceCulture); } } /// - /// Looks up a localized string similar to Dodaj plik „{0}” do pakietu jako „{1}”. + /// Looks up a localized string similar to Password: . /// - public static string AddFileToPackage_plk { + public static string ConsolePasswordProvider_PromptForPassword { get { - return ResourceManager.GetString("AddFileToPackage_plk", resourceCulture); + return ResourceManager.GetString("ConsolePasswordProvider_PromptForPassword", resourceCulture); } } /// - /// Looks up a localized string similar to Adicionar arquivo '{0}' ao pacote como '{1}'. + /// Looks up a localized string similar to The remote server indicated that the previous request was forbidden. Please provide credentials for: {0}. /// - public static string AddFileToPackage_ptb { + public static string Credentials_ForbiddenCredentials { get { - return ResourceManager.GetString("AddFileToPackage_ptb", resourceCulture); + return ResourceManager.GetString("Credentials_ForbiddenCredentials", resourceCulture); } } /// - /// Looks up a localized string similar to Добавление файла "{0}" в пакет как "{1}". + /// Looks up a localized string similar to Password: . /// - public static string AddFileToPackage_rus { + public static string Credentials_Password { get { - return ResourceManager.GetString("AddFileToPackage_rus", resourceCulture); + return ResourceManager.GetString("Credentials_Password", resourceCulture); } } /// - /// Looks up a localized string similar to {0}' dosyasını pakete '{1}' olarak ekle. + /// Looks up a localized string similar to Please provide proxy credentials:. /// - public static string AddFileToPackage_trk { + public static string Credentials_ProxyCredentials { get { - return ResourceManager.GetString("AddFileToPackage_trk", resourceCulture); + return ResourceManager.GetString("Credentials_ProxyCredentials", resourceCulture); } } /// - /// Looks up a localized string similar to Ambiguous command '{0}'. Possible values: {1}.. + /// Looks up a localized string similar to Please provide credentials for: {0}. /// - public static string AmbiguousCommand { + public static string Credentials_RequestCredentials { get { - return ResourceManager.GetString("AmbiguousCommand", resourceCulture); + return ResourceManager.GetString("Credentials_RequestCredentials", resourceCulture); } } /// - /// Looks up a localized string similar to 命令“{0}”不明确。可能的值: {1}。. + /// Looks up a localized string similar to UserName: . /// - public static string AmbiguousCommand_chs { + public static string Credentials_UserName { get { - return ResourceManager.GetString("AmbiguousCommand_chs", resourceCulture); + return ResourceManager.GetString("Credentials_UserName", resourceCulture); } } /// - /// Looks up a localized string similar to 模糊的命令 '{0}'。可能值為: {1}。. + /// Looks up a localized string similar to No description was provided for this command.. /// - public static string AmbiguousCommand_cht { + public static string DefaultCommandDescription { get { - return ResourceManager.GetString("AmbiguousCommand_cht", resourceCulture); + return ResourceManager.GetString("DefaultCommandDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Nejednoznačný příkaz {0}. Možné hodnoty: {1}.. + /// Looks up a localized string similar to the symbol server. /// - public static string AmbiguousCommand_csy { + public static string DefaultSymbolServer { get { - return ResourceManager.GetString("AmbiguousCommand_csy", resourceCulture); + return ResourceManager.GetString("DefaultSymbolServer", resourceCulture); } } /// - /// Looks up a localized string similar to Mehrdeutiger Befehl "{0}". Mögliche Werte: {1}.. + /// Looks up a localized string similar to Error. /// - public static string AmbiguousCommand_deu { + public static string Error { get { - return ResourceManager.GetString("AmbiguousCommand_deu", resourceCulture); + return ResourceManager.GetString("Error", resourceCulture); } } /// - /// Looks up a localized string similar to Comando ambiguo '{0}'. Valores posibles: {1}.. + /// Looks up a localized string similar to The argument '{0}' is not expected.. /// - public static string AmbiguousCommand_esp { + public static string Error_ArgumentNotExpected { get { - return ResourceManager.GetString("AmbiguousCommand_esp", resourceCulture); + return ResourceManager.GetString("Error_ArgumentNotExpected", resourceCulture); } } /// - /// Looks up a localized string similar to Commande ambiguë '{0}'. Valeurs possibles : {1}.. + /// Looks up a localized string similar to Cannot find the specified version of msbuild: '{0}'. /// - public static string AmbiguousCommand_fra { + public static string Error_CannotFindMsbuild { get { - return ResourceManager.GetString("AmbiguousCommand_fra", resourceCulture); + return ResourceManager.GetString("Error_CannotFindMsbuild", resourceCulture); } } /// - /// Looks up a localized string similar to Comando ambiguo '{0}'. Possibili valori: {1}.. + /// Looks up a localized string similar to Cannot get the GetAllProjectFileNamesMethod from type Mono.XBuild.CommandLine.SolutionParser.. /// - public static string AmbiguousCommand_ita { + public static string Error_CannotGetGetAllProjectFileNamesMethod { get { - return ResourceManager.GetString("AmbiguousCommand_ita", resourceCulture); + return ResourceManager.GetString("Error_CannotGetGetAllProjectFileNamesMethod", resourceCulture); } } /// - /// Looks up a localized string similar to あいまいなコマンド '{0}'。指定可能な値: {1}.. + /// Looks up a localized string similar to Cannot get type Mono.XBuild.CommandLine.SolutionParser.. /// - public static string AmbiguousCommand_jpn { + public static string Error_CannotGetXBuildSolutionParser { get { - return ResourceManager.GetString("AmbiguousCommand_jpn", resourceCulture); + return ResourceManager.GetString("Error_CannotGetXBuildSolutionParser", resourceCulture); } } /// - /// Looks up a localized string similar to 모호한 '{0}' 명령입니다. 사용 가능한 값: {1}.. + /// Looks up a localized string similar to MsBuild timeout out while trying to get project to project references, and NuGet.exe failed to kill the process.. /// - public static string AmbiguousCommand_kor { + public static string Error_CannotKillMsBuild { get { - return ResourceManager.GetString("AmbiguousCommand_kor", resourceCulture); + return ResourceManager.GetString("Error_CannotKillMsBuild", resourceCulture); } } /// - /// Looks up a localized string similar to Niejednoznaczne polecenie „{0}”. Możliwe wartości: {1}.. + /// Looks up a localized string similar to Cannot load type Microsoft.Build.Construction.ProjectInSolution from Microsoft.Build.dll. /// - public static string AmbiguousCommand_plk { + public static string Error_CannotLoadTypeProjectInSolution { get { - return ResourceManager.GetString("AmbiguousCommand_plk", resourceCulture); + return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution", resourceCulture); } } /// - /// Looks up a localized string similar to Comando ambíguo '{0}'. Valores possíveis: {1}.. + /// Looks up a localized string similar to Cannot load type Microsoft.Build.Construction.SolutionParser from Microsoft.Build.dll. /// - public static string AmbiguousCommand_ptb { + public static string Error_CannotLoadTypeSolutionParser { get { - return ResourceManager.GetString("AmbiguousCommand_ptb", resourceCulture); + return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser", resourceCulture); } } /// - /// Looks up a localized string similar to Неоднозначная команда "{0}". Возможные значения: {1}.. + /// Looks up a localized string similar to Cannot locate a solution file.. /// - public static string AmbiguousCommand_rus { + public static string Error_CannotLocateSolutionFile { get { - return ResourceManager.GetString("AmbiguousCommand_rus", resourceCulture); + return ResourceManager.GetString("Error_CannotLocateSolutionFile", resourceCulture); } } /// - /// Looks up a localized string similar to Belirsiz komut '{0}'. Olası değerler: {1}.. + /// Looks up a localized string similar to Cannot prompt for input in non-interactive mode.. /// - public static string AmbiguousCommand_trk { + public static string Error_CannotPromptForInput { get { - return ResourceManager.GetString("AmbiguousCommand_trk", resourceCulture); + return ResourceManager.GetString("Error_CannotPromptForInput", resourceCulture); } } /// - /// Looks up a localized string similar to Ambiguous option '{0}'. Possible values: {1}.. + /// Looks up a localized string similar to Failed to create a temporary file while trying to get project to project references.. /// - public static string AmbiguousOption { + public static string Error_FailedToCreateRandomFileForP2P { get { - return ResourceManager.GetString("AmbiguousOption", resourceCulture); + return ResourceManager.GetString("Error_FailedToCreateRandomFileForP2P", resourceCulture); } } /// - /// Looks up a localized string similar to 选项“{0}”不明确。可能的值: {1}。. + /// Looks up a localized string similar to Invalid characters in one of the following path segments: '{0}'. /// - public static string AmbiguousOption_chs { + public static string Error_InvalidCharactersInPathSegment { get { - return ResourceManager.GetString("AmbiguousOption_chs", resourceCulture); + return ResourceManager.GetString("Error_InvalidCharactersInPathSegment", resourceCulture); } } /// - /// Looks up a localized string similar to 模糊的選項 '{0}'。可能值為: {1}。. + /// Looks up a localized string similar to Invalid MSBuild version specified: '{0}'. /// - public static string AmbiguousOption_cht { + public static string Error_InvalidMsbuildVersion { get { - return ResourceManager.GetString("AmbiguousOption_cht", resourceCulture); + return ResourceManager.GetString("Error_InvalidMsbuildVersion", resourceCulture); } } /// - /// Looks up a localized string similar to Nejednoznačná možnost {0}. Možné hodnoty: {1}.. + /// Looks up a localized string similar to Invalid solution directory: '{0}'. /// - public static string AmbiguousOption_csy { + public static string Error_InvalidSolutionDirectory { get { - return ResourceManager.GetString("AmbiguousOption_csy", resourceCulture); + return ResourceManager.GetString("Error_InvalidSolutionDirectory", resourceCulture); } } /// - /// Looks up a localized string similar to Mehrdeutige Option "{0}". Mögliche Werte: {1}.. + /// Looks up a localized string similar to Source parameter was not specified.. /// - public static string AmbiguousOption_deu { + public static string Error_MissingSourceParameter { get { - return ResourceManager.GetString("AmbiguousOption_deu", resourceCulture); + return ResourceManager.GetString("Error_MissingSourceParameter", resourceCulture); } } /// - /// Looks up a localized string similar to Opción ambigua '{0}'. Valores posibles: {1}.. + /// Looks up a localized string similar to MSBuild is not installed.. /// - public static string AmbiguousOption_esp { + public static string Error_MSBuildNotInstalled { get { - return ResourceManager.GetString("AmbiguousOption_esp", resourceCulture); + return ResourceManager.GetString("Error_MSBuildNotInstalled", resourceCulture); } } /// - /// Looks up a localized string similar to Option ambiguë '{0}'. Valeurs possibles : {1}.. + /// Looks up a localized string similar to MsBuild timeout out while trying to get project to project references.. /// - public static string AmbiguousOption_fra { + public static string Error_MsBuildTimedOut { get { - return ResourceManager.GetString("AmbiguousOption_fra", resourceCulture); + return ResourceManager.GetString("Error_MsBuildTimedOut", resourceCulture); } } /// - /// Looks up a localized string similar to Opzione ambigua '{0}'. Possibili valori: {1}.. + /// Looks up a localized string similar to This folder contains more than one solution file.. /// - public static string AmbiguousOption_ita { + public static string Error_MultipleSolutions { get { - return ResourceManager.GetString("AmbiguousOption_ita", resourceCulture); + return ResourceManager.GetString("Error_MultipleSolutions", resourceCulture); } } /// - /// Looks up a localized string similar to あいまいなオプション '{0}'。指定可能な値: {1}.. + /// Looks up a localized string similar to project.json cannot contain multiple Target Frameworks.. /// - public static string AmbiguousOption_jpn { + public static string Error_MultipleTargetFrameworks { get { - return ResourceManager.GetString("AmbiguousOption_jpn", resourceCulture); + return ResourceManager.GetString("Error_MultipleTargetFrameworks", resourceCulture); } } /// - /// Looks up a localized string similar to 모호한 '{0}' 옵션입니다. 사용 가능한 값: {1}.. + /// Looks up a localized string similar to NuGet.exe file on path {0} needs to be unblocked after downloading.. /// - public static string AmbiguousOption_kor { + public static string Error_NuGetExeNeedsToBeUnblockedAfterDownloading { get { - return ResourceManager.GetString("AmbiguousOption_kor", resourceCulture); + return ResourceManager.GetString("Error_NuGetExeNeedsToBeUnblockedAfterDownloading", resourceCulture); } } /// - /// Looks up a localized string similar to Niejednoznaczna opcja „{0}”. Możliwe wartości: {1}.. + /// Looks up a localized string similar to Error parsing packages.config file at {0}: {1}. /// - public static string AmbiguousOption_plk { + public static string Error_PackagesConfigParseError { get { - return ResourceManager.GetString("AmbiguousOption_plk", resourceCulture); + return ResourceManager.GetString("Error_PackagesConfigParseError", resourceCulture); } } /// - /// Looks up a localized string similar to Opção ambígua '{0}'. Valores possíveis: {1}.. + /// Looks up a localized string similar to Error occurred when processing file '{0}': {1}. /// - public static string AmbiguousOption_ptb { + public static string Error_ProcessingNuspecFile { get { - return ResourceManager.GetString("AmbiguousOption_ptb", resourceCulture); + return ResourceManager.GetString("Error_ProcessingNuspecFile", resourceCulture); } } /// - /// Looks up a localized string similar to Неоднозначный параметр "{0}". Возможные значения: {1}.. + /// Looks up a localized string similar to `project.json` pack is disabled in the current NuGet version, and will be permanently removed in a future version. + ///Please consider migrating '{0}' to `PackageReference` and using the pack targets. + ///You can set the '{1}' environment variable to 'true' to temporarily reenable this functionality.. /// - public static string AmbiguousOption_rus { + public static string Error_ProjectJson_Deprecated_And_Removed { get { - return ResourceManager.GetString("AmbiguousOption_rus", resourceCulture); + return ResourceManager.GetString("Error_ProjectJson_Deprecated_And_Removed", resourceCulture); } } /// - /// Looks up a localized string similar to Belirsiz seçenek '{0}'. Olası değerler: {1}.. + /// Looks up a localized string similar to Invalid input '{0}'. Provide the path of an msbuild solution file instead. Support for XProj and standalone project.json files has been removed, to continue working with legacy projects use NuGet 3.5.x from https://nuget.org/downloads. /// - public static string AmbiguousOption_trk { + public static string Error_ProjectJsonNotAllowed { get { - return ResourceManager.GetString("AmbiguousOption_trk", resourceCulture); + return ResourceManager.GetString("Error_ProjectJsonNotAllowed", resourceCulture); } } /// - /// Looks up a localized string similar to Argument cannot be null or empty.. + /// Looks up a localized string similar to Response file '{0}' does not exist. /// - public static string ArgumentNullOrEmpty { + public static string Error_ResponseFileDoesNotExist { get { - return ResourceManager.GetString("ArgumentNullOrEmpty", resourceCulture); + return ResourceManager.GetString("Error_ResponseFileDoesNotExist", resourceCulture); } } /// - /// Looks up a localized string similar to Building project '{0}' for target framework '{1}'.. + /// Looks up a localized string similar to Invalid response file, '@' does not exist. /// - public static string BuildingProjectTargetingFramework { + public static string Error_ResponseFileInvalid { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework", resourceCulture); + return ResourceManager.GetString("Error_ResponseFileInvalid", resourceCulture); } } /// - /// Looks up a localized string similar to 正在为目标框架“{1}”生成项目“{0}”。. + /// Looks up a localized string similar to No more than {0} nested response files are allowed. /// - public static string BuildingProjectTargetingFramework_chs { + public static string Error_ResponseFileMaxRecursionDepth { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_chs", resourceCulture); + return ResourceManager.GetString("Error_ResponseFileMaxRecursionDepth", resourceCulture); } } /// - /// Looks up a localized string similar to 正在為目標架構 '{1}' 建置專案 '{0}'。. + /// Looks up a localized string similar to Response file '{0}' cannot be empty. /// - public static string BuildingProjectTargetingFramework_cht { + public static string Error_ResponseFileNullOrEmpty { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_cht", resourceCulture); + return ResourceManager.GetString("Error_ResponseFileNullOrEmpty", resourceCulture); } } /// - /// Looks up a localized string similar to Vytváří se projekt {0} pro cílovou architekturu {1}.. + /// Looks up a localized string similar to Response file '{0}' cannot be larger than {1}mb. /// - public static string BuildingProjectTargetingFramework_csy { + public static string Error_ResponseFileTooLarge { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_csy", resourceCulture); + return ResourceManager.GetString("Error_ResponseFileTooLarge", resourceCulture); } } /// - /// Looks up a localized string similar to Projekt "{0}" wird für das Zielframework "{1}" erstellt.. + /// Looks up a localized string similar to Property Settings is null.. /// - public static string BuildingProjectTargetingFramework_deu { + public static string Error_SettingsIsNull { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_deu", resourceCulture); + return ResourceManager.GetString("Error_SettingsIsNull", resourceCulture); } } /// - /// Looks up a localized string similar to Compilando proyecto '{0}' para el marco de trabajo de destino '{1}'.. + /// Looks up a localized string similar to Error parsing solution file at {0}: {1}. /// - public static string BuildingProjectTargetingFramework_esp { + public static string Error_SolutionFileParseError { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_esp", resourceCulture); + return ResourceManager.GetString("Error_SolutionFileParseError", resourceCulture); } } /// - /// Looks up a localized string similar to Création du projet '{0}' pour le Framework cible '{1}'.. + /// Looks up a localized string similar to Property SourceProvider is null.. /// - public static string BuildingProjectTargetingFramework_fra { + public static string Error_SourceProviderIsNull { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_fra", resourceCulture); + return ResourceManager.GetString("Error_SourceProviderIsNull", resourceCulture); } } /// - /// Looks up a localized string similar to Creazione progetto '{0}' per quadro target '{1}'.. + /// Looks up a localized string similar to The folder '{0}' does not contain an msbuild solution or packages.config file to restore.. /// - public static string BuildingProjectTargetingFramework_ita { + public static string Error_UnableToLocateRestoreTarget { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_ita", resourceCulture); + return ResourceManager.GetString("Error_UnableToLocateRestoreTarget", resourceCulture); } } /// - /// Looks up a localized string similar to ターゲット フレームワーク '{1}' のプロジェクト '{0}' をビルドしています. + /// Looks up a localized string similar to Failed to find an msbuild solution, packages.config, or project.json file in the folder '{0}'.. /// - public static string BuildingProjectTargetingFramework_jpn { + public static string Error_UnableToLocateRestoreTarget_Because { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_jpn", resourceCulture); + return ResourceManager.GetString("Error_UnableToLocateRestoreTarget_Because", resourceCulture); } } /// - /// Looks up a localized string similar to 대상 프레임워크 '{1}'에 대한 '{0}' 프로젝트를 빌드하고 있습니다.. + /// Looks up a localized string similar to The action '{0}' is not recognized.. /// - public static string BuildingProjectTargetingFramework_kor { + public static string Error_UnknownAction { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_kor", resourceCulture); + return ResourceManager.GetString("Error_UnknownAction", resourceCulture); } } /// - /// Looks up a localized string similar to Kompilowanie projektu „{0}” dla struktury docelowej „{1}”.. + /// Looks up a localized string similar to Invalid value given for 'DependencyVersion': "{0}".. /// - public static string BuildingProjectTargetingFramework_plk { + public static string Error_UnknownDependencyVersion { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_plk", resourceCulture); + return ResourceManager.GetString("Error_UnknownDependencyVersion", resourceCulture); } } /// - /// Looks up a localized string similar to Criar projeto '{0}' para a estrutura de destino '{1}'.. + /// Looks up a localized string similar to This version of msbuild is not supported: '{0}'. /// - public static string BuildingProjectTargetingFramework_ptb { + public static string Error_UnsupportedMsbuild { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_ptb", resourceCulture); + return ResourceManager.GetString("Error_UnsupportedMsbuild", resourceCulture); } } /// - /// Looks up a localized string similar to Выполнение сборки проекта "{0}" для целевой платформы "{1}".. + /// Looks up a localized string similar to The `update -self` command only accepts one source as an argument. If the source option is not specified, the default NuGet source will be used.. /// - public static string BuildingProjectTargetingFramework_rus { + public static string Error_UpdateSelf_Source { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_rus", resourceCulture); + return ResourceManager.GetString("Error_UpdateSelf_Source", resourceCulture); } } /// - /// Looks up a localized string similar to {1}' hedef framework'ü için '{0}' projesi oluşturuluyor.. + /// Looks up a localized string similar to Failed to build '{0}'.. /// - public static string BuildingProjectTargetingFramework_trk { + public static string FailedToBuildProject { get { - return ResourceManager.GetString("BuildingProjectTargetingFramework_trk", resourceCulture); + return ResourceManager.GetString("FailedToBuildProject", resourceCulture); } } /// - /// Looks up a localized string similar to WARNING: {0}. + /// Looks up a localized string similar to Failed to load {0}, if this extension was downloaded from the internet please make sure it got unblocked (right click, properties, unblock).. /// - public static string CommandLine_Warning { + public static string FailedToLoadExtension { get { - return ResourceManager.GetString("CommandLine_Warning", resourceCulture); + return ResourceManager.GetString("FailedToLoadExtension", resourceCulture); } } /// - /// Looks up a localized string similar to 警告: {0}. + /// Looks up a localized string similar to Failed to load {0}{1}. /// - public static string CommandLine_Warning_chs { + public static string FailedToLoadExtensionDuringMefComposition { get { - return ResourceManager.GetString("CommandLine_Warning_chs", resourceCulture); + return ResourceManager.GetString("FailedToLoadExtensionDuringMefComposition", resourceCulture); } } /// - /// Looks up a localized string similar to 警告: {0}. + /// Looks up a localized string similar to [Y] Yes [A] Yes to All [N] No [L] No to All ?. /// - public static string CommandLine_Warning_cht { + public static string FileConflictChoiceText { get { - return ResourceManager.GetString("CommandLine_Warning_cht", resourceCulture); + return ResourceManager.GetString("FileConflictChoiceText", resourceCulture); } } /// - /// Looks up a localized string similar to UPOZORNĚNÍ: {0}. + /// Looks up a localized string similar to File '{0}' is not added because the package already contains file '{1}'. /// - public static string CommandLine_Warning_csy { + public static string FileNotAddedToPackage { get { - return ResourceManager.GetString("CommandLine_Warning_csy", resourceCulture); + return ResourceManager.GetString("FileNotAddedToPackage", resourceCulture); } } /// - /// Looks up a localized string similar to WARNUNG: {0}. + /// Looks up a localized string similar to Found 1 project with a packages.config file. ({0}). /// - public static string CommandLine_Warning_deu { + public static string FoundProject { get { - return ResourceManager.GetString("CommandLine_Warning_deu", resourceCulture); + return ResourceManager.GetString("FoundProject", resourceCulture); } } /// - /// Looks up a localized string similar to ADVERTENCIA: '{0}'. + /// Looks up a localized string similar to Found {0} projects with a packages.config file. ({1}). /// - public static string CommandLine_Warning_esp { + public static string FoundProjects { get { - return ResourceManager.GetString("CommandLine_Warning_esp", resourceCulture); + return ResourceManager.GetString("FoundProjects", resourceCulture); } } /// - /// Looks up a localized string similar to AVERTISSEMENT : {0}. + /// Looks up a localized string similar to For more information, visit {0}. /// - public static string CommandLine_Warning_fra { + public static string HelpCommandForMoreInfo { get { - return ResourceManager.GetString("CommandLine_Warning_fra", resourceCulture); + return ResourceManager.GetString("HelpCommandForMoreInfo", resourceCulture); } } /// - /// Looks up a localized string similar to AVVISO: {0}. + /// Looks up a localized string similar to Feed '{0}' contains no packages.. /// - public static string CommandLine_Warning_ita { + public static string InitCommand_FeedContainsNoPackages { get { - return ResourceManager.GetString("CommandLine_Warning_ita", resourceCulture); + return ResourceManager.GetString("InitCommand_FeedContainsNoPackages", resourceCulture); } } /// - /// Looks up a localized string similar to 警告: {0}. + /// Looks up a localized string similar to Provided feed folder '{0}' is not found.. /// - public static string CommandLine_Warning_jpn { + public static string InitCommand_FeedIsNotFound { get { - return ResourceManager.GetString("CommandLine_Warning_jpn", resourceCulture); + return ResourceManager.GetString("InitCommand_FeedIsNotFound", resourceCulture); } } /// - /// Looks up a localized string similar to 경고: {0}. + /// Looks up a localized string similar to '{0}' contains invalid package references. . /// - public static string CommandLine_Warning_kor { + public static string InstallCommandInvalidPackageReference { get { - return ResourceManager.GetString("CommandLine_Warning_kor", resourceCulture); + return ResourceManager.GetString("InstallCommandInvalidPackageReference", resourceCulture); } } /// - /// Looks up a localized string similar to OSTRZEŻENIE: {0}. + /// Looks up a localized string similar to All packages listed in {0} are already installed.. /// - public static string CommandLine_Warning_plk { + public static string InstallCommandNothingToInstall { get { - return ResourceManager.GetString("CommandLine_Warning_plk", resourceCulture); + return ResourceManager.GetString("InstallCommandNothingToInstall", resourceCulture); } } /// - /// Looks up a localized string similar to AVISO: {0}. + /// Looks up a localized string similar to Package "{0}" is already installed.. /// - public static string CommandLine_Warning_ptb { + public static string InstallCommandPackageAlreadyExists { get { - return ResourceManager.GetString("CommandLine_Warning_ptb", resourceCulture); + return ResourceManager.GetString("InstallCommandPackageAlreadyExists", resourceCulture); } } /// - /// Looks up a localized string similar to ПРЕДУПРЕЖДЕНИЕ. {0}. + /// Looks up a localized string similar to Version string specified for package reference '{0}' is invalid.. /// - public static string CommandLine_Warning_rus { + public static string InstallCommandPackageReferenceInvalidVersion { get { - return ResourceManager.GetString("CommandLine_Warning_rus", resourceCulture); + return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion", resourceCulture); } } /// - /// Looks up a localized string similar to UYARI: {0}. + /// Looks up a localized string similar to Package restore is disabled. To enable it, open the Visual Studio Options dialog, click on Package Manager node and check '{0}'. You can also enable package restore by setting the environment variable 'EnableNuGetPackageRestore' to 'true'.. /// - public static string CommandLine_Warning_trk { + public static string InstallCommandPackageRestoreConsentNotFound { get { - return ResourceManager.GetString("CommandLine_Warning_trk", resourceCulture); + return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound", resourceCulture); } } /// - /// Looks up a localized string similar to Key '{0}' not found.. + /// Looks up a localized string similar to Unable to find package '{0}'. /// - public static string ConfigCommandKeyNotFound { + public static string InstallCommandUnableToFindPackage { get { - return ResourceManager.GetString("ConfigCommandKeyNotFound", resourceCulture); + return ResourceManager.GetString("InstallCommandUnableToFindPackage", resourceCulture); } } /// - /// Looks up a localized string similar to 找不到键“{0}”。. + /// Looks up a localized string similar to Installing package '{0}' to '{1}'.. /// - public static string ConfigCommandKeyNotFound_chs { + public static string InstallPackageMessage { get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_chs", resourceCulture); + return ResourceManager.GetString("InstallPackageMessage", resourceCulture); } } /// - /// Looks up a localized string similar to 找不到索引鍵 '{0}'。. + /// Looks up a localized string similar to {0}: invalid arguments.. /// - public static string ConfigCommandKeyNotFound_cht { + public static string InvalidArguments { get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_cht", resourceCulture); + return ResourceManager.GetString("InvalidArguments", resourceCulture); } } /// - /// Looks up a localized string similar to Klíč {0} nebyl nalezen.. + /// Looks up a localized string similar to Invalid AssemblyInformationalVersion '{0}' on assembly '{1}'; falling back to AssemblyVersion '{2}'.. /// - public static string ConfigCommandKeyNotFound_csy { + public static string InvalidAssemblyInformationalVersion { get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_csy", resourceCulture); + return ResourceManager.GetString("InvalidAssemblyInformationalVersion", resourceCulture); } } /// - /// Looks up a localized string similar to Der Schlüssel "{0}" wurde nicht gefunden.. + /// Looks up a localized string similar to No packages.config, project or solution file specified. Use the -self switch to update NuGet.exe.. /// - public static string ConfigCommandKeyNotFound_deu { + public static string InvalidFile { get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_deu", resourceCulture); + return ResourceManager.GetString("InvalidFile", resourceCulture); } } /// - /// Looks up a localized string similar to No se encuentra la clave '{0}'.. + /// Looks up a localized string similar to Invalid option value: '{0} {1}'. /// - public static string ConfigCommandKeyNotFound_esp { + public static string InvalidOptionValueError { get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_esp", resourceCulture); + return ResourceManager.GetString("InvalidOptionValueError", resourceCulture); } } /// - /// Looks up a localized string similar to Clé '{0}' introuvable.. + /// Looks up a localized string similar to The specified source '{0}' is invalid. Please provide a valid source.. /// - public static string ConfigCommandKeyNotFound_fra { + public static string InvalidSource { get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_fra", resourceCulture); + return ResourceManager.GetString("InvalidSource", resourceCulture); } } /// - /// Looks up a localized string similar to Chiave '{0}' non trovata.. + /// Looks up a localized string similar to License url: {0}. /// - public static string ConfigCommandKeyNotFound_ita { + public static string ListCommand_LicenseUrl { get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_ita", resourceCulture); + return ResourceManager.GetString("ListCommand_LicenseUrl", resourceCulture); } } /// - /// Looks up a localized string similar to キー '{0}' が見つかりません。. + /// Looks up a localized string similar to This version of nuget.exe does not support listing packages from package source '{0}'.. /// - public static string ConfigCommandKeyNotFound_jpn { + public static string ListCommand_ListNotSupported { get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' 키를 찾을 수 없습니다.. - /// - public static string ConfigCommandKeyNotFound_kor { - get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie odnaleziono klucza „{0}”.. - /// - public static string ConfigCommandKeyNotFound_plk { - get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Chave '{0}' não encontrada.. - /// - public static string ConfigCommandKeyNotFound_ptb { - get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ключ "{0}" не найден.. - /// - public static string ConfigCommandKeyNotFound_rus { - get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' anahtarı bulunamadı.. - /// - public static string ConfigCommandKeyNotFound_trk { - get { - return ResourceManager.GetString("ConfigCommandKeyNotFound_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (y/N) . - /// - public static string ConsoleConfirmMessage { - get { - return ResourceManager.GetString("ConsoleConfirmMessage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (y/N) . - /// - public static string ConsoleConfirmMessage_chs { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (是/否) . - /// - public static string ConsoleConfirmMessage_cht { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (A/N): . - /// - public static string ConsoleConfirmMessage_csy { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (j/N) . - /// - public static string ConsoleConfirmMessage_deu { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (Sí/No) . - /// - public static string ConsoleConfirmMessage_esp { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (o/N) . - /// - public static string ConsoleConfirmMessage_fra { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (y/N) . - /// - public static string ConsoleConfirmMessage_ita { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (y/N) . - /// - public static string ConsoleConfirmMessage_jpn { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}(y/N) . - /// - public static string ConsoleConfirmMessage_kor { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (t/N) . - /// - public static string ConsoleConfirmMessage_plk { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (y / N). - /// - public static string ConsoleConfirmMessage_ptb { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (д/н) . - /// - public static string ConsoleConfirmMessage_rus { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} (e/H) . - /// - public static string ConsoleConfirmMessage_trk { - get { - return ResourceManager.GetString("ConsoleConfirmMessage_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to y. - /// - public static string ConsoleConfirmMessageAccept { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to y. - /// - public static string ConsoleConfirmMessageAccept_chs { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 是. - /// - public static string ConsoleConfirmMessageAccept_cht { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A. - /// - public static string ConsoleConfirmMessageAccept_csy { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to j. - /// - public static string ConsoleConfirmMessageAccept_deu { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to sí. - /// - public static string ConsoleConfirmMessageAccept_esp { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to o. - /// - public static string ConsoleConfirmMessageAccept_fra { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to y. - /// - public static string ConsoleConfirmMessageAccept_ita { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to y. - /// - public static string ConsoleConfirmMessageAccept_jpn { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to y. - /// - public static string ConsoleConfirmMessageAccept_kor { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to t. - /// - public static string ConsoleConfirmMessageAccept_plk { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to y. - /// - public static string ConsoleConfirmMessageAccept_ptb { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to д. - /// - public static string ConsoleConfirmMessageAccept_rus { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to e. - /// - public static string ConsoleConfirmMessageAccept_trk { - get { - return ResourceManager.GetString("ConsoleConfirmMessageAccept_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Please provide password for: {0}. - /// - public static string ConsolePasswordProvider_DisplayFile { - get { - return ResourceManager.GetString("ConsolePasswordProvider_DisplayFile", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Password: . - /// - public static string ConsolePasswordProvider_PromptForPassword { - get { - return ResourceManager.GetString("ConsolePasswordProvider_PromptForPassword", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The remote server indicated that the previous request was forbidden. Please provide credentials for: {0}. - /// - public static string Credentials_ForbiddenCredentials { - get { - return ResourceManager.GetString("Credentials_ForbiddenCredentials", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Password: . - /// - public static string Credentials_Password { - get { - return ResourceManager.GetString("Credentials_Password", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 密码: . - /// - public static string Credentials_Password_chs { - get { - return ResourceManager.GetString("Credentials_Password_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 密碼: . - /// - public static string Credentials_Password_cht { - get { - return ResourceManager.GetString("Credentials_Password_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Heslo: . - /// - public static string Credentials_Password_csy { - get { - return ResourceManager.GetString("Credentials_Password_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Kennwort: . - /// - public static string Credentials_Password_deu { - get { - return ResourceManager.GetString("Credentials_Password_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Contraseña:. - /// - public static string Credentials_Password_esp { - get { - return ResourceManager.GetString("Credentials_Password_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mot de passe : . - /// - public static string Credentials_Password_fra { - get { - return ResourceManager.GetString("Credentials_Password_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Password:. - /// - public static string Credentials_Password_ita { - get { - return ResourceManager.GetString("Credentials_Password_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パスワード: . - /// - public static string Credentials_Password_jpn { - get { - return ResourceManager.GetString("Credentials_Password_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 암호: . - /// - public static string Credentials_Password_kor { - get { - return ResourceManager.GetString("Credentials_Password_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hasło:. - /// - public static string Credentials_Password_plk { - get { - return ResourceManager.GetString("Credentials_Password_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Senha:. - /// - public static string Credentials_Password_ptb { - get { - return ResourceManager.GetString("Credentials_Password_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Пароль: . - /// - public static string Credentials_Password_rus { - get { - return ResourceManager.GetString("Credentials_Password_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Parola: . - /// - public static string Credentials_Password_trk { - get { - return ResourceManager.GetString("Credentials_Password_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Please provide proxy credentials:. - /// - public static string Credentials_ProxyCredentials { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 请提供代理凭据:. - /// - public static string Credentials_ProxyCredentials_chs { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 請提供 Proxy 認證:. - /// - public static string Credentials_ProxyCredentials_cht { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zadejte proxy přihlašovací údaje:. - /// - public static string Credentials_ProxyCredentials_csy { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bitte stellen Sie Proxyanmeldeinformationen zur Verfügung:. - /// - public static string Credentials_ProxyCredentials_deu { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Proporcione las credenciales de proxy:. - /// - public static string Credentials_ProxyCredentials_esp { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Veuillez fournir les informations d'identification du proxy :. - /// - public static string Credentials_ProxyCredentials_fra { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fornire credenziali proxy:. - /// - public static string Credentials_ProxyCredentials_ita { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to プロキシの資格情報を指定してください:. - /// - public static string Credentials_ProxyCredentials_jpn { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 프록시 자격 증명을 제공하십시오.. - /// - public static string Credentials_ProxyCredentials_kor { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Podaj poświadczenia serwera proxy:. - /// - public static string Credentials_ProxyCredentials_plk { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Forneça as credenciais de proxy:. - /// - public static string Credentials_ProxyCredentials_ptb { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Укажите учетные данные прокси-сервера:. - /// - public static string Credentials_ProxyCredentials_rus { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Lütfen proxy kimlik bilgilerini belirtin:. - /// - public static string Credentials_ProxyCredentials_trk { - get { - return ResourceManager.GetString("Credentials_ProxyCredentials_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Please provide credentials for: {0}. - /// - public static string Credentials_RequestCredentials { - get { - return ResourceManager.GetString("Credentials_RequestCredentials", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 请提供以下人员的凭据: {0}. - /// - public static string Credentials_RequestCredentials_chs { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 請提供以下項目的認證: {0}. - /// - public static string Credentials_RequestCredentials_cht { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zadejte přihlašovací údaje pro: {0}. - /// - public static string Credentials_RequestCredentials_csy { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bitte stellen Sie Anmeldeinformationen zur Verfügung für: {0}. - /// - public static string Credentials_RequestCredentials_deu { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Proporcione las credenciales para: {0}. - /// - public static string Credentials_RequestCredentials_esp { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Veuillez fournir les informations d'identification relative à : {0}. - /// - public static string Credentials_RequestCredentials_fra { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fornire credenziali per: {0}. - /// - public static string Credentials_RequestCredentials_ita { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 次の資格情報を指定してください: {0}. - /// - public static string Credentials_RequestCredentials_jpn { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}에 대한 자격 증명을 제공하십시오.. - /// - public static string Credentials_RequestCredentials_kor { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Podaj poświadczenia dla: {0}. - /// - public static string Credentials_RequestCredentials_plk { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Forneça as credenciais para: {0}. - /// - public static string Credentials_RequestCredentials_ptb { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Укажите учетные данные для: {0}. - /// - public static string Credentials_RequestCredentials_rus { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Lütfen buna ait kimlik bilgilerini belirtin: {0}. - /// - public static string Credentials_RequestCredentials_trk { - get { - return ResourceManager.GetString("Credentials_RequestCredentials_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to UserName: . - /// - public static string Credentials_UserName { - get { - return ResourceManager.GetString("Credentials_UserName", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 用户名: . - /// - public static string Credentials_UserName_chs { - get { - return ResourceManager.GetString("Credentials_UserName_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 使用者名稱: . - /// - public static string Credentials_UserName_cht { - get { - return ResourceManager.GetString("Credentials_UserName_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Uživatelské jméno: . - /// - public static string Credentials_UserName_csy { - get { - return ResourceManager.GetString("Credentials_UserName_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to UserName: . - /// - public static string Credentials_UserName_deu { - get { - return ResourceManager.GetString("Credentials_UserName_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nombre de usuario:. - /// - public static string Credentials_UserName_esp { - get { - return ResourceManager.GetString("Credentials_UserName_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nom d'utilisateur : . - /// - public static string Credentials_UserName_fra { - get { - return ResourceManager.GetString("Credentials_UserName_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nome utente:. - /// - public static string Credentials_UserName_ita { - get { - return ResourceManager.GetString("Credentials_UserName_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to UserName: . - /// - public static string Credentials_UserName_jpn { - get { - return ResourceManager.GetString("Credentials_UserName_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 사용자 이름: . - /// - public static string Credentials_UserName_kor { - get { - return ResourceManager.GetString("Credentials_UserName_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nazwa użytkownika: . - /// - public static string Credentials_UserName_plk { - get { - return ResourceManager.GetString("Credentials_UserName_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nome de usuário:. - /// - public static string Credentials_UserName_ptb { - get { - return ResourceManager.GetString("Credentials_UserName_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Имя пользователя: . - /// - public static string Credentials_UserName_rus { - get { - return ResourceManager.GetString("Credentials_UserName_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to KullanıcıAdı: . - /// - public static string Credentials_UserName_trk { - get { - return ResourceManager.GetString("Credentials_UserName_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No description was provided for this command.. - /// - public static string DefaultCommandDescription { - get { - return ResourceManager.GetString("DefaultCommandDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 未提供此命令的说明。. - /// - public static string DefaultCommandDescription_chs { - get { - return ResourceManager.GetString("DefaultCommandDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 並未提供此命令的描述。. - /// - public static string DefaultCommandDescription_cht { - get { - return ResourceManager.GetString("DefaultCommandDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pro tento příkaz nebyl zadán žádný popis.. - /// - public static string DefaultCommandDescription_csy { - get { - return ResourceManager.GetString("DefaultCommandDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Für diesen Befehl wurde keine Beschreibung bereitgestellt.. - /// - public static string DefaultCommandDescription_deu { - get { - return ResourceManager.GetString("DefaultCommandDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se ha proporcionado ninguna descripción para este comando.. - /// - public static string DefaultCommandDescription_esp { - get { - return ResourceManager.GetString("DefaultCommandDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aucune description n'a été fournie pour cette commande.. - /// - public static string DefaultCommandDescription_fra { - get { - return ResourceManager.GetString("DefaultCommandDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Non è stata fornita alcuna descrizione per questo comando.. - /// - public static string DefaultCommandDescription_ita { - get { - return ResourceManager.GetString("DefaultCommandDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to このコマンドに説明は指定されていません。. - /// - public static string DefaultCommandDescription_jpn { - get { - return ResourceManager.GetString("DefaultCommandDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 이 명령에 대한 설명이 제공되지 않았습니다.. - /// - public static string DefaultCommandDescription_kor { - get { - return ResourceManager.GetString("DefaultCommandDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie podano opisu dla tego polecenia.. - /// - public static string DefaultCommandDescription_plk { - get { - return ResourceManager.GetString("DefaultCommandDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nenhuma descrição foi fornecida para este comando.. - /// - public static string DefaultCommandDescription_ptb { - get { - return ResourceManager.GetString("DefaultCommandDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Описание для этой команды отсутствует.. - /// - public static string DefaultCommandDescription_rus { - get { - return ResourceManager.GetString("DefaultCommandDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bu komut için açıklama belirtilmedi.. - /// - public static string DefaultCommandDescription_trk { - get { - return ResourceManager.GetString("DefaultCommandDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to the symbol server. - /// - public static string DefaultSymbolServer { - get { - return ResourceManager.GetString("DefaultSymbolServer", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 符号服务器. - /// - public static string DefaultSymbolServer_chs { - get { - return ResourceManager.GetString("DefaultSymbolServer_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 符號伺服器. - /// - public static string DefaultSymbolServer_cht { - get { - return ResourceManager.GetString("DefaultSymbolServer_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to server symbolů. - /// - public static string DefaultSymbolServer_csy { - get { - return ResourceManager.GetString("DefaultSymbolServer_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Symbolserver. - /// - public static string DefaultSymbolServer_deu { - get { - return ResourceManager.GetString("DefaultSymbolServer_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to servidor de símbolos. - /// - public static string DefaultSymbolServer_esp { - get { - return ResourceManager.GetString("DefaultSymbolServer_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to serveur de symboles. - /// - public static string DefaultSymbolServer_fra { - get { - return ResourceManager.GetString("DefaultSymbolServer_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to il symbol server. - /// - public static string DefaultSymbolServer_ita { - get { - return ResourceManager.GetString("DefaultSymbolServer_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to シンボル サーバー. - /// - public static string DefaultSymbolServer_jpn { - get { - return ResourceManager.GetString("DefaultSymbolServer_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 기호 서버. - /// - public static string DefaultSymbolServer_kor { - get { - return ResourceManager.GetString("DefaultSymbolServer_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to serwer symboli. - /// - public static string DefaultSymbolServer_plk { - get { - return ResourceManager.GetString("DefaultSymbolServer_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to o servidor de símbolos. - /// - public static string DefaultSymbolServer_ptb { - get { - return ResourceManager.GetString("DefaultSymbolServer_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to сервер символов. - /// - public static string DefaultSymbolServer_rus { - get { - return ResourceManager.GetString("DefaultSymbolServer_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to simge sunucusu. - /// - public static string DefaultSymbolServer_trk { - get { - return ResourceManager.GetString("DefaultSymbolServer_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Error. - /// - public static string Error { - get { - return ResourceManager.GetString("Error", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The argument '{0}' is not expected.. - /// - public static string Error_ArgumentNotExpected { - get { - return ResourceManager.GetString("Error_ArgumentNotExpected", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Cannot find the specified version of msbuild: '{0}'. - /// - public static string Error_CannotFindMsbuild { - get { - return ResourceManager.GetString("Error_CannotFindMsbuild", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Cannot get the GetAllProjectFileNamesMethod from type Mono.XBuild.CommandLine.SolutionParser.. - /// - public static string Error_CannotGetGetAllProjectFileNamesMethod { - get { - return ResourceManager.GetString("Error_CannotGetGetAllProjectFileNamesMethod", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Cannot get type Mono.XBuild.CommandLine.SolutionParser.. - /// - public static string Error_CannotGetXBuildSolutionParser { - get { - return ResourceManager.GetString("Error_CannotGetXBuildSolutionParser", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MsBuild timeout out while trying to get project to project references, and NuGet.exe failed to kill the process.. - /// - public static string Error_CannotKillMsBuild { - get { - return ResourceManager.GetString("Error_CannotKillMsBuild", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Cannot load type Microsoft.Build.Construction.ProjectInSolution from Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeProjectInSolution { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 无法从 Microsoft.Build.dll 中加载类型 Microsoft.Build.Construction.ProjectInSolution. - /// - public static string Error_CannotLoadTypeProjectInSolution_chs { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無法從 Microsoft.Build.dll 載入類型 Microsoft.Build.Construction.ProjectInSolution. - /// - public static string Error_CannotLoadTypeProjectInSolution_cht { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nelze načíst typ Microsoft.Build.Construction.ProjectInSolution z knihovny Microsoft.Build.dll.. - /// - public static string Error_CannotLoadTypeProjectInSolution_csy { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Typ "Microsoft.Build.Construction.ProjectInSolution" kann nicht aus "Microsoft.Build.dll" geladen werden.. - /// - public static string Error_CannotLoadTypeProjectInSolution_deu { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede cargar el tipo Microsoft.Build.Construction.ProjectInSolution desde Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeProjectInSolution_esp { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Chargement impossible du type Microsoft.Build.Construction.ProjectInSolution depuis Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeProjectInSolution_fra { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile caricare Microsoft.Build.Construction.SolutionParser da Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeProjectInSolution_ita { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Microsoft.Build.dll から Microsoft.Build.Construction.ProjectInSolution 型を読み込めません. - /// - public static string Error_CannotLoadTypeProjectInSolution_jpn { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Microsoft.Build.dll에서 Microsoft.Build.Construction.ProjectInSolution 형식을 로드할 수 없습니다.. - /// - public static string Error_CannotLoadTypeProjectInSolution_kor { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można załadować typu rozwiązania Microsoft.Build.Construction.ProjectInSolution z biblioteki Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeProjectInSolution_plk { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não foi possível carregar o tipo Microsoft.Build.Construction.ProjectInSolution do Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeProjectInSolution_ptb { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удается загрузить тип Microsoft.Build.Construction.ProjectInSolution из Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeProjectInSolution_rus { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Microsoft.Build.Construction.ProjectInSolution türü Microsoft.Build.dll üzerinden yüklenemiyor. - /// - public static string Error_CannotLoadTypeProjectInSolution_trk { - get { - return ResourceManager.GetString("Error_CannotLoadTypeProjectInSolution_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Cannot load type Microsoft.Build.Construction.SolutionParser from Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeSolutionParser { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 无法从 Microsoft.Build.dll 中加载类型 Microsoft.Build.Construction.SolutionParser. - /// - public static string Error_CannotLoadTypeSolutionParser_chs { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無法從 Microsoft.Build.dll 載入類型 Microsoft.Build.Construction.SolutionParser. - /// - public static string Error_CannotLoadTypeSolutionParser_cht { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nelze načíst typ Microsoft.Build.Construction.SolutionParser z knihovny Microsoft.Build.dll.. - /// - public static string Error_CannotLoadTypeSolutionParser_csy { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Typ "Microsoft.Build.Construction.SolutionParser" kann nicht aus "Microsoft.Build.dll" geladen werden.. - /// - public static string Error_CannotLoadTypeSolutionParser_deu { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede cargar el tipo Microsoft.Build.Construction.SolutionParser desde Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeSolutionParser_esp { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Chargement impossible du type Microsoft.Build.Construction.SolutionParser depuis Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeSolutionParser_fra { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile caricare Microsoft.Build.Construction.SolutionParser da Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeSolutionParser_ita { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Microsoft.Build.dll から Microsoft.Build.Construction.SolutionParser 型を読み込めません. - /// - public static string Error_CannotLoadTypeSolutionParser_jpn { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Microsoft.Build.dll에서 Microsoft.Build.Construction.SolutionParser 형식을 로드할 수 없습니다.. - /// - public static string Error_CannotLoadTypeSolutionParser_kor { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można załadować typu parsera Microsoft.Build.Construction.SolutionParser z biblioteki Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeSolutionParser_plk { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não foi possível carregar o tipo Microsoft.Build.Construction.SolutionParser do Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeSolutionParser_ptb { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удается загрузить тип Microsoft.Build.Construction.SolutionParser из Microsoft.Build.dll. - /// - public static string Error_CannotLoadTypeSolutionParser_rus { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Microsoft.Build.Construction.SolutionParser türü Microsoft.Build.dll konumundan yüklenemiyor. - /// - public static string Error_CannotLoadTypeSolutionParser_trk { - get { - return ResourceManager.GetString("Error_CannotLoadTypeSolutionParser_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Cannot locate a solution file.. - /// - public static string Error_CannotLocateSolutionFile { - get { - return ResourceManager.GetString("Error_CannotLocateSolutionFile", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Cannot prompt for input in non-interactive mode.. - /// - public static string Error_CannotPromptForInput { - get { - return ResourceManager.GetString("Error_CannotPromptForInput", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 无法在非交互式模式下提示输入。. - /// - public static string Error_CannotPromptForInput_chs { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無法在非互動模式下提供提示。. - /// - public static string Error_CannotPromptForInput_cht { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to V neinteraktivním režimu nelze zobrazit výzvu pro zadání vstupu.. - /// - public static string Error_CannotPromptForInput_csy { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Im nicht interaktiven Modus kann keine Eingabeaufforderung erfolgen.. - /// - public static string Error_CannotPromptForInput_deu { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede pedir confirmación de la entrada en un modo no interactivo.. - /// - public static string Error_CannotPromptForInput_esp { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Le mode non interactif ne permet pas l'invite de saisie de données.. - /// - public static string Error_CannotPromptForInput_fra { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile richiedere input in modalità non interattiva. - /// - public static string Error_CannotPromptForInput_ita { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 非対話モードの場合、入力のプロンプトを表示できません。. - /// - public static string Error_CannotPromptForInput_jpn { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 비대화형 모드에서는 입력을 요청할 수 없습니다.. - /// - public static string Error_CannotPromptForInput_kor { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można monitować o dane wejściowe w trybie nieinterakcyjnym.. - /// - public static string Error_CannotPromptForInput_plk { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não foi possível solicitar a entrada no modo não interativo.. - /// - public static string Error_CannotPromptForInput_ptb { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Запрос ввода в неинтерактивном режиме невозможен.. - /// - public static string Error_CannotPromptForInput_rus { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Etkileşimli olmayan modda girdi istenemiyor.. - /// - public static string Error_CannotPromptForInput_trk { - get { - return ResourceManager.GetString("Error_CannotPromptForInput_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Failed to create a temporary file while trying to get project to project references.. - /// - public static string Error_FailedToCreateRandomFileForP2P { - get { - return ResourceManager.GetString("Error_FailedToCreateRandomFileForP2P", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Invalid characters in one of the following path segments: '{0}'. - /// - public static string Error_InvalidCharactersInPathSegment { - get { - return ResourceManager.GetString("Error_InvalidCharactersInPathSegment", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Invalid MSBuild version specified: '{0}'. - /// - public static string Error_InvalidMsbuildVersion { - get { - return ResourceManager.GetString("Error_InvalidMsbuildVersion", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Invalid solution directory: '{0}'. - /// - public static string Error_InvalidSolutionDirectory { - get { - return ResourceManager.GetString("Error_InvalidSolutionDirectory", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Source parameter was not specified.. - /// - public static string Error_MissingSourceParameter { - get { - return ResourceManager.GetString("Error_MissingSourceParameter", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MSBuild is not installed.. - /// - public static string Error_MSBuildNotInstalled { - get { - return ResourceManager.GetString("Error_MSBuildNotInstalled", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MsBuild timeout out while trying to get project to project references.. - /// - public static string Error_MsBuildTimedOut { - get { - return ResourceManager.GetString("Error_MsBuildTimedOut", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to This folder contains more than one solution file.. - /// - public static string Error_MultipleSolutions { - get { - return ResourceManager.GetString("Error_MultipleSolutions", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 此文件夹包含多个解决方案文件。. - /// - public static string Error_MultipleSolutions_chs { - get { - return ResourceManager.GetString("Error_MultipleSolutions_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 此資料夾包含一個以上的方案檔案。. - /// - public static string Error_MultipleSolutions_cht { - get { - return ResourceManager.GetString("Error_MultipleSolutions_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tato složka obsahuje více než jeden soubor řešení.. - /// - public static string Error_MultipleSolutions_csy { - get { - return ResourceManager.GetString("Error_MultipleSolutions_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Dieser Ordner enthält mehrere Projektdateien.. - /// - public static string Error_MultipleSolutions_deu { - get { - return ResourceManager.GetString("Error_MultipleSolutions_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Esta carpeta contiene más de un archivo de la solución.. - /// - public static string Error_MultipleSolutions_esp { - get { - return ResourceManager.GetString("Error_MultipleSolutions_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ce dossier contient plus d'un fichier solution.. - /// - public static string Error_MultipleSolutions_fra { - get { - return ResourceManager.GetString("Error_MultipleSolutions_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La cartella contiene più di un solution file.. - /// - public static string Error_MultipleSolutions_ita { - get { - return ResourceManager.GetString("Error_MultipleSolutions_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to このフォルダーには、複数のソリューション ファイルが含まれています。. - /// - public static string Error_MultipleSolutions_jpn { - get { - return ResourceManager.GetString("Error_MultipleSolutions_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 이 폴더에 솔루션 파일이 두 개 이상 포함되어 있습니다.. - /// - public static string Error_MultipleSolutions_kor { - get { - return ResourceManager.GetString("Error_MultipleSolutions_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ten folder zawiera więcej niż jeden plik rozwiązania.. - /// - public static string Error_MultipleSolutions_plk { - get { - return ResourceManager.GetString("Error_MultipleSolutions_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Esta pasta contém mais de um arquivo de solução.. - /// - public static string Error_MultipleSolutions_ptb { - get { - return ResourceManager.GetString("Error_MultipleSolutions_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Эта папка содержит более одного файла решения.. - /// - public static string Error_MultipleSolutions_rus { - get { - return ResourceManager.GetString("Error_MultipleSolutions_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bu klasör birden çok çözüm dosyası içeriyor.. - /// - public static string Error_MultipleSolutions_trk { - get { - return ResourceManager.GetString("Error_MultipleSolutions_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to project.json cannot contain multiple Target Frameworks.. - /// - public static string Error_MultipleTargetFrameworks { - get { - return ResourceManager.GetString("Error_MultipleTargetFrameworks", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe file on path {0} needs to be unblocked after downloading.. - /// - public static string Error_NuGetExeNeedsToBeUnblockedAfterDownloading { - get { - return ResourceManager.GetString("Error_NuGetExeNeedsToBeUnblockedAfterDownloading", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Error parsing packages.config file at {0}: {1}. - /// - public static string Error_PackagesConfigParseError { - get { - return ResourceManager.GetString("Error_PackagesConfigParseError", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Error occurred when processing file '{0}': {1}. - /// - public static string Error_ProcessingNuspecFile { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 处理文件“{0}”时出错: {1}. - /// - public static string Error_ProcessingNuspecFile_chs { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 處理檔案 '{0}' 時發生錯誤: {1}. - /// - public static string Error_ProcessingNuspecFile_cht { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Při zpracování souboru {0} došlo k chybě: {1}. - /// - public static string Error_ProcessingNuspecFile_csy { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fehler beim Verarbeiten der Datei "{0}": {1}. - /// - public static string Error_ProcessingNuspecFile_deu { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Error al procesar el archivo '{0}': {1}. - /// - public static string Error_ProcessingNuspecFile_esp { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Une erreur est survenue lors du traitement du fichier '{0}' : {1}. - /// - public static string Error_ProcessingNuspecFile_fra { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Si è verificato un errore nell'elaborazione del file '{0}': {1}. - /// - public static string Error_ProcessingNuspecFile_ita { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ファイル '{0}' の処理中にエラーが発生しました: {1}. - /// - public static string Error_ProcessingNuspecFile_jpn { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' 파일을 처리하는 동안 오류가 발생했습니다. {1}. - /// - public static string Error_ProcessingNuspecFile_kor { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wystąpił błąd podczas przetwarzania pliku „{0}”: {1}. - /// - public static string Error_ProcessingNuspecFile_plk { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Falha ao processar o arquivo '{0}: {1}. - /// - public static string Error_ProcessingNuspecFile_ptb { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to При обработке файла"{0}" произошла ошибка: {1}. - /// - public static string Error_ProcessingNuspecFile_rus { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' dosyası işlenirken hata oluştu: {1}. - /// - public static string Error_ProcessingNuspecFile_trk { - get { - return ResourceManager.GetString("Error_ProcessingNuspecFile_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to `project.json` pack is disabled in the current NuGet version, and will be permanently removed in a future version. - ///Please consider migrating '{0}' to `PackageReference` and using the pack targets. - ///You can set the '{1}' environment variable to 'true' to temporarily reenable this functionality.. - /// - public static string Error_ProjectJson_Deprecated_And_Removed { - get { - return ResourceManager.GetString("Error_ProjectJson_Deprecated_And_Removed", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Invalid input '{0}'. Provide the path of an msbuild solution file instead. Support for XProj and standalone project.json files has been removed, to continue working with legacy projects use NuGet 3.5.x from https://nuget.org/downloads. - /// - public static string Error_ProjectJsonNotAllowed { - get { - return ResourceManager.GetString("Error_ProjectJsonNotAllowed", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Response file '{0}' does not exist. - /// - public static string Error_ResponseFileDoesNotExist { - get { - return ResourceManager.GetString("Error_ResponseFileDoesNotExist", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Invalid response file, '@' does not exist. - /// - public static string Error_ResponseFileInvalid { - get { - return ResourceManager.GetString("Error_ResponseFileInvalid", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No more than {0} nested response files are allowed. - /// - public static string Error_ResponseFileMaxRecursionDepth { - get { - return ResourceManager.GetString("Error_ResponseFileMaxRecursionDepth", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Response file '{0}' cannot be empty. - /// - public static string Error_ResponseFileNullOrEmpty { - get { - return ResourceManager.GetString("Error_ResponseFileNullOrEmpty", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Response file '{0}' cannot be larger than {1}mb. - /// - public static string Error_ResponseFileTooLarge { - get { - return ResourceManager.GetString("Error_ResponseFileTooLarge", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Property Settings is null.. - /// - public static string Error_SettingsIsNull { - get { - return ResourceManager.GetString("Error_SettingsIsNull", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 属性设置为 null。. - /// - public static string Error_SettingsIsNull_chs { - get { - return ResourceManager.GetString("Error_SettingsIsNull_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 屬性設定為 Null。. - /// - public static string Error_SettingsIsNull_cht { - get { - return ResourceManager.GetString("Error_SettingsIsNull_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Vlastnost Settings má hodnotu null.. - /// - public static string Error_SettingsIsNull_csy { - get { - return ResourceManager.GetString("Error_SettingsIsNull_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Eigenschafteneinstellungen sind null.. - /// - public static string Error_SettingsIsNull_deu { - get { - return ResourceManager.GetString("Error_SettingsIsNull_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La configuración de propiedad es nula.. - /// - public static string Error_SettingsIsNull_esp { - get { - return ResourceManager.GetString("Error_SettingsIsNull_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Les paramètres de propriété sont nuls.. - /// - public static string Error_SettingsIsNull_fra { - get { - return ResourceManager.GetString("Error_SettingsIsNull_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Property Setting è nullo.. - /// - public static string Error_SettingsIsNull_ita { - get { - return ResourceManager.GetString("Error_SettingsIsNull_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to プロパティ設定が null です。. - /// - public static string Error_SettingsIsNull_jpn { - get { - return ResourceManager.GetString("Error_SettingsIsNull_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Settings 속성이 null입니다.. - /// - public static string Error_SettingsIsNull_kor { - get { - return ResourceManager.GetString("Error_SettingsIsNull_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Właściwość Settings ma wartość null.. - /// - public static string Error_SettingsIsNull_plk { - get { - return ResourceManager.GetString("Error_SettingsIsNull_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O item Property Settings é nulo.. - /// - public static string Error_SettingsIsNull_ptb { - get { - return ResourceManager.GetString("Error_SettingsIsNull_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Settings свойства имеет значение NULL.. - /// - public static string Error_SettingsIsNull_rus { - get { - return ResourceManager.GetString("Error_SettingsIsNull_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Özellik Ayarları null.. - /// - public static string Error_SettingsIsNull_trk { - get { - return ResourceManager.GetString("Error_SettingsIsNull_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Error parsing solution file at {0}: {1}. - /// - public static string Error_SolutionFileParseError { - get { - return ResourceManager.GetString("Error_SolutionFileParseError", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Property SourceProvider is null.. - /// - public static string Error_SourceProviderIsNull { - get { - return ResourceManager.GetString("Error_SourceProviderIsNull", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The folder '{0}' does not contain an msbuild solution or packages.config file to restore.. - /// - public static string Error_UnableToLocateRestoreTarget { - get { - return ResourceManager.GetString("Error_UnableToLocateRestoreTarget", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Failed to find an msbuild solution, packages.config, or project.json file in the folder '{0}'.. - /// - public static string Error_UnableToLocateRestoreTarget_Because { - get { - return ResourceManager.GetString("Error_UnableToLocateRestoreTarget_Because", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The action '{0}' is not recognized.. - /// - public static string Error_UnknownAction { - get { - return ResourceManager.GetString("Error_UnknownAction", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Invalid value given for 'DependencyVersion': "{0}".. - /// - public static string Error_UnknownDependencyVersion { - get { - return ResourceManager.GetString("Error_UnknownDependencyVersion", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to This version of msbuild is not supported: '{0}'. - /// - public static string Error_UnsupportedMsbuild { - get { - return ResourceManager.GetString("Error_UnsupportedMsbuild", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The `update -self` command only accepts one source as an argument. If the source option is not specified, the default NuGet source will be used.. - /// - public static string Error_UpdateSelf_Source { - get { - return ResourceManager.GetString("Error_UpdateSelf_Source", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Failed to build '{0}'.. - /// - public static string FailedToBuildProject { - get { - return ResourceManager.GetString("FailedToBuildProject", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 无法生成“{0}”。. - /// - public static string FailedToBuildProject_chs { - get { - return ResourceManager.GetString("FailedToBuildProject_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無法建置 '{0}'。. - /// - public static string FailedToBuildProject_cht { - get { - return ResourceManager.GetString("FailedToBuildProject_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sestavení {0} se nezdařilo.. - /// - public static string FailedToBuildProject_csy { - get { - return ResourceManager.GetString("FailedToBuildProject_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fehler beim Erstellen von "{0}".. - /// - public static string FailedToBuildProject_deu { - get { - return ResourceManager.GetString("FailedToBuildProject_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Error al compilar '{0}'.. - /// - public static string FailedToBuildProject_esp { - get { - return ResourceManager.GetString("FailedToBuildProject_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Échec de la création de '{0}'.. - /// - public static string FailedToBuildProject_fra { - get { - return ResourceManager.GetString("FailedToBuildProject_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile sviluppare '{0}'.. - /// - public static string FailedToBuildProject_ita { - get { - return ResourceManager.GetString("FailedToBuildProject_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' をビルドできませんでした。. - /// - public static string FailedToBuildProject_jpn { - get { - return ResourceManager.GetString("FailedToBuildProject_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'을(를) 빌드하지 못했습니다.. - /// - public static string FailedToBuildProject_kor { - get { - return ResourceManager.GetString("FailedToBuildProject_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można skompilować „{0}”.. - /// - public static string FailedToBuildProject_plk { - get { - return ResourceManager.GetString("FailedToBuildProject_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Falha ao construir '{0}'.. - /// - public static string FailedToBuildProject_ptb { - get { - return ResourceManager.GetString("FailedToBuildProject_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ошибка при сборке "{0}".. - /// - public static string FailedToBuildProject_rus { - get { - return ResourceManager.GetString("FailedToBuildProject_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' oluşturulamadı.. - /// - public static string FailedToBuildProject_trk { - get { - return ResourceManager.GetString("FailedToBuildProject_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Failed to load {0}, if this extension was downloaded from the internet please make sure it got unblocked (right click, properties, unblock).. - /// - public static string FailedToLoadExtension { - get { - return ResourceManager.GetString("FailedToLoadExtension", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Failed to load {0}{1}. - /// - public static string FailedToLoadExtensionDuringMefComposition { - get { - return ResourceManager.GetString("FailedToLoadExtensionDuringMefComposition", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] Yes [A] Yes to All [N] No [L] No to All ?. - /// - public static string FileConflictChoiceText { - get { - return ResourceManager.GetString("FileConflictChoiceText", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] 是 [A] 全部是 [N] 否 [L] 全部否 ?. - /// - public static string FileConflictChoiceText_chs { - get { - return ResourceManager.GetString("FileConflictChoiceText_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] 是 [A] 全部皆是 [N] 否 [L] 全部皆否 ?. - /// - public static string FileConflictChoiceText_cht { - get { - return ResourceManager.GetString("FileConflictChoiceText_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] Ano [A] Ano pro všechny [N] Ne [L] Ne pro všechny?. - /// - public static string FileConflictChoiceText_csy { - get { - return ResourceManager.GetString("FileConflictChoiceText_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] Ja [A] Ja, alle [N] Nein [L] Nein für alle?. - /// - public static string FileConflictChoiceText_deu { - get { - return ResourceManager.GetString("FileConflictChoiceText_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] Sí [A] Sí a todo [N] No [L] ¿No a todo?. - /// - public static string FileConflictChoiceText_esp { - get { - return ResourceManager.GetString("FileConflictChoiceText_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] Oui [A] Oui pour tout [N] Non [L] Non pour tout ?. - /// - public static string FileConflictChoiceText_fra { - get { - return ResourceManager.GetString("FileConflictChoiceText_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] Sì [A] Sì a tutto [N] No [L] No a tutti ?. - /// - public static string FileConflictChoiceText_ita { - get { - return ResourceManager.GetString("FileConflictChoiceText_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] はい [A] すべてはい [N] いいえ [L] すべていいえ. - /// - public static string FileConflictChoiceText_jpn { - get { - return ResourceManager.GetString("FileConflictChoiceText_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] 예 [A] 모두 예 [N] 아니요 [L] 모두 아니요 ?. - /// - public static string FileConflictChoiceText_kor { - get { - return ResourceManager.GetString("FileConflictChoiceText_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] Tak [A] Tak dla wszystkich [N] Nie [L] Nie dla wszystkich ?. - /// - public static string FileConflictChoiceText_plk { - get { - return ResourceManager.GetString("FileConflictChoiceText_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] Sim [A] Sim para todos [N] Não [L] Não para todos?. - /// - public static string FileConflictChoiceText_ptb { - get { - return ResourceManager.GetString("FileConflictChoiceText_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] Да [A] Да для всех [N] Нет [L] Нет для всех ?. - /// - public static string FileConflictChoiceText_rus { - get { - return ResourceManager.GetString("FileConflictChoiceText_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Y] Evet [A] Tümüne Evet [N] Hayır [L] Tümüne Hayır ?. - /// - public static string FileConflictChoiceText_trk { - get { - return ResourceManager.GetString("FileConflictChoiceText_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to File '{0}' is not added because the package already contains file '{1}'. - /// - public static string FileNotAddedToPackage { - get { - return ResourceManager.GetString("FileNotAddedToPackage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 未添加文件“{0}”,因为程序包已包含文件“{1}”. - /// - public static string FileNotAddedToPackage_chs { - get { - return ResourceManager.GetString("FileNotAddedToPackage_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 並未新增檔案 '{0}',因為封裝已經包含檔案 '{1}'. - /// - public static string FileNotAddedToPackage_cht { - get { - return ResourceManager.GetString("FileNotAddedToPackage_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Soubor {0} není přidán, protože balíček již obsahuje soubor {1}.. - /// - public static string FileNotAddedToPackage_csy { - get { - return ResourceManager.GetString("FileNotAddedToPackage_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Datei "{0}" wird nicht hinzugefügt, weil das Paket die Datei "{1}" bereits enthält.. - /// - public static string FileNotAddedToPackage_deu { - get { - return ResourceManager.GetString("FileNotAddedToPackage_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se ha agregado el archivo '{0}' porque el paquete aún contiene el archivo '{1}'. - /// - public static string FileNotAddedToPackage_esp { - get { - return ResourceManager.GetString("FileNotAddedToPackage_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Le fichier '{0}' n'a pas été ajouté car le package contient déjà le fichier '{1}'.. - /// - public static string FileNotAddedToPackage_fra { - get { - return ResourceManager.GetString("FileNotAddedToPackage_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile aggiungere file '{0}' perché il pacchetto contiene già file '{1}'. - /// - public static string FileNotAddedToPackage_ita { - get { - return ResourceManager.GetString("FileNotAddedToPackage_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージには既にファイル '{1}' が含まれているため、ファイル '{0}' は追加されません. - /// - public static string FileNotAddedToPackage_jpn { - get { - return ResourceManager.GetString("FileNotAddedToPackage_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지에 '{1}' 파일이 이미 있으므로 '{0}' 파일이 추가되지 않았습니다.. - /// - public static string FileNotAddedToPackage_kor { - get { - return ResourceManager.GetString("FileNotAddedToPackage_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Plik „{0}” nie został dodany, ponieważ pakiet zawiera już plik „{1}”. - /// - public static string FileNotAddedToPackage_plk { - get { - return ResourceManager.GetString("FileNotAddedToPackage_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O arquivo '{0}' não é adicionado porque o pacote já contém o arquivo '{1}'. - /// - public static string FileNotAddedToPackage_ptb { - get { - return ResourceManager.GetString("FileNotAddedToPackage_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Файл "{0}" не добавлен, так как в пакете уже есть файл "{1}". - /// - public static string FileNotAddedToPackage_rus { - get { - return ResourceManager.GetString("FileNotAddedToPackage_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket zaten '{1}'dosyası içerdiğinden '{0}' eklenmedi. - /// - public static string FileNotAddedToPackage_trk { - get { - return ResourceManager.GetString("FileNotAddedToPackage_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Found 1 project with a packages.config file. ({0}). - /// - public static string FoundProject { - get { - return ResourceManager.GetString("FoundProject", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找到一个包含 packages.config 文件的项目。({0}). - /// - public static string FoundProject_chs { - get { - return ResourceManager.GetString("FoundProject_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找到具有 packages.config 檔案的專案。({0}). - /// - public static string FoundProject_cht { - get { - return ResourceManager.GetString("FoundProject_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Počet nalezených projektů se souborem packages.config: 1. ({0}). - /// - public static string FoundProject_csy { - get { - return ResourceManager.GetString("FoundProject_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Es wurde ein Projekt mit einer Datei "packages.config" gefunden. ({0}). - /// - public static string FoundProject_deu { - get { - return ResourceManager.GetString("FoundProject_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se ha encontrado 1 proyecto con un archivo packages.config. ({0}). - /// - public static string FoundProject_esp { - get { - return ResourceManager.GetString("FoundProject_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Un projet contenant packages.config a été trouvé. ({0}). - /// - public static string FoundProject_fra { - get { - return ResourceManager.GetString("FoundProject_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Trovato 1 progetto con packages.config file. ({0}). - /// - public static string FoundProject_ita { - get { - return ResourceManager.GetString("FoundProject_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config ファイルが指定されたプロジェクトが 1 個見つかりました。({0}). - /// - public static string FoundProject_jpn { - get { - return ResourceManager.GetString("FoundProject_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config 파일이 있는 프로젝트를 1개 찾았습니다. ({0}). - /// - public static string FoundProject_kor { - get { - return ResourceManager.GetString("FoundProject_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Znaleziono 1 projekt z plikiem packages.config. ({0}). - /// - public static string FoundProject_plk { - get { - return ResourceManager.GetString("FoundProject_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Encontrado um projeto com um arquivo packages.config. ({0}). - /// - public static string FoundProject_ptb { - get { - return ResourceManager.GetString("FoundProject_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Обнаружен 1 проект с файлом packages.config. ({0}). - /// - public static string FoundProject_rus { - get { - return ResourceManager.GetString("FoundProject_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config dosyası içeren 1 proje bulundu. ({0}). - /// - public static string FoundProject_trk { - get { - return ResourceManager.GetString("FoundProject_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Found {0} projects with a packages.config file. ({1}). - /// - public static string FoundProjects { - get { - return ResourceManager.GetString("FoundProjects", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找到 {0} 个包含 packages.config 文件的项目。({1}). - /// - public static string FoundProjects_chs { - get { - return ResourceManager.GetString("FoundProjects_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找到具有 packages.confi 檔案的 {0} 個專案。({1}). - /// - public static string FoundProjects_cht { - get { - return ResourceManager.GetString("FoundProjects_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Počet nalezených projektů se souborem packages.config: {0}. ({1}). - /// - public static string FoundProjects_csy { - get { - return ResourceManager.GetString("FoundProjects_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Es wurden {0} Projekte mit einer Datei "packages.config" gefunden. ({1}). - /// - public static string FoundProjects_deu { - get { - return ResourceManager.GetString("FoundProjects_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se han encontrado {0} proyectos con un archivo packages.config. ({1}). - /// - public static string FoundProjects_esp { - get { - return ResourceManager.GetString("FoundProjects_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} projets contenant un fichier packages.config ont été trouvés. ({1}). - /// - public static string FoundProjects_fra { - get { - return ResourceManager.GetString("FoundProjects_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Trovati {0} progetti con packages.config file. ({1}). - /// - public static string FoundProjects_ita { - get { - return ResourceManager.GetString("FoundProjects_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config ファイルが指定されたプロジェクトが {0} 個見つかりました。({1}). - /// - public static string FoundProjects_jpn { - get { - return ResourceManager.GetString("FoundProjects_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config 파일이 있는 프로젝트를 {0}개 찾았습니다. ({1}). - /// - public static string FoundProjects_kor { - get { - return ResourceManager.GetString("FoundProjects_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Liczba znalezionych projektów z plikiem packages.config: {0}. ({1}). - /// - public static string FoundProjects_plk { - get { - return ResourceManager.GetString("FoundProjects_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Encontrados projetos {0} com um arquivo packages.config. ({1}). - /// - public static string FoundProjects_ptb { - get { - return ResourceManager.GetString("FoundProjects_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Обнаружено проектов с файлом packages.config: {0}. ({1}). - /// - public static string FoundProjects_rus { - get { - return ResourceManager.GetString("FoundProjects_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config dosyası içeren {0} proje bulundu. ({1}). - /// - public static string FoundProjects_trk { - get { - return ResourceManager.GetString("FoundProjects_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to For more information, visit {0}. - /// - public static string HelpCommandForMoreInfo { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 有关详细信息,请访问 {0}. - /// - public static string HelpCommandForMoreInfo_chs { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 如需詳細資訊,請造訪 {0}. - /// - public static string HelpCommandForMoreInfo_cht { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Další informace naleznete na adrese {0}. - /// - public static string HelpCommandForMoreInfo_csy { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Besuchen Sie "{0}", um weitere Informationen zu erhalten.. - /// - public static string HelpCommandForMoreInfo_deu { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Para obtener más información, visite {0}. - /// - public static string HelpCommandForMoreInfo_esp { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pour plus d'informations, consultez {0}. - /// - public static string HelpCommandForMoreInfo_fra { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Per ulteriori informazioni, visitare {0}. - /// - public static string HelpCommandForMoreInfo_ita { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 詳細については、{0} を参照してください. - /// - public static string HelpCommandForMoreInfo_jpn { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 자세한 내용은 {0}을(를) 참조하십시오.. - /// - public static string HelpCommandForMoreInfo_kor { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aby uzyskać więcej informacji, odwiedź stronę {0}. - /// - public static string HelpCommandForMoreInfo_plk { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Para obter mais informações, visite {0}. - /// - public static string HelpCommandForMoreInfo_ptb { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Дополнительные сведения см. на веб-сайте {0}. - /// - public static string HelpCommandForMoreInfo_rus { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Daha fazla bilgi için {0} adresini ziyaret edin.. - /// - public static string HelpCommandForMoreInfo_trk { - get { - return ResourceManager.GetString("HelpCommandForMoreInfo_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Feed '{0}' contains no packages.. - /// - public static string InitCommand_FeedContainsNoPackages { - get { - return ResourceManager.GetString("InitCommand_FeedContainsNoPackages", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Provided feed folder '{0}' is not found.. - /// - public static string InitCommand_FeedIsNotFound { - get { - return ResourceManager.GetString("InitCommand_FeedIsNotFound", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' contains invalid package references. . - /// - public static string InstallCommandInvalidPackageReference { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to “{0}”包含的程序包引用无效。. - /// - public static string InstallCommandInvalidPackageReference_chs { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' 包含無效的封裝參照。. - /// - public static string InstallCommandInvalidPackageReference_cht { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} obsahuje neplatné odkazy na balíčky. . - /// - public static string InstallCommandInvalidPackageReference_csy { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" enthält ungültige Paketverweise. . - /// - public static string InstallCommandInvalidPackageReference_deu { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' contiene referencias de paquete no válidas.. - /// - public static string InstallCommandInvalidPackageReference_esp { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' contient des références de package non valides. . - /// - public static string InstallCommandInvalidPackageReference_fra { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' contains invalid package references. . - /// - public static string InstallCommandInvalidPackageReference_ita { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' には無効なパッケージ参照が含まれています。. - /// - public static string InstallCommandInvalidPackageReference_jpn { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'에 잘못된 패키지 참조가 포함되어 있습니다. . - /// - public static string InstallCommandInvalidPackageReference_kor { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to „{0}” zawiera nieprawidłowe odwołania do pakietów. . - /// - public static string InstallCommandInvalidPackageReference_plk { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' contém referências de pacotes inválidos.. - /// - public static string InstallCommandInvalidPackageReference_ptb { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" содержит недопустимые ссылки на пакеты. . - /// - public static string InstallCommandInvalidPackageReference_rus { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' geçersiz paket başvuruları içeriyor. . - /// - public static string InstallCommandInvalidPackageReference_trk { - get { - return ResourceManager.GetString("InstallCommandInvalidPackageReference_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to All packages listed in {0} are already installed.. - /// - public static string InstallCommandNothingToInstall { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} 中列出的所有程序包均已安装。. - /// - public static string InstallCommandNothingToInstall_chs { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} 中列出的所有封裝均已安裝。. - /// - public static string InstallCommandNothingToInstall_cht { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Všechny balíčky, které uvádí {0}, jsou již nainstalované.. - /// - public static string InstallCommandNothingToInstall_csy { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Alle in "{0}" aufgeführten Pakete sind bereits installiert.. - /// - public static string InstallCommandNothingToInstall_deu { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ya se han instalado todos los paquetes mostrados en '{0}'.. - /// - public static string InstallCommandNothingToInstall_esp { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tous les packages répertoriés dans {0} sont déjà installés.. - /// - public static string InstallCommandNothingToInstall_fra { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tutti i pacchetti elencati in {0}sono già installati.. - /// - public static string InstallCommandNothingToInstall_ita { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} に含まれるすべてのパッケージは、既にインストールされています。. - /// - public static string InstallCommandNothingToInstall_jpn { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}에 나열된 모든 패키지가 이미 설치되었습니다.. - /// - public static string InstallCommandNothingToInstall_kor { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wszystkie pakiety wymienione w {0} zostały już zainstalowane.. - /// - public static string InstallCommandNothingToInstall_plk { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Todos os pacotes listados em {0} já estão instalados.. - /// - public static string InstallCommandNothingToInstall_ptb { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Все пакеты, перечисленные в {0}, уже установлены.. - /// - public static string InstallCommandNothingToInstall_rus { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} içinde sıralanan tüm paketler zaten yüklü.. - /// - public static string InstallCommandNothingToInstall_trk { - get { - return ResourceManager.GetString("InstallCommandNothingToInstall_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Package "{0}" is already installed.. - /// - public static string InstallCommandPackageAlreadyExists { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已安装程序包“{0}”。. - /// - public static string InstallCommandPackageAlreadyExists_chs { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已安裝封裝 "{0}"。. - /// - public static string InstallCommandPackageAlreadyExists_cht { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Balíček {0} je již nainstalován.. - /// - public static string InstallCommandPackageAlreadyExists_csy { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Das Paket "{0}" ist bereits installiert.. - /// - public static string InstallCommandPackageAlreadyExists_deu { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ya se ha instalado el paquete "{0}".. - /// - public static string InstallCommandPackageAlreadyExists_esp { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Le package « {0} » est déjà installé.. - /// - public static string InstallCommandPackageAlreadyExists_fra { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pacchetto "{0}" è già installato. - /// - public static string InstallCommandPackageAlreadyExists_ita { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージ "{0}" は既にインストールされています。. - /// - public static string InstallCommandPackageAlreadyExists_jpn { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} 패키지는 이미 설치되었습니다.. - /// - public static string InstallCommandPackageAlreadyExists_kor { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pakiet „{0}” został już zainstalowany.. - /// - public static string InstallCommandPackageAlreadyExists_plk { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O pacote "{0}" já está instalado.. - /// - public static string InstallCommandPackageAlreadyExists_ptb { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Пакет "{0}" уже установлен.. - /// - public static string InstallCommandPackageAlreadyExists_rus { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" paketi zaten yüklü.. - /// - public static string InstallCommandPackageAlreadyExists_trk { - get { - return ResourceManager.GetString("InstallCommandPackageAlreadyExists_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Version string specified for package reference '{0}' is invalid.. - /// - public static string InstallCommandPackageReferenceInvalidVersion { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 为程序包引用“{0}”指定的版本字符串无效。. - /// - public static string InstallCommandPackageReferenceInvalidVersion_chs { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 封裝參照 '{0}' 指定的版本字串無效。. - /// - public static string InstallCommandPackageReferenceInvalidVersion_cht { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Řetězec verze zadaný pro odkaz na balíček {0} je neplatný.. - /// - public static string InstallCommandPackageReferenceInvalidVersion_csy { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die für den Paketverweis "{0}" angegebene Versionszeichenfolge ist ungültig.. - /// - public static string InstallCommandPackageReferenceInvalidVersion_deu { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La cadena de versión especificada para la referencia de paquete '{0}' no es válida.. - /// - public static string InstallCommandPackageReferenceInvalidVersion_esp { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La chaîne de version spécifiée pour la référence de package '{0}' n'est pas valide.. - /// - public static string InstallCommandPackageReferenceInvalidVersion_fra { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Stringa versione specificata per il pacchetto di riferimento '{0}' non è valida.. - /// - public static string InstallCommandPackageReferenceInvalidVersion_ita { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージ参照 '{0}' に指定されたバージョン文字列は無効です。. - /// - public static string InstallCommandPackageReferenceInvalidVersion_jpn { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지 참조 '{0}'에 대해 지정된 버전 문자열이 잘못되었습니다.. - /// - public static string InstallCommandPackageReferenceInvalidVersion_kor { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ciąg wersji określony dla odwołania do pakietu „{0}” jest nieprawidłowy.. - /// - public static string InstallCommandPackageReferenceInvalidVersion_plk { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A cadeia de caracteres de versão especificada para a referência do pacote '{0}' é inválida.. - /// - public static string InstallCommandPackageReferenceInvalidVersion_ptb { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Строка версии, указанная для ссылки на пакет "{0}", является недопустимой.. - /// - public static string InstallCommandPackageReferenceInvalidVersion_rus { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' paket referansı için belirtilen sürüm dizesi geçersiz.. - /// - public static string InstallCommandPackageReferenceInvalidVersion_trk { - get { - return ResourceManager.GetString("InstallCommandPackageReferenceInvalidVersion_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Package restore is disabled. To enable it, open the Visual Studio Options dialog, click on Package Manager node and check '{0}'. You can also enable package restore by setting the environment variable 'EnableNuGetPackageRestore' to 'true'.. - /// - public static string InstallCommandPackageRestoreConsentNotFound { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已禁用程序包还原。若要启用它,请打开“Visual Studio 选项”对话框,单击“程序包管理器”节点并检查“{0}”。你还可以通过将环境变量 "EnableNuGetPackageRestore" 设置为 "true" 来启用程序包还原。. - /// - public static string InstallCommandPackageRestoreConsentNotFound_chs { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已停用封裝還原。若要啟用,開啟 Visual Studio 選項對話,按一下 [封裝管理員] 節點並勾選 '{0}'。您也可以設定環境變數 'EnableNuGetPackageRestore' 為 'true' 以啟用封裝還原。. - /// - public static string InstallCommandPackageRestoreConsentNotFound_cht { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Obnovení balíčku je zakázáno. Chcete-li je povolit, otevřete dialogové okno Možnosti sady Visual Studio, klikněte na uzel Správce balíčků a zaškrtněte položku {0}. Obnovení balíčku můžete rovněž povolit nastavením proměnné prostředí EnableNuGetPackageRestore na hodnotu true.. - /// - public static string InstallCommandPackageRestoreConsentNotFound_csy { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Paketwiederherstellung ist deaktiviert. Öffnen Sie zum Aktivieren das Dialogfeld "Optionen" von Visual Studio, klicken Sie auf den Knoten "Paket-Manager", und aktivieren Sie dann "{0}". Sie können die Paketwiederherstellung auch aktivieren, indem Sie die Umgebungsvariable "EnableNuGetPackageRestore" auf "true" festlegen.. - /// - public static string InstallCommandPackageRestoreConsentNotFound_deu { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se ha deshabilitado la restauración del paquete. Para habilitarla, abra el cuadro de diálogo Opciones de Visual Studio, haga clic en el nodo del Administrador de paquetes y compruebe '{0}'. Para habilitar la restauración de paquetes, también puede configurar la variable de entorno 'EnableNuGetPackageRestore' a 'true'.. - /// - public static string InstallCommandPackageRestoreConsentNotFound_esp { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La restauration de package est désactivée. Pour l'activer, ouvrez la boîte de dialogue Options Visual Studio, cliquez sur le nœud Gestionnaire de package et cochez '{0}'. Vous pouvez également activer la restauration de package en définissant la variable d'environnement 'EnableNuGetPackageRestore' avec la valeur 'true'.. - /// - public static string InstallCommandPackageRestoreConsentNotFound_fra { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ripristino pacchetto disabilitato. Per abilitarlo, aprire la finestra di dialogo Visual Studio Options, fare clic su Package Manager node e verificare '{0}'. È possibile anche abilitare il pacchetto impostando la variabile ambiente 'EnableNuGetPackageRestore' su 'vero'.. - /// - public static string InstallCommandPackageRestoreConsentNotFound_ita { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージの復元は無効です。有効にするには、Visual Studio の [オプション] ダイアログを開き、パッケージ マネージャー ノードをクリックし、'{0}' を確認します。環境変数 'EnableNuGetPackageRestore' を 'true' に設定して、パッケージの復元を有効にすることもできます。. - /// - public static string InstallCommandPackageRestoreConsentNotFound_jpn { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지 복원을 사용할 수 없습니다. 패키지 복원을 사용하도록 설정하려면 [Visual Studio 옵션] 대화 상자를 열고 [패키지 관리자] 노드를 클릭한 후 '{0}'을(를) 선택합니다. 또한 환경 변수 'EnableNuGetPackageRestore'를 'true'로 설정하여 패키지 복원을 사용하도록 설정할 수 있습니다.. - /// - public static string InstallCommandPackageRestoreConsentNotFound_kor { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Przywracanie pakietu jest wyłączone. Aby je włączyć, otwórz okno dialogowe opcji programu Visual Studio, kliknij węzeł Menedżera pakietów i zaznacz pozycję „{0}”. Przywracanie pakietów możesz także włączyć, ustawiając wartość „true” dla zmiennej środowiskowej „EnableNuGetPackageRestore”.. - /// - public static string InstallCommandPackageRestoreConsentNotFound_plk { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A restauração do pacote está desativada. Para ativá-la, abra a caixa de diálogo Opções do Visual Studio, clique no nó do Gerenciador de Pacotes e marque '{0}'. Você também pode ativar a restauração do pacote definindo a variável de ambiente 'EnableNuGetPackageRestore' como "true".. - /// - public static string InstallCommandPackageRestoreConsentNotFound_ptb { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Восстановление пакетов отключено. Чтобы включить его, в Visual Studio откройте диалоговое окно "Параметры", выберите узел "Диспетчер пакетов" и проверьте "{0}". Кроме того, чтобы включить восстановление пакетов, можно для переменной среды "EnableNuGetPackageRestore" задать значение "true".. - /// - public static string InstallCommandPackageRestoreConsentNotFound_rus { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket geri yükleme devre dışı. Etkinleştirmek için Visual Studio Seçenekler iletişim kutusunu açın, Paket Yöneticisi düğümünü tıklayın ve '{0}' öğesini kontrol edin. Paket geri yüklemesini ayrıca 'EnableNuGetPackageRestore' ortam değişkenini 'doğru' olarak ayarlayarak da etkinleştirebilirsiniz.. - /// - public static string InstallCommandPackageRestoreConsentNotFound_trk { - get { - return ResourceManager.GetString("InstallCommandPackageRestoreConsentNotFound_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to find package '{0}'. - /// - public static string InstallCommandUnableToFindPackage { - get { - return ResourceManager.GetString("InstallCommandUnableToFindPackage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Installing package '{0}' to '{1}'.. - /// - public static string InstallPackageMessage { - get { - return ResourceManager.GetString("InstallPackageMessage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: invalid arguments.. - /// - public static string InvalidArguments { - get { - return ResourceManager.GetString("InvalidArguments", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: 参数无效。. - /// - public static string InvalidArguments_chs { - get { - return ResourceManager.GetString("InvalidArguments_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: 無效的引數。. - /// - public static string InvalidArguments_cht { - get { - return ResourceManager.GetString("InvalidArguments_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: neplatné argumenty. - /// - public static string InvalidArguments_csy { - get { - return ResourceManager.GetString("InvalidArguments_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: ungültige Argumente.. - /// - public static string InvalidArguments_deu { - get { - return ResourceManager.GetString("InvalidArguments_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: argumentos no válidos.. - /// - public static string InvalidArguments_esp { - get { - return ResourceManager.GetString("InvalidArguments_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} : arguments non valides.. - /// - public static string InvalidArguments_fra { - get { - return ResourceManager.GetString("InvalidArguments_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: argomenti non validi.. - /// - public static string InvalidArguments_ita { - get { - return ResourceManager.GetString("InvalidArguments_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: 引数が無効です。. - /// - public static string InvalidArguments_jpn { - get { - return ResourceManager.GetString("InvalidArguments_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: 잘못된 인수입니다.. - /// - public static string InvalidArguments_kor { - get { - return ResourceManager.GetString("InvalidArguments_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: nieprawidłowe argumenty.. - /// - public static string InvalidArguments_plk { - get { - return ResourceManager.GetString("InvalidArguments_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: argumentos inválidos.. - /// - public static string InvalidArguments_ptb { - get { - return ResourceManager.GetString("InvalidArguments_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: недопустимые аргументы.. - /// - public static string InvalidArguments_rus { - get { - return ResourceManager.GetString("InvalidArguments_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}: geçersiz bağımsız değişken.. - /// - public static string InvalidArguments_trk { - get { - return ResourceManager.GetString("InvalidArguments_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Invalid AssemblyInformationalVersion '{0}' on assembly '{1}'; falling back to AssemblyVersion '{2}'.. - /// - public static string InvalidAssemblyInformationalVersion { - get { - return ResourceManager.GetString("InvalidAssemblyInformationalVersion", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No packages.config, project or solution file specified. Use the -self switch to update NuGet.exe.. - /// - public static string InvalidFile { - get { - return ResourceManager.GetString("InvalidFile", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 未指定 packages.config、项目或解决方案文件。请使用 -self 开关更新 NuGet.exe。. - /// - public static string InvalidFile_chs { - get { - return ResourceManager.GetString("InvalidFile_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 未指定 packages.config、專案或方案。使用 -self 切換以更新 NuGet.exe。. - /// - public static string InvalidFile_cht { - get { - return ResourceManager.GetString("InvalidFile_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nebyl určen žádný soubor packages.config, soubor projektu nebo balíčku. Použijte přepínač -self a aktualizujte soubor NuGet.exe.. - /// - public static string InvalidFile_csy { - get { - return ResourceManager.GetString("InvalidFile_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Es wurde keine packages.config-, Projekt- oder Lösungsdatei angegeben. Verwenden Sie den Schalter "-self", um "NuGet.exe" zu aktualisieren.. - /// - public static string InvalidFile_deu { - get { - return ResourceManager.GetString("InvalidFile_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se ha especificado ningún archivo de solución, proyecto o packages.config. Use el modificador -self para actualizar NuGet.exe.. - /// - public static string InvalidFile_esp { - get { - return ResourceManager.GetString("InvalidFile_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aucun packages.config, projet ou fichier de solution spécifié. Utilisez le commutateur -self pour mettre à jour NuGet.exe.. - /// - public static string InvalidFile_fra { - get { - return ResourceManager.GetString("InvalidFile_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nessun file packages.config, di progetto o di soluzione specificato. Utilizzare l'opzione -self per aggiornare NuGet.exe.. - /// - public static string InvalidFile_ita { - get { - return ResourceManager.GetString("InvalidFile_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config、プロジェクトまたはソリューション ファイルが指定されていません。-self スイッチ使用して、NuGet.exe を更新してください。. - /// - public static string InvalidFile_jpn { - get { - return ResourceManager.GetString("InvalidFile_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config, 프로젝트 또는 솔루션 파일이 지정되지 않았습니다. -self 스위치를 사용하여 NuGet.exe를 업데이트하십시오.. - /// - public static string InvalidFile_kor { - get { - return ResourceManager.GetString("InvalidFile_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie określono pliku packages.config, pliku projektu ani pliku rozwiązania. Użyj przełącznika -self, aby zaktualizować pakiet NuGet.exe.. - /// - public static string InvalidFile_plk { - get { - return ResourceManager.GetString("InvalidFile_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nenhum arquivo de solução, projeto ou packages.config especificado. Use a chave -self para atualizar o NuGet.exe.. - /// - public static string InvalidFile_ptb { - get { - return ResourceManager.GetString("InvalidFile_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не указан файл packages.config, файл проекта или решения. Используйте переключатель -self, чтобы обновить NuGet.exe.. - /// - public static string InvalidFile_rus { - get { - return ResourceManager.GetString("InvalidFile_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config, proje veya çözüm dosyası belirtilmemiş. NuGet.exe'yi güncelleştirmek için -self anahtarını kullanın.. - /// - public static string InvalidFile_trk { - get { - return ResourceManager.GetString("InvalidFile_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Invalid option value: '{0} {1}'. - /// - public static string InvalidOptionValueError { - get { - return ResourceManager.GetString("InvalidOptionValueError", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 无效的选项值:“{0} {1}”. - /// - public static string InvalidOptionValueError_chs { - get { - return ResourceManager.GetString("InvalidOptionValueError_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無效的選項值: '{0} {1}'. - /// - public static string InvalidOptionValueError_cht { - get { - return ResourceManager.GetString("InvalidOptionValueError_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Neplatná hodnota možnosti: '{0} {1}'. - /// - public static string InvalidOptionValueError_csy { - get { - return ResourceManager.GetString("InvalidOptionValueError_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ungültiger Optionswert: "{0} {1}". - /// - public static string InvalidOptionValueError_deu { - get { - return ResourceManager.GetString("InvalidOptionValueError_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Valor de opción no válido: '{0} {1}'. - /// - public static string InvalidOptionValueError_esp { - get { - return ResourceManager.GetString("InvalidOptionValueError_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Valeur de l'option non valide : '{0} {1}'. - /// - public static string InvalidOptionValueError_fra { - get { - return ResourceManager.GetString("InvalidOptionValueError_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Valore opzione non valido: '{0} {1}'. - /// - public static string InvalidOptionValueError_ita { - get { - return ResourceManager.GetString("InvalidOptionValueError_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無効なオプションの値: '{0} {1}'. - /// - public static string InvalidOptionValueError_jpn { - get { - return ResourceManager.GetString("InvalidOptionValueError_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 잘못된 옵션 값: '{0} {1}'. - /// - public static string InvalidOptionValueError_kor { - get { - return ResourceManager.GetString("InvalidOptionValueError_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nieprawidłowa wartość opcji: „{0} {1}”. - /// - public static string InvalidOptionValueError_plk { - get { - return ResourceManager.GetString("InvalidOptionValueError_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Valor de opção inválida: '{0} {1}'. - /// - public static string InvalidOptionValueError_ptb { - get { - return ResourceManager.GetString("InvalidOptionValueError_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Недопустимое значение параметра: '{0} {1}'. - /// - public static string InvalidOptionValueError_rus { - get { - return ResourceManager.GetString("InvalidOptionValueError_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Geçersiz seçenek değeri: '{0} {1}'. - /// - public static string InvalidOptionValueError_trk { - get { - return ResourceManager.GetString("InvalidOptionValueError_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The specified source '{0}' is invalid. Please provide a valid source.. - /// - public static string InvalidSource { - get { - return ResourceManager.GetString("InvalidSource", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定的源“{0}”无效。请提供有效源。. - /// - public static string InvalidSource_chs { - get { - return ResourceManager.GetString("InvalidSource_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定的來源 '{0}' 無效。請提供有效的來源。. - /// - public static string InvalidSource_cht { - get { - return ResourceManager.GetString("InvalidSource_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zadaný zdroj {0} je neplatný. Zadejte platný zdroj.. - /// - public static string InvalidSource_csy { - get { - return ResourceManager.GetString("InvalidSource_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die angegebene Quelle "{0}" ist ungültig. Bitte stellen Sie eine gültige Quelle zur Verfügung.. - /// - public static string InvalidSource_deu { - get { - return ResourceManager.GetString("InvalidSource_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to El origen especificado '{0}' no es válido. Proporcione un origen válido.. - /// - public static string InvalidSource_esp { - get { - return ResourceManager.GetString("InvalidSource_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La source spécifiée '{0}' n'est pas valide. Veuillez fournir une source valide.. - /// - public static string InvalidSource_fra { - get { - return ResourceManager.GetString("InvalidSource_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La fonte specificata '{0}' non è valida. Fornire una fonte valida.. - /// - public static string InvalidSource_ita { - get { - return ResourceManager.GetString("InvalidSource_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 指定されたソース '{0}' は無効です。有効なソースを指定してください。. - /// - public static string InvalidSource_jpn { - get { - return ResourceManager.GetString("InvalidSource_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 지정된 소스 '{0}'이(가) 잘못되었습니다. 올바른 소스를 제공하십시오.. - /// - public static string InvalidSource_kor { - get { - return ResourceManager.GetString("InvalidSource_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określone źródło „{0}” jest nieprawidłowe. Podaj prawidłowe źródło.. - /// - public static string InvalidSource_plk { - get { - return ResourceManager.GetString("InvalidSource_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A origem especificada '{0}' é inválida. Forneça uma origem válida.. - /// - public static string InvalidSource_ptb { - get { - return ResourceManager.GetString("InvalidSource_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Указанный источник "{0}" недопустим. Укажите допустимый источник.. - /// - public static string InvalidSource_rus { - get { - return ResourceManager.GetString("InvalidSource_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Belirtilen '{0}' kaynağı geçersiz. Lütfen geçerli bir kaynak belirtin.. - /// - public static string InvalidSource_trk { - get { - return ResourceManager.GetString("InvalidSource_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to License url: {0}. - /// - public static string ListCommand_LicenseUrl { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 许可证 URL: {0}. - /// - public static string ListCommand_LicenseUrl_chs { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 授權 URL: {0}. - /// - public static string ListCommand_LicenseUrl_cht { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Adresa URL licence: {0}. - /// - public static string ListCommand_LicenseUrl_csy { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Lizenz-URL: {0}. - /// - public static string ListCommand_LicenseUrl_deu { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to URL de la licencia: {0}. - /// - public static string ListCommand_LicenseUrl_esp { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to URL de la licence : {0}. - /// - public static string ListCommand_LicenseUrl_fra { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Licenze url: {0}. - /// - public static string ListCommand_LicenseUrl_ita { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ライセンス URL: {0}. - /// - public static string ListCommand_LicenseUrl_jpn { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 라이선스 URL: {0}. - /// - public static string ListCommand_LicenseUrl_kor { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Adres URL licencji: {0}. - /// - public static string ListCommand_LicenseUrl_plk { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Url de licença: {0}. - /// - public static string ListCommand_LicenseUrl_ptb { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to URL-адрес лицензии: {0}. - /// - public static string ListCommand_LicenseUrl_rus { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Lisans url'si: {0}. - /// - public static string ListCommand_LicenseUrl_trk { - get { - return ResourceManager.GetString("ListCommand_LicenseUrl_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to This version of nuget.exe does not support listing packages from package source '{0}'.. - /// - public static string ListCommand_ListNotSupported { - get { - return ResourceManager.GetString("ListCommand_ListNotSupported", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No packages found.. - /// - public static string ListCommandNoPackages { - get { - return ResourceManager.GetString("ListCommandNoPackages", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到程序包。. - /// - public static string ListCommandNoPackages_chs { - get { - return ResourceManager.GetString("ListCommandNoPackages_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到封裝。. - /// - public static string ListCommandNoPackages_cht { - get { - return ResourceManager.GetString("ListCommandNoPackages_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nebyly nalezeny žádné balíčky.. - /// - public static string ListCommandNoPackages_csy { - get { - return ResourceManager.GetString("ListCommandNoPackages_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Es wurden keine Pakete gefunden.. - /// - public static string ListCommandNoPackages_deu { - get { - return ResourceManager.GetString("ListCommandNoPackages_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se han encontrado paquetes.. - /// - public static string ListCommandNoPackages_esp { - get { - return ResourceManager.GetString("ListCommandNoPackages_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aucun package trouvé.. - /// - public static string ListCommandNoPackages_fra { - get { - return ResourceManager.GetString("ListCommandNoPackages_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nessun pacchetto trovato. - /// - public static string ListCommandNoPackages_ita { - get { - return ResourceManager.GetString("ListCommandNoPackages_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージが見つかりませんでした。. - /// - public static string ListCommandNoPackages_jpn { - get { - return ResourceManager.GetString("ListCommandNoPackages_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지를 찾을 수 없습니다.. - /// - public static string ListCommandNoPackages_kor { - get { - return ResourceManager.GetString("ListCommandNoPackages_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie znaleziono żadnych pakietów.. - /// - public static string ListCommandNoPackages_plk { - get { - return ResourceManager.GetString("ListCommandNoPackages_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nenhum pacote encontrado.. - /// - public static string ListCommandNoPackages_ptb { - get { - return ResourceManager.GetString("ListCommandNoPackages_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Пакеты не найдены.. - /// - public static string ListCommandNoPackages_rus { - get { - return ResourceManager.GetString("ListCommandNoPackages_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hiçbir paket bulunamadı.. - /// - public static string ListCommandNoPackages_trk { - get { - return ResourceManager.GetString("ListCommandNoPackages_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to the NuGet gallery. - /// - public static string LiveFeed { - get { - return ResourceManager.GetString("LiveFeed", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 库. - /// - public static string LiveFeed_chs { - get { - return ResourceManager.GetString("LiveFeed_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 陳列庫. - /// - public static string LiveFeed_cht { - get { - return ResourceManager.GetString("LiveFeed_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to galerie NuGet. - /// - public static string LiveFeed_csy { - get { - return ResourceManager.GetString("LiveFeed_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet-Katalog. - /// - public static string LiveFeed_deu { - get { - return ResourceManager.GetString("LiveFeed_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to la galería NuGet. - /// - public static string LiveFeed_esp { - get { - return ResourceManager.GetString("LiveFeed_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to galerie NuGet. - /// - public static string LiveFeed_fra { - get { - return ResourceManager.GetString("LiveFeed_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La galleria NuGet. - /// - public static string LiveFeed_ita { - get { - return ResourceManager.GetString("LiveFeed_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet ギャラリー. - /// - public static string LiveFeed_jpn { - get { - return ResourceManager.GetString("LiveFeed_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 갤러리. - /// - public static string LiveFeed_kor { - get { - return ResourceManager.GetString("LiveFeed_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to galeria NuGet. - /// - public static string LiveFeed_plk { - get { - return ResourceManager.GetString("LiveFeed_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to a galeria de NuGet. - /// - public static string LiveFeed_ptb { - get { - return ResourceManager.GetString("LiveFeed_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to коллекция NuGet. - /// - public static string LiveFeed_rus { - get { - return ResourceManager.GetString("LiveFeed_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet galerisi. - /// - public static string LiveFeed_trk { - get { - return ResourceManager.GetString("LiveFeed_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Local resources cleared.. - /// - public static string LocalsCommand_ClearedSuccessful { - get { - return ResourceManager.GetString("LocalsCommand_ClearedSuccessful", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Clearing local resources failed: one or more errors occured.. - /// - public static string LocalsCommand_ClearFailed { - get { - return ResourceManager.GetString("LocalsCommand_ClearFailed", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Clearing NuGet cache: {0}. - /// - public static string LocalsCommand_ClearingNuGetCache { - get { - return ResourceManager.GetString("LocalsCommand_ClearingNuGetCache", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Clearing NuGet global packages cache: {0}. - /// - public static string LocalsCommand_ClearingNuGetGlobalPackagesCache { - get { - return ResourceManager.GetString("LocalsCommand_ClearingNuGetGlobalPackagesCache", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Clearing NuGet HTTP cache: {0}. - /// - public static string LocalsCommand_ClearingNuGetHttpCache { - get { - return ResourceManager.GetString("LocalsCommand_ClearingNuGetHttpCache", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Failed to delete '{0}'.. - /// - public static string LocalsCommand_FailedToDeletePath { - get { - return ResourceManager.GetString("LocalsCommand_FailedToDeletePath", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to An invalid local resource name was provided. Please provide one of the following values: http-cache, packages-cache, global-packages, all.. - /// - public static string LocalsCommand_InvalidLocalResourceName { - get { - return ResourceManager.GetString("LocalsCommand_InvalidLocalResourceName", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The location of local resource '{0}' is undefined.. - /// - public static string LocalsCommand_LocalResourcePathNotSet { - get { - return ResourceManager.GetString("LocalsCommand_LocalResourcePathNotSet", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Local resources partially cleared.. - /// - public static string LocalsCommand_LocalsPartiallyCleared { - get { - return ResourceManager.GetString("LocalsCommand_LocalsPartiallyCleared", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Looking for installed packages in '{0}'.. - /// - public static string LookingForInstalledPackages { - get { - return ResourceManager.GetString("LookingForInstalledPackages", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在“{0}”中查找已安装的程序包。. - /// - public static string LookingForInstalledPackages_chs { - get { - return ResourceManager.GetString("LookingForInstalledPackages_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 在 '{0}' 中尋找已安裝的封裝。. - /// - public static string LookingForInstalledPackages_cht { - get { - return ResourceManager.GetString("LookingForInstalledPackages_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá vyhledávání nainstalovaných balíčků v {0}.. - /// - public static string LookingForInstalledPackages_csy { - get { - return ResourceManager.GetString("LookingForInstalledPackages_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to In "{0}" wird nach installierten Paketen gesucht.. - /// - public static string LookingForInstalledPackages_deu { - get { - return ResourceManager.GetString("LookingForInstalledPackages_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Buscando paquetes instalados en '{0}'.. - /// - public static string LookingForInstalledPackages_esp { - get { - return ResourceManager.GetString("LookingForInstalledPackages_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Recherche en cours des packages installés sur '{0}'.. - /// - public static string LookingForInstalledPackages_fra { - get { - return ResourceManager.GetString("LookingForInstalledPackages_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ricerca pacchetti installati in '{0}'.. - /// - public static string LookingForInstalledPackages_ita { - get { - return ResourceManager.GetString("LookingForInstalledPackages_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' にインストールされているパッケージを探しています。. - /// - public static string LookingForInstalledPackages_jpn { - get { - return ResourceManager.GetString("LookingForInstalledPackages_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'에서 설치된 패키지를 찾고 있습니다.. - /// - public static string LookingForInstalledPackages_kor { - get { - return ResourceManager.GetString("LookingForInstalledPackages_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wyszukiwanie zainstalowanych pakietów w „{0}”.. - /// - public static string LookingForInstalledPackages_plk { - get { - return ResourceManager.GetString("LookingForInstalledPackages_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Buscar pacotes instalados em '{0}'.. - /// - public static string LookingForInstalledPackages_ptb { - get { - return ResourceManager.GetString("LookingForInstalledPackages_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Поиск установленных пакетов в "{0}".. - /// - public static string LookingForInstalledPackages_rus { - get { - return ResourceManager.GetString("LookingForInstalledPackages_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' içindeki yüklü paketler aranıyor.. - /// - public static string LookingForInstalledPackages_trk { - get { - return ResourceManager.GetString("LookingForInstalledPackages_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Missing option value for: '{0}'. - /// - public static string MissingOptionValueError { - get { - return ResourceManager.GetString("MissingOptionValueError", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 缺少以下项的选项值:“{0}”. - /// - public static string MissingOptionValueError_chs { - get { - return ResourceManager.GetString("MissingOptionValueError_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 缺少下列項目的選項值: '{0}'. - /// - public static string MissingOptionValueError_cht { - get { - return ResourceManager.GetString("MissingOptionValueError_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Chybějící hodnota možnosti: '{0}'. - /// - public static string MissingOptionValueError_csy { - get { - return ResourceManager.GetString("MissingOptionValueError_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fehlender Optionswert für: "{0}". - /// - public static string MissingOptionValueError_deu { - get { - return ResourceManager.GetString("MissingOptionValueError_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Falta el valor de opción para '{0}'. - /// - public static string MissingOptionValueError_esp { - get { - return ResourceManager.GetString("MissingOptionValueError_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Valeur de l'option manquante pour : '{0}'. - /// - public static string MissingOptionValueError_fra { - get { - return ResourceManager.GetString("MissingOptionValueError_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Valore opzione mancante per: '{0}'. - /// - public static string MissingOptionValueError_ita { - get { - return ResourceManager.GetString("MissingOptionValueError_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 次のオプションの値が見つかりません: '{0}'. - /// - public static string MissingOptionValueError_jpn { - get { - return ResourceManager.GetString("MissingOptionValueError_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'에 대한 옵션 값이 없습니다.. - /// - public static string MissingOptionValueError_kor { - get { - return ResourceManager.GetString("MissingOptionValueError_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Brak wartości opcji dla: „{0}”. - /// - public static string MissingOptionValueError_plk { - get { - return ResourceManager.GetString("MissingOptionValueError_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Valor da opção ausente para: '{0}'. - /// - public static string MissingOptionValueError_ptb { - get { - return ResourceManager.GetString("MissingOptionValueError_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Отсутствует значение параметра для: "{0}". - /// - public static string MissingOptionValueError_rus { - get { - return ResourceManager.GetString("MissingOptionValueError_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bu öğe için seçenek değeri eksik: '{0}'. - /// - public static string MissingOptionValueError_trk { - get { - return ResourceManager.GetString("MissingOptionValueError_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MSBuild auto-detection: using msbuild version '{0}' from '{1}'.. - /// - public static string MSBuildAutoDetection { - get { - return ResourceManager.GetString("MSBuildAutoDetection", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MSBuild auto-detection: using msbuild version '{0}' from '{1}'. Use option -MSBuildVersion to force nuget to use a specific version of MSBuild.. - /// - public static string MSBuildAutoDetection_Verbose { - get { - return ResourceManager.GetString("MSBuildAutoDetection_Verbose", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MsBuild.exe does not exist at '{0}'.. - /// - public static string MsBuildDoesNotExistAtPath { - get { - return ResourceManager.GetString("MsBuildDoesNotExistAtPath", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Using Msbuild from '{0}'.. - /// - public static string MSbuildFromPath { - get { - return ResourceManager.GetString("MSbuildFromPath", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Failed to load msbuild Toolset. - /// - public static string MsbuildLoadToolSetError { - get { - return ResourceManager.GetString("MsbuildLoadToolSetError", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MSBuildPath : {0} doesn't not exist.. - /// - public static string MsbuildPathNotExist { - get { - return ResourceManager.GetString("MsbuildPathNotExist", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Found multiple project files for '{0}'.. - /// - public static string MultipleProjectFilesFound { - get { - return ResourceManager.GetString("MultipleProjectFilesFound", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 发现了“{0}”的多个项目文件。. - /// - public static string MultipleProjectFilesFound_chs { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找到 '{0}' 的多個專案檔案。. - /// - public static string MultipleProjectFilesFound_cht { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bylo nalezeno více souborů projektu pro {0}.. - /// - public static string MultipleProjectFilesFound_csy { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Es wurden mehrere Projektdateien für "{0}" gefunden.. - /// - public static string MultipleProjectFilesFound_deu { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se encontraron varios archivos de proyecto para '{0}'.. - /// - public static string MultipleProjectFilesFound_esp { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Plusieurs fichiers de projet trouvés pour '{0}'.. - /// - public static string MultipleProjectFilesFound_fra { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Trovati più file di progetto per '{0}'.. - /// - public static string MultipleProjectFilesFound_ita { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' に複数のプロジェクト ファイルが見つかりました。. - /// - public static string MultipleProjectFilesFound_jpn { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'에 대한 프로젝트 파일이 여러 개 있습니다.. - /// - public static string MultipleProjectFilesFound_kor { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Znaleziono wiele plików projektów dla elementu „{0}”.. - /// - public static string MultipleProjectFilesFound_plk { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Encontrados diversos arquivos de projeto para '{0}'.. - /// - public static string MultipleProjectFilesFound_ptb { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Обнаружено несколько файлов проектов для "{0}".. - /// - public static string MultipleProjectFilesFound_rus { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} için birden çok proje dosyası bulundu.. - /// - public static string MultipleProjectFilesFound_trk { - get { - return ResourceManager.GetString("MultipleProjectFilesFound_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to update. The project does not contain a packages.config file.. - /// - public static string NoPackagesConfig { - get { - return ResourceManager.GetString("NoPackagesConfig", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No projects found with packages.config.. - /// - public static string NoProjectsFound { - get { - return ResourceManager.GetString("NoProjectsFound", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到包含 packages.config 的项目。. - /// - public static string NoProjectsFound_chs { - get { - return ResourceManager.GetString("NoProjectsFound_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到具有 packages.config 的專案。. - /// - public static string NoProjectsFound_cht { - get { - return ResourceManager.GetString("NoProjectsFound_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nebyly nalezeny žádné projekty se souborem packages.config.. - /// - public static string NoProjectsFound_csy { - get { - return ResourceManager.GetString("NoProjectsFound_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Es wurden keine Projekte mit "packages.config" gefunden.. - /// - public static string NoProjectsFound_deu { - get { - return ResourceManager.GetString("NoProjectsFound_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se han encontrado proyectos con packages.config.. - /// - public static string NoProjectsFound_esp { - get { - return ResourceManager.GetString("NoProjectsFound_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aucun projet contenant le fichier packages.config n'a été trouvé.. - /// - public static string NoProjectsFound_fra { - get { - return ResourceManager.GetString("NoProjectsFound_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nessun progetto trovato per packages.config.. - /// - public static string NoProjectsFound_ita { - get { - return ResourceManager.GetString("NoProjectsFound_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config が指定されたプロジェクトが見つかりませんでした。. - /// - public static string NoProjectsFound_jpn { - get { - return ResourceManager.GetString("NoProjectsFound_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config가 있는 프로젝트를 찾을 수 없습니다.. - /// - public static string NoProjectsFound_kor { - get { - return ResourceManager.GetString("NoProjectsFound_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie odnaleziono żadnych projektów z plikiem packages.config.. - /// - public static string NoProjectsFound_plk { - get { - return ResourceManager.GetString("NoProjectsFound_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nenhum projeto encontrado com packages.config.. - /// - public static string NoProjectsFound_ptb { - get { - return ResourceManager.GetString("NoProjectsFound_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Проекты с файлом packages.config не найдены.. - /// - public static string NoProjectsFound_rus { - get { - return ResourceManager.GetString("NoProjectsFound_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Packages.config içeren hiçbir paket bulunamadı.. - /// - public static string NoProjectsFound_trk { - get { - return ResourceManager.GetString("NoProjectsFound_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' is not a valid nupkg file.. - /// - public static string NupkgPath_InvalidNupkg { - get { - return ResourceManager.GetString("NupkgPath_InvalidNupkg", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Provided Nupkg file '{0}' is not found.. - /// - public static string NupkgPath_NotFound { - get { - return ResourceManager.GetString("NupkgPath_NotFound", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet official package source. - /// - public static string OfficialPackageSourceName { - get { - return ResourceManager.GetString("OfficialPackageSourceName", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 官方程序包源. - /// - public static string OfficialPackageSourceName_chs { - get { - return ResourceManager.GetString("OfficialPackageSourceName_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 官方封裝來源. - /// - public static string OfficialPackageSourceName_cht { - get { - return ResourceManager.GetString("OfficialPackageSourceName_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Oficiální zdroj balíčků NuGet. - /// - public static string OfficialPackageSourceName_csy { - get { - return ResourceManager.GetString("OfficialPackageSourceName_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Offizielle NuGet-Paketquelle. - /// - public static string OfficialPackageSourceName_deu { - get { - return ResourceManager.GetString("OfficialPackageSourceName_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to origen del paquete oficial de NuGet. - /// - public static string OfficialPackageSourceName_esp { - get { - return ResourceManager.GetString("OfficialPackageSourceName_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Source du package officiel NuGet. - /// - public static string OfficialPackageSourceName_fra { - get { - return ResourceManager.GetString("OfficialPackageSourceName_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fonte pacchetto ufficiale NuGet . - /// - public static string OfficialPackageSourceName_ita { - get { - return ResourceManager.GetString("OfficialPackageSourceName_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet の正式なパッケージ ソース. - /// - public static string OfficialPackageSourceName_jpn { - get { - return ResourceManager.GetString("OfficialPackageSourceName_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 공식 패키지 소스. - /// - public static string OfficialPackageSourceName_kor { - get { - return ResourceManager.GetString("OfficialPackageSourceName_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Oficjalne źródło pakietów NuGet. - /// - public static string OfficialPackageSourceName_plk { - get { - return ResourceManager.GetString("OfficialPackageSourceName_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Origem de pacote oficial NuGet. - /// - public static string OfficialPackageSourceName_ptb { - get { - return ResourceManager.GetString("OfficialPackageSourceName_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Официальный источник пакетов NuGet. - /// - public static string OfficialPackageSourceName_rus { - get { - return ResourceManager.GetString("OfficialPackageSourceName_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet resmi paket kaynağı. - /// - public static string OfficialPackageSourceName_trk { - get { - return ResourceManager.GetString("OfficialPackageSourceName_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Option 'Verbose' has been deprecated. Use 'Verbosity' instead.. - /// - public static string Option_VerboseDeprecated { - get { - return ResourceManager.GetString("Option_VerboseDeprecated", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 选项 "Verbose" 已弃用。请改用 "Verbosity"。. - /// - public static string Option_VerboseDeprecated_chs { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Verbose' 選項已過時。請使用 'Verbosity'。. - /// - public static string Option_VerboseDeprecated_cht { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Možnost Podrobný se již nepoužívá. Použijte místo toho možnost Podrobnosti.. - /// - public static string Option_VerboseDeprecated_csy { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Option "Verbose" ist veraltet. Verwenden Sie stattdessen "Verbosity".. - /// - public static string Option_VerboseDeprecated_deu { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La opción 'Verbose' ha dejado de usarse. Use 'Verbosity' en su lugar.. - /// - public static string Option_VerboseDeprecated_esp { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to L'option 'Verbose' a été dépréciée. Préférez plutôt 'Verbosity'.. - /// - public static string Option_VerboseDeprecated_fra { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Opzione 'Verbose' non approvata. Usare 'Verbosity' invece.. - /// - public static string Option_VerboseDeprecated_ita { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to オプション 'Verbose' は使用しないでください。代わりに 'Verbosity' を使用してください。. - /// - public static string Option_VerboseDeprecated_jpn { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 'Verbose' 옵션은 사용되지 않습니다. 대신 'Verbosity'를 사용하십시오.. - /// - public static string Option_VerboseDeprecated_kor { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Opcja „Verbose” jest przestarzała. Zamiast niej użyj opcji „Verbosity”.. - /// - public static string Option_VerboseDeprecated_plk { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A opção "Detalhe" foi substituída. Use "Detalhamento" como alternativa.. - /// - public static string Option_VerboseDeprecated_ptb { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Параметр "Verbose" удален из этой версии. Вместо него используйте "Verbosity".. - /// - public static string Option_VerboseDeprecated_rus { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ayrıntılı' seçeneği kullanım dışı bırakılmış. Bunun yerine 'Ayrıntı Düzeyi' seçimini kullanın.. - /// - public static string Option_VerboseDeprecated_trk { - get { - return ResourceManager.GetString("Option_VerboseDeprecated_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [option] on '{0}' is invalid without a setter.. - /// - public static string OptionInvalidWithoutSetter { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to “{0}”上的 [option] 没有 setter,是无效的。. - /// - public static string OptionInvalidWithoutSetter_chs { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' 上的 [選項] 因為沒有 Setter 因此無效。. - /// - public static string OptionInvalidWithoutSetter_cht { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [možnost] pro {0} je bez metody Setter neplatná.. - /// - public static string OptionInvalidWithoutSetter_csy { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [Option] für "{0}" ist ohne einen Setter ungültig.. - /// - public static string OptionInvalidWithoutSetter_deu { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [option] en '{0}' no es válida si no se ha establecido de ningún modo.. - /// - public static string OptionInvalidWithoutSetter_esp { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [option] sur '{0}' n'est pas valide sans un setter.. - /// - public static string OptionInvalidWithoutSetter_fra { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [option] su '{0}' non valido senza setter.. - /// - public static string OptionInvalidWithoutSetter_ita { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to セッターがない '{0}' の [option] は無効です。. - /// - public static string OptionInvalidWithoutSetter_jpn { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to setter가 없으므로 '{0}'의 [옵션]이 잘못되었습니다.. - /// - public static string OptionInvalidWithoutSetter_kor { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Opcja [opcja] dla „{0}” jest nieprawidłowa bez metody ustawiającej.. - /// - public static string OptionInvalidWithoutSetter_plk { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [option] em '{0}' não é válido sem um setter.. - /// - public static string OptionInvalidWithoutSetter_ptb { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to [параметр] в "{0}" является недопустимым без метода задания значения.. - /// - public static string OptionInvalidWithoutSetter_rus { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' üzerindeki [option] ayarlayıcı olmadan geçersizdir.. - /// - public static string OptionInvalidWithoutSetter_trk { - get { - return ResourceManager.GetString("OptionInvalidWithoutSetter_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} Version: {1}. - /// - public static string OutputNuGetVersion { - get { - return ResourceManager.GetString("OutputNuGetVersion", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Added file '{0}'.. - /// - public static string PackageCommandAddedFile { - get { - return ResourceManager.GetString("PackageCommandAddedFile", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已添加文件“{0}”。. - /// - public static string PackageCommandAddedFile_chs { - get { - return ResourceManager.GetString("PackageCommandAddedFile_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已新增檔案 '{0}'。. - /// - public static string PackageCommandAddedFile_cht { - get { - return ResourceManager.GetString("PackageCommandAddedFile_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Byl přidán soubor {0}.. - /// - public static string PackageCommandAddedFile_csy { - get { - return ResourceManager.GetString("PackageCommandAddedFile_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Datei "{0}" wurde hinzugefügt.. - /// - public static string PackageCommandAddedFile_deu { - get { - return ResourceManager.GetString("PackageCommandAddedFile_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se ha agregado el archivo '{0}'.. - /// - public static string PackageCommandAddedFile_esp { - get { - return ResourceManager.GetString("PackageCommandAddedFile_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fichier ajouté '{0}'.. - /// - public static string PackageCommandAddedFile_fra { - get { - return ResourceManager.GetString("PackageCommandAddedFile_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aggiungere file '{0}'.. - /// - public static string PackageCommandAddedFile_ita { - get { - return ResourceManager.GetString("PackageCommandAddedFile_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ファイル '{0}' が追加されました。. - /// - public static string PackageCommandAddedFile_jpn { - get { - return ResourceManager.GetString("PackageCommandAddedFile_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' 파일을 추가했습니다.. - /// - public static string PackageCommandAddedFile_kor { - get { - return ResourceManager.GetString("PackageCommandAddedFile_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Dodano plik „{0}”.. - /// - public static string PackageCommandAddedFile_plk { - get { - return ResourceManager.GetString("PackageCommandAddedFile_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Arquivo adicionado '{0}'.. - /// - public static string PackageCommandAddedFile_ptb { - get { - return ResourceManager.GetString("PackageCommandAddedFile_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Добавлен файл "{0}".. - /// - public static string PackageCommandAddedFile_rus { - get { - return ResourceManager.GetString("PackageCommandAddedFile_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' dosyası eklendi.. - /// - public static string PackageCommandAddedFile_trk { - get { - return ResourceManager.GetString("PackageCommandAddedFile_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Attempting to build package from '{0}'.. - /// - public static string PackageCommandAttemptingToBuildPackage { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在尝试从“{0}”生成程序包。. - /// - public static string PackageCommandAttemptingToBuildPackage_chs { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在嘗試從 '{0}' 建置封裝。. - /// - public static string PackageCommandAttemptingToBuildPackage_cht { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá pokus o sestavení balíčku z {0}.. - /// - public static string PackageCommandAttemptingToBuildPackage_csy { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Es wird versucht, das Paket aus "{0}" zu erstellen.. - /// - public static string PackageCommandAttemptingToBuildPackage_deu { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Intentando compilar el paquete desde '{0}'. . - /// - public static string PackageCommandAttemptingToBuildPackage_esp { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tentative de création du package depuis '{0}'.. - /// - public static string PackageCommandAttemptingToBuildPackage_fra { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Componendo pacchetto da'{0}'.. - /// - public static string PackageCommandAttemptingToBuildPackage_ita { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' からパッケージをビルドしています。. - /// - public static string PackageCommandAttemptingToBuildPackage_jpn { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'에서 패키지를 빌드하고 있습니다.. - /// - public static string PackageCommandAttemptingToBuildPackage_kor { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Próba skompilowania pakietu z „{0}”.. - /// - public static string PackageCommandAttemptingToBuildPackage_plk { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tentando construir o pacote de '{0}'.. - /// - public static string PackageCommandAttemptingToBuildPackage_ptb { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Попытка выполнить сборку пакета из "{0}".. - /// - public static string PackageCommandAttemptingToBuildPackage_rus { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket '{0}' konumundan oluşturulmaya çalışılıyor. . - /// - public static string PackageCommandAttemptingToBuildPackage_trk { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Attempting to build symbols package for '{0}'.. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在尝试为“{0}”生成符号程序包。. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_chs { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在嘗試為 '{0}' 建置符號封裝。. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_cht { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá pokus o sestavení balíčku symbolů pro {0}.. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_csy { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Es wird versucht, das Symbolpaket für "{0}" zu erstellen.. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_deu { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Intentando compilar el paquete de símbolos para '{0}'. . - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_esp { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tentative de création du package de symboles pour '{0}'.. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_fra { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Componendo pacchetti simboli '{0}'.. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_ita { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' のシンボル パッケージをビルドしています。. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_jpn { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'에 대한 기호 패키지를 빌드하고 있습니다.. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_kor { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Próba skompilowania pakietu symboli dla „{0}”.. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_plk { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tentando construir o pacote de símbolos para '{0}'.. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_ptb { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Попытка выполнить сборку пакета символов для "{0}".. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_rus { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' için simge paketi oluşturulmaya çalışılıyor.. - /// - public static string PackageCommandAttemptingToBuildSymbolsPackage_trk { - get { - return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to File from dependency is changed. Adding file '{0}'.. - /// - public static string PackageCommandFileFromDependencyIsChanged { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 依赖关系中的文件已更改。正在添加文件“{0}”。. - /// - public static string PackageCommandFileFromDependencyIsChanged_chs { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 相依性中的檔案已變更。正在新增檔案 '{0}'。. - /// - public static string PackageCommandFileFromDependencyIsChanged_cht { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Soubor ze závislosti se změnil. Probíhá přidávání souboru {0}.. - /// - public static string PackageCommandFileFromDependencyIsChanged_csy { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Datei aus der Abhängigkeit wurde geändert. Die Datei "{0}" wird hinzugefügt.. - /// - public static string PackageCommandFileFromDependencyIsChanged_deu { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se ha cambiado el archivo de la dependencia. Agregando archivo '{0}'.. - /// - public static string PackageCommandFileFromDependencyIsChanged_esp { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Le @@@fichier de dépendance est modifié. Ajout du fichier '{0}'.. - /// - public static string PackageCommandFileFromDependencyIsChanged_fra { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to File da dipendenza modificato. Aggiungere file '{0}'.. - /// - public static string PackageCommandFileFromDependencyIsChanged_ita { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 依存関係のファイルが変更されます。ファイル '{0}' を追加しています。. - /// - public static string PackageCommandFileFromDependencyIsChanged_jpn { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 종속성에서 파일이 변경되었습니다. '{0}' 파일을 추가하고 있습니다.. - /// - public static string PackageCommandFileFromDependencyIsChanged_kor { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Plik z zależności został zmieniony. Dodawanie pliku „{0}”.. - /// - public static string PackageCommandFileFromDependencyIsChanged_plk { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O arquivo de dependência foi alterado. Adicionando o arquivo '{0}'.. - /// - public static string PackageCommandFileFromDependencyIsChanged_ptb { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Файл из зависимости был изменен. Добавление файла "{0}".. - /// - public static string PackageCommandFileFromDependencyIsChanged_rus { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bağımlılık dosyası değiştirildi. '{0}' dosyası ekleniyor.. - /// - public static string PackageCommandFileFromDependencyIsChanged_trk { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to File from dependency is not changed. File '{0}' is not added.. - /// - public static string PackageCommandFileFromDependencyIsNotChanged { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 依赖关系中的文件未更改。未添加文件“{0}”。. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_chs { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 相依性中的檔案並未變更。並未新增檔案 '{0}'。. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_cht { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Soubor ze závislosti se nezměnil. Soubor {0} není přidán.. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_csy { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Datei aus der Abhängigkeit wurde nicht geändert. Die Datei "{0}" wird nicht hinzugefügt.. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_deu { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se ha cambiado el archivo de la dependencia. El archivo '{0}' no se ha agregado.. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_esp { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Le @@@fichier de dépendance n'a pas été modifié. Le fichier '{0}' n'a pas été ajouté.. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_fra { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to File da dipendenza non modificato. File '{0}' non aggiunto.. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_ita { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 依存関係のファイルは変更されません。ファイル '{0}' は追加されません。. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_jpn { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 종속성에서 파일이 변경되지 않았습니다. '{0}' 파일이 추가되지 않습니다.. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_kor { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Plik z zależności nie został zmieniony. Nie dodano pliku „{0}”.. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_plk { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O arquivo da dependência não foi alterado. O arquivo '{0}' não foi adicionado.. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_ptb { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Файл из зависимости не был изменен. Файл "{0}" не добавлен.. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_rus { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bağımlılık dosyası değiştirilmedi. '{0}' dosyası eklenmedi.. - /// - public static string PackageCommandFileFromDependencyIsNotChanged_trk { - get { - return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The value of MinClientVersion argument is not a valid version.. - /// - public static string PackageCommandInvalidMinClientVersion { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MinClientVersion 参数的值不是有效版本。. - /// - public static string PackageCommandInvalidMinClientVersion_chs { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MinClientVersion 引數的值不是有效版本。. - /// - public static string PackageCommandInvalidMinClientVersion_cht { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hodnotou argumentu MinClientVersion není platná verze.. - /// - public static string PackageCommandInvalidMinClientVersion_csy { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Wert des Arguments "MinClientVersion" weist keine gültige Version auf.. - /// - public static string PackageCommandInvalidMinClientVersion_deu { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to El valor del argumento de MinClientVersion no es una versión válida.. - /// - public static string PackageCommandInvalidMinClientVersion_esp { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La version de la valeur de l'argument MinClientVersion n'est pas valide.. - /// - public static string PackageCommandInvalidMinClientVersion_fra { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Il valore dell'argomento MinClientVersion non ha una versione valida.. - /// - public static string PackageCommandInvalidMinClientVersion_ita { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MinClientVersion 引数の値は有効なバージョンではありません。. - /// - public static string PackageCommandInvalidMinClientVersion_jpn { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MinClientVersion 인수 값은 올바른 버전이 아닙니다.. - /// - public static string PackageCommandInvalidMinClientVersion_kor { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wartość argumentu MinClientVersion nie jest prawidłową wersją.. - /// - public static string PackageCommandInvalidMinClientVersion_plk { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O valor do argumento MinClientVersion não é uma versão válida.. - /// - public static string PackageCommandInvalidMinClientVersion_ptb { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Недопустимая версия значения аргумента MinClientVersion.. - /// - public static string PackageCommandInvalidMinClientVersion_rus { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MinClientVersion bağımsız değişken değeri geçerli bir sürüm değildir.. - /// - public static string PackageCommandInvalidMinClientVersion_trk { - get { - return ResourceManager.GetString("PackageCommandInvalidMinClientVersion_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Description: {0}. - /// - public static string PackageCommandIssueDescription { - get { - return ResourceManager.GetString("PackageCommandIssueDescription", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 说明: {0}. - /// - public static string PackageCommandIssueDescription_chs { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 描述: {0}. - /// - public static string PackageCommandIssueDescription_cht { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Popis: {0}. - /// - public static string PackageCommandIssueDescription_csy { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Beschreibung: {0}. - /// - public static string PackageCommandIssueDescription_deu { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Descripción: {0}. - /// - public static string PackageCommandIssueDescription_esp { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Description : {0}. - /// - public static string PackageCommandIssueDescription_fra { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Descrizione: {0}. - /// - public static string PackageCommandIssueDescription_ita { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 説明: {0}. - /// - public static string PackageCommandIssueDescription_jpn { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 설명: {0}. - /// - public static string PackageCommandIssueDescription_kor { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Opis: {0}. - /// - public static string PackageCommandIssueDescription_plk { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Descrição: {0}. - /// - public static string PackageCommandIssueDescription_ptb { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Описание: {0}. - /// - public static string PackageCommandIssueDescription_rus { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Açıklama: {0}. - /// - public static string PackageCommandIssueDescription_trk { - get { - return ResourceManager.GetString("PackageCommandIssueDescription_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Solution: {0}. - /// - public static string PackageCommandIssueSolution { - get { - return ResourceManager.GetString("PackageCommandIssueSolution", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 解决方案: {0}. - /// - public static string PackageCommandIssueSolution_chs { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 方案: {0}. - /// - public static string PackageCommandIssueSolution_cht { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Řešení: {0}. - /// - public static string PackageCommandIssueSolution_csy { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Projekt: {0}. - /// - public static string PackageCommandIssueSolution_deu { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Solución: {0}. - /// - public static string PackageCommandIssueSolution_esp { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Solution : {0}. - /// - public static string PackageCommandIssueSolution_fra { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Soluzione: {0}. - /// - public static string PackageCommandIssueSolution_ita { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ソリューション: {0}. - /// - public static string PackageCommandIssueSolution_jpn { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 솔루션: {0}. - /// - public static string PackageCommandIssueSolution_kor { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Rozwiązanie: {0}. - /// - public static string PackageCommandIssueSolution_plk { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Solução: {0}. - /// - public static string PackageCommandIssueSolution_ptb { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Решение: {0}. - /// - public static string PackageCommandIssueSolution_rus { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Çözüm: {0}. - /// - public static string PackageCommandIssueSolution_trk { - get { - return ResourceManager.GetString("PackageCommandIssueSolution_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Issue: {0}. - /// - public static string PackageCommandIssueTitle { - get { - return ResourceManager.GetString("PackageCommandIssueTitle", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 问题: {0}. - /// - public static string PackageCommandIssueTitle_chs { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 問題: {0}. - /// - public static string PackageCommandIssueTitle_cht { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Problém: {0}. - /// - public static string PackageCommandIssueTitle_csy { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Problem: {0}. - /// - public static string PackageCommandIssueTitle_deu { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Problema: {0}. - /// - public static string PackageCommandIssueTitle_esp { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Problème : {0}. - /// - public static string PackageCommandIssueTitle_fra { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Versione: {0}. - /// - public static string PackageCommandIssueTitle_ita { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 問題: {0}. - /// - public static string PackageCommandIssueTitle_jpn { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 문제: {0}. - /// - public static string PackageCommandIssueTitle_kor { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Problem: {0}. - /// - public static string PackageCommandIssueTitle_plk { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Edição: {0}. - /// - public static string PackageCommandIssueTitle_ptb { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Проблема: {0}. - /// - public static string PackageCommandIssueTitle_rus { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sorun: {0}. - /// - public static string PackageCommandIssueTitle_trk { - get { - return ResourceManager.GetString("PackageCommandIssueTitle_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Failed to build package. Ensure '{0}' includes assembly files. For help on building symbols package, visit {1}.. - /// - public static string PackageCommandNoFilesForLibPackage { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 无法生成程序包。请确保“{0}”包括程序集文件。有关生成符号程序包的帮助,请访问 {1}。. - /// - public static string PackageCommandNoFilesForLibPackage_chs { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無法建置封裝。確定 '{0}' 包含組件檔案。如需建置符號封裝的說明,請造訪 {1}。. - /// - public static string PackageCommandNoFilesForLibPackage_cht { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sestavení balíčku se nezdařilo. Ověřte, zda {0} zahrnuje soubory sestavení. Nápovědu týkající se sestavení balíčku symbolů naleznete na webu {1}.. - /// - public static string PackageCommandNoFilesForLibPackage_csy { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fehler beim Erstellen des Pakets. Stellen Sie sicher, dass "{0}" Assemblydateien enthält. Hilfe zum Erstellen eines Symbolpakets finden Sie unter {1}.. - /// - public static string PackageCommandNoFilesForLibPackage_deu { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Error al compilar el paquete. Asegúrese de que '{0}' incluye los archivos de ensamblado. Para obtener ayuda sobre la compilación de paquetes de símbolos, visite {1}.. - /// - public static string PackageCommandNoFilesForLibPackage_esp { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Échec de la création du package. Assurez-vous que '{0}' inclut les fichiers d'assembly. Pour obtenir l'aide relative à la création d'un package de symboles, visitez {1}.. - /// - public static string PackageCommandNoFilesForLibPackage_fra { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile impostare package. Assicurarsi che '{0}' include i file di assemblaggio. Per aiuto sull'impostazione dei simboli, visitare {1}.. - /// - public static string PackageCommandNoFilesForLibPackage_ita { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージをビルドできませんでした。'{0}' にアセンブリ ファイルが含まれることを確認してください。シンボル パッケージのビルド方法については、{1} を参照してください。. - /// - public static string PackageCommandNoFilesForLibPackage_jpn { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지를 빌드하지 못했습니다. '{0}'에 어셈블리 파일이 있는지 확인하십시오. 기호 패키지를 빌드하는 방법에 대한 도움말은 {1}을(를) 참조하십시오.. - /// - public static string PackageCommandNoFilesForLibPackage_kor { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można skompilować pakietu. Upewnij się, że „{0}” zawiera pliki zestawów. Aby uzyskać pomoc na temat kompilowania pakietów symboli, odwiedź {1}.. - /// - public static string PackageCommandNoFilesForLibPackage_plk { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Falha ao construir pacote. Verifique se '{0}' inclui arquivos de assembly. Para ajudar a construir pacotes de símbolos, visite {1}.. - /// - public static string PackageCommandNoFilesForLibPackage_ptb { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось выполнить сборку пакета. Убедитесь, что "{0}" содержит файлы сборки. Справку о выполнении сборки пакета символов см. по адресу: {1}.. - /// - public static string PackageCommandNoFilesForLibPackage_rus { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket oluşturulamadı. '{0}' öğesinin derleme dosyalarını içerdiğinden emin olun. Simge paketi oluşturma konusunda yardım almak için, {1} sayfasını ziyaret edin.. - /// - public static string PackageCommandNoFilesForLibPackage_trk { - get { - return ResourceManager.GetString("PackageCommandNoFilesForLibPackage_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Failed to build package. Ensure '{0}' includes source and symbol files. For help on building symbols package, visit {1}.. - /// - public static string PackageCommandNoFilesForSymbolsPackage { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 无法生成程序包。请确保“{0}”包括源文件和符号文件。有关生成符号程序包的帮助,请访问 {1}。. - /// - public static string PackageCommandNoFilesForSymbolsPackage_chs { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無法建置封裝。確定 '{0}' 包含來源和符號檔案。如需建置符號封裝的說明,請造訪 {1}。. - /// - public static string PackageCommandNoFilesForSymbolsPackage_cht { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sestavení balíčku se nezdařilo. Ověřte, zda {0} zahrnuje zdroj a soubory symbolů. Nápovědu týkající se sestavení balíčku symbolů naleznete na webu {1}.. - /// - public static string PackageCommandNoFilesForSymbolsPackage_csy { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Fehler beim Erstellen des Pakets. Stellen Sie sicher, dass "{0}" Quell- und Symboldateien enthält. Hilfe zum Erstellen eines Symbolpakets finden Sie unter {1}.. - /// - public static string PackageCommandNoFilesForSymbolsPackage_deu { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Error al compilar el paquete. Asegúrese de que '{0}' incluye los archivos de símbolos y de origen. Para obtener ayuda sobre la compilación de paquetes de símbolos, visite {1}.. - /// - public static string PackageCommandNoFilesForSymbolsPackage_esp { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Échec de la création du package. Assurez-vous que '{0}' inclut les fichiers source et de symboles. Pour obtenir l'aide relative à la création d'un package de symboles, visitez {1}.. - /// - public static string PackageCommandNoFilesForSymbolsPackage_fra { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile impostare package. Assicurarsi che '{0}' include i file di assemblaggio. Per aiuto sull'impostazione dei simboli, visitare {1}.. - /// - public static string PackageCommandNoFilesForSymbolsPackage_ita { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージをビルドできませんでした。'{0}' にソースとシンボル ファイルが含まれることを確認してください。シンボル パッケージのビルド方法については、{1} を参照してください。. - /// - public static string PackageCommandNoFilesForSymbolsPackage_jpn { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지를 빌드하지 못했습니다. '{0}'에 소스 및 기호 파일이 있는지 확인하십시오. 기호 패키지를 빌드하는 방법에 대한 도움말은 {1}을(를) 참조하십시오.. - /// - public static string PackageCommandNoFilesForSymbolsPackage_kor { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można skompilować pakietu. Upewnij się, że „{0}” zawiera pliki źródłowe i pliki symboli. Aby uzyskać pomoc na temat kompilowania pakietów symboli, odwiedź {1}.. - /// - public static string PackageCommandNoFilesForSymbolsPackage_plk { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Falha ao construir pacote. Verifique se '{0}' inclui arquivos de origem e símbolo. Para ajudar a construir pacotes símbolos, visite {1}.. - /// - public static string PackageCommandNoFilesForSymbolsPackage_ptb { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось выполнить сборку пакета. Убедитесь, что "{0}" содержит файлы источников и файлы символов. Справку о выполнении сборки пакета символов см. по адресу: {1}.. - /// - public static string PackageCommandNoFilesForSymbolsPackage_rus { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket oluşturulamadı. '{0}' öğesinin kaynak ve simge dosyalarını içerdiğinden emin olun. Simge paketi oluşturma konusunda yardım almak için, {1} sayfasını ziyaret edin.. - /// - public static string PackageCommandNoFilesForSymbolsPackage_trk { - get { - return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} issue(s) found with package '{1}'.. - /// - public static string PackageCommandPackageIssueSummary { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 发现程序包“{1}”存在 {0} 个问题。. - /// - public static string PackageCommandPackageIssueSummary_chs { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找到{0} 個具有封裝 '{1}' 的問題。. - /// - public static string PackageCommandPackageIssueSummary_cht { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Počet problémů zjištěných v balíčku {1}: {0}.. - /// - public static string PackageCommandPackageIssueSummary_csy { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Für das Paket "{1}" gefundene Probleme: {0}.. - /// - public static string PackageCommandPackageIssueSummary_deu { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se han encontrado {0} problemas en el paquete '{1}'.. - /// - public static string PackageCommandPackageIssueSummary_esp { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} problème(s) trouvé(s) concernant le package '{1}'.. - /// - public static string PackageCommandPackageIssueSummary_fra { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} problema (i) trovati con pacchetto'{1}'.. - /// - public static string PackageCommandPackageIssueSummary_ita { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージ '{1}' に {0} 個の問題が見つかりました。. - /// - public static string PackageCommandPackageIssueSummary_jpn { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{1}' 패키지에 문제가 {0}개 있습니다.. - /// - public static string PackageCommandPackageIssueSummary_kor { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Liczba znalezionych problemów z pakietem „{1}”: {0}.. - /// - public static string PackageCommandPackageIssueSummary_plk { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} problemas encontrados com o pacote '{1}'.. - /// - public static string PackageCommandPackageIssueSummary_ptb { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Обнаружено неполадок пакета "{1}": {0}.. - /// - public static string PackageCommandPackageIssueSummary_rus { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {1}' sorunuyla ilgili {0} sorun bulundu.. - /// - public static string PackageCommandPackageIssueSummary_trk { - get { - return ResourceManager.GetString("PackageCommandPackageIssueSummary_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Please specify a nuspec or project file to use.. - /// - public static string PackageCommandSpecifyInputFileError { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 请指定要使用的 nuspec 文件或项目文件。. - /// - public static string PackageCommandSpecifyInputFileError_chs { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 請指定 nuspec 或要使用的專案檔。. - /// - public static string PackageCommandSpecifyInputFileError_cht { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zadejte soubor nuspec nebo soubor projektu, který má být použit.. - /// - public static string PackageCommandSpecifyInputFileError_csy { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bitte geben Sie eine zu verwendende nuspec- oder Projektdatei an.. - /// - public static string PackageCommandSpecifyInputFileError_deu { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifique el archivo de proyecto o nuspec que se va a usar.. - /// - public static string PackageCommandSpecifyInputFileError_esp { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Veuillez spécifier le fichier .nuspec ou projet à utiliser.. - /// - public static string PackageCommandSpecifyInputFileError_fra { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Specificare il file progetto o nuspec da usare.. - /// - public static string PackageCommandSpecifyInputFileError_ita { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 使用する nuspec または project ファイルを指定してください。. - /// - public static string PackageCommandSpecifyInputFileError_jpn { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 사용할 nuspec 또는 프로젝트 파일을 지정하십시오.. - /// - public static string PackageCommandSpecifyInputFileError_kor { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Określ plik nuspec lub plik projektu, który ma zostać użyty.. - /// - public static string PackageCommandSpecifyInputFileError_plk { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Especifique um arquivo nuspec ou de projeto para usar.. - /// - public static string PackageCommandSpecifyInputFileError_ptb { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Укажите NUSPEC-файл или файл проекта для использования.. - /// - public static string PackageCommandSpecifyInputFileError_rus { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Lütfen kullanılan nuspec veya proje dosyasını belirtin.. - /// - public static string PackageCommandSpecifyInputFileError_trk { - get { - return ResourceManager.GetString("PackageCommandSpecifyInputFileError_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Successfully created package '{0}'.. - /// - public static string PackageCommandSuccess { - get { - return ResourceManager.GetString("PackageCommandSuccess", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已成功创建程序包“{0}”。. - /// - public static string PackageCommandSuccess_chs { - get { - return ResourceManager.GetString("PackageCommandSuccess_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已成功建立封裝 '{0}'。. - /// - public static string PackageCommandSuccess_cht { - get { - return ResourceManager.GetString("PackageCommandSuccess_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Balíček {0} byl úspěšně vytvořen.. - /// - public static string PackageCommandSuccess_csy { - get { - return ResourceManager.GetString("PackageCommandSuccess_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Das Paket "{0}" wurde erfolgreich erstellt.. - /// - public static string PackageCommandSuccess_deu { - get { - return ResourceManager.GetString("PackageCommandSuccess_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paquete '{0}' creado correctamente.. - /// - public static string PackageCommandSuccess_esp { - get { - return ResourceManager.GetString("PackageCommandSuccess_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Package '{0}' correctement créé.. - /// - public static string PackageCommandSuccess_fra { - get { - return ResourceManager.GetString("PackageCommandSuccess_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Creato pacchetto '{0}' correttamente.. - /// - public static string PackageCommandSuccess_ita { - get { - return ResourceManager.GetString("PackageCommandSuccess_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to パッケージ '{0}' が正常に作成されました。. - /// - public static string PackageCommandSuccess_jpn { - get { - return ResourceManager.GetString("PackageCommandSuccess_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' 패키지를 만들었습니다.. - /// - public static string PackageCommandSuccess_kor { - get { - return ResourceManager.GetString("PackageCommandSuccess_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pomyślnie utworzono pakiet „{0}”.. - /// - public static string PackageCommandSuccess_plk { - get { - return ResourceManager.GetString("PackageCommandSuccess_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pacote '{0}' criado com êxito.. - /// - public static string PackageCommandSuccess_ptb { - get { - return ResourceManager.GetString("PackageCommandSuccess_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Пакет "{0}" успешно создан.. - /// - public static string PackageCommandSuccess_rus { - get { - return ResourceManager.GetString("PackageCommandSuccess_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' paketi başarıyla oluşturuldu.. - /// - public static string PackageCommandSuccess_trk { - get { - return ResourceManager.GetString("PackageCommandSuccess_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to locate '{0} {1}'. Make sure all packages exist in the packages folder before running update.. - /// - public static string PackageDoesNotExist { - get { - return ResourceManager.GetString("PackageDoesNotExist", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到“{0} {1}”。在运行更新之前,请确保所有程序包均存在于程序包文件夹中。. - /// - public static string PackageDoesNotExist_chs { - get { - return ResourceManager.GetString("PackageDoesNotExist_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到 '{0} {1}'。請確定封裝資料夾中存在所有封裝,才能執行更新。. - /// - public static string PackageDoesNotExist_cht { - get { - return ResourceManager.GetString("PackageDoesNotExist_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nelze vyhledat {0} {1}. Před spuštěním aktualizace ověřte, zda jsou k dispozici všechny balíčky ve složce balíčků.. - /// - public static string PackageDoesNotExist_csy { - get { - return ResourceManager.GetString("PackageDoesNotExist_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0} {1}" wurde nicht gefunden. Stellen Sie sicher, dass alle Pakete im Paketordner vorhanden sind, bevor Sie das Update ausführen.. - /// - public static string PackageDoesNotExist_deu { - get { - return ResourceManager.GetString("PackageDoesNotExist_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede ubicar '{0} {1}'. Asegúrese de que existen todos los paquetes en la carpeta de paquetes antes de ejecutar la actualización.. - /// - public static string PackageDoesNotExist_esp { - get { - return ResourceManager.GetString("PackageDoesNotExist_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossible de trouver '{0} {1}'. Assurez-vous que tous les packages existent dans le dossier des packages avant d'exécuter la mise à jour.. - /// - public static string PackageDoesNotExist_fra { - get { - return ResourceManager.GetString("PackageDoesNotExist_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile localizzare '{0} {1}'. Assicurarsi che esistono tutte le cartelle pacchetti prima di eseguire l'aggiornamento. - /// - public static string PackageDoesNotExist_ita { - get { - return ResourceManager.GetString("PackageDoesNotExist_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0} {1}' が見つかりません。更新を実行する前に、パッケージ フォルダーにすべてのパッケージが存在することを確認してください。. - /// - public static string PackageDoesNotExist_jpn { - get { - return ResourceManager.GetString("PackageDoesNotExist_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0} {1}'을(를) 찾을 수 없습니다. 패키지 폴더에 모든 패키지가 있는지 확인한 후 업데이트를 실행하십시오.. - /// - public static string PackageDoesNotExist_kor { - get { - return ResourceManager.GetString("PackageDoesNotExist_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można znaleźć pakietu „{0} {1}”. Przed uruchomieniem aktualizacji upewnij się, że wszystkie pakiety znajdują się w folderze pakietów.. - /// - public static string PackageDoesNotExist_plk { - get { - return ResourceManager.GetString("PackageDoesNotExist_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não foi possível localizar '{0} {1}'. Certifique-se que todos os pacotes estejam na pasta de pacotes antes de executar a atualização.. - /// - public static string PackageDoesNotExist_ptb { - get { - return ResourceManager.GetString("PackageDoesNotExist_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось найти "{0} {1}". Прежде чем запускать обновление, убедитесь, что в папке пакетов содержатся все пакеты.. - /// - public static string PackageDoesNotExist_rus { - get { - return ResourceManager.GetString("PackageDoesNotExist_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} {1}' bulunamıyor. Güncellemeyi çalıştırmadan önce tüm paketlerin paket klasöründe mevcut olduğundan emin olun.. - /// - public static string PackageDoesNotExist_trk { - get { - return ResourceManager.GetString("PackageDoesNotExist_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to &Allow NuGet to download missing packages. - /// - public static string PackageRestoreConsentCheckBoxText { - get { - return ResourceManager.GetString("PackageRestoreConsentCheckBoxText", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Packing files from '{0}'.. - /// - public static string PackagingFilesFromOutputPath { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在打包“{0}”中的文件。. - /// - public static string PackagingFilesFromOutputPath_chs { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在封裝 '{0}' 中的檔案。. - /// - public static string PackagingFilesFromOutputPath_cht { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá balení souborů z {0}.. - /// - public static string PackagingFilesFromOutputPath_csy { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paketerstellung der Dateien aus "{0}".. - /// - public static string PackagingFilesFromOutputPath_deu { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Empaquetando archivos de proyecto de '{0}'.. - /// - public static string PackagingFilesFromOutputPath_esp { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Compression des fichiers depuis '{0}'.. - /// - public static string PackagingFilesFromOutputPath_fra { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impacchettando file da '{0}'.. - /// - public static string PackagingFilesFromOutputPath_ita { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' のファイルをパックしています。. - /// - public static string PackagingFilesFromOutputPath_jpn { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'에서 파일을 압축하고 있습니다.. - /// - public static string PackagingFilesFromOutputPath_kor { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pakowanie plików z „{0}”.. - /// - public static string PackagingFilesFromOutputPath_plk { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Embalar arquivos de '{0}'.. - /// - public static string PackagingFilesFromOutputPath_ptb { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Упаковка файлов из {0}.. - /// - public static string PackagingFilesFromOutputPath_rus { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' dosyaları paketleniyor.. - /// - public static string PackagingFilesFromOutputPath_trk { - get { - return ResourceManager.GetString("PackagingFilesFromOutputPath_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' is not a valid path.. - /// - public static string Path_Invalid { - get { - return ResourceManager.GetString("Path_Invalid", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' should be a local path or a UNC share path.. - /// - public static string Path_Invalid_NotFileNotUnc { - get { - return ResourceManager.GetString("Path_Invalid_NotFileNotUnc", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to `project.json` pack is deprecated. Please consider migrating '{0}' to `PackageReference` and using the pack targets.. - /// - public static string ProjectJsonPack_Deprecated { - get { - return ResourceManager.GetString("ProjectJsonPack_Deprecated", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nothing to do. This project does not specify any packages for NuGet to restore.. - /// - public static string ProjectRestoreCommandNoPackagesConfigOrProjectJson { - get { - return ResourceManager.GetString("ProjectRestoreCommandNoPackagesConfigOrProjectJson", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to There is no default source, please specify a source.. - /// - public static string PushCommandNoSourceError { - get { - return ResourceManager.GetString("PushCommandNoSourceError", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 没有默认源,请指定源。. - /// - public static string PushCommandNoSourceError_chs { - get { - return ResourceManager.GetString("PushCommandNoSourceError_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 沒有預設的來源,請指定來源。. - /// - public static string PushCommandNoSourceError_cht { - get { - return ResourceManager.GetString("PushCommandNoSourceError_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Není nastaven výchozí zdroj. Zadejte zdroj.. - /// - public static string PushCommandNoSourceError_csy { - get { - return ResourceManager.GetString("PushCommandNoSourceError_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Es ist keine Standardquelle vorhanden. Bitte geben Sie eine Quelle an.. - /// - public static string PushCommandNoSourceError_deu { - get { - return ResourceManager.GetString("PushCommandNoSourceError_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No hay ningún origen predeterminado, especifique un origen.. - /// - public static string PushCommandNoSourceError_esp { - get { - return ResourceManager.GetString("PushCommandNoSourceError_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Absence de source par défaut, veuillez en spécifier une.. - /// - public static string PushCommandNoSourceError_fra { - get { - return ResourceManager.GetString("PushCommandNoSourceError_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nessuna fonte di default, specificare una fonte.. - /// - public static string PushCommandNoSourceError_ita { - get { - return ResourceManager.GetString("PushCommandNoSourceError_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 既定のソースがありません。ソースを指定してください。. - /// - public static string PushCommandNoSourceError_jpn { - get { - return ResourceManager.GetString("PushCommandNoSourceError_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 기본 소스가 없습니다. 소스를 지정하십시오.. - /// - public static string PushCommandNoSourceError_kor { - get { - return ResourceManager.GetString("PushCommandNoSourceError_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Brak domyślnego źródła. Określ źródło.. - /// - public static string PushCommandNoSourceError_plk { - get { - return ResourceManager.GetString("PushCommandNoSourceError_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não há origem padrão. Especifique uma origem.. - /// - public static string PushCommandNoSourceError_ptb { - get { - return ResourceManager.GetString("PushCommandNoSourceError_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Источник по умолчанию отсутствует, укажите источник.. - /// - public static string PushCommandNoSourceError_rus { - get { - return ResourceManager.GetString("PushCommandNoSourceError_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Varsayılan herhangi bir kaynak yok, lütfen bir kaynak belirtin.. - /// - public static string PushCommandNoSourceError_trk { - get { - return ResourceManager.GetString("PushCommandNoSourceError_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在将 {0} 推送到 {1}.... - /// - public static string PushCommandPushingPackage_chs { - get { - return ResourceManager.GetString("PushCommandPushingPackage_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在將 {0} 推入 {1}.... - /// - public static string PushCommandPushingPackage_cht { - get { - return ResourceManager.GetString("PushCommandPushingPackage_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá předávání {0} do {1}.... - /// - public static string PushCommandPushingPackage_csy { - get { - return ResourceManager.GetString("PushCommandPushingPackage_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} wird mittels Push an {1} übertragen.... - /// - public static string PushCommandPushingPackage_deu { - get { - return ResourceManager.GetString("PushCommandPushingPackage_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Insertando {0} a {1}…. - /// - public static string PushCommandPushingPackage_esp { - get { - return ResourceManager.GetString("PushCommandPushingPackage_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Transmission de {0} à {1}…. - /// - public static string PushCommandPushingPackage_fra { - get { - return ResourceManager.GetString("PushCommandPushingPackage_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Comprimendo {0} di {1}.... - /// - public static string PushCommandPushingPackage_ita { - get { - return ResourceManager.GetString("PushCommandPushingPackage_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} を {1} にプッシュしています.... - /// - public static string PushCommandPushingPackage_jpn { - get { - return ResourceManager.GetString("PushCommandPushingPackage_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}을(를) {1}에 푸시하는 중.... - /// - public static string PushCommandPushingPackage_kor { - get { - return ResourceManager.GetString("PushCommandPushingPackage_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Trwa wypychanie {0} do {1}.... - /// - public static string PushCommandPushingPackage_plk { - get { - return ResourceManager.GetString("PushCommandPushingPackage_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Empurrando {0} para {1} .... - /// - public static string PushCommandPushingPackage_ptb { - get { - return ResourceManager.GetString("PushCommandPushingPackage_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Отправка {0} в {1}.... - /// - public static string PushCommandPushingPackage_rus { - get { - return ResourceManager.GetString("PushCommandPushingPackage_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} öğesi {1} öğesine iletiliyor.... - /// - public static string PushCommandPushingPackage_trk { - get { - return ResourceManager.GetString("PushCommandPushingPackage_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pushing took too long. You can change the default timeout of 300 seconds by using the -Timeout <seconds> option with the push command.. - /// - public static string PushCommandTimeoutError { - get { - return ResourceManager.GetString("PushCommandTimeoutError", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The property '{0}' on resource type '{1}' is not a type of ResourceManager.. - /// - public static string ResourcePropertyIncorrectType { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 资源类型“{1}”的属性“{0}”不是 ResourceManager 类型。. - /// - public static string ResourcePropertyIncorrectType_chs { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 資源類型 '{1}' 上的屬性 '{0}' 不是 ResourceManager 類型。. - /// - public static string ResourcePropertyIncorrectType_cht { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Vlastnost {0} typu prostředku {1} není typu ResourceManager.. - /// - public static string ResourcePropertyIncorrectType_csy { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Eigenschaft "{0}" für den Ressourcentyp "{1}" ist kein Typ von "ResourceManager".. - /// - public static string ResourcePropertyIncorrectType_deu { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La propiedad '{0}' del tipo de recurso '{1}' no es un tipo de ResourceManager.. - /// - public static string ResourcePropertyIncorrectType_esp { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La propriété '{0}' du type de ressource '{1}' n'est pas du type ResourceManager.. - /// - public static string ResourcePropertyIncorrectType_fra { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La proprietà '{0}' sulla risorsa tipo '{1}' non è un tipo in ResourceManager.. - /// - public static string ResourcePropertyIncorrectType_ita { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to リソースの種類 '{1}' のプロパティ '{0}' が ResourceManager 型ではありません。. - /// - public static string ResourcePropertyIncorrectType_jpn { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 리소스 형식 '{1}'의 '{0}' 속성이 ResourceManager 형식이 아닙니다.. - /// - public static string ResourcePropertyIncorrectType_kor { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Właściwość „{0}” w typie zasobu „{1}” nie jest typu ResourceManager.. - /// - public static string ResourcePropertyIncorrectType_plk { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A propriedade '{0}' no tipo de recurso '{1}' não é um tipo de ResourceManager.. - /// - public static string ResourcePropertyIncorrectType_ptb { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Типом свойства "{0}" типа ресурса "{1}" не является ResourceManager.. - /// - public static string ResourcePropertyIncorrectType_rus { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {1}' kaynak türündeki '{0}' özelliği bir ResourceManager türü değildir.. - /// - public static string ResourcePropertyIncorrectType_trk { - get { - return ResourceManager.GetString("ResourcePropertyIncorrectType_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The resource type '{0}' does not have an accessible static property named '{1}'.. - /// - public static string ResourceTypeDoesNotHaveProperty { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 资源类型“{0}”没有名为“{1}”的可访问静态属性。. - /// - public static string ResourceTypeDoesNotHaveProperty_chs { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 資源類型 '{0}' 沒有可存取的靜態屬性名為 '{1}'。. - /// - public static string ResourceTypeDoesNotHaveProperty_cht { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Typ prostředku {0} neobsahuje přístupnou statickou vlastnost s názvem {1}.. - /// - public static string ResourceTypeDoesNotHaveProperty_csy { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Ressourcentyp "{0}" besitzt keine statische Eigenschaft namens "{1}", auf die zugegriffen werden kann.. - /// - public static string ResourceTypeDoesNotHaveProperty_deu { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to El tipo de recurso '{0}' no tiene una propiedad estática accesible denominada '{1}'.. - /// - public static string ResourceTypeDoesNotHaveProperty_esp { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Le type de ressource '{0}' ne dispose pas d'une propriété statique accessible nommée '{1}'.. - /// - public static string ResourceTypeDoesNotHaveProperty_fra { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Il tipo di risorsa '{0}'non ha una proprietà statica accessibile di nome'{1}'.. - /// - public static string ResourceTypeDoesNotHaveProperty_ita { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to リソースの種類 '{0}' に、'{1}' というアクセスできる静的プロパティがありません。. - /// - public static string ResourceTypeDoesNotHaveProperty_jpn { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 리소스 형식 '{0}'에 액세스 가능한 '{1}' 이름의 정적 속성이 없습니다.. - /// - public static string ResourceTypeDoesNotHaveProperty_kor { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Typ zasobu „{0}” nie ma dostępnej właściwości statycznej o nazwie „{1}”.. - /// - public static string ResourceTypeDoesNotHaveProperty_plk { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O tipo de recurso '{0}' não tem uma propriedade estática acessível chamada '{1}'.. - /// - public static string ResourceTypeDoesNotHaveProperty_ptb { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to У типа ресурса "{0}" отсутствует доступное статическое свойство с именем "{1}".. - /// - public static string ResourceTypeDoesNotHaveProperty_rus { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' kaynak türünün erişilebilir '{1}' adlı erişilebilir statik bir özelliği yok.. - /// - public static string ResourceTypeDoesNotHaveProperty_trk { - get { - return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 'globalPackagesFolder' setting is a relative path. To determine full path, please specify either -SolutionDirectory or a solution file as a parameter. To ignore 'globalPackagesFolder' setting, specify -PackagesDirectory.. - /// - public static string RestoreCommandCannotDetermineGlobalPackagesFolder { - get { - return ResourceManager.GetString("RestoreCommandCannotDetermineGlobalPackagesFolder", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Cannot determine the packages folder to restore NuGet packages. Please specify either -PackagesDirectory or -SolutionDirectory.. - /// - public static string RestoreCommandCannotDeterminePackagesFolder { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 无法确定用于还原 NuGet 程序包的程序包文件夹。请指定 -PackagesDirectory 或 -SolutionDirectory。. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_chs { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無法判斷要還原 NuGet 封裝的封裝資料夾。請指定 -PackagesDirectory 或 -SolutionDirectory。. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_cht { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nelze určit složku balíčků pro obnovení balíčků NuGet. Zadejte parametr -PackagesDirectory nebo -SolutionDirectory.. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_csy { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Paketordner zum Wiederherstellen von NuGet-Paketen konnte nicht ermittelt werden. Bitte geben Sie "-PackagesDirectory" oder "-SolutionDirectory" an.. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_deu { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede determinar la carpeta de paquetes para restaurar los paquetes NuGet. Especifique PackagesDirectory o SolutionDirectory.. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_esp { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossible de déterminer le dossier de packages pour restaurer les packages NuGet. Veuillez spécifier soit -PackagesDirectory, soit -SolutionDirectory.. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_fra { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile determinare le cartelle dei pacchetti per ripristinare i pacchetti NuGet. Specificare o PackagesDirectory o SolutionDirectory.. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_ita { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet パッケージを復元するパッケージ フォルダーを特定できません。-PackagesDirectory または -SolutionDirectory を指定してください。. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_jpn { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 패키지를 복원하는 데 필요한 패키지 폴더를 확인할 수 없습니다. -PackagesDirectory 또는 -SolutionDirectory를 지정하십시오.. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_kor { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można ustalić folderu pakietów w celu przywrócenia pakietów NuGet. Określ opcję -PackagesDirectory lub opcję -SolutionDirectory.. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_plk { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não é possível determinar os pacotes de pasta para restaurar pacotes NuGet. Especifique SolutionDirectory ou PackagesDirectory.. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_ptb { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удается определить папку пакетов для восстановления пакетов NuGet. Укажите -PackagesDirectory или -SolutionDirectory.. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_rus { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet paketlerinin geri yükleneceği paket klasörü belirlenemiyor. Lütfen -PackagesDirectory veya -SolutionDirectory seçimini belirtin.. - /// - public static string RestoreCommandCannotDeterminePackagesFolder_trk { - get { - return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Input file does not exist: {0}.. - /// - public static string RestoreCommandFileNotFound { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 输入文件不存在: {0}。. - /// - public static string RestoreCommandFileNotFound_chs { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 輸入檔不存在: {0}。. - /// - public static string RestoreCommandFileNotFound_cht { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Vstupní soubor neexistuje: {0}.. - /// - public static string RestoreCommandFileNotFound_csy { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Eingabedatei ist nicht vorhanden: {0}.. - /// - public static string RestoreCommandFileNotFound_deu { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to El archivo de entrada no existe: {0}.. - /// - public static string RestoreCommandFileNotFound_esp { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Le fichier d'entrée n'existe pas : {0}.. - /// - public static string RestoreCommandFileNotFound_fra { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Input file inesistente: {0}.. - /// - public static string RestoreCommandFileNotFound_ita { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 入力ファイルが存在しません: {0}.. - /// - public static string RestoreCommandFileNotFound_jpn { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 입력 파일이 없습니다. {0}.. - /// - public static string RestoreCommandFileNotFound_kor { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Plik wejściowy nie istnieje: {0}.. - /// - public static string RestoreCommandFileNotFound_plk { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O arquivo de entrada não existe: {0}.. - /// - public static string RestoreCommandFileNotFound_ptb { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Входной файл не существует: {0}.. - /// - public static string RestoreCommandFileNotFound_rus { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Girdi dosyası mevcut değil: {0}.. - /// - public static string RestoreCommandFileNotFound_trk { - get { - return ResourceManager.GetString("RestoreCommandFileNotFound_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Option -SolutionDirectory is not valid when restoring packages for a solution.. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 为解决方案还原程序包时,选项 -SolutionDirectory 无效。. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_chs { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 為方案還原封裝時 Option -SolutionDirectory 為無效。. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_cht { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Možnost -SolutionDirectory není platná při obnovování balíčků pro řešení.. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_csy { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Option "-SolutionDirectory" ist beim Wiederherstellen von Paketen für ein Projekt nicht gültig.. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_deu { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La opción SolutionDirectory no es válida cuando restaura paquetes para una solución.. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_esp { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to L'option -SolutionDirectory n'est pas valide lors de la restauration de packages pour une solution.. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_fra { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Option -SolutionDirectory non è valida quando si ripristina pacchetti per una soluzione.. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_ita { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ソリューションのパッケージを復元する場合、オプション -SolutionDirectory は無効です。. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_jpn { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 솔루션 패키지를 복원하는 경우 -SolutionDirectory 옵션은 사용할 수 없습니다.. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_kor { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Opcja -SolutionDirectory jest nieprawidłowa podczas przywracania pakietów dla rozwiązania.. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_plk { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Option-SolutionDirectory não é válido ao restaurar pacotes para uma solução.. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_ptb { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to При восстановлении пакетов для решения параметр -SolutionDirectory является недопустимым.. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_rus { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bir çözüme ait paketler geri yüklenirken -SolutionDirectory seçeneği geçerli değildir.. - /// - public static string RestoreCommandOptionSolutionDirectoryIsInvalid_trk { - get { - return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restoring NuGet packages... - ///To prevent NuGet from downloading packages during build, open the Visual Studio Options dialog, click on the NuGet Package Manager node and uncheck '{0}'.. - /// - public static string RestoreCommandPackageRestoreOptOutMessage { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在还原 NuGet 程序包... - ///若要防止 NuGet 在生成期间下载程序包,请打开“Visual Studio 选项”对话框,单击“程序包管理器”节点并取消选中“{0}”。. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_chs { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在還原 NuGet packages... - ///若要防止 NuGet 在建置時下載封裝,按一下 [封裝管理員] 節點並取消勾選 '{0}'。. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_cht { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá obnovení balíčků NuGet... - ///Chcete-li systému NuGet zabránit ve stahování balíčků během sestavování, otevřete dialogové okno Možnosti sady Visual Studio, klikněte na uzel Správce balíčků a zrušte zaškrtnutí položky {0}.. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_csy { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet-Pakete werden wiederhergestellt... - ///Damit verhindert wird, dass NuGet Pakete während des Buildvorgangs herunterlädt, öffnen Sie das Dialogfeld "Optionen" von Visual Studio, klicken Sie auf den Knoten "Paket-Manager", und deaktivieren Sie dann "{0}".. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_deu { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restaurando paquetes NuGet… - ///Para impedir que NuGet descargue paquetes durante la compilación, abra el cuadro de diálogo Opciones de Visual Studio, haga clic en el nodo del Administrador de paquetes y desactive '{0}'. . - /// - public static string RestoreCommandPackageRestoreOptOutMessage_esp { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restauration des packages NuGet… - ///Pour empêcher NuGet de télécharger des packages lors de la création, ouvrez la boîte de dialogue Options Visual Studio, cliquez sur le nœud Gestionnaire de package et décochez '{0}'.. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_fra { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ripristinando pacchetti NuGet… Per evitare che NuGet scarichi pacchetti durante il build, aprire la finestra di dialogo Visual Studio Options dialog, fare clic su Package Manager e deselezionare '{0}'.. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_ita { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet パッケージを復元しています... - ///ビルド中に NuGet がパッケージをダウンロードしないようにするには、Visual Studio の [オプション] ダイアログを開き、パッケージ マネージャー ノードをクリックし、'{0}' をオフにします。. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_jpn { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet 패키지를 복원하는 중... - ///빌드 시 NuGet이 패키지를 다운로드하지 않도록 하려면 [Visual Studio 옵션] 대화 상자를 열고 [패키지 관리자] 노드를 클릭한 후 '{0}'을(를) 선택 취소합니다.. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_kor { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Trwa przywracanie pakietów NuGet... - ///Aby uniemożliwić pobieranie pakietów NuGet podczas kompilowania, otwórz okno dialogowe opcji programu Visual Studio, kliknij węzeł Menedżera pakietów i usuń zaznaczenie pozycji „{0}”.. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_plk { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restaurando pacotes NuGet ... - ///Para evitar que o NuGet baixe pacotes durante a construção, abra a caixa de diálogo Opções do Visual Studio, clique no nó Gerenciador de Pacotes e desmarque a opção '{0}'.. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_ptb { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Восстановление пакетов NuGet… - ///Чтобы предотвратить загрузку пакетов NuGet во время выполнения сборки, в Visual Studio откройте диалоговое окно "Параметры", выберите узел "Диспетчер пакетов" и снимите флажок "{0}".. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_rus { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet paketleri geri yükleniyor... - ///Oluşturma sırasında NuGet'in paketleri indirmesini önlemek için, Visual Studio Seçenekleri iletişim kutusunu açın, Paket Yöneticisi düğümünü tıklayıp '{0}' seçimini işaretleyin.. - /// - public static string RestoreCommandPackageRestoreOptOutMessage_trk { - get { - return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Project file {0} cannot be found.. - /// - public static string RestoreCommandProjectNotFound { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到项目文件 {0}。. - /// - public static string RestoreCommandProjectNotFound_chs { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到專案檔 {0}。. - /// - public static string RestoreCommandProjectNotFound_cht { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Soubor projektu {0} nebyl nalezen.. - /// - public static string RestoreCommandProjectNotFound_csy { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Projektdatei "{0}" wurde nicht gefunden.. - /// - public static string RestoreCommandProjectNotFound_deu { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede encontrar el archivo de proyecto {0}.. - /// - public static string RestoreCommandProjectNotFound_esp { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Le fichier projet {0} est introuvable.. - /// - public static string RestoreCommandProjectNotFound_fra { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile trovare file progetto {0}.. - /// - public static string RestoreCommandProjectNotFound_ita { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to プロジェクト ファイル {0} が見つかりません。. - /// - public static string RestoreCommandProjectNotFound_jpn { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 프로젝트 파일 {0}을(를) 찾을 수 없습니다.. - /// - public static string RestoreCommandProjectNotFound_kor { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można znaleźć pliku projektu {0}.. - /// - public static string RestoreCommandProjectNotFound_plk { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não foi possível localizar o arquivo de projeto {0}.. - /// - public static string RestoreCommandProjectNotFound_ptb { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось найти файл проекта {0}.. - /// - public static string RestoreCommandProjectNotFound_rus { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} proje dosyası bulunamadı.. - /// - public static string RestoreCommandProjectNotFound_trk { - get { - return ResourceManager.GetString("RestoreCommandProjectNotFound_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restoring NuGet packages for solution {0}.. - /// - public static string RestoreCommandRestoringPackagesForSolution { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在为解决方案 {0} 还原 NuGet 程序包。. - /// - public static string RestoreCommandRestoringPackagesForSolution_chs { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在為方案 {0} 還原 NuGet 封裝。. - /// - public static string RestoreCommandRestoringPackagesForSolution_cht { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá obnovení balíčků NuGet pro řešení {0}.. - /// - public static string RestoreCommandRestoringPackagesForSolution_csy { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet-Pakete für das Projekt "{0}" werden wiederhergestellt.. - /// - public static string RestoreCommandRestoringPackagesForSolution_deu { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restaurando paquetes NuGet para la solución {0}.. - /// - public static string RestoreCommandRestoringPackagesForSolution_esp { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restauration des packages NuGet pour la solution {0}.. - /// - public static string RestoreCommandRestoringPackagesForSolution_fra { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ripristinando pacchetti NuGet per soluzione{0}.. - /// - public static string RestoreCommandRestoringPackagesForSolution_ita { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet パッケージをソリューション {0} 用に復元しています。. - /// - public static string RestoreCommandRestoringPackagesForSolution_jpn { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} 솔루션의 NuGet 패키지를 복원하고 있습니다.. - /// - public static string RestoreCommandRestoringPackagesForSolution_kor { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Przywracanie pakietów NuGet dla rozwiązania {0}.. - /// - public static string RestoreCommandRestoringPackagesForSolution_plk { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restaurar pacotes NuGet para a solução {0}.. - /// - public static string RestoreCommandRestoringPackagesForSolution_ptb { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Восстановление пакетов NuGet для решения {0}.. - /// - public static string RestoreCommandRestoringPackagesForSolution_rus { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} çözümü için NuGet paketleri geri yükleniyor.. - /// - public static string RestoreCommandRestoringPackagesForSolution_trk { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restoring NuGet packages listed in packages.config file.. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在还原 packages.config 文件中列出的 NuGet 程序包。. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_chs { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在還原列在 packages.config 檔案中的 NuGet 封裝。. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_cht { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá obnovení balíčků NuGet uvedených v souboru packages.config.. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_csy { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die in der Datei "packages.config" aufgelisteten NuGet-Pakete werden wiederhergestellt.. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_deu { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restaurando paquetes NuGet mostrados en el archivo packages.config.. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_esp { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restauration des packages NuGet répertoriés dans le fichier packages.config.. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_fra { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ripristinando pacchetti NuGet elencati in packages.config file.. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_ita { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config ファイルに含まれる NuGet パッケージを復元しています。. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_jpn { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config 파일에 나열된 NuGet 패키지를 복원하고 있습니다.. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_kor { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Przywracanie pakietów NuGet wymienionych w pliku packages.config.. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_plk { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restaurar pacotes NuGet listados no arquivo de packages.config.. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_ptb { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Восстановление пакетов NuGet, перечисленных в файле packages.config.. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_rus { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Packages.config dosyasında listelenen NuGet paketleri geri yükleniyor.. - /// - public static string RestoreCommandRestoringPackagesFromPackagesConfigFile_trk { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restoring NuGet packages listed in file {0}.. - /// - public static string RestoreCommandRestoringPackagesListedInFile { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在还原文件 {0} 中列出的 NuGet 程序包。. - /// - public static string RestoreCommandRestoringPackagesListedInFile_chs { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在還原列在檔案 {0} 中的 NuGet 封裝。. - /// - public static string RestoreCommandRestoringPackagesListedInFile_cht { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá obnovení balíčků NuGet uvedených v souboru {0}.. - /// - public static string RestoreCommandRestoringPackagesListedInFile_csy { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die in der Datei "{0}" aufgelisteten NuGet-Pakete werden wiederhergestellt.. - /// - public static string RestoreCommandRestoringPackagesListedInFile_deu { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restaurando paquetes NuGet mostrados en el archivo {0}.. - /// - public static string RestoreCommandRestoringPackagesListedInFile_esp { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restauration des packages NuGet répertoriés dans le fichier {0}.. - /// - public static string RestoreCommandRestoringPackagesListedInFile_fra { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ripristinando pacchetti NuGet elencati in file {0}.. - /// - public static string RestoreCommandRestoringPackagesListedInFile_ita { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ファイル {0} に含まれる NuGet パッケージを復元しています。. - /// - public static string RestoreCommandRestoringPackagesListedInFile_jpn { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} 파일에 나열된 NuGet 패키지를 복원하고 있습니다.. - /// - public static string RestoreCommandRestoringPackagesListedInFile_kor { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Przywracanie pakietów NuGet wymienionych w pliku {0}.. - /// - public static string RestoreCommandRestoringPackagesListedInFile_plk { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Restaurar pacotes NuGet listados no arquivo {0}.. - /// - public static string RestoreCommandRestoringPackagesListedInFile_ptb { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Восстановление пакетов NuGet, перечисленных в файле {0}.. - /// - public static string RestoreCommandRestoringPackagesListedInFile_rus { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} içinde listelenen NuGet paketleri geri yükleniyor.. - /// - public static string RestoreCommandRestoringPackagesListedInFile_trk { - get { - return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Scanning for projects.... - /// - public static string ScanningForProjects { - get { - return ResourceManager.GetString("ScanningForProjects", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在扫描项目.... - /// - public static string ScanningForProjects_chs { - get { - return ResourceManager.GetString("ScanningForProjects_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在掃瞄專案.... - /// - public static string ScanningForProjects_cht { - get { - return ResourceManager.GetString("ScanningForProjects_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá hledání projektů.... - /// - public static string ScanningForProjects_csy { - get { - return ResourceManager.GetString("ScanningForProjects_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Suchen nach Projekten.... - /// - public static string ScanningForProjects_deu { - get { - return ResourceManager.GetString("ScanningForProjects_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Examinando proyectos…. - /// - public static string ScanningForProjects_esp { - get { - return ResourceManager.GetString("ScanningForProjects_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Recherche de projets en cours…. - /// - public static string ScanningForProjects_fra { - get { - return ResourceManager.GetString("ScanningForProjects_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ricercando progetti.... - /// - public static string ScanningForProjects_ita { - get { - return ResourceManager.GetString("ScanningForProjects_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to プロジェクトをスキャンしています.... - /// - public static string ScanningForProjects_jpn { - get { - return ResourceManager.GetString("ScanningForProjects_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 프로젝트를 스캔하는 중.... - /// - public static string ScanningForProjects_kor { - get { - return ResourceManager.GetString("ScanningForProjects_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Trwa skanowanie w poszukiwaniu projektów.... - /// - public static string ScanningForProjects_plk { - get { - return ResourceManager.GetString("ScanningForProjects_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Verificando projetos .... - /// - public static string ScanningForProjects_ptb { - get { - return ResourceManager.GetString("ScanningForProjects_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Сканирование проектов…. - /// - public static string ScanningForProjects_rus { - get { - return ResourceManager.GetString("ScanningForProjects_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Projeler taranıyor…. - /// - public static string ScanningForProjects_trk { - get { - return ResourceManager.GetString("ScanningForProjects_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The API Key '{0}' was saved for {1}.. - /// - public static string SetApiKeyCommandApiKeySaved { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已保存 {1} 的 API 密钥“{0}”。. - /// - public static string SetApiKeyCommandApiKeySaved_chs { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已為 {1} 儲存 API 索引鍵 '{0}'。. - /// - public static string SetApiKeyCommandApiKeySaved_cht { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Klíč API {0} byl uložen pro {1}.. - /// - public static string SetApiKeyCommandApiKeySaved_csy { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der API-Schlüssel "{0}" wurde für "{1}" gespeichert.. - /// - public static string SetApiKeyCommandApiKeySaved_deu { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La clave API '{0}' se ha guardado para {1}.. - /// - public static string SetApiKeyCommandApiKeySaved_esp { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La clé API '{0}' a été enregistrée pour {1}.. - /// - public static string SetApiKeyCommandApiKeySaved_fra { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to API Key '{0}' salvato per {1}.. - /// - public static string SetApiKeyCommandApiKeySaved_ita { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {1} の API キー '{0}' が保存されました。. - /// - public static string SetApiKeyCommandApiKeySaved_jpn { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to API 키 '{0}'이(가) {1}에 저장되었습니다.. - /// - public static string SetApiKeyCommandApiKeySaved_kor { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Klucz interfejsu API „{0}” został zapisany dla {1}.. - /// - public static string SetApiKeyCommandApiKeySaved_plk { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A chave de API '{0}' foi salva para {1}.. - /// - public static string SetApiKeyCommandApiKeySaved_ptb { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Был сохранен ключ API "{0}" для {1}.. - /// - public static string SetApiKeyCommandApiKeySaved_rus { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {1} için '{0}' API Anahtarı kaydedildi.. - /// - public static string SetApiKeyCommandApiKeySaved_trk { - get { - return ResourceManager.GetString("SetApiKeyCommandApiKeySaved_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The API Key '{0}' was saved for {1} and {2}.. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已保存 {1} 和 {2} 的 API 密钥“{0}”。. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_chs { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已為 {1} 和 {2} 儲存 API 索引鍵 '{0}'。. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_cht { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Klíč API {0} byl uložen pro {1} a {2}.. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_csy { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der API-Schlüssel "{0}" wurde für "{1}" und "{2}" gespeichert.. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_deu { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La clave API '{0}' se ha guardado para {1} y {2}.. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_esp { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La clé API '{0}' a été enregistrée pour {1} et {2}.. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_fra { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to API Key '{0}'salvato per {1} e {2}.. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_ita { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {1} と {2} の API キー '{0}' が保存されました。. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_jpn { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to API 키 '{0}'이(가) {1} 및 {2}에 저장되었습니다.. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_kor { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Klucz interfejsu API „{0}” został zapisany dla {1} i {2}.. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_plk { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A chave de API '{0}' foi salva para {1} e {2}.. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_ptb { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Был сохранен ключ API "{0}" для {1} и {2}.. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_rus { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {1} ve {2} için '{0}' API Anahtarı kaydedildi.. - /// - public static string SetApiKeyCommandDefaultApiKeysSaved_trk { - get { - return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Using credentials from config. UserName: {0}. - /// - public static string SettingsCredentials_UsingSavedCredentials { - get { - return ResourceManager.GetString("SettingsCredentials_UsingSavedCredentials", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nothing to do. None of the projects in this solution specify any packages for NuGet to restore.. - /// - public static string SolutionRestoreCommandNoPackagesConfigOrProjectJson { - get { - return ResourceManager.GetString("SolutionRestoreCommandNoPackagesConfigOrProjectJson", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Source '{0}' is not found.. - /// - public static string Source_NotFound { - get { - return ResourceManager.GetString("Source_NotFound", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Created '{0}' successfully.. - /// - public static string SpecCommandCreatedNuSpec { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已成功创建“{0}”。. - /// - public static string SpecCommandCreatedNuSpec_chs { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 已成功建立 '{0}'。. - /// - public static string SpecCommandCreatedNuSpec_cht { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} úspěšně vytvořeno.. - /// - public static string SpecCommandCreatedNuSpec_csy { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" wurde erfolgreich erstellt.. - /// - public static string SpecCommandCreatedNuSpec_deu { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' creado correctamente.. - /// - public static string SpecCommandCreatedNuSpec_esp { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' créé correctement.. - /// - public static string SpecCommandCreatedNuSpec_fra { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Creato '{0}' correttamente.. - /// - public static string SpecCommandCreatedNuSpec_ita { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' は正常に作成されました。. - /// - public static string SpecCommandCreatedNuSpec_jpn { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'을(를) 만들었습니다.. - /// - public static string SpecCommandCreatedNuSpec_kor { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pomyślnie utworzono „{0}”.. - /// - public static string SpecCommandCreatedNuSpec_plk { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Criado '{0}' com sucesso.. - /// - public static string SpecCommandCreatedNuSpec_ptb { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" успешно создан.. - /// - public static string SpecCommandCreatedNuSpec_rus { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' başarıyla oluşturuldu.. - /// - public static string SpecCommandCreatedNuSpec_trk { - get { - return ResourceManager.GetString("SpecCommandCreatedNuSpec_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' already exists, use -Force to overwrite it.. - /// - public static string SpecCommandFileExists { - get { - return ResourceManager.GetString("SpecCommandFileExists", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to “{0}”已存在,请使用 -Force 覆盖它。. - /// - public static string SpecCommandFileExists_chs { - get { - return ResourceManager.GetString("SpecCommandFileExists_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' 己存在,使用 -Force 加以覆寫。. - /// - public static string SpecCommandFileExists_cht { - get { - return ResourceManager.GetString("SpecCommandFileExists_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} již existuje, k přepsání použijte -Force.. - /// - public static string SpecCommandFileExists_csy { - get { - return ResourceManager.GetString("SpecCommandFileExists_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" ist bereits vorhanden. Verwenden Sie "-Force" zum Überschreiben.. - /// - public static string SpecCommandFileExists_deu { - get { - return ResourceManager.GetString("SpecCommandFileExists_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' ya existe, use -Force para sobrescribirlo.. - /// - public static string SpecCommandFileExists_esp { - get { - return ResourceManager.GetString("SpecCommandFileExists_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' existe déjà. Utilisez -Force pour le remplacer.. - /// - public static string SpecCommandFileExists_fra { - get { - return ResourceManager.GetString("SpecCommandFileExists_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' già esistente, usere -Force per sostituire.. - /// - public static string SpecCommandFileExists_ita { - get { - return ResourceManager.GetString("SpecCommandFileExists_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' は既に存在します。上書きするには、-Force を使用してください。. - /// - public static string SpecCommandFileExists_jpn { - get { - return ResourceManager.GetString("SpecCommandFileExists_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'이(가) 이미 있습니다. 덮어쓰려면 -Force를 사용하십시오.. - /// - public static string SpecCommandFileExists_kor { - get { - return ResourceManager.GetString("SpecCommandFileExists_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Plik „{0}” już istnieje, użyj argumentu -Force, aby go zastąpić.. - /// - public static string SpecCommandFileExists_plk { - get { - return ResourceManager.GetString("SpecCommandFileExists_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' já existe, use -Force para substituí-lo.. - /// - public static string SpecCommandFileExists_ptb { - get { - return ResourceManager.GetString("SpecCommandFileExists_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" уже существует. Для перезаписи используйте параметр -Force.. - /// - public static string SpecCommandFileExists_rus { - get { - return ResourceManager.GetString("SpecCommandFileExists_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' zaten mevcut, geçersiz kılmak için -Force seçimini kullanın.. - /// - public static string SpecCommandFileExists_trk { - get { - return ResourceManager.GetString("SpecCommandFileExists_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to change from type '{0}' to '{1}'.. - /// - public static string UnableToConvertTypeError { - get { - return ResourceManager.GetString("UnableToConvertTypeError", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 无法从类型“{0}”更改为“{1}”。. - /// - public static string UnableToConvertTypeError_chs { - get { - return ResourceManager.GetString("UnableToConvertTypeError_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無法變更類型 '{0}' 為 '{1}'。. - /// - public static string UnableToConvertTypeError_cht { - get { - return ResourceManager.GetString("UnableToConvertTypeError_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nelze provést změnu z typu {0} na typ {1}.. - /// - public static string UnableToConvertTypeError_csy { - get { - return ResourceManager.GetString("UnableToConvertTypeError_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Typ kann nicht aus "{0}" in "{1}" geändert werden.. - /// - public static string UnableToConvertTypeError_deu { - get { - return ResourceManager.GetString("UnableToConvertTypeError_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede cambiar del tipo '{0}' a '{1}'.. - /// - public static string UnableToConvertTypeError_esp { - get { - return ResourceManager.GetString("UnableToConvertTypeError_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossible de basculer du type '{0}' au type '{1}'.. - /// - public static string UnableToConvertTypeError_fra { - get { - return ResourceManager.GetString("UnableToConvertTypeError_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile modificare da '{0}' a '{1}'.. - /// - public static string UnableToConvertTypeError_ita { - get { - return ResourceManager.GetString("UnableToConvertTypeError_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 型 '{0}' から '{1}' に変更できません。. - /// - public static string UnableToConvertTypeError_jpn { - get { - return ResourceManager.GetString("UnableToConvertTypeError_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'에서 '{1}'(으)로 형식을 변경할 수 없습니다.. - /// - public static string UnableToConvertTypeError_kor { - get { - return ResourceManager.GetString("UnableToConvertTypeError_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można zmienić typu „{0}” na „{1}”.. - /// - public static string UnableToConvertTypeError_plk { - get { - return ResourceManager.GetString("UnableToConvertTypeError_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não é possível mudar do tipo '{0}' para '{1}'.. - /// - public static string UnableToConvertTypeError_ptb { - get { - return ResourceManager.GetString("UnableToConvertTypeError_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось изменить тип "{0}" на "{1}".. - /// - public static string UnableToConvertTypeError_rus { - get { - return ResourceManager.GetString("UnableToConvertTypeError_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' türünden '{1}' türüne değiştirilemiyor.. - /// - public static string UnableToConvertTypeError_trk { - get { - return ResourceManager.GetString("UnableToConvertTypeError_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to extract metadata from '{0}'.. - /// - public static string UnableToExtractAssemblyMetadata { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 无法从“{0}”中提取元数据。. - /// - public static string UnableToExtractAssemblyMetadata_chs { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無法從 '{0}' 擷取中繼資料。. - /// - public static string UnableToExtractAssemblyMetadata_cht { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nelze extrahovat metadata z {0}.. - /// - public static string UnableToExtractAssemblyMetadata_csy { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aus "{0}" können keine Metadaten extrahiert werden.. - /// - public static string UnableToExtractAssemblyMetadata_deu { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se pueden extraer metadatos desde '{0}'.. - /// - public static string UnableToExtractAssemblyMetadata_esp { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossible d'extraire les métadonnées de '{0}'.. - /// - public static string UnableToExtractAssemblyMetadata_fra { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile estrarre metadati da '{0}'.. - /// - public static string UnableToExtractAssemblyMetadata_ita { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' からメタデータを抽出できません。. - /// - public static string UnableToExtractAssemblyMetadata_jpn { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'에서 메타데이터를 추출할 수 없습니다.. - /// - public static string UnableToExtractAssemblyMetadata_kor { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można wyodrębnić metadanych z „{0}”.. - /// - public static string UnableToExtractAssemblyMetadata_plk { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não foi possível extrair os metadados de '{0}'.. - /// - public static string UnableToExtractAssemblyMetadata_ptb { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось извлечь метаданные из "{0}".. - /// - public static string UnableToExtractAssemblyMetadata_rus { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Meta veriler '{0}' konumundan ayıklanamıyor.. - /// - public static string UnableToExtractAssemblyMetadata_trk { - get { - return ResourceManager.GetString("UnableToExtractAssemblyMetadata_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to find '{0}'. Make sure the project has been built.. - /// - public static string UnableToFindBuildOutput { - get { - return ResourceManager.GetString("UnableToFindBuildOutput", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到“{0}”。请确保已生成项目。. - /// - public static string UnableToFindBuildOutput_chs { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到 '{0}'。確定已建置專案。. - /// - public static string UnableToFindBuildOutput_cht { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nelze najít {0}. Ověřte, zda tento projekt byl sestaven.. - /// - public static string UnableToFindBuildOutput_csy { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" wurde nicht gefunden. Stellen Sie sicher, dass das Projekt erstellt wurde.. - /// - public static string UnableToFindBuildOutput_deu { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede encontrar '{0}'. Asegúrese de que el proyecto se ha compilado.. - /// - public static string UnableToFindBuildOutput_esp { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossible de trouver '{0}'. Assurez-vous que le projet a été créé.. - /// - public static string UnableToFindBuildOutput_fra { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile trovare '{0}'. Assicurarsi che il progetto è stato creato.. - /// - public static string UnableToFindBuildOutput_ita { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' が見つかりません。プロジェクトが構築されたことを確認してください。. - /// - public static string UnableToFindBuildOutput_jpn { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'을(를) 찾을 수 없습니다. 프로젝트가 빌드되었는지 확인하십시오.. - /// - public static string UnableToFindBuildOutput_kor { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można znaleźć „{0}”. Upewnij się, że projekt został skompilowany.. - /// - public static string UnableToFindBuildOutput_plk { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não é possível encontrar o '{0}'. Verifique se o projeto foi construído.. - /// - public static string UnableToFindBuildOutput_ptb { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось найти "{0}". Убедитесь, что была выполнена сборка проекта.. - /// - public static string UnableToFindBuildOutput_rus { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' bulunamıyor. Projenin oluşturulduğundan emin olun.. - /// - public static string UnableToFindBuildOutput_trk { - get { - return ResourceManager.GetString("UnableToFindBuildOutput_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to find '{0}'. Make sure they are specified in packages.config.. - /// - public static string UnableToFindPackages { - get { - return ResourceManager.GetString("UnableToFindPackages", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到“{0}”。请确保已在 packages.config 中指定它们。. - /// - public static string UnableToFindPackages_chs { - get { - return ResourceManager.GetString("UnableToFindPackages_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到 '{0}'。確定已在 packages.config 中指定。. - /// - public static string UnableToFindPackages_cht { - get { - return ResourceManager.GetString("UnableToFindPackages_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nelze najít {0}. Ověřte, zda jsou zadány v souboru packages.config.. - /// - public static string UnableToFindPackages_csy { - get { - return ResourceManager.GetString("UnableToFindPackages_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" wurde nicht gefunden. Stellen Sie sicher, dass das Element in "packages.config" spezifisch ist.. - /// - public static string UnableToFindPackages_deu { - get { - return ResourceManager.GetString("UnableToFindPackages_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede encontrar '{0}'. Asegúrese de que se han especificado en packages.config.. - /// - public static string UnableToFindPackages_esp { - get { - return ResourceManager.GetString("UnableToFindPackages_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossible de trouver '{0}'. Assurez-vous qu'ils sont spécifiés dans packages.config.. - /// - public static string UnableToFindPackages_fra { - get { - return ResourceManager.GetString("UnableToFindPackages_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile trovare '{0}'.Assicurarsi che siano specificati in packages.config.. - /// - public static string UnableToFindPackages_ita { - get { - return ResourceManager.GetString("UnableToFindPackages_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' が見つかりません。packages.config に指定されていることを確認してください。. - /// - public static string UnableToFindPackages_jpn { - get { - return ResourceManager.GetString("UnableToFindPackages_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'을(를) 찾을 수 없습니다. packages.config에 지정되어 있는지 확인하십시오.. - /// - public static string UnableToFindPackages_kor { - get { - return ResourceManager.GetString("UnableToFindPackages_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można odnaleźć pakietów „{0}”. Upewnij się, że zostały one określone w pliku packages.config.. - /// - public static string UnableToFindPackages_plk { - get { - return ResourceManager.GetString("UnableToFindPackages_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não foi possível encontrar o '{0}'. Verifique se eles estão especificados em packages.config.. - /// - public static string UnableToFindPackages_ptb { - get { - return ResourceManager.GetString("UnableToFindPackages_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось найти "{0}". Убедитесь, что они указаны в файле packages.config.. - /// - public static string UnableToFindPackages_rus { - get { - return ResourceManager.GetString("UnableToFindPackages_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' bulunamıyor. Packages.config içinde belirtildiğinden emin olun.. - /// - public static string UnableToFindPackages_trk { - get { - return ResourceManager.GetString("UnableToFindPackages_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to find project '{0}'.. - /// - public static string UnableToFindProject { - get { - return ResourceManager.GetString("UnableToFindProject", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到项目“{0}”。. - /// - public static string UnableToFindProject_chs { - get { - return ResourceManager.GetString("UnableToFindProject_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到專案 '{0}'。. - /// - public static string UnableToFindProject_cht { - get { - return ResourceManager.GetString("UnableToFindProject_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Projekt {0} nebyl nalezen.. - /// - public static string UnableToFindProject_csy { - get { - return ResourceManager.GetString("UnableToFindProject_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Das Projekt "{0}" wurde nicht gefunden.. - /// - public static string UnableToFindProject_deu { - get { - return ResourceManager.GetString("UnableToFindProject_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se encuentra el proyecto '{0}'.. - /// - public static string UnableToFindProject_esp { - get { - return ResourceManager.GetString("UnableToFindProject_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossible de trouver le projet '{0}'.. - /// - public static string UnableToFindProject_fra { - get { - return ResourceManager.GetString("UnableToFindProject_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile trovare il progetto '{0}'.. - /// - public static string UnableToFindProject_ita { - get { - return ResourceManager.GetString("UnableToFindProject_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to プロジェクト '{0}' が見つかりません。. - /// - public static string UnableToFindProject_jpn { - get { - return ResourceManager.GetString("UnableToFindProject_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' 프로젝트를 찾을 수 없습니다.. - /// - public static string UnableToFindProject_kor { - get { - return ResourceManager.GetString("UnableToFindProject_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można odnaleźć projektu „{0}”.. - /// - public static string UnableToFindProject_plk { - get { - return ResourceManager.GetString("UnableToFindProject_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não é possível encontrar o projeto '{0}'.. - /// - public static string UnableToFindProject_ptb { - get { - return ResourceManager.GetString("UnableToFindProject_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось найти проект "{0}".. - /// - public static string UnableToFindProject_rus { - get { - return ResourceManager.GetString("UnableToFindProject_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' projesi bulunamadı.. - /// - public static string UnableToFindProject_trk { - get { - return ResourceManager.GetString("UnableToFindProject_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to find solution '{0}'.. - /// - public static string UnableToFindSolution { - get { - return ResourceManager.GetString("UnableToFindSolution", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到解决方案“{0}”。. - /// - public static string UnableToFindSolution_chs { - get { - return ResourceManager.GetString("UnableToFindSolution_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到方案 '{0}'。. - /// - public static string UnableToFindSolution_cht { - get { - return ResourceManager.GetString("UnableToFindSolution_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nelze najít řešení {0}.. - /// - public static string UnableToFindSolution_csy { - get { - return ResourceManager.GetString("UnableToFindSolution_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Das Projekt "{0}" wurde nicht gefunden.. - /// - public static string UnableToFindSolution_deu { - get { - return ResourceManager.GetString("UnableToFindSolution_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede encontrar la solución '{0}'.. - /// - public static string UnableToFindSolution_esp { - get { - return ResourceManager.GetString("UnableToFindSolution_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossible de trouver la solution '{0}'.. - /// - public static string UnableToFindSolution_fra { - get { - return ResourceManager.GetString("UnableToFindSolution_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile trovare soluzione '{0}'.. - /// - public static string UnableToFindSolution_ita { - get { - return ResourceManager.GetString("UnableToFindSolution_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ソリューション '{0}' が見つかりません。. - /// - public static string UnableToFindSolution_jpn { - get { - return ResourceManager.GetString("UnableToFindSolution_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' 솔루션을 찾을 수 없습니다.. - /// - public static string UnableToFindSolution_kor { - get { - return ResourceManager.GetString("UnableToFindSolution_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można znaleźć rozwiązania „{0}”.. - /// - public static string UnableToFindSolution_plk { - get { - return ResourceManager.GetString("UnableToFindSolution_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não foi possível encontrar uma solução '{0}'.. - /// - public static string UnableToFindSolution_ptb { - get { - return ResourceManager.GetString("UnableToFindSolution_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось найти решение "{0}".. - /// - public static string UnableToFindSolution_rus { - get { - return ResourceManager.GetString("UnableToFindSolution_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' çözümü bulunamıyor.. - /// - public static string UnableToFindSolution_trk { - get { - return ResourceManager.GetString("UnableToFindSolution_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to locate the packages folder. Verify all the packages are restored before running 'nuget.exe update'.. - /// - public static string UnableToLocatePackagesFolder { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到程序包文件夹。请尝试使用 repositoryPath 开关指定它。. - /// - public static string UnableToLocatePackagesFolder_chs { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到封裝資料夾。嘗試使用 repositoryPath 切換指定。. - /// - public static string UnableToLocatePackagesFolder_cht { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Složka balíčků nebyla nalezena. Zkuste ji zadat pomocí přepínače repositoryPath.. - /// - public static string UnableToLocatePackagesFolder_csy { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Paketordner wurde nicht gefunden. Versuchen Sie, ihn mithilfe des Schalters "repositoryPath " anzugeben.. - /// - public static string UnableToLocatePackagesFolder_deu { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede ubicar la carpeta de los paquetes. Pruebe de especificarla usando el conmutador repositoryPath.. - /// - public static string UnableToLocatePackagesFolder_esp { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossible de trouver le dossier de packages. Essayez de le spécifier à l'aide du commutateur repositoryPath.. - /// - public static string UnableToLocatePackagesFolder_fra { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile localizzare la cartella pacchetto. Provare a specificarla usando repositoryPath switch.. - /// - public static string UnableToLocatePackagesFolder_ita { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages フォルダーが見つかりません。repositoryPath スイッチを使用して指定してください。. - /// - public static string UnableToLocatePackagesFolder_jpn { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 패키지 폴더를 찾을 수 없습니다. repositoryPath 스위치를 사용하여 지정해 보십시오.. - /// - public static string UnableToLocatePackagesFolder_kor { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można zlokalizować folderu pakietów. Spróbuj go określić przy użyciu przełącznika repositoryPath.. - /// - public static string UnableToLocatePackagesFolder_plk { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não foi possível localizar a pasta de pacotes. Tente especificá-la usando a opção repositoryPath.. - /// - public static string UnableToLocatePackagesFolder_ptb { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось найти папку пакетов. Попробуйте указать ее с помощью параметра repositoryPath.. - /// - public static string UnableToLocatePackagesFolder_rus { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paket klasörü bulunamıyor. RepositoryPath anahtarını kullanarak belirlemeyi deneyin.. - /// - public static string UnableToLocatePackagesFolder_trk { - get { - return ResourceManager.GetString("UnableToLocatePackagesFolder_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to locate project file for '{0}'.. - /// - public static string UnableToLocateProjectFile { - get { - return ResourceManager.GetString("UnableToLocateProjectFile", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到“{0}”的项目文件。. - /// - public static string UnableToLocateProjectFile_chs { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到 '{0}' 的專案檔。. - /// - public static string UnableToLocateProjectFile_cht { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Soubor projektu pro {0} nebyl nalezen.. - /// - public static string UnableToLocateProjectFile_csy { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Die Projektdatei für "{0}" wurde nicht gefunden.. - /// - public static string UnableToLocateProjectFile_deu { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede ubicar el archivo de proyecto para '{0}'.. - /// - public static string UnableToLocateProjectFile_esp { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossible de trouver le fichier projet pour '{0}'.. - /// - public static string UnableToLocateProjectFile_fra { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile localizzare file progetto per '{0}'.. - /// - public static string UnableToLocateProjectFile_ita { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' のプロジェクト ファイルが見つかりません。. - /// - public static string UnableToLocateProjectFile_jpn { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'에 대한 프로젝트 파일을 찾을 수 없습니다.. - /// - public static string UnableToLocateProjectFile_kor { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można zlokalizować pliku projektu dla „{0}”.. - /// - public static string UnableToLocateProjectFile_plk { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não foi possível localizar arquivo de projeto para '{0}'.. - /// - public static string UnableToLocateProjectFile_ptb { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось найти файл проекта для "{0}".. - /// - public static string UnableToLocateProjectFile_rus { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' için proje dosyası bulunamıyor.. - /// - public static string UnableToLocateProjectFile_trk { - get { - return ResourceManager.GetString("UnableToLocateProjectFile_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unknown command: '{0}'. - /// - public static string UnknowCommandError { - get { - return ResourceManager.GetString("UnknowCommandError", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 未知命令:“{0}”. - /// - public static string UnknowCommandError_chs { - get { - return ResourceManager.GetString("UnknowCommandError_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 不明的命令: '{0}'. - /// - public static string UnknowCommandError_cht { - get { - return ResourceManager.GetString("UnknowCommandError_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Neznámý příkaz: '{0}'. - /// - public static string UnknowCommandError_csy { - get { - return ResourceManager.GetString("UnknowCommandError_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unbekannter Befehl: "{0}". - /// - public static string UnknowCommandError_deu { - get { - return ResourceManager.GetString("UnknowCommandError_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Comando desconocido: '{0}'. - /// - public static string UnknowCommandError_esp { - get { - return ResourceManager.GetString("UnknowCommandError_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Commande inconnue : '{0}'. - /// - public static string UnknowCommandError_fra { - get { - return ResourceManager.GetString("UnknowCommandError_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Comando sconosciuto: '{0}'. - /// - public static string UnknowCommandError_ita { - get { - return ResourceManager.GetString("UnknowCommandError_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 不明なコマンド: '{0}'. - /// - public static string UnknowCommandError_jpn { - get { - return ResourceManager.GetString("UnknowCommandError_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 알 수 없는 명령: '{0}'. - /// - public static string UnknowCommandError_kor { - get { - return ResourceManager.GetString("UnknowCommandError_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nieznane polecenie: „{0}”. - /// - public static string UnknowCommandError_plk { - get { - return ResourceManager.GetString("UnknowCommandError_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Comando desconhecido: '{0}'. - /// - public static string UnknowCommandError_ptb { - get { - return ResourceManager.GetString("UnknowCommandError_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Неизвестная команда: "{0}". - /// - public static string UnknowCommandError_rus { - get { - return ResourceManager.GetString("UnknowCommandError_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bilinmeyen komut: '{0}'. - /// - public static string UnknowCommandError_trk { - get { - return ResourceManager.GetString("UnknowCommandError_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unknown option: '{0}'. - /// - public static string UnknownOptionError { - get { - return ResourceManager.GetString("UnknownOptionError", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 未知选项:“{0}”. - /// - public static string UnknownOptionError_chs { - get { - return ResourceManager.GetString("UnknownOptionError_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 不明的選項: '{0}'. - /// - public static string UnknownOptionError_cht { - get { - return ResourceManager.GetString("UnknownOptionError_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Neznámá možnost: '{0}'. - /// - public static string UnknownOptionError_csy { - get { - return ResourceManager.GetString("UnknownOptionError_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unbekannte Option: "{0}". - /// - public static string UnknownOptionError_deu { - get { - return ResourceManager.GetString("UnknownOptionError_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Opción desconocida: '{0}'. - /// - public static string UnknownOptionError_esp { - get { - return ResourceManager.GetString("UnknownOptionError_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Option inconnue : '{0}'. - /// - public static string UnknownOptionError_fra { - get { - return ResourceManager.GetString("UnknownOptionError_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Opzione sconosciuta: '{0}'. - /// - public static string UnknownOptionError_ita { - get { - return ResourceManager.GetString("UnknownOptionError_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 不明なオプション: '{0}'. - /// - public static string UnknownOptionError_jpn { - get { - return ResourceManager.GetString("UnknownOptionError_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 알 수 없는 옵션: '{0}'. - /// - public static string UnknownOptionError_kor { - get { - return ResourceManager.GetString("UnknownOptionError_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nieznana opcja: „{0}”. - /// - public static string UnknownOptionError_plk { - get { - return ResourceManager.GetString("UnknownOptionError_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Opção desconhecida: '{0}'. - /// - public static string UnknownOptionError_ptb { - get { - return ResourceManager.GetString("UnknownOptionError_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Неизвестный оператор: "{0}". - /// - public static string UnknownOptionError_rus { - get { - return ResourceManager.GetString("UnknownOptionError_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Bilinmeyen seçenek: '{0}'. - /// - public static string UnknownOptionError_trk { - get { - return ResourceManager.GetString("UnknownOptionError_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' is not a valid target framework.. - /// - public static string UnsupportedFramework { - get { - return ResourceManager.GetString("UnsupportedFramework", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Checking for updates from {0}.. - /// - public static string UpdateCommandCheckingForUpdates { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在检查来自 {0} 的更新。. - /// - public static string UpdateCommandCheckingForUpdates_chs { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在檢查來自 {0} 的更新。. - /// - public static string UpdateCommandCheckingForUpdates_cht { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá kontrola aktualizací z {0}.. - /// - public static string UpdateCommandCheckingForUpdates_csy { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Es wird auf Updates von {0} überprüft.. - /// - public static string UpdateCommandCheckingForUpdates_deu { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Comprobando actualizaciones desde {0}.. - /// - public static string UpdateCommandCheckingForUpdates_esp { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Recherche de mises à jour depuis {0}.. - /// - public static string UpdateCommandCheckingForUpdates_fra { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Controllando aggiornamenti da {0}.. - /// - public static string UpdateCommandCheckingForUpdates_ita { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} の更新を確認しています。. - /// - public static string UpdateCommandCheckingForUpdates_jpn { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}에서 업데이트를 확인하고 있습니다.. - /// - public static string UpdateCommandCheckingForUpdates_kor { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sprawdzanie dostępności aktualizacji z {0}.. - /// - public static string UpdateCommandCheckingForUpdates_plk { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Verifique se há atualizações de {0}.. - /// - public static string UpdateCommandCheckingForUpdates_ptb { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Проверка обновлений из "{0}".. - /// - public static string UpdateCommandCheckingForUpdates_rus { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Güncellemeler {0} konumundan denetleniyor.. - /// - public static string UpdateCommandCheckingForUpdates_trk { - get { - return ResourceManager.GetString("UpdateCommandCheckingForUpdates_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Currently running NuGet.exe {0}.. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 当前正在运行 NuGet.exe {0}。. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_chs { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 目前正在執行 NuGet.exe {0}。. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_cht { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aktuálně je spuštěn soubor NuGet.exe {0}.. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_csy { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "NuGet.exe" {0} wird zurzeit ausgeführt.. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_deu { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se está ejecutando NuGet.exe {0}.. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_esp { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe {0} en cours d'exécution.. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_fra { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe {0} avviato.. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_ita { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe {0} は実行中です。. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_jpn { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 현재 NuGet.exe {0}을(를) 실행하고 있습니다.. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_kor { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Plik NuGet.exe {0} jest obecnie uruchomiony.. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_plk { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Atualmente executando NuGet.exe {0}.. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_ptb { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Сейчас запущен NuGet.exe {0}.. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_rus { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe {0} şu anda çalıştırılıyor.. - /// - public static string UpdateCommandCurrentlyRunningNuGetExe_trk { - get { - return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe is up to date.. - /// - public static string UpdateCommandNuGetUpToDate { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe 是最新的。. - /// - public static string UpdateCommandNuGetUpToDate_chs { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe 是最新的。. - /// - public static string UpdateCommandNuGetUpToDate_cht { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe je aktuální.. - /// - public static string UpdateCommandNuGetUpToDate_csy { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "NuGet.exe" ist aktuell.. - /// - public static string UpdateCommandNuGetUpToDate_deu { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe está actualizado.. - /// - public static string UpdateCommandNuGetUpToDate_esp { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe est à jour.. - /// - public static string UpdateCommandNuGetUpToDate_fra { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe è aggiornato.. - /// - public static string UpdateCommandNuGetUpToDate_ita { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe は最新です。. - /// - public static string UpdateCommandNuGetUpToDate_jpn { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe가 최신 버전입니다.. - /// - public static string UpdateCommandNuGetUpToDate_kor { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Plik NuGet.exe jest aktualny.. - /// - public static string UpdateCommandNuGetUpToDate_plk { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O NuGet.exe está atualizado.. - /// - public static string UpdateCommandNuGetUpToDate_ptb { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Обновление NuGet.exe не требуется.. - /// - public static string UpdateCommandNuGetUpToDate_rus { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe güncel.. - /// - public static string UpdateCommandNuGetUpToDate_trk { - get { - return ResourceManager.GetString("UpdateCommandNuGetUpToDate_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Unable to find '{0}' package.. - /// - public static string UpdateCommandUnableToFindPackage { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到“{0}”程序包。. - /// - public static string UpdateCommandUnableToFindPackage_chs { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找不到 '{0}' 封裝。. - /// - public static string UpdateCommandUnableToFindPackage_cht { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Balíček {0} nebyl nalezen.. - /// - public static string UpdateCommandUnableToFindPackage_csy { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Das Paket "{0}" wurde nicht gefunden.. - /// - public static string UpdateCommandUnableToFindPackage_deu { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to No se puede encontrar el paquete '{0}'.. - /// - public static string UpdateCommandUnableToFindPackage_esp { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossible de trouver le package '{0}'.. - /// - public static string UpdateCommandUnableToFindPackage_fra { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Impossibile trovare pacchetto '{0}'.. - /// - public static string UpdateCommandUnableToFindPackage_ita { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' パッケージが見つかりません。. - /// - public static string UpdateCommandUnableToFindPackage_jpn { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' 패키지를 찾을 수 없습니다.. - /// - public static string UpdateCommandUnableToFindPackage_kor { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nie można odnaleźć pakietu „{0}”.. - /// - public static string UpdateCommandUnableToFindPackage_plk { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Não foi possível encontrar o pacote '{0}'.. - /// - public static string UpdateCommandUnableToFindPackage_ptb { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Не удалось найти пакет "{0}".. - /// - public static string UpdateCommandUnableToFindPackage_rus { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' paketi bulunamıyor.. - /// - public static string UpdateCommandUnableToFindPackage_trk { - get { - return ResourceManager.GetString("UpdateCommandUnableToFindPackage_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Invalid NuGet.CommandLine package. Unable to locate NuGet.exe within the package.. - /// - public static string UpdateCommandUnableToLocateNuGetExe { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.CommandLine 程序包无效。在该程序包中找不到 NuGet.exe。. - /// - public static string UpdateCommandUnableToLocateNuGetExe_chs { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無效的 NuGet.CommandLine 封裝。在封裝中找不到 NuGet.exe。. - /// - public static string UpdateCommandUnableToLocateNuGetExe_cht { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Neplatný balíček NuGet.CommandLine. V tomto balíčku nebyl nalezen soubor NuGet.exe.. - /// - public static string UpdateCommandUnableToLocateNuGetExe_csy { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ungültiges NuGet.CommandLine-Paket. "NuGet.exe" wurde im Paket nicht gefunden.. - /// - public static string UpdateCommandUnableToLocateNuGetExe_deu { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Paquete NuGet.CommandLine no válido. No se puede ubicar NuGet.exe en el paquete.. - /// - public static string UpdateCommandUnableToLocateNuGetExe_esp { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Package NuGet.CommandLine non valide. Impossible de trouver NuGet.exe dans le package.. - /// - public static string UpdateCommandUnableToLocateNuGetExe_fra { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pacchetto NuGet.CommandLine invalido. Impossibile localizzare NuGet.exe all'interno del pacchetto.. - /// - public static string UpdateCommandUnableToLocateNuGetExe_ita { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.CommandLine パッケージが無効です。パッケージ内に NuGet.exe が見つかりません。. - /// - public static string UpdateCommandUnableToLocateNuGetExe_jpn { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 잘못된 NuGet.CommandLine 패키지입니다. 패키지에서 NuGet.exe를 찾을 수 없습니다.. - /// - public static string UpdateCommandUnableToLocateNuGetExe_kor { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nieprawidłowy pakiet NuGet.CommandLine. Nie można odnaleźć pliku NuGet.exe wewnątrz pakietu.. - /// - public static string UpdateCommandUnableToLocateNuGetExe_plk { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Pacote NuGet.CommandLine inválido. Não foi possível localizar NuGet.exe dentro do pacote.. - /// - public static string UpdateCommandUnableToLocateNuGetExe_ptb { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Недопустимый пакет NuGet.CommandLine. В пакете не удалось найти NuGet.exe.. - /// - public static string UpdateCommandUnableToLocateNuGetExe_rus { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Geçersiz NuGet.CommandLine paketi. Paket içindeki NuGet.exe bulunamıyor.. - /// - public static string UpdateCommandUnableToLocateNuGetExe_trk { - get { - return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Update successful.. - /// - public static string UpdateCommandUpdateSuccessful { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 更新成功。. - /// - public static string UpdateCommandUpdateSuccessful_chs { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 成功更新。. - /// - public static string UpdateCommandUpdateSuccessful_cht { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aktualizace proběhla úspěšně.. - /// - public static string UpdateCommandUpdateSuccessful_csy { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Das Update war erfolgreich.. - /// - public static string UpdateCommandUpdateSuccessful_deu { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Actualización correcta.. - /// - public static string UpdateCommandUpdateSuccessful_esp { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mise à jour réussie.. - /// - public static string UpdateCommandUpdateSuccessful_fra { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aggiornamento riuscito. - /// - public static string UpdateCommandUpdateSuccessful_ita { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正常に更新されました。. - /// - public static string UpdateCommandUpdateSuccessful_jpn { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 업데이트했습니다.. - /// - public static string UpdateCommandUpdateSuccessful_kor { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aktualizacja powiodła się.. - /// - public static string UpdateCommandUpdateSuccessful_plk { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Atualização bem-sucedida.. - /// - public static string UpdateCommandUpdateSuccessful_ptb { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Обновление выполнено.. - /// - public static string UpdateCommandUpdateSuccessful_rus { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Güncelleme başarılı.. - /// - public static string UpdateCommandUpdateSuccessful_trk { - get { - return ResourceManager.GetString("UpdateCommandUpdateSuccessful_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Updating NuGet.exe to {0}.. - /// - public static string UpdateCommandUpdatingNuGet { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在将 NuGet.exe 更新到 {0}。. - /// - public static string UpdateCommandUpdatingNuGet_chs { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在更新 NuGet.exe 為 {0}。. - /// - public static string UpdateCommandUpdatingNuGet_cht { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá aktualizace souboru NuGet.exe na {0}.. - /// - public static string UpdateCommandUpdatingNuGet_csy { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "NuGet.exe" wird auf {0} aktualisiert.. - /// - public static string UpdateCommandUpdatingNuGet_deu { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Actualizando NuGet.exe a {0}.. - /// - public static string UpdateCommandUpdatingNuGet_esp { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mise à jour de NuGet.exe vers {0}.. - /// - public static string UpdateCommandUpdatingNuGet_fra { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aggiornando NuGet.exe a {0}.. - /// - public static string UpdateCommandUpdatingNuGet_ita { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe を {0} に更新しています。. - /// - public static string UpdateCommandUpdatingNuGet_jpn { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe를 {0}(으)로 업데이트하고 있습니다.. - /// - public static string UpdateCommandUpdatingNuGet_kor { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aktualizowanie pliku NuGet.exe do {0}.. - /// - public static string UpdateCommandUpdatingNuGet_plk { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Atualizando NuGet.exe para {0}.. - /// - public static string UpdateCommandUpdatingNuGet_ptb { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Обновление NuGet.exe в {0}.. - /// - public static string UpdateCommandUpdatingNuGet_rus { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to NuGet.exe {0} olarak güncelleniyor.. - /// - public static string UpdateCommandUpdatingNuGet_trk { - get { - return ResourceManager.GetString("UpdateCommandUpdatingNuGet_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Updating '{0}'.... - /// - public static string UpdatingProject { - get { - return ResourceManager.GetString("UpdatingProject", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在更新“{0}”.... - /// - public static string UpdatingProject_chs { - get { - return ResourceManager.GetString("UpdatingProject_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在更新 '{0}'.... - /// - public static string UpdatingProject_cht { - get { - return ResourceManager.GetString("UpdatingProject_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Probíhá aktualizace {0}.... - /// - public static string UpdatingProject_csy { - get { - return ResourceManager.GetString("UpdatingProject_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" wird aktualisiert.... - /// - public static string UpdatingProject_deu { - get { - return ResourceManager.GetString("UpdatingProject_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Actualizando '{0}'…. - /// - public static string UpdatingProject_esp { - get { - return ResourceManager.GetString("UpdatingProject_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Mise à jour de '{0}'…. - /// - public static string UpdatingProject_fra { - get { - return ResourceManager.GetString("UpdatingProject_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Aggiornando '{0}'.... - /// - public static string UpdatingProject_ita { - get { - return ResourceManager.GetString("UpdatingProject_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' を更新しています.... - /// - public static string UpdatingProject_jpn { - get { - return ResourceManager.GetString("UpdatingProject_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'을(를) 업데이트하는 중.... - /// - public static string UpdatingProject_kor { - get { - return ResourceManager.GetString("UpdatingProject_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Trwa aktualizacja „{0}”.... - /// - public static string UpdatingProject_plk { - get { - return ResourceManager.GetString("UpdatingProject_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Atualizando '{0}' .... - /// - public static string UpdatingProject_ptb { - get { - return ResourceManager.GetString("UpdatingProject_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Обновление "{0}".... - /// - public static string UpdatingProject_rus { - get { - return ResourceManager.GetString("UpdatingProject_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' güncelleniyor.... - /// - public static string UpdatingProject_trk { - get { - return ResourceManager.GetString("UpdatingProject_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Using '{0}' for metadata.. - /// - public static string UsingNuspecForMetadata { - get { - return ResourceManager.GetString("UsingNuspecForMetadata", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在对元数据使用“{0}”。. - /// - public static string UsingNuspecForMetadata_chs { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 正在使用中繼資料的 '{0}'。. - /// - public static string UsingNuspecForMetadata_cht { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} se používá pro metadata.. - /// - public static string UsingNuspecForMetadata_csy { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" wird für Metadaten verwendet.. - /// - public static string UsingNuspecForMetadata_deu { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Usando '{0}' para metadatos.. - /// - public static string UsingNuspecForMetadata_esp { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Utilisation de '{0}' pour les métadonnées.. - /// - public static string UsingNuspecForMetadata_fra { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Usando '{0}' per metadati.. - /// - public static string UsingNuspecForMetadata_ita { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to メタデータに '{0}' を使用しています。. - /// - public static string UsingNuspecForMetadata_jpn { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 메타데이터에 대한 '{0}'을(를) 사용하고 있습니다.. - /// - public static string UsingNuspecForMetadata_kor { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Używanie „{0}” na potrzeby metadanych.. - /// - public static string UsingNuspecForMetadata_plk { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Usando '{0}' para metadados.. - /// - public static string UsingNuspecForMetadata_ptb { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Использование "{0}" для метаданных.. - /// - public static string UsingNuspecForMetadata_rus { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Meta veriler için '{0}' kullanılıyor.. - /// - public static string UsingNuspecForMetadata_trk { - get { - return ResourceManager.GetString("UsingNuspecForMetadata_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Found packages.config. Using packages listed as dependencies. - /// - public static string UsingPackagesConfigForDependencies { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找到 packages.config。正在使用列出的程序包作为依赖关系. - /// - public static string UsingPackagesConfigForDependencies_chs { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 找到 packages.config。使用列出的封裝做為相依性。. - /// - public static string UsingPackagesConfigForDependencies_cht { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Byl nalezen soubor packages.config. Používají se balíčky uvedené jako závislosti.. - /// - public static string UsingPackagesConfigForDependencies_csy { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "packages.config" wurde gefunden. Die aufgelisteten Pakete werden als Abhängigkeiten verwendet.. - /// - public static string UsingPackagesConfigForDependencies_deu { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Se ha encontrado packages.config. Usando paquetes mostrados como dependencias. - /// - public static string UsingPackagesConfigForDependencies_esp { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Packages.config trouvé. Utilisation de packages répertoriés comme dépendances. - /// - public static string UsingPackagesConfigForDependencies_fra { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Trovato packages.config. Usando pacchetti elencati come dipendenze.. - /// - public static string UsingPackagesConfigForDependencies_ita { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config が見つかりました。依存関係として登録されているパッケージを使用します. - /// - public static string UsingPackagesConfigForDependencies_jpn { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to packages.config를 찾았습니다. 나열된 패키지를 종속성으로 사용하고 있습니다.. - /// - public static string UsingPackagesConfigForDependencies_kor { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Znaleziono plik packages.config. Wymienione pakiety zostaną użyte jako zależności. - /// - public static string UsingPackagesConfigForDependencies_plk { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Encontrado packages.config. Usando pacotes listados como dependências. - /// - public static string UsingPackagesConfigForDependencies_ptb { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Найден файл packages.config. Перечисленные пакеты будут использованы как зависимости. - /// - public static string UsingPackagesConfigForDependencies_rus { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Packages.config bulundu. Paketler bağımlılıklarda listelenen şekilde kullanılıyor. - /// - public static string UsingPackagesConfigForDependencies_trk { - get { - return ResourceManager.GetString("UsingPackagesConfigForDependencies_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to The value "{0}" for {1} is a sample value and should be removed.. - /// - public static string Warning_DefaultSpecValue { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {1} 的值“{0}”是示例值,应将其删除。. - /// - public static string Warning_DefaultSpecValue_chs { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {1} 的值 "{0}" 為範例值且應該移除。. - /// - public static string Warning_DefaultSpecValue_cht { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hodnota {0} pro {1} je ukázková hodnota a měla by být odebrána.. - /// - public static string Warning_DefaultSpecValue_csy { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Wert "{0}" für {1} ist ein Beispielwert und sollte entfernt werden.. - /// - public static string Warning_DefaultSpecValue_deu { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to El valor "{0}" para {1} es un valor de ejemplo y se debería quitar.. - /// - public static string Warning_DefaultSpecValue_esp { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La valeur « {0} » pour {1} est un exemple et doit être supprimée.. - /// - public static string Warning_DefaultSpecValue_fra { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Il valore "{0}" per {1} è un valore campione e debe essere rimosso.. - /// - public static string Warning_DefaultSpecValue_ita { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {1} の値 "{0}" はサンプル値なので、削除する必要があります。. - /// - public static string Warning_DefaultSpecValue_jpn { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {1}에 대한 "{0}" 값은 샘플 값이므로 제거해야 합니다.. - /// - public static string Warning_DefaultSpecValue_kor { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Wartość „{0}” dla {1} jest wartością przykładową i należy ją usunąć.. - /// - public static string Warning_DefaultSpecValue_plk { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to O valor "{0}" para {1} é um valor de amostra e deve ser removido.. - /// - public static string Warning_DefaultSpecValue_ptb { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Значение "{0}" для {1} является образцом значения, и его не следует удалять.. - /// - public static string Warning_DefaultSpecValue_rus { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {1} için "{0}" örnek bir değerdir ve kaldırılması gerekir.. - /// - public static string Warning_DefaultSpecValue_trk { - get { - return ResourceManager.GetString("Warning_DefaultSpecValue_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Replace with an appropriate value or remove and it and rebuild your package.. - /// - public static string Warning_DefaultSpecValueSolution { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 请替换为适当的值或删除它,然后重新生成程序包。. - /// - public static string Warning_DefaultSpecValueSolution_chs { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 以適當的值取代或移除並重新建置封裝。. - /// - public static string Warning_DefaultSpecValueSolution_cht { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nahraďte ji odpovídající hodnotou nebo ji odeberte a pak znovu sestavte balíček.. - /// - public static string Warning_DefaultSpecValueSolution_csy { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ersetzen Sie ihn durch einen geeigneten Wert, oder entfernen Sie ihn, und erstellen Sie das Paket dann erneut.. - /// - public static string Warning_DefaultSpecValueSolution_deu { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Reemplazar con un valor apropiado o quitar y compilar el paquete.. - /// - public static string Warning_DefaultSpecValueSolution_esp { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Remplacez-la par une valeur adéquate, ou supprimez-la et recréez le package.. - /// - public static string Warning_DefaultSpecValueSolution_fra { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Sostituire con un valore appropriato o rimuoverlo e ricreare il pacchetto.. - /// - public static string Warning_DefaultSpecValueSolution_ita { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 適切な値で置き換えるか、削除して、パッケージを再度ビルドする必要があります。. - /// - public static string Warning_DefaultSpecValueSolution_jpn { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 적합한 값으로 바꾸거나 제거하고 패키지를 다시 빌드하십시오.. - /// - public static string Warning_DefaultSpecValueSolution_kor { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Zastąp odpowiednią wartością lub usuń i ponownie skompiluj pakiet.. - /// - public static string Warning_DefaultSpecValueSolution_plk { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Substitua por um valor apropriado ou remova-o e reconstrua o seu pacote.. - /// - public static string Warning_DefaultSpecValueSolution_ptb { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Замените его соответствующим значением или удалите и повторно выполните сборку пакета.. - /// - public static string Warning_DefaultSpecValueSolution_rus { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Uygun bir değerle değiştirin veya kaldırın ve paketinizi yeniden oluşturun.. - /// - public static string Warning_DefaultSpecValueSolution_trk { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueSolution_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Remove sample nuspec values.. - /// - public static string Warning_DefaultSpecValueTitle { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 删除示例 nuspec 值。. - /// - public static string Warning_DefaultSpecValueTitle_chs { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 移除範例 nuspec 值。. - /// - public static string Warning_DefaultSpecValueTitle_cht { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Odeberte ukázkové hodnoty nuspec.. - /// - public static string Warning_DefaultSpecValueTitle_csy { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to nuspec-Beispielwerte entfernen.. - /// - public static string Warning_DefaultSpecValueTitle_deu { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Quitar los valores nuspec de ejemplo.. - /// - public static string Warning_DefaultSpecValueTitle_esp { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Supprimez les valeurs nuspec d'exemple.. - /// - public static string Warning_DefaultSpecValueTitle_fra { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Rimuovere valori campione nuspec.. - /// - public static string Warning_DefaultSpecValueTitle_ita { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to サンプル nuspec 値を削除してください。. - /// - public static string Warning_DefaultSpecValueTitle_jpn { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 샘플 nuspec 값을 제거합니다.. - /// - public static string Warning_DefaultSpecValueTitle_kor { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Usuń przykładowe wartości nuspec.. - /// - public static string Warning_DefaultSpecValueTitle_plk { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Remova os valores nuspec de amostra.. - /// - public static string Warning_DefaultSpecValueTitle_ptb { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Удалите образцы значений nuspec.. - /// - public static string Warning_DefaultSpecValueTitle_rus { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Örnek nuspec değerlerini kaldırın.. - /// - public static string Warning_DefaultSpecValueTitle_trk { - get { - return ResourceManager.GetString("Warning_DefaultSpecValueTitle_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' key already exists in Properties collection. Overriding value.. - /// - public static string Warning_DuplicatePropertyKey { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0} 键已存在于属性集合中。正在重写值。. - /// - public static string Warning_DuplicatePropertyKey_chs { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' 索引鍵已存在於屬性集合中。覆寫該值。. - /// - public static string Warning_DuplicatePropertyKey_cht { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Klíč {0} již existuje v kolekci Properties. Přepisuje se hodnota.. - /// - public static string Warning_DuplicatePropertyKey_csy { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Der Schlüssel "{0}" ist in der Eigenschaftenauflistung bereits vorhanden. Der Wert wird außer Kraft gesetzt.. - /// - public static string Warning_DuplicatePropertyKey_deu { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La clave '{0}' ya existe en la colección Propiedades. Reemplazando valor.. - /// - public static string Warning_DuplicatePropertyKey_esp { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to La clé '{0}' existe déjà dans le Regroupement de propriétés. Remplacement de la valeur.. - /// - public static string Warning_DuplicatePropertyKey_fra { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' key è già presente in Properties collection. Valore prevalente.. - /// - public static string Warning_DuplicatePropertyKey_ita { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' キーは Properties コレクションに既に存在します。値を上書きします。. - /// - public static string Warning_DuplicatePropertyKey_jpn { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' 키가 Properties 컬렉션에 이미 있습니다. 값을 재정의하고 있습니다.. - /// - public static string Warning_DuplicatePropertyKey_kor { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Klucz „{0}” już istnieje w kolekcji Właściwości. Wartość zostanie przesłonięta.. - /// - public static string Warning_DuplicatePropertyKey_plk { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to A chave '{0}' já existe na coleção Propriedades. Substituindo valor.. - /// - public static string Warning_DuplicatePropertyKey_ptb { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ключ "{0}" уже существует в коллекции свойств. Значение будет переопределено.. - /// - public static string Warning_DuplicatePropertyKey_rus { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' anahtarı zaten Özellikler koleksiyonunda mevcut. Değer geçersiz kılınıyor.. - /// - public static string Warning_DuplicatePropertyKey_trk { - get { - return ResourceManager.GetString("Warning_DuplicatePropertyKey_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' was included in the project but doesn't exist. Skipping.... - /// - public static string Warning_FileDoesNotExist { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to “{0}”已包含在项目中,但不存在。正在跳过.... - /// - public static string Warning_FileDoesNotExist_chs { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' 包含在專案中但並不存在。正在略過.... - /// - public static string Warning_FileDoesNotExist_cht { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Soubor {0} byl zahrnut v projektu, ale neexistuje. Dojde k přeskočení.... - /// - public static string Warning_FileDoesNotExist_csy { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" war im Projekt enthalten, ist jedoch nicht vorhanden. Das Element wird übersprungen.... - /// - public static string Warning_FileDoesNotExist_deu { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' se ha incluido en el proyecto pero no existe. Omitiendo…. - /// - public static string Warning_FileDoesNotExist_esp { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' a été inclus au projet, mais n'existe pas. Ignorer…. - /// - public static string Warning_FileDoesNotExist_fra { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' è incluso nel progetto ma non esiste. Saltare…. - /// - public static string Warning_FileDoesNotExist_ita { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}' がプロジェクトに含まれていますが、存在しません。スキップしています... Skipping.... - /// - public static string Warning_FileDoesNotExist_jpn { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to '{0}'이(가) 프로젝트에 포함되어 있지만 존재하지 않습니다. 건너뛰는 중.... - /// - public static string Warning_FileDoesNotExist_kor { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Plik „{0}” został uwzględniony w projekcie, ale nie istnieje. Trwa pomijanie.... - /// - public static string Warning_FileDoesNotExist_plk { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' foi incluído no projeto, mas não existe. Ignorando.... - /// - public static string Warning_FileDoesNotExist_ptb { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to "{0}" был добавлен в проект, но не существует. Пропуск.... - /// - public static string Warning_FileDoesNotExist_rus { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to {0}' projeye dahil edildi ancak mevcut değil. Atlanıyor.... - /// - public static string Warning_FileDoesNotExist_trk { - get { - return ResourceManager.GetString("Warning_FileDoesNotExist_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to You are running the '{0}' operation with an 'HTTP' source, '{1}'. Non-HTTPS access will be removed in a future version. Consider migrating to an 'HTTPS' source.. - /// - public static string Warning_HttpServerUsage { - get { - return ResourceManager.GetString("Warning_HttpServerUsage", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to You are running the '{0}' operation with 'HTTP' sources: {1} - ///Non-HTTPS access will be removed in a future version. Consider migrating to 'HTTPS' sources.. - /// - public static string Warning_HttpSources_Multiple { - get { - return ResourceManager.GetString("Warning_HttpSources_Multiple", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Invalid PackageSaveMode value '{0}'.. - /// - public static string Warning_InvalidPackageSaveMode { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to PackageSaveMode 值“{0}”无效。. - /// - public static string Warning_InvalidPackageSaveMode_chs { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_chs", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無效的 PackageSaveMode 值 '{0}'。. - /// - public static string Warning_InvalidPackageSaveMode_cht { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_cht", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hodnota PackageSaveMode {0} je neplatná.. - /// - public static string Warning_InvalidPackageSaveMode_csy { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_csy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Ungültiger PackageSaveMode-Wert "{0}".. - /// - public static string Warning_InvalidPackageSaveMode_deu { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_deu", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to El valor de PackageSaveMode '{0}' no es válido.. - /// - public static string Warning_InvalidPackageSaveMode_esp { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_esp", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to valeur PackageSaveMode non valide : '{0}'.. - /// - public static string Warning_InvalidPackageSaveMode_fra { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_fra", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Valore '{0}' di PackageSaveMode non valido.. - /// - public static string Warning_InvalidPackageSaveMode_ita { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_ita", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 無効な PackageSaveMode 値 '{0}' です。. - /// - public static string Warning_InvalidPackageSaveMode_jpn { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_jpn", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to 잘못된 PackageSaveMode 값 '{0}'입니다.. - /// - public static string Warning_InvalidPackageSaveMode_kor { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_kor", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Nieprawidłowa wartość opcji PackageSaveMode („{0}”).. - /// - public static string Warning_InvalidPackageSaveMode_plk { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_plk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Valor PackageSaveMode inválido '{0}'.. - /// - public static string Warning_InvalidPackageSaveMode_ptb { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_ptb", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Недопустимое значение PackageSaveMode: "{0}".. - /// - public static string Warning_InvalidPackageSaveMode_rus { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_rus", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to PackageSaveMode değeri '{0}' geçersiz.. - /// - public static string Warning_InvalidPackageSaveMode_trk { - get { - return ResourceManager.GetString("Warning_InvalidPackageSaveMode_trk", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Please enbale long file path support in local group policy. Fore more details, please refer to https://aka.ms/nuget-long-path.. - /// - public static string Warning_LongPath_DisabledPolicy { - get { - return ResourceManager.GetString("Warning_LongPath_DisabledPolicy", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Please install .NET Framework 4.6.2 or above that supports long file paths. Fore more details, please refer to https://aka.ms/nuget-long-path.. - /// - public static string Warning_LongPath_UnsupportedNetFramework { - get { - return ResourceManager.GetString("Warning_LongPath_UnsupportedNetFramework", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Long file path is currently only supported on Windows 10. Fore more details, please refer to https://aka.ms/nuget-long-path.. - /// - public static string Warning_LongPath_UnsupportedOS { - get { - return ResourceManager.GetString("Warning_LongPath_UnsupportedOS", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to MsbuildPath : {0} is using, ignore MsBuildVersion: {1}. . - /// - public static string Warning_MsbuildPath { - get { - return ResourceManager.GetString("Warning_MsbuildPath", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Option 'NoPrompt' has been deprecated. Use 'NonInteractive' instead.. - /// - public static string Warning_NoPromptDeprecated { - get { - return ResourceManager.GetString("Warning_NoPromptDeprecated", resourceCulture); + return ResourceManager.GetString("ListCommand_ListNotSupported", resourceCulture); } } /// - /// Looks up a localized string similar to 选项 "NoPrompt" 已弃用。请改用 "NonInteractive"。. + /// Looks up a localized string similar to No packages found.. /// - public static string Warning_NoPromptDeprecated_chs { + public static string ListCommandNoPackages { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_chs", resourceCulture); + return ResourceManager.GetString("ListCommandNoPackages", resourceCulture); } } /// - /// Looks up a localized string similar to 選項 'NoPrompt' 已過時。使用 'NonInteractive'。. + /// Looks up a localized string similar to the NuGet gallery. /// - public static string Warning_NoPromptDeprecated_cht { + public static string LiveFeed { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_cht", resourceCulture); + return ResourceManager.GetString("LiveFeed", resourceCulture); } } /// - /// Looks up a localized string similar to Možnost NoPrompt se již nepoužívá. Použijte místo toho možnost NonInteractive.. + /// Looks up a localized string similar to Local resources cleared.. /// - public static string Warning_NoPromptDeprecated_csy { + public static string LocalsCommand_ClearedSuccessful { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_csy", resourceCulture); + return ResourceManager.GetString("LocalsCommand_ClearedSuccessful", resourceCulture); } } /// - /// Looks up a localized string similar to Die Option "NoPrompt" ist veraltet. Verwenden Sie stattdessen "NonInteractive".. + /// Looks up a localized string similar to Clearing local resources failed: one or more errors occured.. /// - public static string Warning_NoPromptDeprecated_deu { + public static string LocalsCommand_ClearFailed { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_deu", resourceCulture); + return ResourceManager.GetString("LocalsCommand_ClearFailed", resourceCulture); } } /// - /// Looks up a localized string similar to La opción 'NoPrompt' se ha desusado. Use 'NonInteractive' en su lugar.. + /// Looks up a localized string similar to Clearing NuGet cache: {0}. /// - public static string Warning_NoPromptDeprecated_esp { + public static string LocalsCommand_ClearingNuGetCache { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_esp", resourceCulture); + return ResourceManager.GetString("LocalsCommand_ClearingNuGetCache", resourceCulture); } } /// - /// Looks up a localized string similar to L'option 'NoPrompt' a été dépréciée. Préférez plutôt 'NonInteractive'.. + /// Looks up a localized string similar to Clearing NuGet global packages cache: {0}. /// - public static string Warning_NoPromptDeprecated_fra { + public static string LocalsCommand_ClearingNuGetGlobalPackagesCache { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_fra", resourceCulture); + return ResourceManager.GetString("LocalsCommand_ClearingNuGetGlobalPackagesCache", resourceCulture); } } /// - /// Looks up a localized string similar to Opzione 'NoPrompt' disapprovata. Usare 'NonInteractive'.. + /// Looks up a localized string similar to Clearing NuGet HTTP cache: {0}. /// - public static string Warning_NoPromptDeprecated_ita { + public static string LocalsCommand_ClearingNuGetHttpCache { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_ita", resourceCulture); + return ResourceManager.GetString("LocalsCommand_ClearingNuGetHttpCache", resourceCulture); } } /// - /// Looks up a localized string similar to オプション 'NoPrompt' は使用しないでください。代わりに 'NonInteractive' を使用してください。. + /// Looks up a localized string similar to Failed to delete '{0}'.. /// - public static string Warning_NoPromptDeprecated_jpn { + public static string LocalsCommand_FailedToDeletePath { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_jpn", resourceCulture); + return ResourceManager.GetString("LocalsCommand_FailedToDeletePath", resourceCulture); } } /// - /// Looks up a localized string similar to 'NoPrompt' 옵션은 사용되지 않습니다. 대신 'NonInteractive'를 사용하십시오.. + /// Looks up a localized string similar to An invalid local resource name was provided. Please provide one of the following values: http-cache, packages-cache, global-packages, all.. /// - public static string Warning_NoPromptDeprecated_kor { + public static string LocalsCommand_InvalidLocalResourceName { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_kor", resourceCulture); + return ResourceManager.GetString("LocalsCommand_InvalidLocalResourceName", resourceCulture); } } /// - /// Looks up a localized string similar to Opcja „NoPrompt” jest przestarzała. Zamiast niej użyj opcji „NonInteractive”.. + /// Looks up a localized string similar to The location of local resource '{0}' is undefined.. /// - public static string Warning_NoPromptDeprecated_plk { + public static string LocalsCommand_LocalResourcePathNotSet { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_plk", resourceCulture); + return ResourceManager.GetString("LocalsCommand_LocalResourcePathNotSet", resourceCulture); } } /// - /// Looks up a localized string similar to A opção 'NoPrompt' tornou-se obsoleta. Use "Não interativo" como alternativa.. + /// Looks up a localized string similar to Local resources partially cleared.. /// - public static string Warning_NoPromptDeprecated_ptb { + public static string LocalsCommand_LocalsPartiallyCleared { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_ptb", resourceCulture); + return ResourceManager.GetString("LocalsCommand_LocalsPartiallyCleared", resourceCulture); } } /// - /// Looks up a localized string similar to Параметр "NoPrompt" удален из этой версии. Вместо него используйте "NonInteractive".. + /// Looks up a localized string similar to Looking for installed packages in '{0}'.. /// - public static string Warning_NoPromptDeprecated_rus { + public static string LookingForInstalledPackages { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_rus", resourceCulture); + return ResourceManager.GetString("LookingForInstalledPackages", resourceCulture); } } /// - /// Looks up a localized string similar to NoPrompt' seçeneği kullanımdan kaldırılmış. Bunun yerine 'NonInteractive' seçeneğini kullanın.. + /// Looks up a localized string similar to Missing option value for: '{0}'. /// - public static string Warning_NoPromptDeprecated_trk { + public static string MissingOptionValueError { get { - return ResourceManager.GetString("Warning_NoPromptDeprecated_trk", resourceCulture); + return ResourceManager.GetString("MissingOptionValueError", resourceCulture); } } /// - /// Looks up a localized string similar to Error reading msbuild project information, ensure that your input solution or project file is valid. NETCore and UAP projects will be skipped, only packages.config files will be restored.. + /// Looks up a localized string similar to MSBuild auto-detection: using msbuild version '{0}' from '{1}'.. /// - public static string Warning_ReadingProjectsFailed { + public static string MSBuildAutoDetection { get { - return ResourceManager.GetString("Warning_ReadingProjectsFailed", resourceCulture); + return ResourceManager.GetString("MSBuildAutoDetection", resourceCulture); } } /// - /// Looks up a localized string similar to Version "{0}" does not follow semantic versioning guidelines.. + /// Looks up a localized string similar to MSBuild auto-detection: using msbuild version '{0}' from '{1}'. Use option -MSBuildVersion to force nuget to use a specific version of MSBuild.. /// - public static string Warning_SemanticVersion { + public static string MSBuildAutoDetection_Verbose { get { - return ResourceManager.GetString("Warning_SemanticVersion", resourceCulture); + return ResourceManager.GetString("MSBuildAutoDetection_Verbose", resourceCulture); } } /// - /// Looks up a localized string similar to 版本“{0}”未遵循语义版本控制准则。. + /// Looks up a localized string similar to MsBuild.exe does not exist at '{0}'.. /// - public static string Warning_SemanticVersion_chs { + public static string MsBuildDoesNotExistAtPath { get { - return ResourceManager.GetString("Warning_SemanticVersion_chs", resourceCulture); + return ResourceManager.GetString("MsBuildDoesNotExistAtPath", resourceCulture); } } /// - /// Looks up a localized string similar to 版本 "{0}" 不允許語意版本設定方針。. + /// Looks up a localized string similar to Using Msbuild from '{0}'.. /// - public static string Warning_SemanticVersion_cht { + public static string MSbuildFromPath { get { - return ResourceManager.GetString("Warning_SemanticVersion_cht", resourceCulture); + return ResourceManager.GetString("MSbuildFromPath", resourceCulture); } } /// - /// Looks up a localized string similar to Verze {0} nedodržuje pokyny pro správu sémantických verzí.. + /// Looks up a localized string similar to Failed to load msbuild Toolset. /// - public static string Warning_SemanticVersion_csy { + public static string MsbuildLoadToolSetError { get { - return ResourceManager.GetString("Warning_SemanticVersion_csy", resourceCulture); + return ResourceManager.GetString("MsbuildLoadToolSetError", resourceCulture); } } /// - /// Looks up a localized string similar to Die Version "{0}" genügt nicht den Richtlinien für semantische Versionsverwaltung.. + /// Looks up a localized string similar to MSBuildPath : {0} doesn't not exist.. /// - public static string Warning_SemanticVersion_deu { + public static string MsbuildPathNotExist { get { - return ResourceManager.GetString("Warning_SemanticVersion_deu", resourceCulture); + return ResourceManager.GetString("MsbuildPathNotExist", resourceCulture); } } /// - /// Looks up a localized string similar to La versión "{0}"no sigue las instrucciones de control de versiones semánticas.. + /// Looks up a localized string similar to Found multiple project files for '{0}'.. /// - public static string Warning_SemanticVersion_esp { + public static string MultipleProjectFilesFound { get { - return ResourceManager.GetString("Warning_SemanticVersion_esp", resourceCulture); + return ResourceManager.GetString("MultipleProjectFilesFound", resourceCulture); } } /// - /// Looks up a localized string similar to La version « {0} » ne suit pas les instructions de contrôle de version sémantique.. + /// Looks up a localized string similar to Unable to update. The project does not contain a packages.config file.. /// - public static string Warning_SemanticVersion_fra { + public static string NoPackagesConfig { get { - return ResourceManager.GetString("Warning_SemanticVersion_fra", resourceCulture); + return ResourceManager.GetString("NoPackagesConfig", resourceCulture); } } /// - /// Looks up a localized string similar to La versione "{0}" non segue le linee guida di edizione semantica.. + /// Looks up a localized string similar to No projects found with packages.config.. /// - public static string Warning_SemanticVersion_ita { + public static string NoProjectsFound { get { - return ResourceManager.GetString("Warning_SemanticVersion_ita", resourceCulture); + return ResourceManager.GetString("NoProjectsFound", resourceCulture); } } /// - /// Looks up a localized string similar to バージョン "{0}" は、セマンティック バージョンのガイドラインに従っていません。. + /// Looks up a localized string similar to '{0}' is not a valid nupkg file.. /// - public static string Warning_SemanticVersion_jpn { + public static string NupkgPath_InvalidNupkg { get { - return ResourceManager.GetString("Warning_SemanticVersion_jpn", resourceCulture); + return ResourceManager.GetString("NupkgPath_InvalidNupkg", resourceCulture); } } /// - /// Looks up a localized string similar to {0} 버전이 의미 체계의 버전 지정 지침을 따르지 않았습니다.. + /// Looks up a localized string similar to Provided Nupkg file '{0}' is not found.. /// - public static string Warning_SemanticVersion_kor { + public static string NupkgPath_NotFound { get { - return ResourceManager.GetString("Warning_SemanticVersion_kor", resourceCulture); + return ResourceManager.GetString("NupkgPath_NotFound", resourceCulture); } } /// - /// Looks up a localized string similar to Wersja „{0}” nie jest zgodna ze wskazówkami dotyczącymi semantycznego przechowywania wersji.. + /// Looks up a localized string similar to NuGet official package source. /// - public static string Warning_SemanticVersion_plk { + public static string OfficialPackageSourceName { get { - return ResourceManager.GetString("Warning_SemanticVersion_plk", resourceCulture); + return ResourceManager.GetString("OfficialPackageSourceName", resourceCulture); } } /// - /// Looks up a localized string similar to A versão "{0}" não segue as orientações de versionamento semântico.. + /// Looks up a localized string similar to Option 'Verbose' has been deprecated. Use 'Verbosity' instead.. /// - public static string Warning_SemanticVersion_ptb { + public static string Option_VerboseDeprecated { get { - return ResourceManager.GetString("Warning_SemanticVersion_ptb", resourceCulture); + return ResourceManager.GetString("Option_VerboseDeprecated", resourceCulture); } } /// - /// Looks up a localized string similar to Версия "{0}" не соответствует правилам управления семантическими версиями.. + /// Looks up a localized string similar to [option] on '{0}' is invalid without a setter.. /// - public static string Warning_SemanticVersion_rus { + public static string OptionInvalidWithoutSetter { get { - return ResourceManager.GetString("Warning_SemanticVersion_rus", resourceCulture); + return ResourceManager.GetString("OptionInvalidWithoutSetter", resourceCulture); } } /// - /// Looks up a localized string similar to "{0}" sürümü anlamsal sürüm oluşturma kurallarına uymuyor.. + /// Looks up a localized string similar to {0} Version: {1}. /// - public static string Warning_SemanticVersion_trk { + public static string OutputNuGetVersion { get { - return ResourceManager.GetString("Warning_SemanticVersion_trk", resourceCulture); + return ResourceManager.GetString("OutputNuGetVersion", resourceCulture); } } /// - /// Looks up a localized string similar to Update your nuspec file or use the AssemblyInformationalVersion assembly attribute to specify a semantic version as described at http://semver.org. . + /// Looks up a localized string similar to Added file '{0}'.. /// - public static string Warning_SemanticVersionSolution { + public static string PackageCommandAddedFile { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution", resourceCulture); + return ResourceManager.GetString("PackageCommandAddedFile", resourceCulture); } } /// - /// Looks up a localized string similar to 更新 nuspec 文件,或使用 AssemblyInformationalVersion 程序集属性指定 http://semver.org 上所述的语义版本。. + /// Looks up a localized string similar to Attempting to build package from '{0}'.. /// - public static string Warning_SemanticVersionSolution_chs { + public static string PackageCommandAttemptingToBuildPackage { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_chs", resourceCulture); + return ResourceManager.GetString("PackageCommandAttemptingToBuildPackage", resourceCulture); } } /// - /// Looks up a localized string similar to 更新您的 nuspec 檔案或使用 AssemblyInformationalVersion 組件屬性以指定語意版本設定,如t http://semver.org 中所述。 . + /// Looks up a localized string similar to Attempting to build symbols package for '{0}'.. /// - public static string Warning_SemanticVersionSolution_cht { + public static string PackageCommandAttemptingToBuildSymbolsPackage { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_cht", resourceCulture); + return ResourceManager.GetString("PackageCommandAttemptingToBuildSymbolsPackage", resourceCulture); } } /// - /// Looks up a localized string similar to Proveďte aktualizaci souboru nuspec nebo použijte atribut sestavení AssemblyInformationalVersion a zadejte sémantickou verzi podle popisu na webu http://semver.org. . + /// Looks up a localized string similar to File from dependency is changed. Adding file '{0}'.. /// - public static string Warning_SemanticVersionSolution_csy { + public static string PackageCommandFileFromDependencyIsChanged { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_csy", resourceCulture); + return ResourceManager.GetString("PackageCommandFileFromDependencyIsChanged", resourceCulture); } } /// - /// Looks up a localized string similar to Aktualisieren Sie die nuspec-Datei, oder verwenden Sie das Assemblyattribut "AssemblyInformationalVersion", um eine semantische Version wie unter "http://semver.org" beschrieben anzugeben. . + /// Looks up a localized string similar to File from dependency is not changed. File '{0}' is not added.. /// - public static string Warning_SemanticVersionSolution_deu { + public static string PackageCommandFileFromDependencyIsNotChanged { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_deu", resourceCulture); + return ResourceManager.GetString("PackageCommandFileFromDependencyIsNotChanged", resourceCulture); } } /// - /// Looks up a localized string similar to Actualice su archivo nuspec o use el atributo de ensamblado AssemblyInformationalVersion para especificar una versión semántica como se describe en http://semver.org.. + /// Looks up a localized string similar to The value of MinClientVersion argument is not a valid version.. /// - public static string Warning_SemanticVersionSolution_esp { + public static string PackageCommandInvalidMinClientVersion { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_esp", resourceCulture); + return ResourceManager.GetString("PackageCommandInvalidMinClientVersion", resourceCulture); } } /// - /// Looks up a localized string similar to Mettez à jour le fichier .nuspec, ou utilisez l'attribut d'assembly AssemblyInformationalVersion, pour spécifier la version sémantique comme décrit sur http://semver.org. . + /// Looks up a localized string similar to Description: {0}. /// - public static string Warning_SemanticVersionSolution_fra { + public static string PackageCommandIssueDescription { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_fra", resourceCulture); + return ResourceManager.GetString("PackageCommandIssueDescription", resourceCulture); } } /// - /// Looks up a localized string similar to Aggiornare il file nuspec o usare l'attributo AssemblyInformationalVersion per specificare la versione semantica come descritto in http://semver.org. . + /// Looks up a localized string similar to Solution: {0}. /// - public static string Warning_SemanticVersionSolution_ita { + public static string PackageCommandIssueSolution { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_ita", resourceCulture); + return ResourceManager.GetString("PackageCommandIssueSolution", resourceCulture); } } /// - /// Looks up a localized string similar to nuspec ファイルを更新するか、AssemblyInformationalVersion アセンブリ属性を使用して、http://semver.org の説明に従ってセマンティック バージョンを指定してください。. + /// Looks up a localized string similar to Issue: {0}. /// - public static string Warning_SemanticVersionSolution_jpn { + public static string PackageCommandIssueTitle { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_jpn", resourceCulture); + return ResourceManager.GetString("PackageCommandIssueTitle", resourceCulture); } } /// - /// Looks up a localized string similar to nuspec 파일을 업데이트하거나 AssemblyInformationalVersion 어셈블리 특성을 사용하여 http://semver.org에서 설명하는 것과 같이 의미 체계의 버전을 지정하십시오. . + /// Looks up a localized string similar to Failed to build package. Ensure '{0}' includes assembly files. For help on building symbols package, visit {1}.. /// - public static string Warning_SemanticVersionSolution_kor { + public static string PackageCommandNoFilesForLibPackage { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_kor", resourceCulture); + return ResourceManager.GetString("PackageCommandNoFilesForLibPackage", resourceCulture); } } /// - /// Looks up a localized string similar to Zaktualizuj plik nuspec lub użyj atrybutu zestawu AssemblyInformationalVersion, aby określić wersję semantyczną zgodnie z opisem na stronie http://semver.org. . + /// Looks up a localized string similar to Failed to build package. Ensure '{0}' includes source and symbol files. For help on building symbols package, visit {1}.. /// - public static string Warning_SemanticVersionSolution_plk { + public static string PackageCommandNoFilesForSymbolsPackage { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_plk", resourceCulture); + return ResourceManager.GetString("PackageCommandNoFilesForSymbolsPackage", resourceCulture); } } /// - /// Looks up a localized string similar to Atualize seu arquivo nuspec ou usar o atributo de assembly AssemblyInformationalVersion para especificar uma versão semântica, como descrito em http://semver.org.. + /// Looks up a localized string similar to {0} issue(s) found with package '{1}'.. /// - public static string Warning_SemanticVersionSolution_ptb { + public static string PackageCommandPackageIssueSummary { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_ptb", resourceCulture); + return ResourceManager.GetString("PackageCommandPackageIssueSummary", resourceCulture); } } /// - /// Looks up a localized string similar to Обновите ваш NUSPEC-файл или с помощью атрибута AssemblyInformationalVersion укажите семантическую версию, как описано по адресу: http://semver.org. . + /// Looks up a localized string similar to Please specify a nuspec or project file to use.. /// - public static string Warning_SemanticVersionSolution_rus { + public static string PackageCommandSpecifyInputFileError { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_rus", resourceCulture); + return ResourceManager.GetString("PackageCommandSpecifyInputFileError", resourceCulture); } } /// - /// Looks up a localized string similar to Nuspec dosyanızı güncelleyin veya http://semver.org sayfasında açıklanan şekilde bir anlamsal sürüm belirlemek için AssemblyInformationalVersion derleme özniteliğini kullanın . . + /// Looks up a localized string similar to Successfully created package '{0}'.. /// - public static string Warning_SemanticVersionSolution_trk { + public static string PackageCommandSuccess { get { - return ResourceManager.GetString("Warning_SemanticVersionSolution_trk", resourceCulture); + return ResourceManager.GetString("PackageCommandSuccess", resourceCulture); } } /// - /// Looks up a localized string similar to Use semantic versioning. + /// Looks up a localized string similar to Unable to locate '{0} {1}'. Make sure all packages exist in the packages folder before running update.. /// - public static string Warning_SemanticVersionTitle { + public static string PackageDoesNotExist { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle", resourceCulture); + return ResourceManager.GetString("PackageDoesNotExist", resourceCulture); } } /// - /// Looks up a localized string similar to 使用语义版本控制. + /// Looks up a localized string similar to &Allow NuGet to download missing packages. /// - public static string Warning_SemanticVersionTitle_chs { + public static string PackageRestoreConsentCheckBoxText { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_chs", resourceCulture); + return ResourceManager.GetString("PackageRestoreConsentCheckBoxText", resourceCulture); } } /// - /// Looks up a localized string similar to 使用語意版本設定。. + /// Looks up a localized string similar to Packing files from '{0}'.. /// - public static string Warning_SemanticVersionTitle_cht { + public static string PackagingFilesFromOutputPath { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_cht", resourceCulture); + return ResourceManager.GetString("PackagingFilesFromOutputPath", resourceCulture); } } /// - /// Looks up a localized string similar to Použít správu sémantických verzí. + /// Looks up a localized string similar to '{0}' is not a valid path.. /// - public static string Warning_SemanticVersionTitle_csy { + public static string Path_Invalid { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_csy", resourceCulture); + return ResourceManager.GetString("Path_Invalid", resourceCulture); } } /// - /// Looks up a localized string similar to Semantische Versionsverwaltung verwenden. + /// Looks up a localized string similar to '{0}' should be a local path or a UNC share path.. /// - public static string Warning_SemanticVersionTitle_deu { + public static string Path_Invalid_NotFileNotUnc { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_deu", resourceCulture); + return ResourceManager.GetString("Path_Invalid_NotFileNotUnc", resourceCulture); } } /// - /// Looks up a localized string similar to Use el control de versiones semántico. + /// Looks up a localized string similar to `project.json` pack is deprecated. Please consider migrating '{0}' to `PackageReference` and using the pack targets.. /// - public static string Warning_SemanticVersionTitle_esp { + public static string ProjectJsonPack_Deprecated { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_esp", resourceCulture); + return ResourceManager.GetString("ProjectJsonPack_Deprecated", resourceCulture); } } /// - /// Looks up a localized string similar to Utilisation du contrôle de version sémantique. + /// Looks up a localized string similar to Nothing to do. This project does not specify any packages for NuGet to restore.. /// - public static string Warning_SemanticVersionTitle_fra { + public static string ProjectRestoreCommandNoPackagesConfigOrProjectJson { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_fra", resourceCulture); + return ResourceManager.GetString("ProjectRestoreCommandNoPackagesConfigOrProjectJson", resourceCulture); } } /// - /// Looks up a localized string similar to Usare edizione semantica. + /// Looks up a localized string similar to There is no default source, please specify a source.. /// - public static string Warning_SemanticVersionTitle_ita { + public static string PushCommandNoSourceError { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_ita", resourceCulture); + return ResourceManager.GetString("PushCommandNoSourceError", resourceCulture); } } /// - /// Looks up a localized string similar to セマンティック バージョンの使用. + /// Looks up a localized string similar to Pushing took too long. You can change the default timeout of 300 seconds by using the -Timeout <seconds> option with the push command.. /// - public static string Warning_SemanticVersionTitle_jpn { + public static string PushCommandTimeoutError { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_jpn", resourceCulture); + return ResourceManager.GetString("PushCommandTimeoutError", resourceCulture); } } /// - /// Looks up a localized string similar to 의미 체계의 버전 지정 사용. + /// Looks up a localized string similar to The property '{0}' on resource type '{1}' is not a type of ResourceManager.. /// - public static string Warning_SemanticVersionTitle_kor { + public static string ResourcePropertyIncorrectType { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_kor", resourceCulture); + return ResourceManager.GetString("ResourcePropertyIncorrectType", resourceCulture); } } /// - /// Looks up a localized string similar to Zastosuj semantyczne przechowywanie wersji. + /// Looks up a localized string similar to The resource type '{0}' does not have an accessible static property named '{1}'.. /// - public static string Warning_SemanticVersionTitle_plk { + public static string ResourceTypeDoesNotHaveProperty { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_plk", resourceCulture); + return ResourceManager.GetString("ResourceTypeDoesNotHaveProperty", resourceCulture); } } /// - /// Looks up a localized string similar to Usar versões semânticas. + /// Looks up a localized string similar to 'globalPackagesFolder' setting is a relative path. To determine full path, please specify either -SolutionDirectory or a solution file as a parameter. To ignore 'globalPackagesFolder' setting, specify -PackagesDirectory.. /// - public static string Warning_SemanticVersionTitle_ptb { + public static string RestoreCommandCannotDetermineGlobalPackagesFolder { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_ptb", resourceCulture); + return ResourceManager.GetString("RestoreCommandCannotDetermineGlobalPackagesFolder", resourceCulture); } } /// - /// Looks up a localized string similar to Использования управления семантическими версиями. + /// Looks up a localized string similar to Cannot determine the packages folder to restore NuGet packages. Please specify either -PackagesDirectory or -SolutionDirectory.. /// - public static string Warning_SemanticVersionTitle_rus { + public static string RestoreCommandCannotDeterminePackagesFolder { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_rus", resourceCulture); + return ResourceManager.GetString("RestoreCommandCannotDeterminePackagesFolder", resourceCulture); } } /// - /// Looks up a localized string similar to Anlamsal sürüm oluşturmayı kullanın.. + /// Looks up a localized string similar to Input file does not exist: {0}.. /// - public static string Warning_SemanticVersionTitle_trk { + public static string RestoreCommandFileNotFound { get { - return ResourceManager.GetString("Warning_SemanticVersionTitle_trk", resourceCulture); + return ResourceManager.GetString("RestoreCommandFileNotFound", resourceCulture); } } /// - /// Looks up a localized string similar to '{0}' was included in the project but the path could not be resolved. Skipping.... + /// Looks up a localized string similar to Option -SolutionDirectory is not valid when restoring packages for a solution.. /// - public static string Warning_UnresolvedFilePath { + public static string RestoreCommandOptionSolutionDirectoryIsInvalid { get { - return ResourceManager.GetString("Warning_UnresolvedFilePath", resourceCulture); + return ResourceManager.GetString("RestoreCommandOptionSolutionDirectoryIsInvalid", resourceCulture); } } /// - /// Looks up a localized string similar to The version of dependency '{0}' is not specified.. + /// Looks up a localized string similar to Restoring NuGet packages... + ///To prevent NuGet from downloading packages during build, open the Visual Studio Options dialog, click on the NuGet Package Manager node and uncheck '{0}'.. /// - public static string Warning_UnspecifiedDependencyVersion { + public static string RestoreCommandPackageRestoreOptOutMessage { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion", resourceCulture); + return ResourceManager.GetString("RestoreCommandPackageRestoreOptOutMessage", resourceCulture); } } /// - /// Looks up a localized string similar to 未指定依赖项“{0}”的版本。. + /// Looks up a localized string similar to Project file {0} cannot be found.. /// - public static string Warning_UnspecifiedDependencyVersion_chs { + public static string RestoreCommandProjectNotFound { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_chs", resourceCulture); + return ResourceManager.GetString("RestoreCommandProjectNotFound", resourceCulture); } } /// - /// Looks up a localized string similar to 未指定相依項 '{0}' 版本。. + /// Looks up a localized string similar to Restoring NuGet packages for solution {0}.. /// - public static string Warning_UnspecifiedDependencyVersion_cht { + public static string RestoreCommandRestoringPackagesForSolution { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_cht", resourceCulture); + return ResourceManager.GetString("RestoreCommandRestoringPackagesForSolution", resourceCulture); } } /// - /// Looks up a localized string similar to Verze závislosti {0} není určena.. + /// Looks up a localized string similar to Restoring NuGet packages listed in packages.config file.. /// - public static string Warning_UnspecifiedDependencyVersion_csy { + public static string RestoreCommandRestoringPackagesFromPackagesConfigFile { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_csy", resourceCulture); + return ResourceManager.GetString("RestoreCommandRestoringPackagesFromPackagesConfigFile", resourceCulture); } } /// - /// Looks up a localized string similar to Die Version der Abhängigkeit "{0}" wurde nicht angegeben.. + /// Looks up a localized string similar to Restoring NuGet packages listed in file {0}.. /// - public static string Warning_UnspecifiedDependencyVersion_deu { + public static string RestoreCommandRestoringPackagesListedInFile { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_deu", resourceCulture); + return ResourceManager.GetString("RestoreCommandRestoringPackagesListedInFile", resourceCulture); } } /// - /// Looks up a localized string similar to No se ha especificado la versión de la dependencia '{0}'.. + /// Looks up a localized string similar to Scanning for projects.... /// - public static string Warning_UnspecifiedDependencyVersion_esp { + public static string ScanningForProjects { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_esp", resourceCulture); + return ResourceManager.GetString("ScanningForProjects", resourceCulture); } } /// - /// Looks up a localized string similar to La version de dépendance '{0}' n'est pas spécifiée.. + /// Looks up a localized string similar to The API Key '{0}' was saved for {1}.. /// - public static string Warning_UnspecifiedDependencyVersion_fra { + public static string SetApiKeyCommandApiKeySaved { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_fra", resourceCulture); + return ResourceManager.GetString("SetApiKeyCommandApiKeySaved", resourceCulture); } } /// - /// Looks up a localized string similar to Versione della dipendenza '{0}' non specificata.. + /// Looks up a localized string similar to The API Key '{0}' was saved for {1} and {2}.. /// - public static string Warning_UnspecifiedDependencyVersion_ita { + public static string SetApiKeyCommandDefaultApiKeysSaved { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_ita", resourceCulture); + return ResourceManager.GetString("SetApiKeyCommandDefaultApiKeysSaved", resourceCulture); } } /// - /// Looks up a localized string similar to 依存関係のバージョン '{0}' が指定されていません。. + /// Looks up a localized string similar to Using credentials from config. UserName: {0}. /// - public static string Warning_UnspecifiedDependencyVersion_jpn { + public static string SettingsCredentials_UsingSavedCredentials { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_jpn", resourceCulture); + return ResourceManager.GetString("SettingsCredentials_UsingSavedCredentials", resourceCulture); } } /// - /// Looks up a localized string similar to '{0}' 종속성 버전이 지정되지 않았습니다.. + /// Looks up a localized string similar to Nothing to do. None of the projects in this solution specify any packages for NuGet to restore.. /// - public static string Warning_UnspecifiedDependencyVersion_kor { + public static string SolutionRestoreCommandNoPackagesConfigOrProjectJson { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_kor", resourceCulture); + return ResourceManager.GetString("SolutionRestoreCommandNoPackagesConfigOrProjectJson", resourceCulture); } } /// - /// Looks up a localized string similar to Nie określono wersji zależności „{0}”.. + /// Looks up a localized string similar to Source '{0}' is not found.. /// - public static string Warning_UnspecifiedDependencyVersion_plk { + public static string Source_NotFound { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_plk", resourceCulture); + return ResourceManager.GetString("Source_NotFound", resourceCulture); } } /// - /// Looks up a localized string similar to A versão de dependência '{0}' não é especificada.. + /// Looks up a localized string similar to Created '{0}' successfully.. /// - public static string Warning_UnspecifiedDependencyVersion_ptb { + public static string SpecCommandCreatedNuSpec { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_ptb", resourceCulture); + return ResourceManager.GetString("SpecCommandCreatedNuSpec", resourceCulture); } } /// - /// Looks up a localized string similar to Не указана версия зависимости "{0}".. + /// Looks up a localized string similar to '{0}' already exists, use -Force to overwrite it.. /// - public static string Warning_UnspecifiedDependencyVersion_rus { + public static string SpecCommandFileExists { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_rus", resourceCulture); + return ResourceManager.GetString("SpecCommandFileExists", resourceCulture); } } /// - /// Looks up a localized string similar to {0}' bağımlılığının sürümü belirtilmemiş.. + /// Looks up a localized string similar to Unable to change from type '{0}' to '{1}'.. /// - public static string Warning_UnspecifiedDependencyVersion_trk { + public static string UnableToConvertTypeError { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion_trk", resourceCulture); + return ResourceManager.GetString("UnableToConvertTypeError", resourceCulture); } } /// - /// Looks up a localized string similar to Specify the version of dependency and rebuild your package.. + /// Looks up a localized string similar to Unable to extract metadata from '{0}'.. /// - public static string Warning_UnspecifiedDependencyVersionSolution { + public static string UnableToExtractAssemblyMetadata { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution", resourceCulture); + return ResourceManager.GetString("UnableToExtractAssemblyMetadata", resourceCulture); } } /// - /// Looks up a localized string similar to 指定依赖项的版本并重新生成你的程序包。. + /// Looks up a localized string similar to Unable to find '{0}'. Make sure the project has been built.. /// - public static string Warning_UnspecifiedDependencyVersionSolution_chs { + public static string UnableToFindBuildOutput { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_chs", resourceCulture); + return ResourceManager.GetString("UnableToFindBuildOutput", resourceCulture); } } /// - /// Looks up a localized string similar to 指定相依相版本並重新建置您的套件。. + /// Looks up a localized string similar to Unable to find '{0}'. Make sure they are specified in packages.config.. /// - public static string Warning_UnspecifiedDependencyVersionSolution_cht { + public static string UnableToFindPackages { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_cht", resourceCulture); + return ResourceManager.GetString("UnableToFindPackages", resourceCulture); } } /// - /// Looks up a localized string similar to Určete verzi závislosti a sestavte balíček znovu.. + /// Looks up a localized string similar to Unable to find project '{0}'.. /// - public static string Warning_UnspecifiedDependencyVersionSolution_csy { + public static string UnableToFindProject { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_csy", resourceCulture); + return ResourceManager.GetString("UnableToFindProject", resourceCulture); } } /// - /// Looks up a localized string similar to Angeben der Version der Abhängigkeit und erneutes Erstellen des Pakets.. + /// Looks up a localized string similar to Unable to find solution '{0}'.. /// - public static string Warning_UnspecifiedDependencyVersionSolution_deu { + public static string UnableToFindSolution { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_deu", resourceCulture); + return ResourceManager.GetString("UnableToFindSolution", resourceCulture); } } /// - /// Looks up a localized string similar to Especifique la versión de la dependencia y recompile el paquete.. + /// Looks up a localized string similar to Unable to locate the packages folder. Verify all the packages are restored before running 'nuget.exe update'.. /// - public static string Warning_UnspecifiedDependencyVersionSolution_esp { + public static string UnableToLocatePackagesFolder { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_esp", resourceCulture); + return ResourceManager.GetString("UnableToLocatePackagesFolder", resourceCulture); } } /// - /// Looks up a localized string similar to Spécifiez la version de dépendance et regénérez votre package.. + /// Looks up a localized string similar to Unable to locate project file for '{0}'.. /// - public static string Warning_UnspecifiedDependencyVersionSolution_fra { + public static string UnableToLocateProjectFile { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_fra", resourceCulture); + return ResourceManager.GetString("UnableToLocateProjectFile", resourceCulture); } } /// - /// Looks up a localized string similar to Specificare la versione della dipendenza e ricompilare il pacchetto.. + /// Looks up a localized string similar to Unknown command: '{0}'. /// - public static string Warning_UnspecifiedDependencyVersionSolution_ita { + public static string UnknowCommandError { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_ita", resourceCulture); + return ResourceManager.GetString("UnknowCommandError", resourceCulture); } } /// - /// Looks up a localized string similar to 依存関係のバージョンを指定して、パッケージを再構築してください。. + /// Looks up a localized string similar to Unknown option: '{0}'. /// - public static string Warning_UnspecifiedDependencyVersionSolution_jpn { + public static string UnknownOptionError { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_jpn", resourceCulture); + return ResourceManager.GetString("UnknownOptionError", resourceCulture); } } /// - /// Looks up a localized string similar to 종속성 버전을 지정하고 패키지를 다시 빌드하십시오.. + /// Looks up a localized string similar to '{0}' is not a valid target framework.. /// - public static string Warning_UnspecifiedDependencyVersionSolution_kor { + public static string UnsupportedFramework { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_kor", resourceCulture); + return ResourceManager.GetString("UnsupportedFramework", resourceCulture); } } /// - /// Looks up a localized string similar to Określ wersję zależności i ponownie skompiluj pakiet.. + /// Looks up a localized string similar to Checking for updates from {0}.. /// - public static string Warning_UnspecifiedDependencyVersionSolution_plk { + public static string UpdateCommandCheckingForUpdates { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_plk", resourceCulture); + return ResourceManager.GetString("UpdateCommandCheckingForUpdates", resourceCulture); } } /// - /// Looks up a localized string similar to Especifique a versão de dependência e reconstrua seu pacote.. + /// Looks up a localized string similar to Currently running NuGet.exe {0}.. /// - public static string Warning_UnspecifiedDependencyVersionSolution_ptb { + public static string UpdateCommandCurrentlyRunningNuGetExe { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_ptb", resourceCulture); + return ResourceManager.GetString("UpdateCommandCurrentlyRunningNuGetExe", resourceCulture); } } /// - /// Looks up a localized string similar to Укажите версию зависимости и повторите построение проекта.. + /// Looks up a localized string similar to NuGet.exe is up to date.. /// - public static string Warning_UnspecifiedDependencyVersionSolution_rus { + public static string UpdateCommandNuGetUpToDate { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_rus", resourceCulture); + return ResourceManager.GetString("UpdateCommandNuGetUpToDate", resourceCulture); } } /// - /// Looks up a localized string similar to Bağımlılığın sürümünü belirtin ve paketinizi tekrar oluşturun.. + /// Looks up a localized string similar to Unable to find '{0}' package.. /// - public static string Warning_UnspecifiedDependencyVersionSolution_trk { + public static string UpdateCommandUnableToFindPackage { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution_trk", resourceCulture); + return ResourceManager.GetString("UpdateCommandUnableToFindPackage", resourceCulture); } } /// - /// Looks up a localized string similar to Specify version of dependencies.. + /// Looks up a localized string similar to Invalid NuGet.CommandLine package. Unable to locate NuGet.exe within the package.. /// - public static string Warning_UnspecifiedDependencyVersionTitle { + public static string UpdateCommandUnableToLocateNuGetExe { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle", resourceCulture); + return ResourceManager.GetString("UpdateCommandUnableToLocateNuGetExe", resourceCulture); } } /// - /// Looks up a localized string similar to 指定依赖项的版本。. + /// Looks up a localized string similar to Update successful.. /// - public static string Warning_UnspecifiedDependencyVersionTitle_chs { + public static string UpdateCommandUpdateSuccessful { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_chs", resourceCulture); + return ResourceManager.GetString("UpdateCommandUpdateSuccessful", resourceCulture); } } /// - /// Looks up a localized string similar to 指定相依項版本。. + /// Looks up a localized string similar to Updating NuGet.exe to {0}.. /// - public static string Warning_UnspecifiedDependencyVersionTitle_cht { + public static string UpdateCommandUpdatingNuGet { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_cht", resourceCulture); + return ResourceManager.GetString("UpdateCommandUpdatingNuGet", resourceCulture); } } /// - /// Looks up a localized string similar to Určete verzi závislostí.. + /// Looks up a localized string similar to Updating '{0}'.... /// - public static string Warning_UnspecifiedDependencyVersionTitle_csy { + public static string UpdatingProject { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_csy", resourceCulture); + return ResourceManager.GetString("UpdatingProject", resourceCulture); } } /// - /// Looks up a localized string similar to Angeben der Version der Abhängigkeiten.. + /// Looks up a localized string similar to Using '{0}' for metadata.. /// - public static string Warning_UnspecifiedDependencyVersionTitle_deu { + public static string UsingNuspecForMetadata { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_deu", resourceCulture); + return ResourceManager.GetString("UsingNuspecForMetadata", resourceCulture); } } /// - /// Looks up a localized string similar to Especifique la versión de las dependencias.. + /// Looks up a localized string similar to Found packages.config. Using packages listed as dependencies. /// - public static string Warning_UnspecifiedDependencyVersionTitle_esp { + public static string UsingPackagesConfigForDependencies { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_esp", resourceCulture); + return ResourceManager.GetString("UsingPackagesConfigForDependencies", resourceCulture); } } /// - /// Looks up a localized string similar to Spécifiez la version des dépendances.. + /// Looks up a localized string similar to The value "{0}" for {1} is a sample value and should be removed.. /// - public static string Warning_UnspecifiedDependencyVersionTitle_fra { + public static string Warning_DefaultSpecValue { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_fra", resourceCulture); + return ResourceManager.GetString("Warning_DefaultSpecValue", resourceCulture); } } /// - /// Looks up a localized string similar to Specificare la versione delle dipendenze.. + /// Looks up a localized string similar to Replace with an appropriate value or remove and it and rebuild your package.. /// - public static string Warning_UnspecifiedDependencyVersionTitle_ita { + public static string Warning_DefaultSpecValueSolution { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_ita", resourceCulture); + return ResourceManager.GetString("Warning_DefaultSpecValueSolution", resourceCulture); } } /// - /// Looks up a localized string similar to 依存関係のバージョンを指定してください。. + /// Looks up a localized string similar to Remove sample nuspec values.. /// - public static string Warning_UnspecifiedDependencyVersionTitle_jpn { + public static string Warning_DefaultSpecValueTitle { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_jpn", resourceCulture); + return ResourceManager.GetString("Warning_DefaultSpecValueTitle", resourceCulture); } } /// - /// Looks up a localized string similar to 종속성 버전을 지정하십시오.. + /// Looks up a localized string similar to '{0}' key already exists in Properties collection. Overriding value.. /// - public static string Warning_UnspecifiedDependencyVersionTitle_kor { + public static string Warning_DuplicatePropertyKey { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_kor", resourceCulture); + return ResourceManager.GetString("Warning_DuplicatePropertyKey", resourceCulture); } } /// - /// Looks up a localized string similar to Określ wersję zależności.. + /// Looks up a localized string similar to '{0}' was included in the project but doesn't exist. Skipping.... /// - public static string Warning_UnspecifiedDependencyVersionTitle_plk { + public static string Warning_FileDoesNotExist { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_plk", resourceCulture); + return ResourceManager.GetString("Warning_FileDoesNotExist", resourceCulture); } } /// - /// Looks up a localized string similar to Especifique uma versão de dependências.. + /// Looks up a localized string similar to You are running the '{0}' operation with an 'HTTP' source, '{1}'. Non-HTTPS access will be removed in a future version. Consider migrating to an 'HTTPS' source.. /// - public static string Warning_UnspecifiedDependencyVersionTitle_ptb { + public static string Warning_HttpServerUsage { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_ptb", resourceCulture); + return ResourceManager.GetString("Warning_HttpServerUsage", resourceCulture); } } /// - /// Looks up a localized string similar to Укажите версию зависимостей.. + /// Looks up a localized string similar to You are running the '{0}' operation with 'HTTP' sources: {1} + ///Non-HTTPS access will be removed in a future version. Consider migrating to 'HTTPS' sources.. /// - public static string Warning_UnspecifiedDependencyVersionTitle_rus { + public static string Warning_HttpSources_Multiple { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_rus", resourceCulture); + return ResourceManager.GetString("Warning_HttpSources_Multiple", resourceCulture); } } /// - /// Looks up a localized string similar to Bağımlılıkların sürümlerini belirtin.. + /// Looks up a localized string similar to Invalid PackageSaveMode value '{0}'.. /// - public static string Warning_UnspecifiedDependencyVersionTitle_trk { + public static string Warning_InvalidPackageSaveMode { get { - return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle_trk", resourceCulture); + return ResourceManager.GetString("Warning_InvalidPackageSaveMode", resourceCulture); } } /// - /// Looks up a localized string similar to {0} was not specified. Using '{1}'.. + /// Looks up a localized string similar to Please enbale long file path support in local group policy. Fore more details, please refer to https://aka.ms/nuget-long-path.. /// - public static string Warning_UnspecifiedField { + public static string Warning_LongPath_DisabledPolicy { get { - return ResourceManager.GetString("Warning_UnspecifiedField", resourceCulture); + return ResourceManager.GetString("Warning_LongPath_DisabledPolicy", resourceCulture); } } /// - /// Looks up a localized string similar to 未指定 {0}。正在使用“{1}”。. + /// Looks up a localized string similar to Please install .NET Framework 4.6.2 or above that supports long file paths. Fore more details, please refer to https://aka.ms/nuget-long-path.. /// - public static string Warning_UnspecifiedField_chs { + public static string Warning_LongPath_UnsupportedNetFramework { get { - return ResourceManager.GetString("Warning_UnspecifiedField_chs", resourceCulture); + return ResourceManager.GetString("Warning_LongPath_UnsupportedNetFramework", resourceCulture); } } /// - /// Looks up a localized string similar to 並未指定 {0}。使用 '{1}'。. + /// Looks up a localized string similar to Long file path is currently only supported on Windows 10. Fore more details, please refer to https://aka.ms/nuget-long-path.. /// - public static string Warning_UnspecifiedField_cht { + public static string Warning_LongPath_UnsupportedOS { get { - return ResourceManager.GetString("Warning_UnspecifiedField_cht", resourceCulture); + return ResourceManager.GetString("Warning_LongPath_UnsupportedOS", resourceCulture); } } /// - /// Looks up a localized string similar to Hodnota {0} nebyla zadána. Použije se {1}.. + /// Looks up a localized string similar to MsbuildPath : {0} is using, ignore MsBuildVersion: {1}. . /// - public static string Warning_UnspecifiedField_csy { + public static string Warning_MsbuildPath { get { - return ResourceManager.GetString("Warning_UnspecifiedField_csy", resourceCulture); + return ResourceManager.GetString("Warning_MsbuildPath", resourceCulture); } } /// - /// Looks up a localized string similar to "{0}" wurde nicht angegeben. "{1}" wird verwendet.. + /// Looks up a localized string similar to Option 'NoPrompt' has been deprecated. Use 'NonInteractive' instead.. /// - public static string Warning_UnspecifiedField_deu { + public static string Warning_NoPromptDeprecated { get { - return ResourceManager.GetString("Warning_UnspecifiedField_deu", resourceCulture); + return ResourceManager.GetString("Warning_NoPromptDeprecated", resourceCulture); } } /// - /// Looks up a localized string similar to {0} no se ha especificado. Se está usando '{1}'.. + /// Looks up a localized string similar to Error reading msbuild project information, ensure that your input solution or project file is valid. NETCore and UAP projects will be skipped, only packages.config files will be restored.. /// - public static string Warning_UnspecifiedField_esp { + public static string Warning_ReadingProjectsFailed { get { - return ResourceManager.GetString("Warning_UnspecifiedField_esp", resourceCulture); + return ResourceManager.GetString("Warning_ReadingProjectsFailed", resourceCulture); } } /// - /// Looks up a localized string similar to {0} n'a pas été spécifié. Utilisation de '{1}'.. + /// Looks up a localized string similar to Version "{0}" does not follow semantic versioning guidelines.. /// - public static string Warning_UnspecifiedField_fra { + public static string Warning_SemanticVersion { get { - return ResourceManager.GetString("Warning_UnspecifiedField_fra", resourceCulture); + return ResourceManager.GetString("Warning_SemanticVersion", resourceCulture); } } /// - /// Looks up a localized string similar to {0} non specificato. Usare '{1}'.. + /// Looks up a localized string similar to Update your nuspec file or use the AssemblyInformationalVersion assembly attribute to specify a semantic version as described at http://semver.org. . /// - public static string Warning_UnspecifiedField_ita { + public static string Warning_SemanticVersionSolution { get { - return ResourceManager.GetString("Warning_UnspecifiedField_ita", resourceCulture); + return ResourceManager.GetString("Warning_SemanticVersionSolution", resourceCulture); } } /// - /// Looks up a localized string similar to {0} が指定されませんでした。'{1}' を使用しています。. + /// Looks up a localized string similar to Use semantic versioning. /// - public static string Warning_UnspecifiedField_jpn { + public static string Warning_SemanticVersionTitle { get { - return ResourceManager.GetString("Warning_UnspecifiedField_jpn", resourceCulture); + return ResourceManager.GetString("Warning_SemanticVersionTitle", resourceCulture); } } /// - /// Looks up a localized string similar to {0}이(가) 지정되지 않았습니다. '{1}'을(를) 사용하고 있습니다.. + /// Looks up a localized string similar to '{0}' was included in the project but the path could not be resolved. Skipping.... /// - public static string Warning_UnspecifiedField_kor { + public static string Warning_UnresolvedFilePath { get { - return ResourceManager.GetString("Warning_UnspecifiedField_kor", resourceCulture); + return ResourceManager.GetString("Warning_UnresolvedFilePath", resourceCulture); } } /// - /// Looks up a localized string similar to Nie określono {0}. Zostanie użyta wartość „{1}”.. + /// Looks up a localized string similar to The version of dependency '{0}' is not specified.. /// - public static string Warning_UnspecifiedField_plk { + public static string Warning_UnspecifiedDependencyVersion { get { - return ResourceManager.GetString("Warning_UnspecifiedField_plk", resourceCulture); + return ResourceManager.GetString("Warning_UnspecifiedDependencyVersion", resourceCulture); } } /// - /// Looks up a localized string similar to {0} não foi especificado. Usando '{1}'.. + /// Looks up a localized string similar to Specify the version of dependency and rebuild your package.. /// - public static string Warning_UnspecifiedField_ptb { + public static string Warning_UnspecifiedDependencyVersionSolution { get { - return ResourceManager.GetString("Warning_UnspecifiedField_ptb", resourceCulture); + return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionSolution", resourceCulture); } } /// - /// Looks up a localized string similar to {0} не указан. Будет использован "{1}".. + /// Looks up a localized string similar to Specify version of dependencies.. /// - public static string Warning_UnspecifiedField_rus { + public static string Warning_UnspecifiedDependencyVersionTitle { get { - return ResourceManager.GetString("Warning_UnspecifiedField_rus", resourceCulture); + return ResourceManager.GetString("Warning_UnspecifiedDependencyVersionTitle", resourceCulture); } } /// - /// Looks up a localized string similar to {0} belirtilmemiş. '{1}' kullanılıyor.. + /// Looks up a localized string similar to {0} was not specified. Using '{1}'.. /// - public static string Warning_UnspecifiedField_trk { + public static string Warning_UnspecifiedField { get { - return ResourceManager.GetString("Warning_UnspecifiedField_trk", resourceCulture); + return ResourceManager.GetString("Warning_UnspecifiedField", resourceCulture); } } } diff --git a/src/NuGet.Clients/NuGet.CommandLine/NuGetResources.resx b/src/NuGet.Clients/NuGet.CommandLine/NuGetResources.resx index 19f4e5fb8c1..d2d8ace5c28 100644 --- a/src/NuGet.Clients/NuGet.CommandLine/NuGetResources.resx +++ b/src/NuGet.Clients/NuGet.CommandLine/NuGetResources.resx @@ -461,4074 +461,6 @@ To prevent NuGet from downloading packages during build, open the Visual Studio Cannot locate a solution file. - - Neplatná hodnota možnosti: '{0} {1}' - - - Ungültiger Optionswert: "{0} {1}" - - - Valor de opción no válido: '{0} {1}' - - - Valeur de l'option non valide : '{0} {1}' - - - Valore opzione non valido: '{0} {1}' - - - 無効なオプションの値: '{0} {1}' - - - 잘못된 옵션 값: '{0} {1}' - - - Nieprawidłowa wartość opcji: „{0} {1}” - - - Valor de opção inválida: '{0} {1}' - - - Недопустимое значение параметра: '{0} {1}' - - - Geçersiz seçenek değeri: '{0} {1}' - - - 无效的选项值:“{0} {1}” - - - 無效的選項值: '{0} {1}' - - - Nebyly nalezeny žádné balíčky. - - - Es wurden keine Pakete gefunden. - - - No se han encontrado paquetes. - - - Aucun package trouvé. - - - Nessun pacchetto trovato - - - パッケージが見つかりませんでした。 - - - 패키지를 찾을 수 없습니다. - - - Nie znaleziono żadnych pakietów. - - - Nenhum pacote encontrado. - - - Пакеты не найдены. - - - Hiçbir paket bulunamadı. - - - 找不到程序包。 - - - 找不到封裝。 - - - Chybějící hodnota možnosti: '{0}' - - - Fehlender Optionswert für: "{0}" - - - Falta el valor de opción para '{0}' - - - Valeur de l'option manquante pour : '{0}' - - - Valore opzione mancante per: '{0}' - - - 次のオプションの値が見つかりません: '{0}' - - - '{0}'에 대한 옵션 값이 없습니다. - - - Brak wartości opcji dla: „{0}” - - - Valor da opção ausente para: '{0}' - - - Отсутствует значение параметра для: "{0}" - - - Bu öğe için seçenek değeri eksik: '{0}' - - - 缺少以下项的选项值:“{0}” - - - 缺少下列項目的選項值: '{0}' - - - [možnost] pro {0} je bez metody Setter neplatná. - - - [Option] für "{0}" ist ohne einen Setter ungültig. - - - [option] en '{0}' no es válida si no se ha establecido de ningún modo. - - - [option] sur '{0}' n'est pas valide sans un setter. - - - [option] su '{0}' non valido senza setter. - - - セッターがない '{0}' の [option] は無効です。 - - - setter가 없으므로 '{0}'의 [옵션]이 잘못되었습니다. - - - Opcja [opcja] dla „{0}” jest nieprawidłowa bez metody ustawiającej. - - - [option] em '{0}' não é válido sem um setter. - - - [параметр] в "{0}" является недопустимым без метода задания значения. - - - {0}' üzerindeki [option] ayarlayıcı olmadan geçersizdir. - - - “{0}”上的 [option] 没有 setter,是无效的。 - - - {0}' 上的 [選項] 因為沒有 Setter 因此無效。 - - - Zadejte soubor nuspec nebo soubor projektu, který má být použit. - - - Bitte geben Sie eine zu verwendende nuspec- oder Projektdatei an. - - - Especifique el archivo de proyecto o nuspec que se va a usar. - - - Veuillez spécifier le fichier .nuspec ou projet à utiliser. - - - Specificare il file progetto o nuspec da usare. - - - 使用する nuspec または project ファイルを指定してください。 - - - 사용할 nuspec 또는 프로젝트 파일을 지정하십시오. - - - Określ plik nuspec lub plik projektu, który ma zostać użyty. - - - Especifique um arquivo nuspec ou de projeto para usar. - - - Укажите NUSPEC-файл или файл проекта для использования. - - - Lütfen kullanılan nuspec veya proje dosyasını belirtin. - - - 请指定要使用的 nuspec 文件或项目文件。 - - - 請指定 nuspec 或要使用的專案檔。 - - - Balíček {0} byl úspěšně vytvořen. - - - Das Paket "{0}" wurde erfolgreich erstellt. - - - Paquete '{0}' creado correctamente. - - - Package '{0}' correctement créé. - - - Creato pacchetto '{0}' correttamente. - - - パッケージ '{0}' が正常に作成されました。 - - - '{0}' 패키지를 만들었습니다. - - - Pomyślnie utworzono pakiet „{0}”. - - - Pacote '{0}' criado com êxito. - - - Пакет "{0}" успешно создан. - - - {0}' paketi başarıyla oluşturuldu. - - - 已成功创建程序包“{0}”。 - - - 已成功建立封裝 '{0}'。 - - - Probíhá předávání {0} do {1}... - - - {0} wird mittels Push an {1} übertragen... - - - Insertando {0} a {1}… - - - Transmission de {0} à {1}… - - - Comprimendo {0} di {1}... - - - {0} を {1} にプッシュしています... - - - {0}을(를) {1}에 푸시하는 중... - - - Trwa wypychanie {0} do {1}... - - - Empurrando {0} para {1} ... - - - Отправка {0} в {1}... - - - {0} öğesi {1} öğesine iletiliyor... - - - 正在将 {0} 推送到 {1}... - - - 正在將 {0} 推入 {1}... - - - Není nastaven výchozí zdroj. Zadejte zdroj. - - - Es ist keine Standardquelle vorhanden. Bitte geben Sie eine Quelle an. - - - No hay ningún origen predeterminado, especifique un origen. - - - Absence de source par défaut, veuillez en spécifier une. - - - Nessuna fonte di default, specificare una fonte. - - - 既定のソースがありません。ソースを指定してください。 - - - 기본 소스가 없습니다. 소스를 지정하십시오. - - - Brak domyślnego źródła. Określ źródło. - - - Não há origem padrão. Especifique uma origem. - - - Источник по умолчанию отсутствует, укажите источник. - - - Varsayılan herhangi bir kaynak yok, lütfen bir kaynak belirtin. - - - 没有默认源,请指定源。 - - - 沒有預設的來源,請指定來源。 - - - Vlastnost {0} typu prostředku {1} není typu ResourceManager. - - - Die Eigenschaft "{0}" für den Ressourcentyp "{1}" ist kein Typ von "ResourceManager". - - - La propiedad '{0}' del tipo de recurso '{1}' no es un tipo de ResourceManager. - - - La propriété '{0}' du type de ressource '{1}' n'est pas du type ResourceManager. - - - La proprietà '{0}' sulla risorsa tipo '{1}' non è un tipo in ResourceManager. - - - リソースの種類 '{1}' のプロパティ '{0}' が ResourceManager 型ではありません。 - - - 리소스 형식 '{1}'의 '{0}' 속성이 ResourceManager 형식이 아닙니다. - - - Właściwość „{0}” w typie zasobu „{1}” nie jest typu ResourceManager. - - - A propriedade '{0}' no tipo de recurso '{1}' não é um tipo de ResourceManager. - - - Типом свойства "{0}" типа ресурса "{1}" не является ResourceManager. - - - {1}' kaynak türündeki '{0}' özelliği bir ResourceManager türü değildir. - - - 资源类型“{1}”的属性“{0}”不是 ResourceManager 类型。 - - - 資源類型 '{1}' 上的屬性 '{0}' 不是 ResourceManager 類型。 - - - Typ prostředku {0} neobsahuje přístupnou statickou vlastnost s názvem {1}. - - - Der Ressourcentyp "{0}" besitzt keine statische Eigenschaft namens "{1}", auf die zugegriffen werden kann. - - - El tipo de recurso '{0}' no tiene una propiedad estática accesible denominada '{1}'. - - - Le type de ressource '{0}' ne dispose pas d'une propriété statique accessible nommée '{1}'. - - - Il tipo di risorsa '{0}'non ha una proprietà statica accessibile di nome'{1}'. - - - リソースの種類 '{0}' に、'{1}' というアクセスできる静的プロパティがありません。 - - - 리소스 형식 '{0}'에 액세스 가능한 '{1}' 이름의 정적 속성이 없습니다. - - - Typ zasobu „{0}” nie ma dostępnej właściwości statycznej o nazwie „{1}”. - - - O tipo de recurso '{0}' não tem uma propriedade estática acessível chamada '{1}'. - - - У типа ресурса "{0}" отсутствует доступное статическое свойство с именем "{1}". - - - {0}' kaynak türünün erişilebilir '{1}' adlı erişilebilir statik bir özelliği yok. - - - 资源类型“{0}”没有名为“{1}”的可访问静态属性。 - - - 資源類型 '{0}' 沒有可存取的靜態屬性名為 '{1}'。 - - - Nelze provést změnu z typu {0} na typ {1}. - - - Der Typ kann nicht aus "{0}" in "{1}" geändert werden. - - - No se puede cambiar del tipo '{0}' a '{1}'. - - - Impossible de basculer du type '{0}' au type '{1}'. - - - Impossibile modificare da '{0}' a '{1}'. - - - 型 '{0}' から '{1}' に変更できません。 - - - '{0}'에서 '{1}'(으)로 형식을 변경할 수 없습니다. - - - Nie można zmienić typu „{0}” na „{1}”. - - - Não é possível mudar do tipo '{0}' para '{1}'. - - - Не удалось изменить тип "{0}" на "{1}". - - - {0}' türünden '{1}' türüne değiştirilemiyor. - - - 无法从类型“{0}”更改为“{1}”。 - - - 無法變更類型 '{0}' 為 '{1}'。 - - - Neznámý příkaz: '{0}' - - - Unbekannter Befehl: "{0}" - - - Comando desconocido: '{0}' - - - Commande inconnue : '{0}' - - - Comando sconosciuto: '{0}' - - - 不明なコマンド: '{0}' - - - 알 수 없는 명령: '{0}' - - - Nieznane polecenie: „{0}” - - - Comando desconhecido: '{0}' - - - Неизвестная команда: "{0}" - - - Bilinmeyen komut: '{0}' - - - 未知命令:“{0}” - - - 不明的命令: '{0}' - - - Neznámá možnost: '{0}' - - - Unbekannte Option: "{0}" - - - Opción desconocida: '{0}' - - - Option inconnue : '{0}' - - - Opzione sconosciuta: '{0}' - - - 不明なオプション: '{0}' - - - 알 수 없는 옵션: '{0}' - - - Nieznana opcja: „{0}” - - - Opção desconhecida: '{0}' - - - Неизвестный оператор: "{0}" - - - Bilinmeyen seçenek: '{0}' - - - 未知选项:“{0}” - - - 不明的選項: '{0}' - - - Probíhá kontrola aktualizací z {0}. - - - Es wird auf Updates von {0} überprüft. - - - Comprobando actualizaciones desde {0}. - - - Recherche de mises à jour depuis {0}. - - - Controllando aggiornamenti da {0}. - - - {0} の更新を確認しています。 - - - {0}에서 업데이트를 확인하고 있습니다. - - - Sprawdzanie dostępności aktualizacji z {0}. - - - Verifique se há atualizações de {0}. - - - Проверка обновлений из "{0}". - - - Güncellemeler {0} konumundan denetleniyor. - - - 正在检查来自 {0} 的更新。 - - - 正在檢查來自 {0} 的更新。 - - - Aktuálně je spuštěn soubor NuGet.exe {0}. - - - "NuGet.exe" {0} wird zurzeit ausgeführt. - - - Se está ejecutando NuGet.exe {0}. - - - NuGet.exe {0} en cours d'exécution. - - - NuGet.exe {0} avviato. - - - NuGet.exe {0} は実行中です。 - - - 현재 NuGet.exe {0}을(를) 실행하고 있습니다. - - - Plik NuGet.exe {0} jest obecnie uruchomiony. - - - Atualmente executando NuGet.exe {0}. - - - Сейчас запущен NuGet.exe {0}. - - - NuGet.exe {0} şu anda çalıştırılıyor. - - - 当前正在运行 NuGet.exe {0}。 - - - 目前正在執行 NuGet.exe {0}。 - - - NuGet.exe je aktuální. - - - "NuGet.exe" ist aktuell. - - - NuGet.exe está actualizado. - - - NuGet.exe est à jour. - - - NuGet.exe è aggiornato. - - - NuGet.exe は最新です。 - - - NuGet.exe가 최신 버전입니다. - - - Plik NuGet.exe jest aktualny. - - - O NuGet.exe está atualizado. - - - Обновление NuGet.exe не требуется. - - - NuGet.exe güncel. - - - NuGet.exe 是最新的。 - - - NuGet.exe 是最新的。 - - - Balíček {0} nebyl nalezen. - - - Das Paket "{0}" wurde nicht gefunden. - - - No se puede encontrar el paquete '{0}'. - - - Impossible de trouver le package '{0}'. - - - Impossibile trovare pacchetto '{0}'. - - - '{0}' パッケージが見つかりません。 - - - '{0}' 패키지를 찾을 수 없습니다. - - - Nie można odnaleźć pakietu „{0}”. - - - Não foi possível encontrar o pacote '{0}'. - - - Не удалось найти пакет "{0}". - - - {0}' paketi bulunamıyor. - - - 找不到“{0}”程序包。 - - - 找不到 '{0}' 封裝。 - - - Neplatný balíček NuGet.CommandLine. V tomto balíčku nebyl nalezen soubor NuGet.exe. - - - Ungültiges NuGet.CommandLine-Paket. "NuGet.exe" wurde im Paket nicht gefunden. - - - Paquete NuGet.CommandLine no válido. No se puede ubicar NuGet.exe en el paquete. - - - Package NuGet.CommandLine non valide. Impossible de trouver NuGet.exe dans le package. - - - Pacchetto NuGet.CommandLine invalido. Impossibile localizzare NuGet.exe all'interno del pacchetto. - - - NuGet.CommandLine パッケージが無効です。パッケージ内に NuGet.exe が見つかりません。 - - - 잘못된 NuGet.CommandLine 패키지입니다. 패키지에서 NuGet.exe를 찾을 수 없습니다. - - - Nieprawidłowy pakiet NuGet.CommandLine. Nie można odnaleźć pliku NuGet.exe wewnątrz pakietu. - - - Pacote NuGet.CommandLine inválido. Não foi possível localizar NuGet.exe dentro do pacote. - - - Недопустимый пакет NuGet.CommandLine. В пакете не удалось найти NuGet.exe. - - - Geçersiz NuGet.CommandLine paketi. Paket içindeki NuGet.exe bulunamıyor. - - - NuGet.CommandLine 程序包无效。在该程序包中找不到 NuGet.exe。 - - - 無效的 NuGet.CommandLine 封裝。在封裝中找不到 NuGet.exe。 - - - Aktualizace proběhla úspěšně. - - - Das Update war erfolgreich. - - - Actualización correcta. - - - Mise à jour réussie. - - - Aggiornamento riuscito - - - 正常に更新されました。 - - - 업데이트했습니다. - - - Aktualizacja powiodła się. - - - Atualização bem-sucedida. - - - Обновление выполнено. - - - Güncelleme başarılı. - - - 更新成功。 - - - 成功更新。 - - - Probíhá aktualizace souboru NuGet.exe na {0}. - - - "NuGet.exe" wird auf {0} aktualisiert. - - - Actualizando NuGet.exe a {0}. - - - Mise à jour de NuGet.exe vers {0}. - - - Aggiornando NuGet.exe a {0}. - - - NuGet.exe を {0} に更新しています。 - - - NuGet.exe를 {0}(으)로 업데이트하고 있습니다. - - - Aktualizowanie pliku NuGet.exe do {0}. - - - Atualizando NuGet.exe para {0}. - - - Обновление NuGet.exe в {0}. - - - NuGet.exe {0} olarak güncelleniyor. - - - 正在将 NuGet.exe 更新到 {0}。 - - - 正在更新 NuGet.exe 為 {0}。 - - - {0}: neplatné argumenty - - - {0}: ungültige Argumente. - - - {0}: argumentos no válidos. - - - {0} : arguments non valides. - - - {0}: argomenti non validi. - - - {0}: 引数が無効です。 - - - {0}: 잘못된 인수입니다. - - - {0}: nieprawidłowe argumenty. - - - {0}: argumentos inválidos. - - - {0}: недопустимые аргументы. - - - {0}: geçersiz bağımsız değişken. - - - {0}: 参数无效。 - - - {0}: 無效的引數。 - - - Byl přidán soubor {0}. - - - Die Datei "{0}" wurde hinzugefügt. - - - Se ha agregado el archivo '{0}'. - - - Fichier ajouté '{0}'. - - - Aggiungere file '{0}'. - - - ファイル '{0}' が追加されました。 - - - '{0}' 파일을 추가했습니다. - - - Dodano plik „{0}”. - - - Arquivo adicionado '{0}'. - - - Добавлен файл "{0}". - - - {0}' dosyası eklendi. - - - 已添加文件“{0}”。 - - - 已新增檔案 '{0}'。 - - - Probíhá pokus o sestavení balíčku z {0}. - - - Es wird versucht, das Paket aus "{0}" zu erstellen. - - - Intentando compilar el paquete desde '{0}'. - - - Tentative de création du package depuis '{0}'. - - - Componendo pacchetto da'{0}'. - - - '{0}' からパッケージをビルドしています。 - - - '{0}'에서 패키지를 빌드하고 있습니다. - - - Próba skompilowania pakietu z „{0}”. - - - Tentando construir o pacote de '{0}'. - - - Попытка выполнить сборку пакета из "{0}". - - - Paket '{0}' konumundan oluşturulmaya çalışılıyor. - - - 正在尝试从“{0}”生成程序包。 - - - 正在嘗試從 '{0}' 建置封裝。 - - - Pro tento příkaz nebyl zadán žádný popis. - - - Für diesen Befehl wurde keine Beschreibung bereitgestellt. - - - No se ha proporcionado ninguna descripción para este comando. - - - Aucune description n'a été fournie pour cette commande. - - - Non è stata fornita alcuna descrizione per questo comando. - - - このコマンドに説明は指定されていません。 - - - 이 명령에 대한 설명이 제공되지 않았습니다. - - - Nie podano opisu dla tego polecenia. - - - Nenhuma descrição foi fornecida para este comando. - - - Описание для этой команды отсутствует. - - - Bu komut için açıklama belirtilmedi. - - - 未提供此命令的说明。 - - - 並未提供此命令的描述。 - - - {0} (A/N): - - - {0} (j/N) - - - {0} (Sí/No) - - - {0} (o/N) - - - {0} (y/N) - - - {0} (y/N) - - - {0}(y/N) - - - {0} (t/N) - - - {0} (y / N) - - - {0} (д/н) - - - {0} (e/H) - - - {0} (y/N) - - - {0} (是/否) - - - A - - - j - - - - - - o - - - y - - - y - - - y - - - t - - - y - - - д - - - e - - - y - - - - - - Nejednoznačný příkaz {0}. Možné hodnoty: {1}. - - - Mehrdeutiger Befehl "{0}". Mögliche Werte: {1}. - - - Comando ambiguo '{0}'. Valores posibles: {1}. - - - Commande ambiguë '{0}'. Valeurs possibles : {1}. - - - Comando ambiguo '{0}'. Possibili valori: {1}. - - - あいまいなコマンド '{0}'。指定可能な値: {1}. - - - 모호한 '{0}' 명령입니다. 사용 가능한 값: {1}. - - - Niejednoznaczne polecenie „{0}”. Możliwe wartości: {1}. - - - Comando ambíguo '{0}'. Valores possíveis: {1}. - - - Неоднозначная команда "{0}". Возможные значения: {1}. - - - Belirsiz komut '{0}'. Olası değerler: {1}. - - - 命令“{0}”不明确。可能的值: {1}。 - - - 模糊的命令 '{0}'。可能值為: {1}。 - - - Nejednoznačná možnost {0}. Možné hodnoty: {1}. - - - Mehrdeutige Option "{0}". Mögliche Werte: {1}. - - - Opción ambigua '{0}'. Valores posibles: {1}. - - - Option ambiguë '{0}'. Valeurs possibles : {1}. - - - Opzione ambigua '{0}'. Possibili valori: {1}. - - - あいまいなオプション '{0}'。指定可能な値: {1}. - - - 모호한 '{0}' 옵션입니다. 사용 가능한 값: {1}. - - - Niejednoznaczna opcja „{0}”. Możliwe wartości: {1}. - - - Opção ambígua '{0}'. Valores possíveis: {1}. - - - Неоднозначный параметр "{0}". Возможные значения: {1}. - - - Belirsiz seçenek '{0}'. Olası değerler: {1}. - - - 选项“{0}”不明确。可能的值: {1}。 - - - 模糊的選項 '{0}'。可能值為: {1}。 - - - Všechny balíčky, které uvádí {0}, jsou již nainstalované. - - - Alle in "{0}" aufgeführten Pakete sind bereits installiert. - - - Ya se han instalado todos los paquetes mostrados en '{0}'. - - - Tous les packages répertoriés dans {0} sont déjà installés. - - - Tutti i pacchetti elencati in {0}sono già installati. - - - {0} に含まれるすべてのパッケージは、既にインストールされています。 - - - {0}에 나열된 모든 패키지가 이미 설치되었습니다. - - - Wszystkie pakiety wymienione w {0} zostały już zainstalowane. - - - Todos os pacotes listados em {0} já estão instalados. - - - Все пакеты, перечисленные в {0}, уже установлены. - - - {0} içinde sıralanan tüm paketler zaten yüklü. - - - {0} 中列出的所有程序包均已安装。 - - - {0} 中列出的所有封裝均已安裝。 - - - Klíč API {0} byl uložen pro {1}. - - - Der API-Schlüssel "{0}" wurde für "{1}" gespeichert. - - - La clave API '{0}' se ha guardado para {1}. - - - La clé API '{0}' a été enregistrée pour {1}. - - - API Key '{0}' salvato per {1}. - - - {1} の API キー '{0}' が保存されました。 - - - API 키 '{0}'이(가) {1}에 저장되었습니다. - - - Klucz interfejsu API „{0}” został zapisany dla {1}. - - - A chave de API '{0}' foi salva para {1}. - - - Был сохранен ключ API "{0}" для {1}. - - - {1} için '{0}' API Anahtarı kaydedildi. - - - 已保存 {1} 的 API 密钥“{0}”。 - - - 已為 {1} 儲存 API 索引鍵 '{0}'。 - - - Vytváří se projekt {0} pro cílovou architekturu {1}. - - - Projekt "{0}" wird für das Zielframework "{1}" erstellt. - - - Compilando proyecto '{0}' para el marco de trabajo de destino '{1}'. - - - Création du projet '{0}' pour le Framework cible '{1}'. - - - Creazione progetto '{0}' per quadro target '{1}'. - - - ターゲット フレームワーク '{1}' のプロジェクト '{0}' をビルドしています - - - 대상 프레임워크 '{1}'에 대한 '{0}' 프로젝트를 빌드하고 있습니다. - - - Kompilowanie projektu „{0}” dla struktury docelowej „{1}”. - - - Criar projeto '{0}' para a estrutura de destino '{1}'. - - - Выполнение сборки проекта "{0}" для целевой платформы "{1}". - - - {1}' hedef framework'ü için '{0}' projesi oluşturuluyor. - - - 正在为目标框架“{1}”生成项目“{0}”。 - - - 正在為目標架構 '{1}' 建置專案 '{0}'。 - - - Sestavení {0} se nezdařilo. - - - Fehler beim Erstellen von "{0}". - - - Error al compilar '{0}'. - - - Échec de la création de '{0}'. - - - Impossibile sviluppare '{0}'. - - - '{0}' をビルドできませんでした。 - - - '{0}'을(를) 빌드하지 못했습니다. - - - Nie można skompilować „{0}”. - - - Falha ao construir '{0}'. - - - Ошибка при сборке "{0}". - - - {0}' oluşturulamadı. - - - 无法生成“{0}”。 - - - 無法建置 '{0}'。 - - - Probíhá balení souborů z {0}. - - - Paketerstellung der Dateien aus "{0}". - - - Empaquetando archivos de proyecto de '{0}'. - - - Compression des fichiers depuis '{0}'. - - - Impacchettando file da '{0}'. - - - '{0}' のファイルをパックしています。 - - - '{0}'에서 파일을 압축하고 있습니다. - - - Pakowanie plików z „{0}”. - - - Embalar arquivos de '{0}'. - - - Упаковка файлов из {0}. - - - {0}' dosyaları paketleniyor. - - - 正在打包“{0}”中的文件。 - - - 正在封裝 '{0}' 中的檔案。 - - - Nelze extrahovat metadata z {0}. - - - Aus "{0}" können keine Metadaten extrahiert werden. - - - No se pueden extraer metadatos desde '{0}'. - - - Impossible d'extraire les métadonnées de '{0}'. - - - Impossibile estrarre metadati da '{0}'. - - - '{0}' からメタデータを抽出できません。 - - - '{0}'에서 메타데이터를 추출할 수 없습니다. - - - Nie można wyodrębnić metadanych z „{0}”. - - - Não foi possível extrair os metadados de '{0}'. - - - Не удалось извлечь метаданные из "{0}". - - - Meta veriler '{0}' konumundan ayıklanamıyor. - - - 无法从“{0}”中提取元数据。 - - - 無法從 '{0}' 擷取中繼資料。 - - - Byl nalezen soubor packages.config. Používají se balíčky uvedené jako závislosti. - - - "packages.config" wurde gefunden. Die aufgelisteten Pakete werden als Abhängigkeiten verwendet. - - - Se ha encontrado packages.config. Usando paquetes mostrados como dependencias - - - Packages.config trouvé. Utilisation de packages répertoriés comme dépendances - - - Trovato packages.config. Usando pacchetti elencati come dipendenze. - - - packages.config が見つかりました。依存関係として登録されているパッケージを使用します - - - packages.config를 찾았습니다. 나열된 패키지를 종속성으로 사용하고 있습니다. - - - Znaleziono plik packages.config. Wymienione pakiety zostaną użyte jako zależności - - - Encontrado packages.config. Usando pacotes listados como dependências - - - Найден файл packages.config. Перечисленные пакеты будут использованы как зависимости - - - Packages.config bulundu. Paketler bağımlılıklarda listelenen şekilde kullanılıyor - - - 找到 packages.config。正在使用列出的程序包作为依赖关系 - - - 找到 packages.config。使用列出的封裝做為相依性。 - - - Soubor {0} byl zahrnut v projektu, ale neexistuje. Dojde k přeskočení... - - - "{0}" war im Projekt enthalten, ist jedoch nicht vorhanden. Das Element wird übersprungen... - - - {0}' se ha incluido en el proyecto pero no existe. Omitiendo… - - - '{0}' a été inclus au projet, mais n'existe pas. Ignorer… - - - {0}' è incluso nel progetto ma non esiste. Saltare… - - - '{0}' がプロジェクトに含まれていますが、存在しません。スキップしています... Skipping... - - - '{0}'이(가) 프로젝트에 포함되어 있지만 존재하지 않습니다. 건너뛰는 중... - - - Plik „{0}” został uwzględniony w projekcie, ale nie istnieje. Trwa pomijanie... - - - {0}' foi incluído no projeto, mas não existe. Ignorando... - - - "{0}" был добавлен в проект, но не существует. Пропуск... - - - {0}' projeye dahil edildi ancak mevcut değil. Atlanıyor... - - - “{0}”已包含在项目中,但不存在。正在跳过... - - - {0}' 包含在專案中但並不存在。正在略過... - - - Hodnota {0} nebyla zadána. Použije se {1}. - - - "{0}" wurde nicht angegeben. "{1}" wird verwendet. - - - {0} no se ha especificado. Se está usando '{1}'. - - - {0} n'a pas été spécifié. Utilisation de '{1}'. - - - {0} non specificato. Usare '{1}'. - - - {0} が指定されませんでした。'{1}' を使用しています。 - - - {0}이(가) 지정되지 않았습니다. '{1}'을(를) 사용하고 있습니다. - - - Nie określono {0}. Zostanie użyta wartość „{1}”. - - - {0} não foi especificado. Usando '{1}'. - - - {0} не указан. Будет использован "{1}". - - - {0} belirtilmemiş. '{1}' kullanılıyor. - - - 未指定 {0}。正在使用“{1}”。 - - - 並未指定 {0}。使用 '{1}'。 - - - server symbolů - - - Symbolserver - - - servidor de símbolos - - - serveur de symboles - - - il symbol server - - - シンボル サーバー - - - 기호 서버 - - - serwer symboli - - - o servidor de símbolos - - - сервер символов - - - simge sunucusu - - - 符号服务器 - - - 符號伺服器 - - - galerie NuGet - - - NuGet-Katalog - - - la galería NuGet - - - galerie NuGet - - - La galleria NuGet - - - NuGet ギャラリー - - - NuGet 갤러리 - - - galeria NuGet - - - a galeria de NuGet - - - коллекция NuGet - - - NuGet galerisi - - - NuGet 库 - - - NuGet 陳列庫 - - - Probíhá pokus o sestavení balíčku symbolů pro {0}. - - - Es wird versucht, das Symbolpaket für "{0}" zu erstellen. - - - Intentando compilar el paquete de símbolos para '{0}'. - - - Tentative de création du package de symboles pour '{0}'. - - - Componendo pacchetti simboli '{0}'. - - - '{0}' のシンボル パッケージをビルドしています。 - - - '{0}'에 대한 기호 패키지를 빌드하고 있습니다. - - - Próba skompilowania pakietu symboli dla „{0}”. - - - Tentando construir o pacote de símbolos para '{0}'. - - - Попытка выполнить сборку пакета символов для "{0}". - - - {0}' için simge paketi oluşturulmaya çalışılıyor. - - - 正在尝试为“{0}”生成符号程序包。 - - - 正在嘗試為 '{0}' 建置符號封裝。 - - - {0} se používá pro metadata. - - - "{0}" wird für Metadaten verwendet. - - - Usando '{0}' para metadatos. - - - Utilisation de '{0}' pour les métadonnées. - - - Usando '{0}' per metadati. - - - メタデータに '{0}' を使用しています。 - - - 메타데이터에 대한 '{0}'을(를) 사용하고 있습니다. - - - Używanie „{0}” na potrzeby metadanych. - - - Usando '{0}' para metadados. - - - Использование "{0}" для метаданных. - - - Meta veriler için '{0}' kullanılıyor. - - - 正在对元数据使用“{0}”。 - - - 正在使用中繼資料的 '{0}'。 - - - Zadaný zdroj {0} je neplatný. Zadejte platný zdroj. - - - Die angegebene Quelle "{0}" ist ungültig. Bitte stellen Sie eine gültige Quelle zur Verfügung. - - - El origen especificado '{0}' no es válido. Proporcione un origen válido. - - - La source spécifiée '{0}' n'est pas valide. Veuillez fournir une source valide. - - - La fonte specificata '{0}' non è valida. Fornire una fonte valida. - - - 指定されたソース '{0}' は無効です。有効なソースを指定してください。 - - - 지정된 소스 '{0}'이(가) 잘못되었습니다. 올바른 소스를 제공하십시오. - - - Określone źródło „{0}” jest nieprawidłowe. Podaj prawidłowe źródło. - - - A origem especificada '{0}' é inválida. Forneça uma origem válida. - - - Указанный источник "{0}" недопустим. Укажите допустимый источник. - - - Belirtilen '{0}' kaynağı geçersiz. Lütfen geçerli bir kaynak belirtin. - - - 指定的源“{0}”无效。请提供有效源。 - - - 指定的來源 '{0}' 無效。請提供有效的來源。 - - - Klíč API {0} byl uložen pro {1} a {2}. - - - Der API-Schlüssel "{0}" wurde für "{1}" und "{2}" gespeichert. - - - La clave API '{0}' se ha guardado para {1} y {2}. - - - La clé API '{0}' a été enregistrée pour {1} et {2}. - - - API Key '{0}'salvato per {1} e {2}. - - - {1} と {2} の API キー '{0}' が保存されました。 - - - API 키 '{0}'이(가) {1} 및 {2}에 저장되었습니다. - - - Klucz interfejsu API „{0}” został zapisany dla {1} i {2}. - - - A chave de API '{0}' foi salva para {1} e {2}. - - - Был сохранен ключ API "{0}" для {1} и {2}. - - - {1} ve {2} için '{0}' API Anahtarı kaydedildi. - - - 已保存 {1} 和 {2} 的 API 密钥“{0}”。 - - - 已為 {1} 和 {2} 儲存 API 索引鍵 '{0}'。 - - - Nelze najít {0}. Ověřte, zda tento projekt byl sestaven. - - - "{0}" wurde nicht gefunden. Stellen Sie sicher, dass das Projekt erstellt wurde. - - - No se puede encontrar '{0}'. Asegúrese de que el proyecto se ha compilado. - - - Impossible de trouver '{0}'. Assurez-vous que le projet a été créé. - - - Impossibile trovare '{0}'. Assicurarsi che il progetto è stato creato. - - - '{0}' が見つかりません。プロジェクトが構築されたことを確認してください。 - - - '{0}'을(를) 찾을 수 없습니다. 프로젝트가 빌드되었는지 확인하십시오. - - - Nie można znaleźć „{0}”. Upewnij się, że projekt został skompilowany. - - - Não é possível encontrar o '{0}'. Verifique se o projeto foi construído. - - - Не удалось найти "{0}". Убедитесь, что была выполнена сборка проекта. - - - {0}' bulunamıyor. Projenin oluşturulduğundan emin olun. - - - 找不到“{0}”。请确保已生成项目。 - - - 找不到 '{0}'。確定已建置專案。 - - - Nelze vyhledat {0} {1}. Před spuštěním aktualizace ověřte, zda jsou k dispozici všechny balíčky ve složce balíčků. - - - "{0} {1}" wurde nicht gefunden. Stellen Sie sicher, dass alle Pakete im Paketordner vorhanden sind, bevor Sie das Update ausführen. - - - No se puede ubicar '{0} {1}'. Asegúrese de que existen todos los paquetes en la carpeta de paquetes antes de ejecutar la actualización. - - - Impossible de trouver '{0} {1}'. Assurez-vous que tous les packages existent dans le dossier des packages avant d'exécuter la mise à jour. - - - Impossibile localizzare '{0} {1}'. Assicurarsi che esistono tutte le cartelle pacchetti prima di eseguire l'aggiornamento - - - '{0} {1}' が見つかりません。更新を実行する前に、パッケージ フォルダーにすべてのパッケージが存在することを確認してください。 - - - '{0} {1}'을(를) 찾을 수 없습니다. 패키지 폴더에 모든 패키지가 있는지 확인한 후 업데이트를 실행하십시오. - - - Nie można znaleźć pakietu „{0} {1}”. Przed uruchomieniem aktualizacji upewnij się, że wszystkie pakiety znajdują się w folderze pakietów. - - - Não foi possível localizar '{0} {1}'. Certifique-se que todos os pacotes estejam na pasta de pacotes antes de executar a atualização. - - - Не удалось найти "{0} {1}". Прежде чем запускать обновление, убедитесь, что в папке пакетов содержатся все пакеты. - - - {0} {1}' bulunamıyor. Güncellemeyi çalıştırmadan önce tüm paketlerin paket klasöründe mevcut olduğundan emin olun. - - - 找不到“{0} {1}”。在运行更新之前,请确保所有程序包均存在于程序包文件夹中。 - - - 找不到 '{0} {1}'。請確定封裝資料夾中存在所有封裝,才能執行更新。 - - - Nelze najít {0}. Ověřte, zda jsou zadány v souboru packages.config. - - - "{0}" wurde nicht gefunden. Stellen Sie sicher, dass das Element in "packages.config" spezifisch ist. - - - No se puede encontrar '{0}'. Asegúrese de que se han especificado en packages.config. - - - Impossible de trouver '{0}'. Assurez-vous qu'ils sont spécifiés dans packages.config. - - - Impossibile trovare '{0}'.Assicurarsi che siano specificati in packages.config. - - - '{0}' が見つかりません。packages.config に指定されていることを確認してください。 - - - '{0}'을(를) 찾을 수 없습니다. packages.config에 지정되어 있는지 확인하십시오. - - - Nie można odnaleźć pakietów „{0}”. Upewnij się, że zostały one określone w pliku packages.config. - - - Não foi possível encontrar o '{0}'. Verifique se eles estão especificados em packages.config. - - - Не удалось найти "{0}". Убедитесь, что они указаны в файле packages.config. - - - {0}' bulunamıyor. Packages.config içinde belirtildiğinden emin olun. - - - 找不到“{0}”。请确保已在 packages.config 中指定它们。 - - - 找不到 '{0}'。確定已在 packages.config 中指定。 - - - Složka balíčků nebyla nalezena. Zkuste ji zadat pomocí přepínače repositoryPath. - - - Der Paketordner wurde nicht gefunden. Versuchen Sie, ihn mithilfe des Schalters "repositoryPath " anzugeben. - - - No se puede ubicar la carpeta de los paquetes. Pruebe de especificarla usando el conmutador repositoryPath. - - - Impossible de trouver le dossier de packages. Essayez de le spécifier à l'aide du commutateur repositoryPath. - - - Impossibile localizzare la cartella pacchetto. Provare a specificarla usando repositoryPath switch. - - - packages フォルダーが見つかりません。repositoryPath スイッチを使用して指定してください。 - - - 패키지 폴더를 찾을 수 없습니다. repositoryPath 스위치를 사용하여 지정해 보십시오. - - - Nie można zlokalizować folderu pakietów. Spróbuj go określić przy użyciu przełącznika repositoryPath. - - - Não foi possível localizar a pasta de pacotes. Tente especificá-la usando a opção repositoryPath. - - - Не удалось найти папку пакетов. Попробуйте указать ее с помощью параметра repositoryPath. - - - Paket klasörü bulunamıyor. RepositoryPath anahtarını kullanarak belirlemeyi deneyin. - - - 找不到程序包文件夹。请尝试使用 repositoryPath 开关指定它。 - - - 找不到封裝資料夾。嘗試使用 repositoryPath 切換指定。 - - - Soubor projektu pro {0} nebyl nalezen. - - - Die Projektdatei für "{0}" wurde nicht gefunden. - - - No se puede ubicar el archivo de proyecto para '{0}'. - - - Impossible de trouver le fichier projet pour '{0}'. - - - Impossibile localizzare file progetto per '{0}'. - - - '{0}' のプロジェクト ファイルが見つかりません。 - - - '{0}'에 대한 프로젝트 파일을 찾을 수 없습니다. - - - Nie można zlokalizować pliku projektu dla „{0}”. - - - Não foi possível localizar arquivo de projeto para '{0}'. - - - Не удалось найти файл проекта для "{0}". - - - {0}' için proje dosyası bulunamıyor. - - - 找不到“{0}”的项目文件。 - - - 找不到 '{0}' 的專案檔。 - - - Počet nalezených projektů se souborem packages.config: {0}. ({1}) - - - Es wurden {0} Projekte mit einer Datei "packages.config" gefunden. ({1}) - - - Se han encontrado {0} proyectos con un archivo packages.config. ({1}) - - - {0} projets contenant un fichier packages.config ont été trouvés. ({1}) - - - Trovati {0} progetti con packages.config file. ({1}) - - - packages.config ファイルが指定されたプロジェクトが {0} 個見つかりました。({1}) - - - packages.config 파일이 있는 프로젝트를 {0}개 찾았습니다. ({1}) - - - Liczba znalezionych projektów z plikiem packages.config: {0}. ({1}) - - - Encontrados projetos {0} com um arquivo packages.config. ({1}) - - - Обнаружено проектов с файлом packages.config: {0}. ({1}) - - - packages.config dosyası içeren {0} proje bulundu. ({1}) - - - 找到 {0} 个包含 packages.config 文件的项目。({1}) - - - 找到具有 packages.confi 檔案的 {0} 個專案。({1}) - - - Probíhá vyhledávání nainstalovaných balíčků v {0}. - - - In "{0}" wird nach installierten Paketen gesucht. - - - Buscando paquetes instalados en '{0}'. - - - Recherche en cours des packages installés sur '{0}'. - - - Ricerca pacchetti installati in '{0}'. - - - '{0}' にインストールされているパッケージを探しています。 - - - '{0}'에서 설치된 패키지를 찾고 있습니다. - - - Wyszukiwanie zainstalowanych pakietów w „{0}”. - - - Buscar pacotes instalados em '{0}'. - - - Поиск установленных пакетов в "{0}". - - - {0}' içindeki yüklü paketler aranıyor. - - - 正在“{0}”中查找已安装的程序包。 - - - 在 '{0}' 中尋找已安裝的封裝。 - - - Probíhá hledání projektů... - - - Suchen nach Projekten... - - - Examinando proyectos… - - - Recherche de projets en cours… - - - Ricercando progetti... - - - プロジェクトをスキャンしています... - - - 프로젝트를 스캔하는 중... - - - Trwa skanowanie w poszukiwaniu projektów... - - - Verificando projetos ... - - - Сканирование проектов… - - - Projeler taranıyor… - - - 正在扫描项目... - - - 正在掃瞄專案... - - - Probíhá aktualizace {0}... - - - "{0}" wird aktualisiert... - - - Actualizando '{0}'… - - - Mise à jour de '{0}'… - - - Aggiornando '{0}'... - - - '{0}' を更新しています... - - - '{0}'을(를) 업데이트하는 중... - - - Trwa aktualizacja „{0}”... - - - Atualizando '{0}' ... - - - Обновление "{0}"... - - - {0}' güncelleniyor... - - - 正在更新“{0}”... - - - 正在更新 '{0}'... - - - Počet nalezených projektů se souborem packages.config: 1. ({0}) - - - Es wurde ein Projekt mit einer Datei "packages.config" gefunden. ({0}) - - - Se ha encontrado 1 proyecto con un archivo packages.config. ({0}) - - - Un projet contenant packages.config a été trouvé. ({0}) - - - Trovato 1 progetto con packages.config file. ({0}) - - - packages.config ファイルが指定されたプロジェクトが 1 個見つかりました。({0}) - - - packages.config 파일이 있는 프로젝트를 1개 찾았습니다. ({0}) - - - Znaleziono 1 projekt z plikiem packages.config. ({0}) - - - Encontrado um projeto com um arquivo packages.config. ({0}) - - - Обнаружен 1 проект с файлом packages.config. ({0}) - - - packages.config dosyası içeren 1 proje bulundu. ({0}) - - - 找到一个包含 packages.config 文件的项目。({0}) - - - 找到具有 packages.config 檔案的專案。({0}) - - - Nebyly nalezeny žádné projekty se souborem packages.config. - - - Es wurden keine Projekte mit "packages.config" gefunden. - - - No se han encontrado proyectos con packages.config. - - - Aucun projet contenant le fichier packages.config n'a été trouvé. - - - Nessun progetto trovato per packages.config. - - - packages.config が指定されたプロジェクトが見つかりませんでした。 - - - packages.config가 있는 프로젝트를 찾을 수 없습니다. - - - Nie odnaleziono żadnych projektów z plikiem packages.config. - - - Nenhum projeto encontrado com packages.config. - - - Проекты с файлом packages.config не найдены. - - - Packages.config içeren hiçbir paket bulunamadı. - - - 找不到包含 packages.config 的项目。 - - - 找不到具有 packages.config 的專案。 - - - Nelze najít řešení {0}. - - - Das Projekt "{0}" wurde nicht gefunden. - - - No se puede encontrar la solución '{0}'. - - - Impossible de trouver la solution '{0}'. - - - Impossibile trovare soluzione '{0}'. - - - ソリューション '{0}' が見つかりません。 - - - '{0}' 솔루션을 찾을 수 없습니다. - - - Nie można znaleźć rozwiązania „{0}”. - - - Não foi possível encontrar uma solução '{0}'. - - - Не удалось найти решение "{0}". - - - {0}' çözümü bulunamıyor. - - - 找不到解决方案“{0}”。 - - - 找不到方案 '{0}'。 - - - UPOZORNĚNÍ: {0} - - - WARNUNG: {0} - - - ADVERTENCIA: '{0}' - - - AVERTISSEMENT : {0} - - - AVVISO: {0} - - - 警告: {0} - - - 경고: {0} - - - OSTRZEŻENIE: {0} - - - AVISO: {0} - - - ПРЕДУПРЕЖДЕНИЕ. {0} - - - UYARI: {0} - - - 警告: {0} - - - 警告: {0} - - - Heslo: - - - Kennwort: - - - Contraseña: - - - Mot de passe : - - - Password: - - - パスワード: - - - 암호: - - - Hasło: - - - Senha: - - - Пароль: - - - Parola: - - - 密码: - - - 密碼: - - - Uživatelské jméno: - - - UserName: - - - Nombre de usuario: - - - Nom d'utilisateur : - - - Nome utente: - - - UserName: - - - 사용자 이름: - - - Nazwa użytkownika: - - - Nome de usuário: - - - Имя пользователя: - - - KullanıcıAdı: - - - 用户名: - - - 使用者名稱: - - - Zadejte přihlašovací údaje pro: {0} - - - Bitte stellen Sie Anmeldeinformationen zur Verfügung für: {0} - - - Proporcione las credenciales para: {0} - - - Veuillez fournir les informations d'identification relative à : {0} - - - Fornire credenziali per: {0} - - - 次の資格情報を指定してください: {0} - - - {0}에 대한 자격 증명을 제공하십시오. - - - Podaj poświadczenia dla: {0} - - - Forneça as credenciais para: {0} - - - Укажите учетные данные для: {0} - - - Lütfen buna ait kimlik bilgilerini belirtin: {0} - - - 请提供以下人员的凭据: {0} - - - 請提供以下項目的認證: {0} - - - Balíček {0} je již nainstalován. - - - Das Paket "{0}" ist bereits installiert. - - - Ya se ha instalado el paquete "{0}". - - - Le package « {0} » est déjà installé. - - - Pacchetto "{0}" è già installato - - - パッケージ "{0}" は既にインストールされています。 - - - {0} 패키지는 이미 설치되었습니다. - - - Pakiet „{0}” został już zainstalowany. - - - O pacote "{0}" já está instalado. - - - Пакет "{0}" уже установлен. - - - "{0}" paketi zaten yüklü. - - - 已安装程序包“{0}”。 - - - 已安裝封裝 "{0}"。 - - - Sestavení balíčku se nezdařilo. Ověřte, zda {0} zahrnuje soubory sestavení. Nápovědu týkající se sestavení balíčku symbolů naleznete na webu {1}. - - - Fehler beim Erstellen des Pakets. Stellen Sie sicher, dass "{0}" Assemblydateien enthält. Hilfe zum Erstellen eines Symbolpakets finden Sie unter {1}. - - - Error al compilar el paquete. Asegúrese de que '{0}' incluye los archivos de ensamblado. Para obtener ayuda sobre la compilación de paquetes de símbolos, visite {1}. - - - Échec de la création du package. Assurez-vous que '{0}' inclut les fichiers d'assembly. Pour obtenir l'aide relative à la création d'un package de symboles, visitez {1}. - - - Impossibile impostare package. Assicurarsi che '{0}' include i file di assemblaggio. Per aiuto sull'impostazione dei simboli, visitare {1}. - - - パッケージをビルドできませんでした。'{0}' にアセンブリ ファイルが含まれることを確認してください。シンボル パッケージのビルド方法については、{1} を参照してください。 - - - 패키지를 빌드하지 못했습니다. '{0}'에 어셈블리 파일이 있는지 확인하십시오. 기호 패키지를 빌드하는 방법에 대한 도움말은 {1}을(를) 참조하십시오. - - - Nie można skompilować pakietu. Upewnij się, że „{0}” zawiera pliki zestawów. Aby uzyskać pomoc na temat kompilowania pakietów symboli, odwiedź {1}. - - - Falha ao construir pacote. Verifique se '{0}' inclui arquivos de assembly. Para ajudar a construir pacotes de símbolos, visite {1}. - - - Не удалось выполнить сборку пакета. Убедитесь, что "{0}" содержит файлы сборки. Справку о выполнении сборки пакета символов см. по адресу: {1}. - - - Paket oluşturulamadı. '{0}' öğesinin derleme dosyalarını içerdiğinden emin olun. Simge paketi oluşturma konusunda yardım almak için, {1} sayfasını ziyaret edin. - - - 无法生成程序包。请确保“{0}”包括程序集文件。有关生成符号程序包的帮助,请访问 {1}。 - - - 無法建置封裝。確定 '{0}' 包含組件檔案。如需建置符號封裝的說明,請造訪 {1}。 - - - Sestavení balíčku se nezdařilo. Ověřte, zda {0} zahrnuje zdroj a soubory symbolů. Nápovědu týkající se sestavení balíčku symbolů naleznete na webu {1}. - - - Fehler beim Erstellen des Pakets. Stellen Sie sicher, dass "{0}" Quell- und Symboldateien enthält. Hilfe zum Erstellen eines Symbolpakets finden Sie unter {1}. - - - Error al compilar el paquete. Asegúrese de que '{0}' incluye los archivos de símbolos y de origen. Para obtener ayuda sobre la compilación de paquetes de símbolos, visite {1}. - - - Échec de la création du package. Assurez-vous que '{0}' inclut les fichiers source et de symboles. Pour obtenir l'aide relative à la création d'un package de symboles, visitez {1}. - - - Impossibile impostare package. Assicurarsi che '{0}' include i file di assemblaggio. Per aiuto sull'impostazione dei simboli, visitare {1}. - - - パッケージをビルドできませんでした。'{0}' にソースとシンボル ファイルが含まれることを確認してください。シンボル パッケージのビルド方法については、{1} を参照してください。 - - - 패키지를 빌드하지 못했습니다. '{0}'에 소스 및 기호 파일이 있는지 확인하십시오. 기호 패키지를 빌드하는 방법에 대한 도움말은 {1}을(를) 참조하십시오. - - - Nie można skompilować pakietu. Upewnij się, że „{0}” zawiera pliki źródłowe i pliki symboli. Aby uzyskać pomoc na temat kompilowania pakietów symboli, odwiedź {1}. - - - Falha ao construir pacote. Verifique se '{0}' inclui arquivos de origem e símbolo. Para ajudar a construir pacotes símbolos, visite {1}. - - - Не удалось выполнить сборку пакета. Убедитесь, что "{0}" содержит файлы источников и файлы символов. Справку о выполнении сборки пакета символов см. по адресу: {1}. - - - Paket oluşturulamadı. '{0}' öğesinin kaynak ve simge dosyalarını içerdiğinden emin olun. Simge paketi oluşturma konusunda yardım almak için, {1} sayfasını ziyaret edin. - - - 无法生成程序包。请确保“{0}”包括源文件和符号文件。有关生成符号程序包的帮助,请访问 {1}。 - - - 無法建置封裝。確定 '{0}' 包含來源和符號檔案。如需建置符號封裝的說明,請造訪 {1}。 - - - {0} obsahuje neplatné odkazy na balíčky. - - - "{0}" enthält ungültige Paketverweise. - - - {0}' contiene referencias de paquete no válidas. - - - '{0}' contient des références de package non valides. - - - '{0}' contains invalid package references. - - - '{0}' には無効なパッケージ参照が含まれています。 - - - '{0}'에 잘못된 패키지 참조가 포함되어 있습니다. - - - „{0}” zawiera nieprawidłowe odwołania do pakietów. - - - '{0}' contém referências de pacotes inválidos. - - - "{0}" содержит недопустимые ссылки на пакеты. - - - {0}' geçersiz paket başvuruları içeriyor. - - - “{0}”包含的程序包引用无效。 - - - {0}' 包含無效的封裝參照。 - - - Řetězec verze zadaný pro odkaz na balíček {0} je neplatný. - - - Die für den Paketverweis "{0}" angegebene Versionszeichenfolge ist ungültig. - - - La cadena de versión especificada para la referencia de paquete '{0}' no es válida. - - - La chaîne de version spécifiée pour la référence de package '{0}' n'est pas valide. - - - Stringa versione specificata per il pacchetto di riferimento '{0}' non è valida. - - - パッケージ参照 '{0}' に指定されたバージョン文字列は無効です。 - - - 패키지 참조 '{0}'에 대해 지정된 버전 문자열이 잘못되었습니다. - - - Ciąg wersji określony dla odwołania do pakietu „{0}” jest nieprawidłowy. - - - A cadeia de caracteres de versão especificada para a referência do pacote '{0}' é inválida. - - - Строка версии, указанная для ссылки на пакет "{0}", является недопустимой. - - - {0}' paket referansı için belirtilen sürüm dizesi geçersiz. - - - 为程序包引用“{0}”指定的版本字符串无效。 - - - 封裝參照 '{0}' 指定的版本字串無效。 - - - Počet problémů zjištěných v balíčku {1}: {0}. - - - Für das Paket "{1}" gefundene Probleme: {0}. - - - Se han encontrado {0} problemas en el paquete '{1}'. - - - {0} problème(s) trouvé(s) concernant le package '{1}'. - - - {0} problema (i) trovati con pacchetto'{1}'. - - - パッケージ '{1}' に {0} 個の問題が見つかりました。 - - - '{1}' 패키지에 문제가 {0}개 있습니다. - - - Liczba znalezionych problemów z pakietem „{1}”: {0}. - - - {0} problemas encontrados com o pacote '{1}'. - - - Обнаружено неполадок пакета "{1}": {0}. - - - {1}' sorunuyla ilgili {0} sorun bulundu. - - - 发现程序包“{1}”存在 {0} 个问题。 - - - 找到{0} 個具有封裝 '{1}' 的問題。 - - - Popis: {0} - - - Beschreibung: {0} - - - Descripción: {0} - - - Description : {0} - - - Descrizione: {0} - - - 説明: {0} - - - 설명: {0} - - - Opis: {0} - - - Descrição: {0} - - - Описание: {0} - - - Açıklama: {0} - - - 说明: {0} - - - 描述: {0} - - - Řešení: {0} - - - Projekt: {0} - - - Solución: {0} - - - Solution : {0} - - - Soluzione: {0} - - - ソリューション: {0} - - - 솔루션: {0} - - - Rozwiązanie: {0} - - - Solução: {0} - - - Решение: {0} - - - Çözüm: {0} - - - 解决方案: {0} - - - 方案: {0} - - - Problém: {0} - - - Problem: {0} - - - Problema: {0} - - - Problème : {0} - - - Versione: {0} - - - 問題: {0} - - - 문제: {0} - - - Problem: {0} - - - Edição: {0} - - - Проблема: {0} - - - Sorun: {0} - - - 问题: {0} - - - 問題: {0} - - - Hodnota {0} pro {1} je ukázková hodnota a měla by být odebrána. - - - Der Wert "{0}" für {1} ist ein Beispielwert und sollte entfernt werden. - - - El valor "{0}" para {1} es un valor de ejemplo y se debería quitar. - - - La valeur « {0} » pour {1} est un exemple et doit être supprimée. - - - Il valore "{0}" per {1} è un valore campione e debe essere rimosso. - - - {1} の値 "{0}" はサンプル値なので、削除する必要があります。 - - - {1}에 대한 "{0}" 값은 샘플 값이므로 제거해야 합니다. - - - Wartość „{0}” dla {1} jest wartością przykładową i należy ją usunąć. - - - O valor "{0}" para {1} é um valor de amostra e deve ser removido. - - - Значение "{0}" для {1} является образцом значения, и его не следует удалять. - - - {1} için "{0}" örnek bir değerdir ve kaldırılması gerekir. - - - {1} 的值“{0}”是示例值,应将其删除。 - - - {1} 的值 "{0}" 為範例值且應該移除。 - - - Nahraďte ji odpovídající hodnotou nebo ji odeberte a pak znovu sestavte balíček. - - - Ersetzen Sie ihn durch einen geeigneten Wert, oder entfernen Sie ihn, und erstellen Sie das Paket dann erneut. - - - Reemplazar con un valor apropiado o quitar y compilar el paquete. - - - Remplacez-la par une valeur adéquate, ou supprimez-la et recréez le package. - - - Sostituire con un valore appropriato o rimuoverlo e ricreare il pacchetto. - - - 適切な値で置き換えるか、削除して、パッケージを再度ビルドする必要があります。 - - - 적합한 값으로 바꾸거나 제거하고 패키지를 다시 빌드하십시오. - - - Zastąp odpowiednią wartością lub usuń i ponownie skompiluj pakiet. - - - Substitua por um valor apropriado ou remova-o e reconstrua o seu pacote. - - - Замените его соответствующим значением или удалите и повторно выполните сборку пакета. - - - Uygun bir değerle değiştirin veya kaldırın ve paketinizi yeniden oluşturun. - - - 请替换为适当的值或删除它,然后重新生成程序包。 - - - 以適當的值取代或移除並重新建置封裝。 - - - Odeberte ukázkové hodnoty nuspec. - - - nuspec-Beispielwerte entfernen. - - - Quitar los valores nuspec de ejemplo. - - - Supprimez les valeurs nuspec d'exemple. - - - Rimuovere valori campione nuspec. - - - サンプル nuspec 値を削除してください。 - - - 샘플 nuspec 값을 제거합니다. - - - Usuń przykładowe wartości nuspec. - - - Remova os valores nuspec de amostra. - - - Удалите образцы значений nuspec. - - - Örnek nuspec değerlerini kaldırın. - - - 删除示例 nuspec 值。 - - - 移除範例 nuspec 值。 - - - Zadejte proxy přihlašovací údaje: - - - Bitte stellen Sie Proxyanmeldeinformationen zur Verfügung: - - - Proporcione las credenciales de proxy: - - - Veuillez fournir les informations d'identification du proxy : - - - Fornire credenziali proxy: - - - プロキシの資格情報を指定してください: - - - 프록시 자격 증명을 제공하십시오. - - - Podaj poświadczenia serwera proxy: - - - Forneça as credenciais de proxy: - - - Укажите учетные данные прокси-сервера: - - - Lütfen proxy kimlik bilgilerini belirtin: - - - 请提供代理凭据: - - - 請提供 Proxy 認證: - - - Verze {0} nedodržuje pokyny pro správu sémantických verzí. - - - Die Version "{0}" genügt nicht den Richtlinien für semantische Versionsverwaltung. - - - La versión "{0}"no sigue las instrucciones de control de versiones semánticas. - - - La version « {0} » ne suit pas les instructions de contrôle de version sémantique. - - - La versione "{0}" non segue le linee guida di edizione semantica. - - - バージョン "{0}" は、セマンティック バージョンのガイドラインに従っていません。 - - - {0} 버전이 의미 체계의 버전 지정 지침을 따르지 않았습니다. - - - Wersja „{0}” nie jest zgodna ze wskazówkami dotyczącymi semantycznego przechowywania wersji. - - - A versão "{0}" não segue as orientações de versionamento semântico. - - - Версия "{0}" не соответствует правилам управления семантическими версиями. - - - "{0}" sürümü anlamsal sürüm oluşturma kurallarına uymuyor. - - - 版本“{0}”未遵循语义版本控制准则。 - - - 版本 "{0}" 不允許語意版本設定方針。 - - - Proveďte aktualizaci souboru nuspec nebo použijte atribut sestavení AssemblyInformationalVersion a zadejte sémantickou verzi podle popisu na webu http://semver.org. - - - Aktualisieren Sie die nuspec-Datei, oder verwenden Sie das Assemblyattribut "AssemblyInformationalVersion", um eine semantische Version wie unter "http://semver.org" beschrieben anzugeben. - - - Actualice su archivo nuspec o use el atributo de ensamblado AssemblyInformationalVersion para especificar una versión semántica como se describe en http://semver.org. - - - Mettez à jour le fichier .nuspec, ou utilisez l'attribut d'assembly AssemblyInformationalVersion, pour spécifier la version sémantique comme décrit sur http://semver.org. - - - Aggiornare il file nuspec o usare l'attributo AssemblyInformationalVersion per specificare la versione semantica come descritto in http://semver.org. - - - nuspec ファイルを更新するか、AssemblyInformationalVersion アセンブリ属性を使用して、http://semver.org の説明に従ってセマンティック バージョンを指定してください。 - - - nuspec 파일을 업데이트하거나 AssemblyInformationalVersion 어셈블리 특성을 사용하여 http://semver.org에서 설명하는 것과 같이 의미 체계의 버전을 지정하십시오. - - - Zaktualizuj plik nuspec lub użyj atrybutu zestawu AssemblyInformationalVersion, aby określić wersję semantyczną zgodnie z opisem na stronie http://semver.org. - - - Atualize seu arquivo nuspec ou usar o atributo de assembly AssemblyInformationalVersion para especificar uma versão semântica, como descrito em http://semver.org. - - - Обновите ваш NUSPEC-файл или с помощью атрибута AssemblyInformationalVersion укажите семантическую версию, как описано по адресу: http://semver.org. - - - Nuspec dosyanızı güncelleyin veya http://semver.org sayfasında açıklanan şekilde bir anlamsal sürüm belirlemek için AssemblyInformationalVersion derleme özniteliğini kullanın . - - - 更新 nuspec 文件,或使用 AssemblyInformationalVersion 程序集属性指定 http://semver.org 上所述的语义版本。 - - - 更新您的 nuspec 檔案或使用 AssemblyInformationalVersion 組件屬性以指定語意版本設定,如t http://semver.org 中所述。 - - - Použít správu sémantických verzí - - - Semantische Versionsverwaltung verwenden - - - Use el control de versiones semántico - - - Utilisation du contrôle de version sémantique - - - Usare edizione semantica - - - セマンティック バージョンの使用 - - - 의미 체계의 버전 지정 사용 - - - Zastosuj semantyczne przechowywanie wersji - - - Usar versões semânticas - - - Использования управления семантическими версиями - - - Anlamsal sürüm oluşturmayı kullanın. - - - 使用语义版本控制 - - - 使用語意版本設定。 - - - Oficiální zdroj balíčků NuGet - - - Offizielle NuGet-Paketquelle - - - origen del paquete oficial de NuGet - - - Source du package officiel NuGet - - - Fonte pacchetto ufficiale NuGet - - - NuGet の正式なパッケージ ソース - - - NuGet 공식 패키지 소스 - - - Oficjalne źródło pakietów NuGet - - - Origem de pacote oficial NuGet - - - Официальный источник пакетов NuGet - - - NuGet resmi paket kaynağı - - - NuGet 官方程序包源 - - - NuGet 官方封裝來源 - - - Soubor ze závislosti se změnil. Probíhá přidávání souboru {0}. - - - Die Datei aus der Abhängigkeit wurde geändert. Die Datei "{0}" wird hinzugefügt. - - - Se ha cambiado el archivo de la dependencia. Agregando archivo '{0}'. - - - Le @@@fichier de dépendance est modifié. Ajout du fichier '{0}'. - - - File da dipendenza modificato. Aggiungere file '{0}'. - - - 依存関係のファイルが変更されます。ファイル '{0}' を追加しています。 - - - 종속성에서 파일이 변경되었습니다. '{0}' 파일을 추가하고 있습니다. - - - Plik z zależności został zmieniony. Dodawanie pliku „{0}”. - - - O arquivo de dependência foi alterado. Adicionando o arquivo '{0}'. - - - Файл из зависимости был изменен. Добавление файла "{0}". - - - Bağımlılık dosyası değiştirildi. '{0}' dosyası ekleniyor. - - - 依赖关系中的文件已更改。正在添加文件“{0}”。 - - - 相依性中的檔案已變更。正在新增檔案 '{0}'。 - - - Soubor ze závislosti se nezměnil. Soubor {0} není přidán. - - - Die Datei aus der Abhängigkeit wurde nicht geändert. Die Datei "{0}" wird nicht hinzugefügt. - - - No se ha cambiado el archivo de la dependencia. El archivo '{0}' no se ha agregado. - - - Le @@@fichier de dépendance n'a pas été modifié. Le fichier '{0}' n'a pas été ajouté. - - - File da dipendenza non modificato. File '{0}' non aggiunto. - - - 依存関係のファイルは変更されません。ファイル '{0}' は追加されません。 - - - 종속성에서 파일이 변경되지 않았습니다. '{0}' 파일이 추가되지 않습니다. - - - Plik z zależności nie został zmieniony. Nie dodano pliku „{0}”. - - - O arquivo da dependência não foi alterado. O arquivo '{0}' não foi adicionado. - - - Файл из зависимости не был изменен. Файл "{0}" не добавлен. - - - Bağımlılık dosyası değiştirilmedi. '{0}' dosyası eklenmedi. - - - 依赖关系中的文件未更改。未添加文件“{0}”。 - - - 相依性中的檔案並未變更。並未新增檔案 '{0}'。 - - - Obnovení balíčku je zakázáno. Chcete-li je povolit, otevřete dialogové okno Možnosti sady Visual Studio, klikněte na uzel Správce balíčků a zaškrtněte položku {0}. Obnovení balíčku můžete rovněž povolit nastavením proměnné prostředí EnableNuGetPackageRestore na hodnotu true. - - - Die Paketwiederherstellung ist deaktiviert. Öffnen Sie zum Aktivieren das Dialogfeld "Optionen" von Visual Studio, klicken Sie auf den Knoten "Paket-Manager", und aktivieren Sie dann "{0}". Sie können die Paketwiederherstellung auch aktivieren, indem Sie die Umgebungsvariable "EnableNuGetPackageRestore" auf "true" festlegen. - - - Se ha deshabilitado la restauración del paquete. Para habilitarla, abra el cuadro de diálogo Opciones de Visual Studio, haga clic en el nodo del Administrador de paquetes y compruebe '{0}'. Para habilitar la restauración de paquetes, también puede configurar la variable de entorno 'EnableNuGetPackageRestore' a 'true'. - - - La restauration de package est désactivée. Pour l'activer, ouvrez la boîte de dialogue Options Visual Studio, cliquez sur le nœud Gestionnaire de package et cochez '{0}'. Vous pouvez également activer la restauration de package en définissant la variable d'environnement 'EnableNuGetPackageRestore' avec la valeur 'true'. - - - Ripristino pacchetto disabilitato. Per abilitarlo, aprire la finestra di dialogo Visual Studio Options, fare clic su Package Manager node e verificare '{0}'. È possibile anche abilitare il pacchetto impostando la variabile ambiente 'EnableNuGetPackageRestore' su 'vero'. - - - パッケージの復元は無効です。有効にするには、Visual Studio の [オプション] ダイアログを開き、パッケージ マネージャー ノードをクリックし、'{0}' を確認します。環境変数 'EnableNuGetPackageRestore' を 'true' に設定して、パッケージの復元を有効にすることもできます。 - - - 패키지 복원을 사용할 수 없습니다. 패키지 복원을 사용하도록 설정하려면 [Visual Studio 옵션] 대화 상자를 열고 [패키지 관리자] 노드를 클릭한 후 '{0}'을(를) 선택합니다. 또한 환경 변수 'EnableNuGetPackageRestore'를 'true'로 설정하여 패키지 복원을 사용하도록 설정할 수 있습니다. - - - Przywracanie pakietu jest wyłączone. Aby je włączyć, otwórz okno dialogowe opcji programu Visual Studio, kliknij węzeł Menedżera pakietów i zaznacz pozycję „{0}”. Przywracanie pakietów możesz także włączyć, ustawiając wartość „true” dla zmiennej środowiskowej „EnableNuGetPackageRestore”. - - - A restauração do pacote está desativada. Para ativá-la, abra a caixa de diálogo Opções do Visual Studio, clique no nó do Gerenciador de Pacotes e marque '{0}'. Você também pode ativar a restauração do pacote definindo a variável de ambiente 'EnableNuGetPackageRestore' como "true". - - - Восстановление пакетов отключено. Чтобы включить его, в Visual Studio откройте диалоговое окно "Параметры", выберите узел "Диспетчер пакетов" и проверьте "{0}". Кроме того, чтобы включить восстановление пакетов, можно для переменной среды "EnableNuGetPackageRestore" задать значение "true". - - - Paket geri yükleme devre dışı. Etkinleştirmek için Visual Studio Seçenekler iletişim kutusunu açın, Paket Yöneticisi düğümünü tıklayın ve '{0}' öğesini kontrol edin. Paket geri yüklemesini ayrıca 'EnableNuGetPackageRestore' ortam değişkenini 'doğru' olarak ayarlayarak da etkinleştirebilirsiniz. - - - 已禁用程序包还原。若要启用它,请打开“Visual Studio 选项”对话框,单击“程序包管理器”节点并检查“{0}”。你还可以通过将环境变量 "EnableNuGetPackageRestore" 设置为 "true" 来启用程序包还原。 - - - 已停用封裝還原。若要啟用,開啟 Visual Studio 選項對話,按一下 [封裝管理員] 節點並勾選 '{0}'。您也可以設定環境變數 'EnableNuGetPackageRestore' 為 'true' 以啟用封裝還原。 - - - Klíč {0} nebyl nalezen. - - - Der Schlüssel "{0}" wurde nicht gefunden. - - - No se encuentra la clave '{0}'. - - - Clé '{0}' introuvable. - - - Chiave '{0}' non trovata. - - - キー '{0}' が見つかりません。 - - - '{0}' 키를 찾을 수 없습니다. - - - Nie odnaleziono klucza „{0}”. - - - Chave '{0}' não encontrada. - - - Ключ "{0}" не найден. - - - {0}' anahtarı bulunamadı. - - - 找不到键“{0}”。 - - - 找不到索引鍵 '{0}'。 - - - V neinteraktivním režimu nelze zobrazit výzvu pro zadání vstupu. - - - Im nicht interaktiven Modus kann keine Eingabeaufforderung erfolgen. - - - No se puede pedir confirmación de la entrada en un modo no interactivo. - - - Le mode non interactif ne permet pas l'invite de saisie de données. - - - Impossibile richiedere input in modalità non interattiva - - - 非対話モードの場合、入力のプロンプトを表示できません。 - - - 비대화형 모드에서는 입력을 요청할 수 없습니다. - - - Nie można monitować o dane wejściowe w trybie nieinterakcyjnym. - - - Não foi possível solicitar a entrada no modo não interativo. - - - Запрос ввода в неинтерактивном режиме невозможен. - - - Etkileşimli olmayan modda girdi istenemiyor. - - - 无法在非交互式模式下提示输入。 - - - 無法在非互動模式下提供提示。 - - - Možnost Podrobný se již nepoužívá. Použijte místo toho možnost Podrobnosti. - - - Die Option "Verbose" ist veraltet. Verwenden Sie stattdessen "Verbosity". - - - La opción 'Verbose' ha dejado de usarse. Use 'Verbosity' en su lugar. - - - L'option 'Verbose' a été dépréciée. Préférez plutôt 'Verbosity'. - - - Opzione 'Verbose' non approvata. Usare 'Verbosity' invece. - - - オプション 'Verbose' は使用しないでください。代わりに 'Verbosity' を使用してください。 - - - 'Verbose' 옵션은 사용되지 않습니다. 대신 'Verbosity'를 사용하십시오. - - - Opcja „Verbose” jest przestarzała. Zamiast niej użyj opcji „Verbosity”. - - - A opção "Detalhe" foi substituída. Use "Detalhamento" como alternativa. - - - Параметр "Verbose" удален из этой версии. Вместо него используйте "Verbosity". - - - Ayrıntılı' seçeneği kullanım dışı bırakılmış. Bunun yerine 'Ayrıntı Düzeyi' seçimini kullanın. - - - 选项 "Verbose" 已弃用。请改用 "Verbosity"。 - - - Verbose' 選項已過時。請使用 'Verbosity'。 - - - {0} úspěšně vytvořeno. - - - "{0}" wurde erfolgreich erstellt. - - - {0}' creado correctamente. - - - '{0}' créé correctement. - - - Creato '{0}' correttamente. - - - '{0}' は正常に作成されました。 - - - '{0}'을(를) 만들었습니다. - - - Pomyślnie utworzono „{0}”. - - - Criado '{0}' com sucesso. - - - "{0}" успешно создан. - - - {0}' başarıyla oluşturuldu. - - - 已成功创建“{0}”。 - - - 已成功建立 '{0}'。 - - - {0} již existuje, k přepsání použijte -Force. - - - "{0}" ist bereits vorhanden. Verwenden Sie "-Force" zum Überschreiben. - - - {0}' ya existe, use -Force para sobrescribirlo. - - - '{0}' existe déjà. Utilisez -Force pour le remplacer. - - - {0}' già esistente, usere -Force per sostituire. - - - '{0}' は既に存在します。上書きするには、-Force を使用してください。 - - - '{0}'이(가) 이미 있습니다. 덮어쓰려면 -Force를 사용하십시오. - - - Plik „{0}” już istnieje, użyj argumentu -Force, aby go zastąpić. - - - {0}' já existe, use -Force para substituí-lo. - - - "{0}" уже существует. Для перезаписи используйте параметр -Force. - - - {0}' zaten mevcut, geçersiz kılmak için -Force seçimini kullanın. - - - “{0}”已存在,请使用 -Force 覆盖它。 - - - {0}' 己存在,使用 -Force 加以覆寫。 - - - Možnost NoPrompt se již nepoužívá. Použijte místo toho možnost NonInteractive. - - - Die Option "NoPrompt" ist veraltet. Verwenden Sie stattdessen "NonInteractive". - - - La opción 'NoPrompt' se ha desusado. Use 'NonInteractive' en su lugar. - - - L'option 'NoPrompt' a été dépréciée. Préférez plutôt 'NonInteractive'. - - - Opzione 'NoPrompt' disapprovata. Usare 'NonInteractive'. - - - オプション 'NoPrompt' は使用しないでください。代わりに 'NonInteractive' を使用してください。 - - - 'NoPrompt' 옵션은 사용되지 않습니다. 대신 'NonInteractive'를 사용하십시오. - - - Opcja „NoPrompt” jest przestarzała. Zamiast niej użyj opcji „NonInteractive”. - - - A opção 'NoPrompt' tornou-se obsoleta. Use "Não interativo" como alternativa. - - - Параметр "NoPrompt" удален из этой версии. Вместо него используйте "NonInteractive". - - - NoPrompt' seçeneği kullanımdan kaldırılmış. Bunun yerine 'NonInteractive' seçeneğini kullanın. - - - 选项 "NoPrompt" 已弃用。请改用 "NonInteractive"。 - - - 選項 'NoPrompt' 已過時。使用 'NonInteractive'。 - - - Vlastnost Settings má hodnotu null. - - - Die Eigenschafteneinstellungen sind null. - - - La configuración de propiedad es nula. - - - Les paramètres de propriété sont nuls. - - - Property Setting è nullo. - - - プロパティ設定が null です。 - - - Settings 속성이 null입니다. - - - Właściwość Settings ma wartość null. - - - O item Property Settings é nulo. - - - Settings свойства имеет значение NULL. - - - Özellik Ayarları null. - - - 属性设置为 null。 - - - 屬性設定為 Null。 - - - Hodnotou argumentu MinClientVersion není platná verze. - - - Der Wert des Arguments "MinClientVersion" weist keine gültige Version auf. - - - El valor del argumento de MinClientVersion no es una versión válida. - - - La version de la valeur de l'argument MinClientVersion n'est pas valide. - - - Il valore dell'argomento MinClientVersion non ha una versione valida. - - - MinClientVersion 引数の値は有効なバージョンではありません。 - - - MinClientVersion 인수 값은 올바른 버전이 아닙니다. - - - Wartość argumentu MinClientVersion nie jest prawidłową wersją. - - - O valor do argumento MinClientVersion não é uma versão válida. - - - Недопустимая версия значения аргумента MinClientVersion. - - - MinClientVersion bağımsız değişken değeri geçerli bir sürüm değildir. - - - MinClientVersion 参数的值不是有效版本。 - - - MinClientVersion 引數的值不是有效版本。 - - - Přidat soubor {0} do balíčku jako {1} - - - Datei "{0}" dem Paket als "{1}" hinzufügen - - - Agregar archivo '{0}' al paquete como '{1}' - - - Ajouter le fichier '{0}' au package comme '{1}' - - - Aggiungere file '{0}' a pacchetto come '{1}' - - - ファイル '{0}' を '{1}' としてパッケージに追加します - - - 패키지에 '{1}'(으)로 '{0}' 파일 추가 - - - Dodaj plik „{0}” do pakietu jako „{1}” - - - Adicionar arquivo '{0}' ao pacote como '{1}' - - - Добавление файла "{0}" в пакет как "{1}" - - - {0}' dosyasını pakete '{1}' olarak ekle - - - 将文件“{0}”作为“{1}”添加到程序包 - - - 新增檔案 '{0}' 到封裝以做為 '{1}' - - - Soubor {0} není přidán, protože balíček již obsahuje soubor {1}. - - - Die Datei "{0}" wird nicht hinzugefügt, weil das Paket die Datei "{1}" bereits enthält. - - - No se ha agregado el archivo '{0}' porque el paquete aún contiene el archivo '{1}' - - - Le fichier '{0}' n'a pas été ajouté car le package contient déjà le fichier '{1}'. - - - Impossibile aggiungere file '{0}' perché il pacchetto contiene già file '{1}' - - - パッケージには既にファイル '{1}' が含まれているため、ファイル '{0}' は追加されません - - - 패키지에 '{1}' 파일이 이미 있으므로 '{0}' 파일이 추가되지 않았습니다. - - - Plik „{0}” nie został dodany, ponieważ pakiet zawiera już plik „{1}” - - - O arquivo '{0}' não é adicionado porque o pacote já contém o arquivo '{1}' - - - Файл "{0}" не добавлен, так как в пакете уже есть файл "{1}" - - - Paket zaten '{1}'dosyası içerdiğinden '{0}' eklenmedi - - - 未添加文件“{0}”,因为程序包已包含文件“{1}” - - - 並未新增檔案 '{0}',因為封裝已經包含檔案 '{1}' - - - Při zpracování souboru {0} došlo k chybě: {1} - - - Fehler beim Verarbeiten der Datei "{0}": {1} - - - Error al procesar el archivo '{0}': {1} - - - Une erreur est survenue lors du traitement du fichier '{0}' : {1} - - - Si è verificato un errore nell'elaborazione del file '{0}': {1} - - - ファイル '{0}' の処理中にエラーが発生しました: {1} - - - '{0}' 파일을 처리하는 동안 오류가 발생했습니다. {1} - - - Wystąpił błąd podczas przetwarzania pliku „{0}”: {1} - - - Falha ao processar o arquivo '{0}: {1} - - - При обработке файла"{0}" произошла ошибка: {1} - - - {0}' dosyası işlenirken hata oluştu: {1} - - - 处理文件“{0}”时出错: {1} - - - 處理檔案 '{0}' 時發生錯誤: {1} - - - Klíč {0} již existuje v kolekci Properties. Přepisuje se hodnota. - - - Der Schlüssel "{0}" ist in der Eigenschaftenauflistung bereits vorhanden. Der Wert wird außer Kraft gesetzt. - - - La clave '{0}' ya existe en la colección Propiedades. Reemplazando valor. - - - La clé '{0}' existe déjà dans le Regroupement de propriétés. Remplacement de la valeur. - - - {0}' key è già presente in Properties collection. Valore prevalente. - - - '{0}' キーは Properties コレクションに既に存在します。値を上書きします。 - - - '{0}' 키가 Properties 컬렉션에 이미 있습니다. 값을 재정의하고 있습니다. - - - Klucz „{0}” już istnieje w kolekcji Właściwości. Wartość zostanie przesłonięta. - - - A chave '{0}' já existe na coleção Propriedades. Substituindo valor. - - - Ключ "{0}" уже существует в коллекции свойств. Значение будет переопределено. - - - {0}' anahtarı zaten Özellikler koleksiyonunda mevcut. Değer geçersiz kılınıyor. - - - {0} 键已存在于属性集合中。正在重写值。 - - - {0}' 索引鍵已存在於屬性集合中。覆寫該值。 - - - Adresa URL licence: {0} - - - Lizenz-URL: {0} - - - URL de la licencia: {0} - - - URL de la licence : {0} - - - Licenze url: {0} - - - ライセンス URL: {0} - - - 라이선스 URL: {0} - - - Adres URL licencji: {0} - - - Url de licença: {0} - - - URL-адрес лицензии: {0} - - - Lisans url'si: {0} - - - 许可证 URL: {0} - - - 授權 URL: {0} - - - [Y] Ano [A] Ano pro všechny [N] Ne [L] Ne pro všechny? - - - [Y] Ja [A] Ja, alle [N] Nein [L] Nein für alle? - - - [Y] Sí [A] Sí a todo [N] No [L] ¿No a todo? - - - [Y] Oui [A] Oui pour tout [N] Non [L] Non pour tout ? - - - [Y] Sì [A] Sì a tutto [N] No [L] No a tutti ? - - - [Y] はい [A] すべてはい [N] いいえ [L] すべていいえ - - - [Y] 예 [A] 모두 예 [N] 아니요 [L] 모두 아니요 ? - - - [Y] Tak [A] Tak dla wszystkich [N] Nie [L] Nie dla wszystkich ? - - - [Y] Sim [A] Sim para todos [N] Não [L] Não para todos? - - - [Y] Да [A] Да для всех [N] Нет [L] Нет для всех ? - - - [Y] Evet [A] Tümüne Evet [N] Hayır [L] Tümüne Hayır ? - - - [Y] 是 [A] 全部是 [N] 否 [L] 全部否 ? - - - [Y] 是 [A] 全部皆是 [N] 否 [L] 全部皆否 ? - - - Tato složka obsahuje více než jeden soubor řešení. - - - Dieser Ordner enthält mehrere Projektdateien. - - - Esta carpeta contiene más de un archivo de la solución. - - - Ce dossier contient plus d'un fichier solution. - - - La cartella contiene più di un solution file. - - - このフォルダーには、複数のソリューション ファイルが含まれています。 - - - 이 폴더에 솔루션 파일이 두 개 이상 포함되어 있습니다. - - - Ten folder zawiera więcej niż jeden plik rozwiązania. - - - Esta pasta contém mais de um arquivo de solução. - - - Эта папка содержит более одного файла решения. - - - Bu klasör birden çok çözüm dosyası içeriyor. - - - 此文件夹包含多个解决方案文件。 - - - 此資料夾包含一個以上的方案檔案。 - - - Možnost -SolutionDirectory není platná při obnovování balíčků pro řešení. - - - Die Option "-SolutionDirectory" ist beim Wiederherstellen von Paketen für ein Projekt nicht gültig. - - - La opción SolutionDirectory no es válida cuando restaura paquetes para una solución. - - - L'option -SolutionDirectory n'est pas valide lors de la restauration de packages pour une solution. - - - Option -SolutionDirectory non è valida quando si ripristina pacchetti per una soluzione. - - - ソリューションのパッケージを復元する場合、オプション -SolutionDirectory は無効です。 - - - 솔루션 패키지를 복원하는 경우 -SolutionDirectory 옵션은 사용할 수 없습니다. - - - Opcja -SolutionDirectory jest nieprawidłowa podczas przywracania pakietów dla rozwiązania. - - - Option-SolutionDirectory não é válido ao restaurar pacotes para uma solução. - - - При восстановлении пакетов для решения параметр -SolutionDirectory является недопустимым. - - - Bir çözüme ait paketler geri yüklenirken -SolutionDirectory seçeneği geçerli değildir. - - - 为解决方案还原程序包时,选项 -SolutionDirectory 无效。 - - - 為方案還原封裝時 Option -SolutionDirectory 為無效。 - - - Probíhá obnovení balíčků NuGet pro řešení {0}. - - - NuGet-Pakete für das Projekt "{0}" werden wiederhergestellt. - - - Restaurando paquetes NuGet para la solución {0}. - - - Restauration des packages NuGet pour la solution {0}. - - - Ripristinando pacchetti NuGet per soluzione{0}. - - - NuGet パッケージをソリューション {0} 用に復元しています。 - - - {0} 솔루션의 NuGet 패키지를 복원하고 있습니다. - - - Przywracanie pakietów NuGet dla rozwiązania {0}. - - - Restaurar pacotes NuGet para a solução {0}. - - - Восстановление пакетов NuGet для решения {0}. - - - {0} çözümü için NuGet paketleri geri yükleniyor. - - - 正在为解决方案 {0} 还原 NuGet 程序包。 - - - 正在為方案 {0} 還原 NuGet 封裝。 - - - Probíhá obnovení balíčků NuGet uvedených v souboru packages.config. - - - Die in der Datei "packages.config" aufgelisteten NuGet-Pakete werden wiederhergestellt. - - - Restaurando paquetes NuGet mostrados en el archivo packages.config. - - - Restauration des packages NuGet répertoriés dans le fichier packages.config. - - - Ripristinando pacchetti NuGet elencati in packages.config file. - - - packages.config ファイルに含まれる NuGet パッケージを復元しています。 - - - packages.config 파일에 나열된 NuGet 패키지를 복원하고 있습니다. - - - Przywracanie pakietów NuGet wymienionych w pliku packages.config. - - - Restaurar pacotes NuGet listados no arquivo de packages.config. - - - Восстановление пакетов NuGet, перечисленных в файле packages.config. - - - Packages.config dosyasında listelenen NuGet paketleri geri yükleniyor. - - - 正在还原 packages.config 文件中列出的 NuGet 程序包。 - - - 正在還原列在 packages.config 檔案中的 NuGet 封裝。 - - - Nelze načíst typ Microsoft.Build.Construction.ProjectInSolution z knihovny Microsoft.Build.dll. - - - Der Typ "Microsoft.Build.Construction.ProjectInSolution" kann nicht aus "Microsoft.Build.dll" geladen werden. - - - No se puede cargar el tipo Microsoft.Build.Construction.ProjectInSolution desde Microsoft.Build.dll - - - Chargement impossible du type Microsoft.Build.Construction.ProjectInSolution depuis Microsoft.Build.dll - - - Impossibile caricare Microsoft.Build.Construction.SolutionParser da Microsoft.Build.dll - - - Microsoft.Build.dll から Microsoft.Build.Construction.ProjectInSolution 型を読み込めません - - - Microsoft.Build.dll에서 Microsoft.Build.Construction.ProjectInSolution 형식을 로드할 수 없습니다. - - - Nie można załadować typu rozwiązania Microsoft.Build.Construction.ProjectInSolution z biblioteki Microsoft.Build.dll - - - Não foi possível carregar o tipo Microsoft.Build.Construction.ProjectInSolution do Microsoft.Build.dll - - - Не удается загрузить тип Microsoft.Build.Construction.ProjectInSolution из Microsoft.Build.dll - - - Microsoft.Build.Construction.ProjectInSolution türü Microsoft.Build.dll üzerinden yüklenemiyor - - - 无法从 Microsoft.Build.dll 中加载类型 Microsoft.Build.Construction.ProjectInSolution - - - 無法從 Microsoft.Build.dll 載入類型 Microsoft.Build.Construction.ProjectInSolution - - - Nelze načíst typ Microsoft.Build.Construction.SolutionParser z knihovny Microsoft.Build.dll. - - - Der Typ "Microsoft.Build.Construction.SolutionParser" kann nicht aus "Microsoft.Build.dll" geladen werden. - - - No se puede cargar el tipo Microsoft.Build.Construction.SolutionParser desde Microsoft.Build.dll - - - Chargement impossible du type Microsoft.Build.Construction.SolutionParser depuis Microsoft.Build.dll - - - Impossibile caricare Microsoft.Build.Construction.SolutionParser da Microsoft.Build.dll - - - Microsoft.Build.dll から Microsoft.Build.Construction.SolutionParser 型を読み込めません - - - Microsoft.Build.dll에서 Microsoft.Build.Construction.SolutionParser 형식을 로드할 수 없습니다. - - - Nie można załadować typu parsera Microsoft.Build.Construction.SolutionParser z biblioteki Microsoft.Build.dll - - - Não foi possível carregar o tipo Microsoft.Build.Construction.SolutionParser do Microsoft.Build.dll - - - Не удается загрузить тип Microsoft.Build.Construction.SolutionParser из Microsoft.Build.dll - - - Microsoft.Build.Construction.SolutionParser türü Microsoft.Build.dll konumundan yüklenemiyor - - - 无法从 Microsoft.Build.dll 中加载类型 Microsoft.Build.Construction.SolutionParser - - - 無法從 Microsoft.Build.dll 載入類型 Microsoft.Build.Construction.SolutionParser - - - Probíhá obnovení balíčků NuGet uvedených v souboru {0}. - - - Die in der Datei "{0}" aufgelisteten NuGet-Pakete werden wiederhergestellt. - - - Restaurando paquetes NuGet mostrados en el archivo {0}. - - - Restauration des packages NuGet répertoriés dans le fichier {0}. - - - Ripristinando pacchetti NuGet elencati in file {0}. - - - ファイル {0} に含まれる NuGet パッケージを復元しています。 - - - {0} 파일에 나열된 NuGet 패키지를 복원하고 있습니다. - - - Przywracanie pakietów NuGet wymienionych w pliku {0}. - - - Restaurar pacotes NuGet listados no arquivo {0}. - - - Восстановление пакетов NuGet, перечисленных в файле {0}. - - - {0} içinde listelenen NuGet paketleri geri yükleniyor. - - - 正在还原文件 {0} 中列出的 NuGet 程序包。 - - - 正在還原列在檔案 {0} 中的 NuGet 封裝。 - - - Nelze určit složku balíčků pro obnovení balíčků NuGet. Zadejte parametr -PackagesDirectory nebo -SolutionDirectory. - - - Der Paketordner zum Wiederherstellen von NuGet-Paketen konnte nicht ermittelt werden. Bitte geben Sie "-PackagesDirectory" oder "-SolutionDirectory" an. - - - No se puede determinar la carpeta de paquetes para restaurar los paquetes NuGet. Especifique PackagesDirectory o SolutionDirectory. - - - Impossible de déterminer le dossier de packages pour restaurer les packages NuGet. Veuillez spécifier soit -PackagesDirectory, soit -SolutionDirectory. - - - Impossibile determinare le cartelle dei pacchetti per ripristinare i pacchetti NuGet. Specificare o PackagesDirectory o SolutionDirectory. - - - NuGet パッケージを復元するパッケージ フォルダーを特定できません。-PackagesDirectory または -SolutionDirectory を指定してください。 - - - NuGet 패키지를 복원하는 데 필요한 패키지 폴더를 확인할 수 없습니다. -PackagesDirectory 또는 -SolutionDirectory를 지정하십시오. - - - Nie można ustalić folderu pakietów w celu przywrócenia pakietów NuGet. Określ opcję -PackagesDirectory lub opcję -SolutionDirectory. - - - Não é possível determinar os pacotes de pasta para restaurar pacotes NuGet. Especifique SolutionDirectory ou PackagesDirectory. - - - Не удается определить папку пакетов для восстановления пакетов NuGet. Укажите -PackagesDirectory или -SolutionDirectory. - - - NuGet paketlerinin geri yükleneceği paket klasörü belirlenemiyor. Lütfen -PackagesDirectory veya -SolutionDirectory seçimini belirtin. - - - 无法确定用于还原 NuGet 程序包的程序包文件夹。请指定 -PackagesDirectory 或 -SolutionDirectory。 - - - 無法判斷要還原 NuGet 封裝的封裝資料夾。請指定 -PackagesDirectory 或 -SolutionDirectory。 - - - Vstupní soubor neexistuje: {0}. - - - Die Eingabedatei ist nicht vorhanden: {0}. - - - El archivo de entrada no existe: {0}. - - - Le fichier d'entrée n'existe pas : {0}. - - - Input file inesistente: {0}. - - - 入力ファイルが存在しません: {0}. - - - 입력 파일이 없습니다. {0}. - - - Plik wejściowy nie istnieje: {0}. - - - O arquivo de entrada não existe: {0}. - - - Входной файл не существует: {0}. - - - Girdi dosyası mevcut değil: {0}. - - - 输入文件不存在: {0}。 - - - 輸入檔不存在: {0}。 - - - Soubor projektu {0} nebyl nalezen. - - - Die Projektdatei "{0}" wurde nicht gefunden. - - - No se puede encontrar el archivo de proyecto {0}. - - - Le fichier projet {0} est introuvable. - - - Impossibile trovare file progetto {0}. - - - プロジェクト ファイル {0} が見つかりません。 - - - 프로젝트 파일 {0}을(를) 찾을 수 없습니다. - - - Nie można znaleźć pliku projektu {0}. - - - Não foi possível localizar o arquivo de projeto {0}. - - - Не удалось найти файл проекта {0}. - - - {0} proje dosyası bulunamadı. - - - 找不到项目文件 {0}。 - - - 找不到專案檔 {0}。 - - - Probíhá obnovení balíčků NuGet... -Chcete-li systému NuGet zabránit ve stahování balíčků během sestavování, otevřete dialogové okno Možnosti sady Visual Studio, klikněte na uzel Správce balíčků a zrušte zaškrtnutí položky {0}. - - - NuGet-Pakete werden wiederhergestellt... -Damit verhindert wird, dass NuGet Pakete während des Buildvorgangs herunterlädt, öffnen Sie das Dialogfeld "Optionen" von Visual Studio, klicken Sie auf den Knoten "Paket-Manager", und deaktivieren Sie dann "{0}". - - - Restaurando paquetes NuGet… -Para impedir que NuGet descargue paquetes durante la compilación, abra el cuadro de diálogo Opciones de Visual Studio, haga clic en el nodo del Administrador de paquetes y desactive '{0}'. - - - Restauration des packages NuGet… -Pour empêcher NuGet de télécharger des packages lors de la création, ouvrez la boîte de dialogue Options Visual Studio, cliquez sur le nœud Gestionnaire de package et décochez '{0}'. - - - Ripristinando pacchetti NuGet… Per evitare che NuGet scarichi pacchetti durante il build, aprire la finestra di dialogo Visual Studio Options dialog, fare clic su Package Manager e deselezionare '{0}'. - - - NuGet パッケージを復元しています... -ビルド中に NuGet がパッケージをダウンロードしないようにするには、Visual Studio の [オプション] ダイアログを開き、パッケージ マネージャー ノードをクリックし、'{0}' をオフにします。 - - - NuGet 패키지를 복원하는 중... -빌드 시 NuGet이 패키지를 다운로드하지 않도록 하려면 [Visual Studio 옵션] 대화 상자를 열고 [패키지 관리자] 노드를 클릭한 후 '{0}'을(를) 선택 취소합니다. - - - Trwa przywracanie pakietów NuGet... -Aby uniemożliwić pobieranie pakietów NuGet podczas kompilowania, otwórz okno dialogowe opcji programu Visual Studio, kliknij węzeł Menedżera pakietów i usuń zaznaczenie pozycji „{0}”. - - - Restaurando pacotes NuGet ... -Para evitar que o NuGet baixe pacotes durante a construção, abra a caixa de diálogo Opções do Visual Studio, clique no nó Gerenciador de Pacotes e desmarque a opção '{0}'. - - - Восстановление пакетов NuGet… -Чтобы предотвратить загрузку пакетов NuGet во время выполнения сборки, в Visual Studio откройте диалоговое окно "Параметры", выберите узел "Диспетчер пакетов" и снимите флажок "{0}". - - - NuGet paketleri geri yükleniyor... -Oluşturma sırasında NuGet'in paketleri indirmesini önlemek için, Visual Studio Seçenekleri iletişim kutusunu açın, Paket Yöneticisi düğümünü tıklayıp '{0}' seçimini işaretleyin. - - - 正在还原 NuGet 程序包... -若要防止 NuGet 在生成期间下载程序包,请打开“Visual Studio 选项”对话框,单击“程序包管理器”节点并取消选中“{0}”。 - - - 正在還原 NuGet packages... -若要防止 NuGet 在建置時下載封裝,按一下 [封裝管理員] 節點並取消勾選 '{0}'。 - Found multiple project files for '{0}'. @@ -4551,318 +483,6 @@ Oluşturma sırasında NuGet'in paketleri indirmesini önlemek için, Visual Stu For more information, visit {0} {0} will be replaced with a url. - - Nebyl určen žádný soubor packages.config, soubor projektu nebo balíčku. Použijte přepínač -self a aktualizujte soubor NuGet.exe. - - - Es wurde keine packages.config-, Projekt- oder Lösungsdatei angegeben. Verwenden Sie den Schalter "-self", um "NuGet.exe" zu aktualisieren. - - - No se ha especificado ningún archivo de solución, proyecto o packages.config. Use el modificador -self para actualizar NuGet.exe. - - - Aucun packages.config, projet ou fichier de solution spécifié. Utilisez le commutateur -self pour mettre à jour NuGet.exe. - - - Nessun file packages.config, di progetto o di soluzione specificato. Utilizzare l'opzione -self per aggiornare NuGet.exe. - - - packages.config、プロジェクトまたはソリューション ファイルが指定されていません。-self スイッチ使用して、NuGet.exe を更新してください。 - - - packages.config, 프로젝트 또는 솔루션 파일이 지정되지 않았습니다. -self 스위치를 사용하여 NuGet.exe를 업데이트하십시오. - - - Nie określono pliku packages.config, pliku projektu ani pliku rozwiązania. Użyj przełącznika -self, aby zaktualizować pakiet NuGet.exe. - - - Nenhum arquivo de solução, projeto ou packages.config especificado. Use a chave -self para atualizar o NuGet.exe. - - - Не указан файл packages.config, файл проекта или решения. Используйте переключатель -self, чтобы обновить NuGet.exe. - - - packages.config, proje veya çözüm dosyası belirtilmemiş. NuGet.exe'yi güncelleştirmek için -self anahtarını kullanın. - - - 未指定 packages.config、项目或解决方案文件。请使用 -self 开关更新 NuGet.exe。 - - - 未指定 packages.config、專案或方案。使用 -self 切換以更新 NuGet.exe。 - - - Bylo nalezeno více souborů projektu pro {0}. - - - Es wurden mehrere Projektdateien für "{0}" gefunden. - - - Se encontraron varios archivos de proyecto para '{0}'. - - - Plusieurs fichiers de projet trouvés pour '{0}'. - - - Trovati più file di progetto per '{0}'. - - - {0}' に複数のプロジェクト ファイルが見つかりました。 - - - '{0}'에 대한 프로젝트 파일이 여러 개 있습니다. - - - Znaleziono wiele plików projektów dla elementu „{0}”. - - - Encontrados diversos arquivos de projeto para '{0}'. - - - Обнаружено несколько файлов проектов для "{0}". - - - {0} için birden çok proje dosyası bulundu. - - - 发现了“{0}”的多个项目文件。 - - - 找到 '{0}' 的多個專案檔案。 - - - Projekt {0} nebyl nalezen. - - - Das Projekt "{0}" wurde nicht gefunden. - - - No se encuentra el proyecto '{0}'. - - - Impossible de trouver le projet '{0}'. - - - Impossibile trovare il progetto '{0}'. - - - プロジェクト '{0}' が見つかりません。 - - - '{0}' 프로젝트를 찾을 수 없습니다. - - - Nie można odnaleźć projektu „{0}”. - - - Não é possível encontrar o projeto '{0}'. - - - Не удалось найти проект "{0}". - - - {0}' projesi bulunamadı. - - - 找不到项目“{0}”。 - - - 找不到專案 '{0}'。 - - - Hodnota PackageSaveMode {0} je neplatná. - - - Ungültiger PackageSaveMode-Wert "{0}". - - - El valor de PackageSaveMode '{0}' no es válido. - - - valeur PackageSaveMode non valide : '{0}'. - - - Valore '{0}' di PackageSaveMode non valido. - - - 無効な PackageSaveMode 値 '{0}' です。 - - - 잘못된 PackageSaveMode 값 '{0}'입니다. - - - Nieprawidłowa wartość opcji PackageSaveMode („{0}”). - - - Valor PackageSaveMode inválido '{0}'. - - - Недопустимое значение PackageSaveMode: "{0}". - - - PackageSaveMode değeri '{0}' geçersiz. - - - PackageSaveMode 值“{0}”无效。 - - - 無效的 PackageSaveMode 值 '{0}'。 - - - Verze závislosti {0} není určena. - - - Die Version der Abhängigkeit "{0}" wurde nicht angegeben. - - - No se ha especificado la versión de la dependencia '{0}'. - - - La version de dépendance '{0}' n'est pas spécifiée. - - - Versione della dipendenza '{0}' non specificata. - - - 依存関係のバージョン '{0}' が指定されていません。 - - - '{0}' 종속성 버전이 지정되지 않았습니다. - - - Nie określono wersji zależności „{0}”. - - - A versão de dependência '{0}' não é especificada. - - - Не указана версия зависимости "{0}". - - - {0}' bağımlılığının sürümü belirtilmemiş. - - - 未指定依赖项“{0}”的版本。 - - - 未指定相依項 '{0}' 版本。 - - - Určete verzi závislosti a sestavte balíček znovu. - - - Angeben der Version der Abhängigkeit und erneutes Erstellen des Pakets. - - - Especifique la versión de la dependencia y recompile el paquete. - - - Spécifiez la version de dépendance et regénérez votre package. - - - Specificare la versione della dipendenza e ricompilare il pacchetto. - - - 依存関係のバージョンを指定して、パッケージを再構築してください。 - - - 종속성 버전을 지정하고 패키지를 다시 빌드하십시오. - - - Określ wersję zależności i ponownie skompiluj pakiet. - - - Especifique a versão de dependência e reconstrua seu pacote. - - - Укажите версию зависимости и повторите построение проекта. - - - Bağımlılığın sürümünü belirtin ve paketinizi tekrar oluşturun. - - - 指定依赖项的版本并重新生成你的程序包。 - - - 指定相依相版本並重新建置您的套件。 - - - Určete verzi závislostí. - - - Angeben der Version der Abhängigkeiten. - - - Especifique la versión de las dependencias. - - - Spécifiez la version des dépendances. - - - Specificare la versione delle dipendenze. - - - 依存関係のバージョンを指定してください。 - - - 종속성 버전을 지정하십시오. - - - Określ wersję zależności. - - - Especifique uma versão de dependências. - - - Укажите версию зависимостей. - - - Bağımlılıkların sürümlerini belirtin. - - - 指定依赖项的版本。 - - - 指定相依項版本。 - - - Další informace naleznete na adrese {0} - - - Besuchen Sie "{0}", um weitere Informationen zu erhalten. - - - Para obtener más información, visite {0} - - - Pour plus d'informations, consultez {0} - - - Per ulteriori informazioni, visitare {0} - - - 詳細については、{0} を参照してください - - - 자세한 내용은 {0}을(를) 참조하십시오. - - - Aby uzyskać więcej informacji, odwiedź stronę {0} - - - Para obter mais informações, visite {0} - - - Дополнительные сведения см. на веб-сайте {0} - - - Daha fazla bilgi için {0} adresini ziyaret edin. - - - 有关详细信息,请访问 {0} - - - 如需詳細資訊,請造訪 {0} - Using credentials from config. UserName: {0} diff --git a/src/NuGet.Clients/NuGet.CommandLine/Program.cs b/src/NuGet.Clients/NuGet.CommandLine/Program.cs index ceb43f36252..7964dd5aebf 100644 --- a/src/NuGet.Clients/NuGet.CommandLine/Program.cs +++ b/src/NuGet.Clients/NuGet.CommandLine/Program.cs @@ -32,8 +32,8 @@ public class Program private const string DotNetSetupRegistryKey = @"SOFTWARE\Microsoft\NET Framework Setup\NDP\v4\Full\"; private const int Net462ReleasedVersion = 394802; - - private static readonly string ThisExecutableName = typeof(Program).Assembly.GetName().Name; + internal static readonly Assembly NuGetExeAssembly = typeof(Program).Assembly; + private static readonly string ThisExecutableName = NuGetExeAssembly.GetName().Name; [Import] public HelpCommand HelpCommand { get; set; } @@ -227,20 +227,65 @@ private void Initialize(CoreV2.NuGet.IFileSystem fileSystem, IConsole console) // This method acts as a binding redirect private Assembly CurrentDomain_AssemblyResolve(object sender, ResolveEventArgs args) { - var name = new AssemblyName(args.Name); + AssemblyName name = new AssemblyName(args.Name); + Assembly customLoadedAssembly = null; if (string.Equals(name.Name, ThisExecutableName, StringComparison.OrdinalIgnoreCase)) { - return typeof(Program).Assembly; + customLoadedAssembly = NuGetExeAssembly; + } + // .NET Framework 4.x now triggers AssemblyResolve event for resource assemblies + // We want to catch failed NuGet.resources.dll assembly load to look for it in embedded resoruces + else if (name.Name == "NuGet.resources") + { + // Load satellite resource assembly from embedded resources + customLoadedAssembly = GetNuGetResourcesAssembly(name.Name, name.CultureInfo); + } + + return customLoadedAssembly; + } + + private static Assembly GetNuGetResourcesAssembly(string name, CultureInfo culture) + { + string resourceName = $"NuGet.CommandLine.{culture.Name}.{name}.dll"; + Assembly resourceAssembly = LoadAssemblyFromEmbeddedResources(resourceName); + if (resourceAssembly == null) + { + // Sometimes, embedded assembly names have dashes replaced by underscores + string altResourceName = $"NuGet.CommandLine.{culture.Name.Replace("-", "_")}.{name}.dll"; + resourceAssembly = LoadAssemblyFromEmbeddedResources(altResourceName); + } + + return resourceAssembly; + } + + private static Assembly LoadAssemblyFromEmbeddedResources(string resourceName) + { + Assembly resourceAssembly = null; + using (var stream = NuGetExeAssembly.GetManifestResourceStream(resourceName)) + { + if (stream != null) + { + byte[] assemblyData = new byte[stream.Length]; + stream.Read(assemblyData, offset: 0, assemblyData.Length); + try + { + resourceAssembly = Assembly.Load(assemblyData); + } + catch (BadImageFormatException) + { + resourceAssembly = null; + } + } } - return null; + return resourceAssembly; } [SuppressMessage("Microsoft.Design", "CA1031:DoNotCatchGeneralExceptionTypes", Justification = "We don't want to block the exe from usage if anything failed")] internal static void RemoveOldFile(CoreV2.NuGet.IFileSystem fileSystem) { - var oldFile = typeof(Program).Assembly.Location + ".old"; + var oldFile = NuGetExeAssembly.Location + ".old"; try { if (fileSystem.FileExists(oldFile)) diff --git a/test/NuGet.Clients.Tests/NuGet.CommandLine.Test/LocalizedResourceManagerTests.cs b/test/NuGet.Clients.Tests/NuGet.CommandLine.Test/LocalizedResourceManagerTests.cs new file mode 100644 index 00000000000..bdeeb4dfbdf --- /dev/null +++ b/test/NuGet.Clients.Tests/NuGet.CommandLine.Test/LocalizedResourceManagerTests.cs @@ -0,0 +1,105 @@ +// Copyright (c) .NET Foundation. All rights reserved. +// Licensed under the Apache License, Version 2.0. See License.txt in the project root for license information. + +using System; +using System.Globalization; +using System.Reflection; +using System.Resources; +using Moq; +using Xunit; + +namespace NuGet.CommandLine.Test +{ + public class LocalizedResourceManagerTests + { + [Theory] + [InlineData("A_String_With_No_Name")] + [InlineData("An_unknown_String")] + public void GetString_NonExistentResource_ReturnsNull(string stringResourceName) + { + // Arrange & Act + string resource = LocalizedResourceManager.GetString(stringResourceName); + + // Assert + Assert.Null(resource); + } + + [Theory] + [InlineData("SpecCommandCreatedNuSpec")] + public void GetString_ExistingResourceInNuGetResources_ReturnsStringResource(string stringResourceName) + { + // Arrange & Act + string resource = LocalizedResourceManager.GetString(stringResourceName); + + // Assert + Assert.NotEmpty(resource); + } + + [Theory] + [InlineData("SpecCommandCreatedNuSpec", typeof(NuGetResources) )] + [InlineData("UpdateCommandPrerelease", typeof(NuGetCommand))] + public void GetString_ExistingResourcesInOtherResources_ReturnsStringResource(string resourceName, Type resourceType) + { + // Arrange + PropertyInfo property = resourceType.GetProperty("ResourceManager", BindingFlags.NonPublic | BindingFlags.Public | BindingFlags.Static); + ResourceManager resourceManager = (ResourceManager)property.GetGetMethod(nonPublic: true).Invoke(obj: null, parameters: null); + + // Act + string resource = LocalizedResourceManager.GetString(resourceName, resourceManager); + + // Assert + Assert.NotEmpty(resource); + } + + [Fact] + public void GetString_ExistingResourceInNuGetResources_ReturnsSameValueFromResourceClass() + { + // Arrange & Act + string resource = LocalizedResourceManager.GetString(nameof(NuGetResources.ListCommandNoPackages)); + + // Assert + Assert.Equal(NuGetResources.ListCommandNoPackages, resource); + } + + [Fact] + public void GetString_NullArgument_Throws() + { + // Arrange, Act & Assert + Assert.Throws(() => LocalizedResourceManager.GetString(resourceName: null)); + Assert.Throws(() => LocalizedResourceManager.GetString(resourceName: null, resourceManager: null)); + Assert.Throws(() => LocalizedResourceManager.GetString(resourceName: "", resourceManager: It.IsAny())); + Assert.Throws(() => LocalizedResourceManager.GetString(resourceName: "e", resourceManager: null)); + } + + [Theory] + [InlineData("zh-Hant", "zh-Hant")] // Traditional Chinese + [InlineData("zh-Hans", "zh-Hans")] // Simplified Chinese + [InlineData("es", "es-hn")] // Spanish, Honduras + [InlineData("es", "es-es")] // Spanish, Spain + [InlineData("pt", "pt-Br")] // Portuguese, Brazil + [InlineData("fr", "fr-fr")] // French, France + [InlineData("fr", "fr-ca")] // French, Canada + [InlineData("de", "de-de")] // Deutsch, Germany + [InlineData("it", "it-it")] // Italian, Italy + [InlineData("it", "it-ch")] // Italian, Switzerland + [InlineData("pl", "pl-pl")] // Polish, Poland + [InlineData("tr", "tr-tr")] // Turkish, Turkey + [InlineData("tr", "tr")] // Turkish + public void GetNeutralCulture_SupportedLocales_ReturnsExpectedLocale(string expectedLocale, string initialLocale) + { + Assert.Equal(new CultureInfo(expectedLocale), LocalizedResourceManager.GetNeutralCulture(new CultureInfo(initialLocale))); + } + + [SkipMonoTheoryAttribute] + [InlineData("cs", "cs-cs")] // Czech, Czech Republic + [InlineData("ko", "ko-kr")] // Korean, Republic of Korea + [InlineData("pt", "pt-pt")] // Portuguese, Portugal + [InlineData("ja", "ja-jp")] // Japanese, Japan + [InlineData("de", "de-be")] // Deutsch, Belgium + [InlineData("ru", "ru-by")] // Russian, Belarus + public void GetNeutralCulture_SupportedLocales_ReturnsExpectedLocaleInWindows(string expectedLocale, string initialLocale) + { + Assert.Equal(new CultureInfo(expectedLocale), LocalizedResourceManager.GetNeutralCulture(new CultureInfo(initialLocale))); + } + } +} diff --git a/test/NuGet.Clients.Tests/NuGet.CommandLine.Test/ResourceHelperTests.cs b/test/NuGet.Clients.Tests/NuGet.CommandLine.Test/ResourceHelperTests.cs new file mode 100644 index 00000000000..3ca5334351b --- /dev/null +++ b/test/NuGet.Clients.Tests/NuGet.CommandLine.Test/ResourceHelperTests.cs @@ -0,0 +1,71 @@ +// Copyright (c) .NET Foundation. All rights reserved. +// Licensed under the Apache License, Version 2.0. See License.txt in the project root for license information. + +using System; +using Xunit; + +namespace NuGet.CommandLine.Test +{ + public class ResourceHelperTests + { + [Theory] + [InlineData(typeof(NuGetCommand), "SignCommandCertificatePathDescription")] + [InlineData(typeof(NuGetResources), "UnableToConvertTypeError")] + public void GetLocalizedString_ExistingResource_ReturnsStringResource(Type type, string resourceName) + { + // Arrange & Act + string resource = ResourceHelper.GetLocalizedString(type, resourceName); + + // Assert + Assert.NotNull(resource); + } + + [Fact] + public void GetLocalizedString_MultipleStringResources_ReturnsMultilineStringResources() + { + // Arrange & Act + string resource = ResourceHelper.GetLocalizedString(typeof(NuGetCommand), "CommandNoServiceEndpointDescription;ConfigCommandDesc"); + + string[] rep = resource.Split(Environment.NewLine.ToCharArray(), StringSplitOptions.RemoveEmptyEntries); + + // Assert + Assert.Equal(2, rep.Length); + Assert.All(rep, e => Assert.NotEmpty(e)); + } + + [Fact] + public void GetLocalizedString_ExistingResource_ReturnsSameValueFromResourceClass() + { + // Arrange & Act + string resource = ResourceHelper.GetLocalizedString(typeof(NuGetResources), nameof(NuGetResources.UpdateCommandNuGetUpToDate)); + + // Assert + Assert.Equal(NuGetResources.UpdateCommandNuGetUpToDate, resource); + } + + [Fact] + public void GetLocalizedString_TypeWithoutResourceManagerMember_Throws() + { + // Arrange, Act & Assert + Assert.Throws(() => ResourceHelper.GetLocalizedString(typeof(string), "A_String_Resource")); + } + + [Fact] + public void GetLocalizedString_NonExistingResourceInType_Throws() + { + // Arrange, Act & Assert + Assert.Throws(() => ResourceHelper.GetLocalizedString(typeof(NuGetCommand), "A_non_existing_string")); + } + + [Fact] + public void GetLocalizedString_NullOrEmptyArgument_Throws() + { + // Arrange, Act & Assert + Assert.Throws(() => ResourceHelper.GetLocalizedString(resourceType: null, resourceNames: null)); + Assert.Throws(() => ResourceHelper.GetLocalizedString(resourceType: null, resourceNames: "aaaa")); + Assert.Throws(() => ResourceHelper.GetLocalizedString(resourceType: null, resourceNames: "")); + Assert.Throws(() => ResourceHelper.GetLocalizedString(resourceType: typeof(NuGetCommand), resourceNames: null)); + Assert.Throws(() => ResourceHelper.GetLocalizedString(resourceType: typeof(NuGetCommand), resourceNames: "")); + } + } +}